diff --git a/Documentation/.vscode/spellright.dict b/Documentation/.vscode/spellright.dict deleted file mode 100644 index 8cae8310b..000000000 --- a/Documentation/.vscode/spellright.dict +++ /dev/null @@ -1 +0,0 @@ -init diff --git a/Documentation/wiki/Entities.md b/Documentation/wiki/Entities.md index 11d0733d8..8e6dedffd 100644 --- a/Documentation/wiki/Entities.md +++ b/Documentation/wiki/Entities.md @@ -15,6 +15,7 @@ public class Book : Entity if there are some properties on entities you don't want persisted to mongodb, simply use the `IgnoreAttribute`. you can prevent null/default values from being stored with the use of `IgnoreDefaultAttribute`. + ```csharp public class Book : Entity { @@ -27,7 +28,9 @@ public class Book : Entity ``` # Customize field names + you can set the field names of the documents stored in mongodb using the `FieldAttribute` like so: + ```csharp public class Book { @@ -37,7 +40,9 @@ public class Book ``` # Customize collection names + by default, mongodb collections will use the names of the entity classes. you can customize the collection names by decorating your entities with the `CollectionAttribute` as follows: + ```csharp [Collection("Writer")] public class Author : Entity @@ -47,7 +52,9 @@ public class Author : Entity ``` # Optional auto-managed properties + there are 2 optional interfaces `ICreatedOn` & `IModifiedOn` that you can add to entity class definitions like so: + ```csharp public class Book : Entity, ICreatedOn, IModifiedOn { @@ -56,51 +63,66 @@ public class Book : Entity, ICreatedOn, IModifiedOn public DateTime ModifiedOn { get; set; } } ``` + if your entity classes implements these interfaces, the library will automatically set the appropriate values so you can use them for sorting operations and other queries. # The IEntity interface if for whatever reason, you're unable to inherit the `Entity` base class, you can simply implement the `IEntity` interface to make your classes compatible with the library like so: + ```csharp public class Book : IEntity { - [BsonId, ObjectId] - public string ID { get; set; } - - public string GenerateNewID() + public string ID { get; set; } = null!; + + public object GenerateNewID() => ObjectId.GenerateNewId().ToString(); + + public bool HasDefaultID() + => string.IsNullOrEmpty(ID); } ``` # Customizing the ID format -the default format of the IDs automatically generated for new entities is `ObjectId`. if you'd like to change the format of the ID, simply override the `GenerateNewID` method of the `Entity` class or implement the `IEntity` interface and place the logic for generating new IDs inside the `GenerateNewID` method. -if implementing `IEntity`, don't forget to decorate the ID property with the `[BsonId]` attribute. +the default format of the IDs automatically generated for new entities is `ObjectId`. if you'd like to change the type/format of the ID, simply override the `GenerateNewID` and `HasDefaultID` methods of the `Entity` base class or implement the `IEntity` interface. if implementing `IEntity`, don't forget to decorate the ID property with the `[BsonId]` attribute to indicate that it's the primary key. + ```csharp public class Book : IEntity { [BsonId] - public string ID { get; set; } + public Guid Id { get; set; } = Guid.Empty; - public string GenerateNewID() - => $"{Guid.NewGuid()}-{DateTime.UtcNow.Ticks}"; + public object GenerateNewID() + => Guid.NewGuid(); + + public bool HasDefaultID() + => Id == Guid.Empty; } ``` > [!note] -> the type of the ID property cannot be changed to something other than `string`. PRs are welcome for removing this limitation. +> the type of the ID property can be whatever type you like (given that it can be serialized by the mongo driver). however, due to a technical constraint, only the following types are supported with the [referenced relationship](Relationships-Referenced.md) functionality: +> +> - string +> - long +> - ObjectId > [!warning] ->it is highly recommended that you stick with `ObjectId` as it's highly unlikely it would generate duplicate IDs due to [the way it works](https://www.mongodb.com/blog/post/generating-globally-unique-identifiers-for-use-with-mongodb). -> +> it is highly recommended that you stick with `ObjectId` as it's highly unlikely it would generate duplicate IDs due to [the way it works](https://www.mongodb.com/blog/post/generating-globally-unique-identifiers-for-use-with-mongodb). +> +> >if you choose something like `Guid`, there's a possibility for duplicates to be generated and data loss could occur when using the [partial entity saving](Entities-Save.md#save-entities-partially) operations. reason being, those operations use upserts under the hood and if a new entity is assigned the same ID as one that already exists in the database, the existing entity will get replaced by the new entity. -> +> +> >the normal save operations do not have this issue because they use inserts under the hood and if you try to insert a new entity with a duplicate ID, a duplicate key exception would be thrown due to the unique index on the ID property. -> +> +> >so you're better off sticking with `ObjectId` because the only way it could ever generate a duplicate ID is if more than 16 million entities are created at the exact moment on the exact computer with the exact same process. # Create a collection explicitly + ```csharp await DB.CreateCollectionAsync(o => { @@ -109,13 +131,15 @@ await DB.CreateCollectionAsync(o => o.MaxDocuments = 10000; }); ``` -typically you don't need to create collections manually as they will be created automatically the first time you save an entity. + +typically you don't need to create collections manually as they will be created automatically the first time you save an entity. however, you'd have to create the collection like above if you need to use a custom *[COLLATION](https://docs.mongodb.com/manual/reference/collation/)*, create a *[CAPPED](https://docs.mongodb.com/manual/core/capped-collections/)*, or *[TIME SERIES](https://docs.mongodb.com/manual/core/timeseries-collections/)* collection before you can save any entities. > [!note] > if a collection already exists for the specified entity type, an exception will be thrown. # Drop a collection + ```csharp await DB.DropCollectionAsync(); ``` \ No newline at end of file diff --git a/Documentation/wiki/Relationships-Referenced.md b/Documentation/wiki/Relationships-Referenced.md index 1feae17f2..b9e88e6df 100644 --- a/Documentation/wiki/Relationships-Referenced.md +++ b/Documentation/wiki/Relationships-Referenced.md @@ -1,15 +1,15 @@ # Referenced Relationships -referenced relationships require a bit of special handling. a **one-to-one** relationship is defined using the `One` class and **one-to-many** as well as **many-to-many** relationships are defined using the `Many` class and you have to initialize the `Many` child properties in the constructor of the parent entity as shown below. +referenced relationships require a bit of special handling. a **one-to-one** relationship is defined using the `One` class and **one-to-many** as well as **many-to-many** relationships are defined using the `Many` class and you have to initialize the `Many` child properties in the constructor of the parent entity as shown below. + ```csharp public class Book : Entity { public One MainAuthor { get; set; } - - public Many CoAuthors { get; set; } - - [OwnerSide] - public Many Genres { get; set; } + public Many CoAuthors { get; set; } + + [OwnerSide] + public Many Genres { get; set; } public Book() { @@ -20,8 +20,8 @@ public class Book : Entity public class Genre : Entity { - [InverseSide] - public Many Books { get; set; } + [InverseSide] + public Many Books { get; set; } public Genre() { @@ -29,6 +29,7 @@ public class Genre : Entity } } ``` + notice the parameters of the `InitOneToMany` and `InitManyToMany` methods above. the first method only takes one parameter which is just a lambda pointing to the property you want to initialize. the next method takes 2 parameters. first is the property to initialize. second is the property of the other side of the relationship. @@ -48,10 +49,12 @@ await book.SaveAsync(); //call save on parent to store ``` ### Reference removal + ```csharp book.MainAuthor = null; await book.SaveAsync(); ``` + the original `author` in the `Authors` collection is unaffected. ### Entity deletion @@ -73,10 +76,12 @@ await bookC.MainAuthor.ToEntityAsync() //returns null ``` ## One-to-many & many-to-many + ```csharp await book.Authors.AddAsync(author); //one-to-many await book.Genres.AddAsync(genre); //many-to-many ``` + there's no need to call `book.SaveAsync()` again because references are automatically saved using special join collections. you can read more about them in the [Schema Changes](Schema-Changes.md#reference-collections) section. however, do note that both the parent entity (book) and child (author/genre) being added has to have been previously saved so that they have their `ID` values populated. otherwise, you'd get an exception instructing you to save them both before calling `AddAsync()`. @@ -92,6 +97,7 @@ there are other *[overloads](xref:MongoDB.Entities.Many`1#methods)* for adding r > [click here](https://gist.github.com/dj-nitehawk/9971a57062f32fac8e7597a889d47714) to see a full example of a referenced one-to-many relationship. ### Reference removal + ```csharp await book.Authors.RemoveAsync(author); await book.Genres.RemoveAsync(genre); @@ -102,6 +108,7 @@ the original `author` in the `Authors` collection is unaffected. also the `genre there are other *[overloads](xref:MongoDB.Entities.Many`1.RemoveAsync(`0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken))* for removing relationships with multiple entities or just the string IDs. ### Entity deletion + when you delete an entity that's in a `one-to-many` or `many-to-many` relationship, all the references (join records) for the relationship in concern are automatically deleted from the join collections. for example: @@ -135,7 +142,9 @@ a reference can be turned back in to an entity with the `ToEntityAsync()` method ```csharp var author = await book.MainAuthor.ToEntityAsync(); ``` + you can also project the properties you need instead of getting back the complete entity like so: + ```csharp var author = await book.MainAuthor .ToEntityAsync(a => new Author @@ -146,4 +155,5 @@ var author = await book.MainAuthor ``` # Transaction support -adding and removing related entities require passing in the session when used within a transaction. see [here](Transactions.md#relationship-manipulation) for an example. + +adding and removing related entities require passing in the session when used within a transaction. see [here](Transactions.md#relationship-manipulation) for an example. \ No newline at end of file diff --git a/Tests/Tests.csproj b/Tests/Tests.csproj index 70d1a8652..752f635b8 100644 --- a/Tests/Tests.csproj +++ b/Tests/Tests.csproj @@ -10,7 +10,7 @@ - + diff --git a/changelog.md b/changelog.md index f7b872162..2b65ba783 100644 --- a/changelog.md +++ b/changelog.md @@ -1,16 +1,23 @@ -### NEW - -- wip: ability to use any type for `ID` property and ability to name it based on mongodb conventions. -- todo: update docs about no support for relationships with custom id types except for `ObjectId` & `long` - -### IMPROVEMENTS - -- `Entity.ID` property has been made non-nullable -- support for dictionary based index keys #206 -- various internal code refactors and optimizations -- upgrade mongodb driver to v2.22 - -### BREAKING CHANGES - -- `Many` is now `Many`. -- `IEntity.HasDefaultID()` method must be implemented by entities if implementing `IEntity` directly. \ No newline at end of file +### NEW + +ability to use any type for primary key property and ability to name it based on mongodb conventions when implementing `IEntity` interface. + +**NOTE:** due to a technical constraint, only the following primary key types are supported with referenced relationships. + +- string +- long +- ObjectId + +see #195 for more info. + +### IMPROVEMENTS + +- `Entity.ID` property has been made non-nullable #210 +- support for dictionary based index keys #206 +- upgrade mongodb driver to v2.22 +- various internal code refactors and optimizations + +### BREAKING CHANGES + +- `Many` is now `Many` when defining referenced relationships. i.e. you now need to specify the type of the parent class that contains the property. +- `IEntity.GenerateNewID()` & `IEntity.HasDefaultID()` method must be implemented by entities if implementing `IEntity` directly. \ No newline at end of file diff --git a/docs/api/MongoDB.Entities.AsObjectIdAttribute.html b/docs/api/MongoDB.Entities.AsObjectIdAttribute.html index 1770b3101..7a7f2bed7 100644 --- a/docs/api/MongoDB.Entities.AsObjectIdAttribute.html +++ b/docs/api/MongoDB.Entities.AsObjectIdAttribute.html @@ -1,312 +1,312 @@ - - - - - - - - - - - Class AsObjectIdAttribute - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
-
- - - - -
-
- -
-
Search Results for
-
-

-
-
    -
    -
    - +
    + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.AsyncEventHandler-1.html b/docs/api/MongoDB.Entities.AsyncEventHandler-1.html index ac0b21cc1..b850a0cba 100644 --- a/docs/api/MongoDB.Entities.AsyncEventHandler-1.html +++ b/docs/api/MongoDB.Entities.AsyncEventHandler-1.html @@ -1,199 +1,201 @@ - - - - - - - - - - - Delegate AsyncEventHandler<TEventArgs> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
    -
    - - - - -
    -
    - -
    -
    Search Results for
    -
    -

    -
    -
      -
      -
      - +
      + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.DB.html b/docs/api/MongoDB.Entities.DB.html index 858eb6ca2..50085a869 100644 --- a/docs/api/MongoDB.Entities.DB.html +++ b/docs/api/MongoDB.Entities.DB.html @@ -1,4654 +1,4656 @@ - - - - - - - - - - - Class DB - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
      -
      - - - - -
      -
      - -
      -
      Search Results for
      -
      -

      -
      -
        -
        -
        - - - -
        - - - - - - + + + + + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.DBContext.html b/docs/api/MongoDB.Entities.DBContext.html index 1028b73c0..88bc67011 100644 --- a/docs/api/MongoDB.Entities.DBContext.html +++ b/docs/api/MongoDB.Entities.DBContext.html @@ -1,3974 +1,3976 @@ - - - - - - - - - - - Class DBContext - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
        -
        - - - - -
        -
        - -
        -
        Search Results for
        -
        -

        -
        -
          -
          -
          - - - -
          - - - - - - + + + + + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.DataStreamer.html b/docs/api/MongoDB.Entities.DataStreamer.html index ecfe5a064..667350b17 100644 --- a/docs/api/MongoDB.Entities.DataStreamer.html +++ b/docs/api/MongoDB.Entities.DataStreamer.html @@ -1,474 +1,476 @@ - - - - - - - - - - - Class DataStreamer - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
          -
          - - - - -
          -
          - -
          -
          Search Results for
          -
          -

          -
          -
            -
            -
            - - - -
            - - - - - - + + + + +
            Returns
            + + + + + + + + + + + + + +
            TypeDescription
            Task
            + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Date.html b/docs/api/MongoDB.Entities.Date.html index a68c2e058..88a2929a9 100644 --- a/docs/api/MongoDB.Entities.Date.html +++ b/docs/api/MongoDB.Entities.Date.html @@ -1,300 +1,299 @@ - - - - - - - - - - - Class Date - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
            -
            - - - - -
            -
            - -
            -
            Search Results for
            -
            -

            -
            -
              -
              -
              - - - -
              - - - - - - + + + + +

              Properties +

              + + + +

              DateTime

              +
              +
              +
              Declaration
              +
              +
              public DateTime DateTime { get; set; }
              +
              +
              Property Value
              + + + + + + + + + + + + + +
              TypeDescription
              DateTime
              + + + +

              Ticks

              +
              +
              +
              Declaration
              +
              +
              public long Ticks { get; set; }
              +
              +
              Property Value
              + + + + + + + + + + + + + +
              TypeDescription
              Int64
              + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Distinct-2.html b/docs/api/MongoDB.Entities.Distinct-2.html index 948c2f2b6..45d4de71f 100644 --- a/docs/api/MongoDB.Entities.Distinct-2.html +++ b/docs/api/MongoDB.Entities.Distinct-2.html @@ -1,842 +1,844 @@ - - - - - - - - - - - Class Distinct<T, TProperty> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
              -
              - - - - -
              -
              - -
              -
              Search Results for
              -
              -

              -
              -
                -
                -
                - - - -
                - - - - - - + + + + +
                Returns
                + + + + + + + + + + + + + +
                TypeDescription
                Distinct<T, TProperty>
                + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.DontPreserveAttribute.html b/docs/api/MongoDB.Entities.DontPreserveAttribute.html index 1bd2439fe..697cb2de4 100644 --- a/docs/api/MongoDB.Entities.DontPreserveAttribute.html +++ b/docs/api/MongoDB.Entities.DontPreserveAttribute.html @@ -1,283 +1,285 @@ - - - - - - - - - - - Class DontPreserveAttribute - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                -
                - - - - -
                -
                - -
                -
                Search Results for
                -
                -

                -
                -
                  -
                  -
                  - +
                  + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Entity.html b/docs/api/MongoDB.Entities.Entity.html index 805b549a1..e90c31de9 100644 --- a/docs/api/MongoDB.Entities.Entity.html +++ b/docs/api/MongoDB.Entities.Entity.html @@ -1,302 +1,304 @@ - - - - - - - - - - - Class Entity - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                  -
                  - - + + + - -
                  -
                  + + + + + + + Class Entity + | MongoDB.Entities + + + + + + + + + + + + + + + + + + + + + +
                  +
                  + + + + +
                  +
                  + +
                  +
                  Search Results for
                  +
                  +

                  +
                  +
                    +
                    +
                    + - - -
                    -
                    - - -
                    - - - - - - + +
                    +
                    Declaration
                    +
                    +
                    public virtual string GenerateNewID()
                    +
                    +
                    Returns
                    + + + + + + + + + + + + + +
                    TypeDescription
                    String
                    +

                    Implements

                    +
                    + IEntity +
                    +

                    Extension Methods

                    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.EventType.html b/docs/api/MongoDB.Entities.EventType.html index 02d49b9ba..ff45ed162 100644 --- a/docs/api/MongoDB.Entities.EventType.html +++ b/docs/api/MongoDB.Entities.EventType.html @@ -1,170 +1,172 @@ - - - - - - - - - - - Enum EventType - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                    -
                    - - - - -
                    -
                    - -
                    -
                    Search Results for
                    -
                    -

                    -
                    -
                      -
                      -
                      - +
                      + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Extensions.html b/docs/api/MongoDB.Entities.Extensions.html index 94e11fad3..e721664ef 100644 --- a/docs/api/MongoDB.Entities.Extensions.html +++ b/docs/api/MongoDB.Entities.Extensions.html @@ -1,2952 +1,2954 @@ - - - - - - - - - - - Class Extensions - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                      -
                      - - - - -
                      -
                      - -
                      -
                      Search Results for
                      -
                      -

                      -
                      -
                        -
                        -
                        - +
                        Parameters
                        + + + + + + + + + + + + + + + +
                        TypeNameDescription
                        T[]entities
                        +
                        Returns
                        + + + + + + + + + + + + + +
                        TypeDescription
                        T[]
                        +
                        Type Parameters
                        + + + + + + + + + + + + + +
                        NameDescription
                        T
                        + + + +

                        ToDocuments<T>(IEnumerable<T>)

                        Creates unlinked duplicates of the original Entities ready for embedding with blank IDs.

                        -
                        -
                        -
                        Declaration
                        -
                        +
                        +
                        +
                        Declaration
                        +
                        public static IEnumerable<T> ToDocuments<T>(this IEnumerable<T> entities)
                        -    where T : IEntity
                        -
                        -
                        Parameters
                        - - - - - - - - - - - - - - - -
                        TypeNameDescription
                        System.Collections.Generic.IEnumerable<T>entities
                        -
                        Returns
                        - - - - - - - - - - - - - -
                        TypeDescription
                        System.Collections.Generic.IEnumerable<T>
                        -
                        Type Parameters
                        - - - - - - - - - - - - - -
                        NameDescription
                        T
                        - - - -

                        ToDoubleMetaphoneHash(String)

                        + where T : IEntity +
                        +
                        Parameters
                        + + + + + + + + + + + + + + + +
                        TypeNameDescription
                        IEnumerable<T>entities
                        +
                        Returns
                        + + + + + + + + + + + + + +
                        TypeDescription
                        IEnumerable<T>
                        +
                        Type Parameters
                        + + + + + + + + + + + + + +
                        NameDescription
                        T
                        + + + +

                        ToDoubleMetaphoneHash(String)

                        Converts a search term to Double Metaphone hash code suitable for fuzzy text searching.

                        -
                        -
                        -
                        Declaration
                        -
                        -
                        public static string ToDoubleMetaphoneHash(this string term)
                        -
                        -
                        Parameters
                        - - - - - - - - - - - - + +
                        +
                        Declaration
                        +
                        +
                        public static string ToDoubleMetaphoneHash(this string term)
                        +
                        +
                        Parameters
                        +
                        TypeNameDescription
                        System.Stringterm
                        + + + + + + + + + + + - - -
                        TypeNameDescription
                        Stringterm

                        A single or multiple word search term

                        -
                        -
                        Returns
                        - - - - - - - - - - - - - -
                        TypeDescription
                        System.String
                        - - - -

                        ToFuzzy(String)

                        + + + + +
                        Returns
                        + + + + + + + + + + + + + +
                        TypeDescription
                        String
                        + + + +

                        ToFuzzy(String)

                        converts a string value to a FuzzyString

                        -
                        -
                        -
                        Declaration
                        -
                        -
                        public static FuzzyString ToFuzzy(this string value)
                        -
                        -
                        Parameters
                        - - - - - - - - - - - - + +
                        +
                        Declaration
                        +
                        +
                        public static FuzzyString ToFuzzy(this string value)
                        +
                        +
                        Parameters
                        +
                        TypeNameDescription
                        System.Stringvalue
                        + + + + + + + + + + + - - -
                        TypeNameDescription
                        Stringvalue

                        the string to convert

                        -
                        -
                        Returns
                        - - - - - - - - - - - - - -
                        TypeDescription
                        FuzzyString
                        - - - -

                        ToReference<T>(T)

                        + + + + +
                        Returns
                        + + + + + + + + + + + + + +
                        TypeDescription
                        FuzzyString
                        + + + +

                        ToReference<T>(T)

                        Returns a reference to this entity.

                        -
                        -
                        -
                        Declaration
                        -
                        +
                        +
                        +
                        Declaration
                        +
                        public static One<T> ToReference<T>(this T entity)
                        -    where T : IEntity
                        -
                        -
                        Parameters
                        - - - - - - - - - - - - - - - -
                        TypeNameDescription
                        Tentity
                        -
                        Returns
                        - - - - - - - - - - - - - -
                        TypeDescription
                        One<T>
                        -
                        Type Parameters
                        - - - - - - - - - - - - - -
                        NameDescription
                        T
                        - - - - - - - - - - - - - - - + where T : IEntity + +
                        Parameters
                        + + + + + + + + + + + + + + + +
                        TypeNameDescription
                        Tentity
                        +
                        Returns
                        + + + + + + + + + + + + + +
                        TypeDescription
                        One<T>
                        +
                        Type Parameters
                        + + + + + + + + + + + + + +
                        NameDescription
                        T
                        + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.FieldAttribute.html b/docs/api/MongoDB.Entities.FieldAttribute.html index 46c166828..299435b77 100644 --- a/docs/api/MongoDB.Entities.FieldAttribute.html +++ b/docs/api/MongoDB.Entities.FieldAttribute.html @@ -1,391 +1,390 @@ - - - - - - - - - - - Class FieldAttribute - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                        -
                        - - - - -
                        -
                        + + + -
                        -
                        Search Results for
                        -
                        -

                        -
                        -
                          -
                          -
                          - +

                          Constructors +

                          + + + +

                          FieldAttribute(Int32)

                          +
                          +
                          +
                          Declaration
                          +
                          +
                          public FieldAttribute(int fieldOrder)
                          +
                          +
                          Parameters
                          + + + + + + + + + + + + + + + +
                          TypeNameDescription
                          Int32fieldOrder
                          + + + +

                          FieldAttribute(String, Int32)

                          +
                          +
                          +
                          Declaration
                          +
                          +
                          public FieldAttribute(string fieldName, int fieldOrder)
                          +
                          +
                          Parameters
                          + + + + + + + + + + + + + + + + + + + + +
                          TypeNameDescription
                          StringfieldName
                          Int32fieldOrder
                          + + + +

                          FieldAttribute(String)

                          +
                          +
                          +
                          Declaration
                          +
                          +
                          public FieldAttribute(string fieldName)
                          +
                          +
                          Parameters
                          + + + + + + + + + + + + + + + +
                          TypeNameDescription
                          StringfieldName
                          +

                          Implements

                          +
                          + MongoDB.Bson.Serialization.IBsonMemberMapAttribute +
                          + + +
                          + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.FileEntity.html b/docs/api/MongoDB.Entities.FileEntity.html index 5e4846095..89b3bdf3f 100644 --- a/docs/api/MongoDB.Entities.FileEntity.html +++ b/docs/api/MongoDB.Entities.FileEntity.html @@ -1,383 +1,385 @@ - - - - - - - - - - - Class FileEntity - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                          -
                          - - - - -
                          -
                          - -
                          -
                          Search Results for
                          -
                          -

                          -
                          -
                            -
                            -
                            - -
                            - - - - - - - - - +public bool UploadSuccessful { get; } + +
                            Property Value
                            + + + + + + + + + + + + + +
                            TypeDescription
                            Boolean
                            +

                            Implements

                            +
                            + IEntity +
                            +

                            Extension Methods

                            + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Find-1.html b/docs/api/MongoDB.Entities.Find-1.html index 156a4e753..9384ca1d8 100644 --- a/docs/api/MongoDB.Entities.Find-1.html +++ b/docs/api/MongoDB.Entities.Find-1.html @@ -1,287 +1,289 @@ - - - - - - - - - - - Class Find<T> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                            -
                            - - - - -
                            -
                            - -
                            -
                            Search Results for
                            -
                            -

                            -
                            -
                              -
                              -
                              - + + +
                              + + + + + + diff --git a/docs/api/MongoDB.Entities.Find-2.html b/docs/api/MongoDB.Entities.Find-2.html index 31eb3afa8..da0d58be5 100644 --- a/docs/api/MongoDB.Entities.Find-2.html +++ b/docs/api/MongoDB.Entities.Find-2.html @@ -1,1587 +1,1589 @@ - - - - - - - - - - - Class Find<T, TProjection> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                              -
                              - - - - -
                              -
                              - -
                              -
                              Search Results for
                              -
                              -

                              -
                              -
                                -
                                -
                                - - - -
                                - - - - - - + + + + +
                                Returns
                                + + + + + + + + + + + + + +
                                TypeDescription
                                Find<T, TProjection>
                                + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.FuzzyString.html b/docs/api/MongoDB.Entities.FuzzyString.html index 47a0703d5..2e527d1bd 100644 --- a/docs/api/MongoDB.Entities.FuzzyString.html +++ b/docs/api/MongoDB.Entities.FuzzyString.html @@ -1,287 +1,274 @@ - - - - - - - - - - - Class FuzzyString - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                -
                                - - - - -
                                -
                                - -
                                -
                                Search Results for
                                -
                                -

                                -
                                -
                                  -
                                  -
                                  - - - -
                                  - - - - - - + + + + +

                                  Properties +

                                  + + + +

                                  CharacterLimit

                                  +
                                  +
                                  +
                                  Declaration
                                  +
                                  +
                                  public static int CharacterLimit { get; set; }
                                  +
                                  +
                                  Property Value
                                  + + + + + + + + + + + + + +
                                  TypeDescription
                                  Int32
                                  + + + +

                                  Value

                                  +
                                  +
                                  +
                                  Declaration
                                  +
                                  +
                                  public string Value { get; set; }
                                  +
                                  +
                                  Property Value
                                  + + + + + + + + + + + + + +
                                  TypeDescription
                                  String
                                  + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.GeoNear-1.html b/docs/api/MongoDB.Entities.GeoNear-1.html index 2db4f580c..71caff81f 100644 --- a/docs/api/MongoDB.Entities.GeoNear-1.html +++ b/docs/api/MongoDB.Entities.GeoNear-1.html @@ -1,461 +1,453 @@ - - - - - - - - - - - Class GeoNear<T> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                  -
                                  + + + -
                                  + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.ICreatedOn.html b/docs/api/MongoDB.Entities.ICreatedOn.html index 303b9bf91..63a479e19 100644 --- a/docs/api/MongoDB.Entities.ICreatedOn.html +++ b/docs/api/MongoDB.Entities.ICreatedOn.html @@ -1,175 +1,177 @@ - - - - - - - - - - - Interface ICreatedOn - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                  -
                                  - - - - -
                                  -
                                  - -
                                  -
                                  Search Results for
                                  -
                                  -

                                  -
                                  -
                                    -
                                    -
                                    - - - -
                                    - - - - - - + +
                                    +
                                    Declaration
                                    +
                                    +
                                    DateTime CreatedOn { get; set; }
                                    +
                                    +
                                    Property Value
                                    + + + + + + + + + + + + + +
                                    TypeDescription
                                    DateTime
                                    + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.IEntity.html b/docs/api/MongoDB.Entities.IEntity.html index 67e95e147..ebd359734 100644 --- a/docs/api/MongoDB.Entities.IEntity.html +++ b/docs/api/MongoDB.Entities.IEntity.html @@ -1,263 +1,265 @@ - - - - - - - - - - - Interface IEntity - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                    -
                                    - - + + + - -
                                    -
                                    + + + + + + + Interface IEntity + | MongoDB.Entities + + + + + + + + + + + + + + + + + + + + + +
                                    +
                                    + + + + +
                                    +
                                    + +
                                    +
                                    Search Results for
                                    +
                                    +

                                    +
                                    +
                                      +
                                      +
                                      + - - -
                                      -
                                      - - -
                                      - - - - - - + +
                                      +
                                      Declaration
                                      +
                                      +
                                      string GenerateNewID()
                                      +
                                      +
                                      Returns
                                      + + + + + + + + + + + + + +
                                      TypeDescription
                                      String
                                      +

                                      Extension Methods

                                      + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.IMigration.html b/docs/api/MongoDB.Entities.IMigration.html index 9e0c0a0cc..6c0529a7d 100644 --- a/docs/api/MongoDB.Entities.IMigration.html +++ b/docs/api/MongoDB.Entities.IMigration.html @@ -1,174 +1,175 @@ - - - - - - - - - - - Interface IMigration - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                      -
                                      - - - - -
                                      -
                                      - -
                                      -
                                      Search Results for
                                      -
                                      -

                                      -
                                      -
                                        -
                                        -
                                        - +
                                        + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.IModifiedOn.html b/docs/api/MongoDB.Entities.IModifiedOn.html index 609503587..711cb7abe 100644 --- a/docs/api/MongoDB.Entities.IModifiedOn.html +++ b/docs/api/MongoDB.Entities.IModifiedOn.html @@ -1,175 +1,177 @@ - - - - - - - - - - - Interface IModifiedOn - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                        -
                                        - - - - -
                                        -
                                        - -
                                        -
                                        Search Results for
                                        -
                                        -

                                        -
                                        -
                                          -
                                          -
                                          - - - -
                                          - - - - - - + +
                                          +
                                          Declaration
                                          +
                                          +
                                          DateTime ModifiedOn { get; set; }
                                          +
                                          +
                                          Property Value
                                          + + + + + + + + + + + + + +
                                          TypeDescription
                                          DateTime
                                          + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.IgnoreAttribute.html b/docs/api/MongoDB.Entities.IgnoreAttribute.html index e62598365..b819bf736 100644 --- a/docs/api/MongoDB.Entities.IgnoreAttribute.html +++ b/docs/api/MongoDB.Entities.IgnoreAttribute.html @@ -1,283 +1,285 @@ - - - - - - - - - - - Class IgnoreAttribute - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                          -
                                          - - - - -
                                          -
                                          - -
                                          -
                                          Search Results for
                                          -
                                          -

                                          -
                                          -
                                            -
                                            -
                                            - +
                                            + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.IgnoreDefaultAttribute.html b/docs/api/MongoDB.Entities.IgnoreDefaultAttribute.html index 5da69fe5a..faf13fae4 100644 --- a/docs/api/MongoDB.Entities.IgnoreDefaultAttribute.html +++ b/docs/api/MongoDB.Entities.IgnoreDefaultAttribute.html @@ -1,297 +1,299 @@ - - - - - - - - - - - Class IgnoreDefaultAttribute - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                            -
                                            - - - - -
                                            -
                                            - -
                                            -
                                            Search Results for
                                            -
                                            -

                                            -
                                            -
                                              -
                                              -
                                              - +
                                              + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Index-1.html b/docs/api/MongoDB.Entities.Index-1.html index d23ceefb8..692613703 100644 --- a/docs/api/MongoDB.Entities.Index-1.html +++ b/docs/api/MongoDB.Entities.Index-1.html @@ -1,430 +1,432 @@ - - - - - - - - - - - Class Index<T> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                              -
                                              - - - - -
                                              -
                                              - -
                                              -
                                              Search Results for
                                              -
                                              -

                                              -
                                              -
                                                -
                                                -
                                                - + + +
                                                + + + + + + diff --git a/docs/api/MongoDB.Entities.InverseSideAttribute.html b/docs/api/MongoDB.Entities.InverseSideAttribute.html index 57374a0f7..8a5c53f4e 100644 --- a/docs/api/MongoDB.Entities.InverseSideAttribute.html +++ b/docs/api/MongoDB.Entities.InverseSideAttribute.html @@ -1,282 +1,284 @@ - - - - - - - - - - - Class InverseSideAttribute - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                -
                                                - - - - -
                                                -
                                                - -
                                                -
                                                Search Results for
                                                -
                                                -

                                                -
                                                -
                                                  -
                                                  -
                                                  - +
                                                  + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.JoinRecord.html b/docs/api/MongoDB.Entities.JoinRecord.html index 8435539ac..8347caf28 100644 --- a/docs/api/MongoDB.Entities.JoinRecord.html +++ b/docs/api/MongoDB.Entities.JoinRecord.html @@ -1,305 +1,307 @@ - - - - - - - - - - - Class JoinRecord - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                  -
                                                  - - + + + - -
                                                  -
                                                  + + + + + + + Class JoinRecord + | MongoDB.Entities + + + + + + + + + + + + + + + + + + + + + +
                                                  +
                                                  + + + + +
                                                  +
                                                  + +
                                                  +
                                                  Search Results for
                                                  +
                                                  +

                                                  +
                                                  +
                                                    +
                                                    +
                                                    + - - -
                                                    -
                                                    - - -
                                                    - - - - - - +public string ParentID { get; set; } + +
                                                    Property Value
                                                    + + + + + + + + + + + + + +
                                                    TypeDescription
                                                    String
                                                    +

                                                    Implements

                                                    +
                                                    + IEntity +
                                                    +

                                                    Extension Methods

                                                    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.KeyType.html b/docs/api/MongoDB.Entities.KeyType.html index 94fe27a4c..91ce28d1b 100644 --- a/docs/api/MongoDB.Entities.KeyType.html +++ b/docs/api/MongoDB.Entities.KeyType.html @@ -1,185 +1,187 @@ - - - - - - - - - - - Enum KeyType - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                    -
                                                    - - - - -
                                                    -
                                                    - -
                                                    -
                                                    Search Results for
                                                    -
                                                    -

                                                    -
                                                    -
                                                      -
                                                      -
                                                      - - - -
                                                      - - - - - - + + + + +

                                                      Explicit Interface Implementations +

                                                      + + + +

                                                      IEnumerable.GetEnumerator()

                                                      +
                                                      +
                                                      +
                                                      Declaration
                                                      +
                                                      +
                                                      IEnumerator IEnumerable.GetEnumerator()
                                                      +
                                                      +
                                                      Returns
                                                      + + + + + + + + + + + + + +
                                                      TypeDescription
                                                      IEnumerator
                                                      +

                                                      Implements

                                                      +
                                                      + System.Collections.Generic.IEnumerable<T> +
                                                      +
                                                      + System.Collections.IEnumerable +
                                                      +

                                                      Extension Methods

                                                      + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.ManyBase.html b/docs/api/MongoDB.Entities.ManyBase.html index 2e885a3c5..0fd41cc22 100644 --- a/docs/api/MongoDB.Entities.ManyBase.html +++ b/docs/api/MongoDB.Entities.ManyBase.html @@ -1,176 +1,178 @@ - - - - - - - - - - - Class ManyBase - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                      -
                                                      - - - - -
                                                      -
                                                      - -
                                                      -
                                                      Search Results for
                                                      -
                                                      -

                                                      -
                                                      -
                                                        -
                                                        -
                                                        - +
                                                        + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Migration.html b/docs/api/MongoDB.Entities.Migration.html index 2e1471d48..1e0af4182 100644 --- a/docs/api/MongoDB.Entities.Migration.html +++ b/docs/api/MongoDB.Entities.Migration.html @@ -1,369 +1,367 @@ - - - - - - - - - - - Class Migration - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                        -
                                                        - - - - -
                                                        -
                                                        + + + -
                                                        -
                                                        Search Results for
                                                        -
                                                        -

                                                        -
                                                        -
                                                          -
                                                          -
                                                          - +

                                                          Constructors +

                                                          + + + +

                                                          Migration(Int32, String, Double)

                                                          +
                                                          +
                                                          +
                                                          Declaration
                                                          +
                                                          +
                                                          public Migration(int number, string name, double timeTakenSeconds)
                                                          +
                                                          +
                                                          Parameters
                                                          + + + + + + + + + + + + + + + + + + + + + + + + + +
                                                          TypeNameDescription
                                                          Int32number
                                                          Stringname
                                                          DoubletimeTakenSeconds
                                                          +

                                                          Properties +

                                                          + + + +

                                                          Name

                                                          +
                                                          +
                                                          +
                                                          Declaration
                                                          +
                                                          +
                                                          public string Name { get; set; }
                                                          +
                                                          +
                                                          Property Value
                                                          + + + + + + + + + + + + + +
                                                          TypeDescription
                                                          String
                                                          + + + +

                                                          Number

                                                          +
                                                          +
                                                          +
                                                          Declaration
                                                          +
                                                          +
                                                          public int Number { get; set; }
                                                          +
                                                          +
                                                          Property Value
                                                          + + + + + + + + + + + + + +
                                                          TypeDescription
                                                          Int32
                                                          + + + +

                                                          TimeTakenSeconds

                                                          +
                                                          +
                                                          +
                                                          Declaration
                                                          +
                                                          +
                                                          public double TimeTakenSeconds { get; set; }
                                                          +
                                                          +
                                                          Property Value
                                                          + + + + + + + + + + + + + +
                                                          TypeDescription
                                                          Double
                                                          +

                                                          Implements

                                                          +
                                                          + IEntity +
                                                          +

                                                          Extension Methods

                                                          + + + + + + + + + + + + + + + + + + + + + +
                                                          + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.ModifiedBy.html b/docs/api/MongoDB.Entities.ModifiedBy.html index 8a0ee4257..02937fcf9 100644 --- a/docs/api/MongoDB.Entities.ModifiedBy.html +++ b/docs/api/MongoDB.Entities.ModifiedBy.html @@ -1,227 +1,229 @@ - - - - - - - - - - - Class ModifiedBy - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                          -
                                                          + + + -
                                                          + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.ObjectIdAttribute.html b/docs/api/MongoDB.Entities.ObjectIdAttribute.html index ffd6558cf..bcd0cffe6 100644 --- a/docs/api/MongoDB.Entities.ObjectIdAttribute.html +++ b/docs/api/MongoDB.Entities.ObjectIdAttribute.html @@ -1,320 +1,321 @@ - - - - - - - - - - - Class ObjectIdAttribute - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                          -
                                                          - - - - -
                                                          -
                                                          - -
                                                          -
                                                          Search Results for
                                                          -
                                                          -

                                                          -
                                                          -
                                                            -
                                                            -
                                                            - +
                                                            + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.One-1.html b/docs/api/MongoDB.Entities.One-1.html index b1813111f..c5e723d84 100644 --- a/docs/api/MongoDB.Entities.One-1.html +++ b/docs/api/MongoDB.Entities.One-1.html @@ -1,459 +1,460 @@ - - - - - - - - - - - Class One<T> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                            -
                                                            - - - - -
                                                            -
                                                            - -
                                                            -
                                                            Search Results for
                                                            -
                                                            -

                                                            -
                                                            -
                                                              -
                                                              -
                                                              - - - -
                                                              - - - - - - + + + + + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Order.html b/docs/api/MongoDB.Entities.Order.html index dd551d225..6769bff4d 100644 --- a/docs/api/MongoDB.Entities.Order.html +++ b/docs/api/MongoDB.Entities.Order.html @@ -1,165 +1,167 @@ - - - - - - - - - - - Enum Order - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                              -
                                                              - - - - -
                                                              -
                                                              - -
                                                              -
                                                              Search Results for
                                                              -
                                                              -

                                                              -
                                                              -
                                                                -
                                                                -
                                                                - + + +
                                                                + + + + + + diff --git a/docs/api/MongoDB.Entities.PagedSearch-1.html b/docs/api/MongoDB.Entities.PagedSearch-1.html index 4cee567c1..a33d86bb5 100644 --- a/docs/api/MongoDB.Entities.PagedSearch-1.html +++ b/docs/api/MongoDB.Entities.PagedSearch-1.html @@ -1,258 +1,260 @@ - - - - - - - - - - - Class PagedSearch<T> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                -
                                                                - - - - -
                                                                -
                                                                - -
                                                                -
                                                                Search Results for
                                                                -
                                                                -

                                                                -
                                                                -
                                                                  -
                                                                  -
                                                                  - + + +
                                                                  + + + + + + diff --git a/docs/api/MongoDB.Entities.PagedSearch-2.html b/docs/api/MongoDB.Entities.PagedSearch-2.html index 66ab11316..5bc76ce9d 100644 --- a/docs/api/MongoDB.Entities.PagedSearch-2.html +++ b/docs/api/MongoDB.Entities.PagedSearch-2.html @@ -1,1203 +1,1205 @@ - - - - - - - - - - - Class PagedSearch<T, TProjection> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                  -
                                                                  - - - - -
                                                                  -
                                                                  - -
                                                                  -
                                                                  Search Results for
                                                                  -
                                                                  -

                                                                  -
                                                                  -
                                                                    -
                                                                    -
                                                                    - - - -
                                                                    - - - - - - + + + + + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.PreserveAttribute.html b/docs/api/MongoDB.Entities.PreserveAttribute.html index ded2a6a35..92378bbb5 100644 --- a/docs/api/MongoDB.Entities.PreserveAttribute.html +++ b/docs/api/MongoDB.Entities.PreserveAttribute.html @@ -1,283 +1,285 @@ - - - - - - - - - - - Class PreserveAttribute - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                    -
                                                                    - - - - -
                                                                    -
                                                                    - -
                                                                    -
                                                                    Search Results for
                                                                    -
                                                                    -

                                                                    -
                                                                    -
                                                                      -
                                                                      -
                                                                      - +
                                                                      + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Prop.html b/docs/api/MongoDB.Entities.Prop.html index 6c9c52173..7f32b226b 100644 --- a/docs/api/MongoDB.Entities.Prop.html +++ b/docs/api/MongoDB.Entities.Prop.html @@ -1,651 +1,653 @@ - - - - - - - - - - - Class Prop - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                      -
                                                                      - - - - -
                                                                      -
                                                                      - -
                                                                      -
                                                                      Search Results for
                                                                      -
                                                                      -

                                                                      -
                                                                      -
                                                                        -
                                                                        -
                                                                        - - - -
                                                                        - - - - - - + + + + +
                                                                        Returns
                                                                        + + + + + + + + + + + + + +
                                                                        TypeDescription
                                                                        String
                                                                        +
                                                                        Type Parameters
                                                                        + + + + + + + + + + + + + +
                                                                        NameDescription
                                                                        T
                                                                        + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Replace-1.html b/docs/api/MongoDB.Entities.Replace-1.html index 4fa060f83..96bcd0fb9 100644 --- a/docs/api/MongoDB.Entities.Replace-1.html +++ b/docs/api/MongoDB.Entities.Replace-1.html @@ -1,865 +1,867 @@ - - - - - - - - - - - Class Replace<T> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                        -
                                                                        - - - - -
                                                                        -
                                                                        - -
                                                                        -
                                                                        Search Results for
                                                                        -
                                                                        -

                                                                        -
                                                                        -
                                                                          -
                                                                          -
                                                                          - - - -
                                                                          - - - - - - + +
                                                                          +
                                                                          Declaration
                                                                          +
                                                                          +
                                                                          public Replace<T> WithEntity(T entity)
                                                                          +
                                                                          +
                                                                          Parameters
                                                                          + + + + + + + + + + + + + + + +
                                                                          TypeNameDescription
                                                                          Tentity
                                                                          +
                                                                          Returns
                                                                          + + + + + + + + + + + + + +
                                                                          TypeDescription
                                                                          Replace<T>
                                                                          + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Search.html b/docs/api/MongoDB.Entities.Search.html index a43f9abeb..54f615c55 100644 --- a/docs/api/MongoDB.Entities.Search.html +++ b/docs/api/MongoDB.Entities.Search.html @@ -1,165 +1,167 @@ - - - - - - - - - - - Enum Search - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                          -
                                                                          - - - - -
                                                                          -
                                                                          - -
                                                                          -
                                                                          Search Results for
                                                                          -
                                                                          -

                                                                          -
                                                                          -
                                                                            -
                                                                            -
                                                                            - + + +
                                                                            + + + + + + diff --git a/docs/api/MongoDB.Entities.Template.html b/docs/api/MongoDB.Entities.Template.html index 9cad27d24..58c86867a 100644 --- a/docs/api/MongoDB.Entities.Template.html +++ b/docs/api/MongoDB.Entities.Template.html @@ -1,1040 +1,1041 @@ - - - - - - - - - - - Class Template - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                            -
                                                                            - - - - -
                                                                            -
                                                                            - -
                                                                            -
                                                                            Search Results for
                                                                            -
                                                                            -

                                                                            -
                                                                            -
                                                                              -
                                                                              -
                                                                              - - - -
                                                                              - - - - - - +public string ToString() + +
                                                                              Returns
                                                                              + + + + + + + + + + + + + +
                                                                              TypeDescription
                                                                              String
                                                                              + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Transaction.html b/docs/api/MongoDB.Entities.Transaction.html index f67762828..22fd6eaf6 100644 --- a/docs/api/MongoDB.Entities.Transaction.html +++ b/docs/api/MongoDB.Entities.Transaction.html @@ -1,451 +1,447 @@ - - - - - - - - - - - Class Transaction - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                              -
                                                                              - - - - -
                                                                              -
                                                                              + + + -
                                                                              -
                                                                              Search Results for
                                                                              -
                                                                              -

                                                                              -
                                                                              -
                                                                                -
                                                                                -
                                                                                - - - - - - - + + + + +

                                                                                Methods +

                                                                                + + + +

                                                                                Dispose()

                                                                                +
                                                                                +
                                                                                +
                                                                                Declaration
                                                                                +
                                                                                +
                                                                                public void Dispose()
                                                                                +
                                                                                + + + +

                                                                                Dispose(Boolean)

                                                                                +
                                                                                +
                                                                                +
                                                                                Declaration
                                                                                +
                                                                                +
                                                                                protected virtual void Dispose(bool disposing)
                                                                                +
                                                                                +
                                                                                Parameters
                                                                                + + + + + + + + + + + + + + + +
                                                                                TypeNameDescription
                                                                                Booleandisposing
                                                                                +

                                                                                Implements

                                                                                +
                                                                                + System.IDisposable +
                                                                                + + +
                                                                                + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Update-1.html b/docs/api/MongoDB.Entities.Update-1.html index 9eaaf2010..98d89fba2 100644 --- a/docs/api/MongoDB.Entities.Update-1.html +++ b/docs/api/MongoDB.Entities.Update-1.html @@ -1,1487 +1,1489 @@ - - - - - - - - - - - Class Update<T> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                -
                                                                                - - - - -
                                                                                -
                                                                                - -
                                                                                -
                                                                                Search Results for
                                                                                -
                                                                                -

                                                                                -
                                                                                -
                                                                                  -
                                                                                  -
                                                                                  - - - -
                                                                                  - - - - - - + + + + +
                                                                                  Returns
                                                                                  + + + + + + + + + + + + + +
                                                                                  TypeDescription
                                                                                  Update<T>
                                                                                  + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.UpdateAndGet-1.html b/docs/api/MongoDB.Entities.UpdateAndGet-1.html index c3adfb74a..5e3c0adb4 100644 --- a/docs/api/MongoDB.Entities.UpdateAndGet-1.html +++ b/docs/api/MongoDB.Entities.UpdateAndGet-1.html @@ -1,299 +1,301 @@ - - - - - - - - - - - Class UpdateAndGet<T> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                  -
                                                                                  - - - - -
                                                                                  -
                                                                                  - -
                                                                                  -
                                                                                  Search Results for
                                                                                  -
                                                                                  -

                                                                                  -
                                                                                  -
                                                                                    -
                                                                                    -
                                                                                    - + + +
                                                                                    + + + + + + diff --git a/docs/api/MongoDB.Entities.UpdateAndGet-2.html b/docs/api/MongoDB.Entities.UpdateAndGet-2.html index c7d2710bf..7d19d9cfb 100644 --- a/docs/api/MongoDB.Entities.UpdateAndGet-2.html +++ b/docs/api/MongoDB.Entities.UpdateAndGet-2.html @@ -1,1582 +1,1584 @@ - - - - - - - - - - - Class UpdateAndGet<T, TProjection> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                    -
                                                                                    - - - - -
                                                                                    -
                                                                                    - -
                                                                                    -
                                                                                    Search Results for
                                                                                    -
                                                                                    -

                                                                                    -
                                                                                    -
                                                                                      -
                                                                                      -
                                                                                      - - - -
                                                                                      - - - - - - + + + + +
                                                                                      Returns
                                                                                      + + + + + + + + + + + + + +
                                                                                      TypeDescription
                                                                                      UpdateAndGet<T, TProjection>
                                                                                      + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.UpdateBase-1.html b/docs/api/MongoDB.Entities.UpdateBase-1.html index 8b916689f..d249f10a8 100644 --- a/docs/api/MongoDB.Entities.UpdateBase-1.html +++ b/docs/api/MongoDB.Entities.UpdateBase-1.html @@ -1,357 +1,359 @@ - - - - - - - - - - - Class UpdateBase<T> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                      -
                                                                                      - - - - -
                                                                                      -
                                                                                      - -
                                                                                      -
                                                                                      Search Results for
                                                                                      -
                                                                                      -

                                                                                      -
                                                                                      -
                                                                                        -
                                                                                        -
                                                                                        - - - -
                                                                                        - - - - - - + + + + +
                                                                                        Type Parameters
                                                                                        + + + + + + + + + + + + + +
                                                                                        NameDescription
                                                                                        TProp
                                                                                        + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.Watcher-1.html b/docs/api/MongoDB.Entities.Watcher-1.html index e3215fe03..79f8a4304 100644 --- a/docs/api/MongoDB.Entities.Watcher-1.html +++ b/docs/api/MongoDB.Entities.Watcher-1.html @@ -1,954 +1,956 @@ - - - - - - - - - - - Class Watcher<T> - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                        -
                                                                                        - - - - -
                                                                                        -
                                                                                        - -
                                                                                        -
                                                                                        Search Results for
                                                                                        -
                                                                                        -

                                                                                        -
                                                                                        -
                                                                                          -
                                                                                          -
                                                                                          - +
                                                                                          +
                                                                                          Declaration
                                                                                          +
                                                                                          +
                                                                                          public event Action<IEnumerable<ChangeStreamDocument<T>>> OnChangesCSD
                                                                                          +
                                                                                          +
                                                                                          Event Type
                                                                                          + + + + + + + + + + + + + +
                                                                                          TypeDescription
                                                                                          Action<IEnumerable<ChangeStreamDocument<T>>>
                                                                                          + + +

                                                                                          OnChangesCSDAsync

                                                                                          This event is fired when the desired types of events have occured. Will have a list of 'ChangeStreamDocuments' that was received as input.

                                                                                          -
                                                                                          -
                                                                                          -
                                                                                          Declaration
                                                                                          -
                                                                                          -
                                                                                          public event AsyncEventHandler<IEnumerable<ChangeStreamDocument<T>>> OnChangesCSDAsync
                                                                                          -
                                                                                          -
                                                                                          Event Type
                                                                                          - - - - - - - - - - - - - -
                                                                                          TypeDescription
                                                                                          AsyncEventHandler<System.Collections.Generic.IEnumerable<MongoDB.Driver.ChangeStreamDocument<T>>>
                                                                                          - - -

                                                                                          OnError

                                                                                          +
                                                                                          +
                                                                                          +
                                                                                          Declaration
                                                                                          +
                                                                                          +
                                                                                          public event AsyncEventHandler<IEnumerable<ChangeStreamDocument<T>>> OnChangesCSDAsync
                                                                                          +
                                                                                          +
                                                                                          Event Type
                                                                                          + + + + + + + + + + + + + +
                                                                                          TypeDescription
                                                                                          AsyncEventHandler<IEnumerable<ChangeStreamDocument<T>>>
                                                                                          + + +

                                                                                          OnError

                                                                                          This event is fired when an exception is thrown in the change-stream.

                                                                                          -
                                                                                          -
                                                                                          -
                                                                                          Declaration
                                                                                          -
                                                                                          -
                                                                                          public event Action<Exception> OnError
                                                                                          -
                                                                                          -
                                                                                          Event Type
                                                                                          - - - - - - - - - - - - - -
                                                                                          TypeDescription
                                                                                          System.Action<System.Exception>
                                                                                          - - -

                                                                                          OnStop

                                                                                          + +
                                                                                          +
                                                                                          Declaration
                                                                                          +
                                                                                          +
                                                                                          public event Action<Exception> OnError
                                                                                          +
                                                                                          +
                                                                                          Event Type
                                                                                          + + + + + + + + + + + + + +
                                                                                          TypeDescription
                                                                                          Action<Exception>
                                                                                          + + +

                                                                                          OnStop

                                                                                          This event is fired when the internal cursor get closed due to an 'invalidate' event or cancellation is requested via the cancellation token.

                                                                                          -
                                                                                          -
                                                                                          -
                                                                                          Declaration
                                                                                          -
                                                                                          -
                                                                                          public event Action OnStop
                                                                                          -
                                                                                          -
                                                                                          Event Type
                                                                                          - - - - - - - - - - - - - -
                                                                                          TypeDescription
                                                                                          System.Action
                                                                                          - - - - - - - - - - - - - - - + +
                                                                                          +
                                                                                          Declaration
                                                                                          +
                                                                                          +
                                                                                          public event Action OnStop
                                                                                          +
                                                                                          +
                                                                                          Event Type
                                                                                          + + + + + + + + + + + + + +
                                                                                          TypeDescription
                                                                                          Action
                                                                                          + + + + + + + + + + + + + + + + diff --git a/docs/api/MongoDB.Entities.html b/docs/api/MongoDB.Entities.html index b61cb29c3..81220789c 100644 --- a/docs/api/MongoDB.Entities.html +++ b/docs/api/MongoDB.Entities.html @@ -1,320 +1,326 @@ - - - - - - - - - - - Namespace MongoDB.Entities - | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                          -
                                                                                          - - - - -
                                                                                          -
                                                                                          + + + -
                                                                                          -
                                                                                          Search Results for
                                                                                          -
                                                                                          -

                                                                                          -
                                                                                          -
                                                                                            -
                                                                                            -
                                                                                            - + + +
                                                                                            + + + + + + + + + + diff --git a/docs/api/toc.html b/docs/api/toc.html index f4db6885b..6c4be847a 100644 --- a/docs/api/toc.html +++ b/docs/api/toc.html @@ -1,185 +1,185 @@ - - \ No newline at end of file + + diff --git a/docs/api/toc.json b/docs/api/toc.json new file mode 100644 index 000000000..3b2a0ba6e --- /dev/null +++ b/docs/api/toc.json @@ -0,0 +1,2 @@ + +{"items":[{"name":"MongoDB.Entities","href":"MongoDB.Entities.html","topicHref":"MongoDB.Entities.html","topicUid":"MongoDB.Entities","items":[{"name":"AsObjectIdAttribute","href":"MongoDB.Entities.AsObjectIdAttribute.html","topicHref":"MongoDB.Entities.AsObjectIdAttribute.html","topicUid":"MongoDB.Entities.AsObjectIdAttribute"},{"name":"AsyncEventHandler","href":"MongoDB.Entities.AsyncEventHandler-1.html","topicHref":"MongoDB.Entities.AsyncEventHandler-1.html","topicUid":"MongoDB.Entities.AsyncEventHandler`1","name.vb":"AsyncEventHandler(Of TEventArgs)"},{"name":"AsyncEventHandlerExtensions","href":"MongoDB.Entities.AsyncEventHandlerExtensions.html","topicHref":"MongoDB.Entities.AsyncEventHandlerExtensions.html","topicUid":"MongoDB.Entities.AsyncEventHandlerExtensions"},{"name":"CollectionAttribute","href":"MongoDB.Entities.CollectionAttribute.html","topicHref":"MongoDB.Entities.CollectionAttribute.html","topicUid":"MongoDB.Entities.CollectionAttribute"},{"name":"Coordinates2D","href":"MongoDB.Entities.Coordinates2D.html","topicHref":"MongoDB.Entities.Coordinates2D.html","topicUid":"MongoDB.Entities.Coordinates2D"},{"name":"DataStreamer","href":"MongoDB.Entities.DataStreamer.html","topicHref":"MongoDB.Entities.DataStreamer.html","topicUid":"MongoDB.Entities.DataStreamer"},{"name":"Date","href":"MongoDB.Entities.Date.html","topicHref":"MongoDB.Entities.Date.html","topicUid":"MongoDB.Entities.Date"},{"name":"DB","href":"MongoDB.Entities.DB.html","topicHref":"MongoDB.Entities.DB.html","topicUid":"MongoDB.Entities.DB"},{"name":"DBContext","href":"MongoDB.Entities.DBContext.html","topicHref":"MongoDB.Entities.DBContext.html","topicUid":"MongoDB.Entities.DBContext"},{"name":"Distinct","href":"MongoDB.Entities.Distinct-2.html","topicHref":"MongoDB.Entities.Distinct-2.html","topicUid":"MongoDB.Entities.Distinct`2","name.vb":"Distinct(Of T, TProperty)"},{"name":"DontPreserveAttribute","href":"MongoDB.Entities.DontPreserveAttribute.html","topicHref":"MongoDB.Entities.DontPreserveAttribute.html","topicUid":"MongoDB.Entities.DontPreserveAttribute"},{"name":"Entity","href":"MongoDB.Entities.Entity.html","topicHref":"MongoDB.Entities.Entity.html","topicUid":"MongoDB.Entities.Entity"},{"name":"EventType","href":"MongoDB.Entities.EventType.html","topicHref":"MongoDB.Entities.EventType.html","topicUid":"MongoDB.Entities.EventType"},{"name":"Extensions","href":"MongoDB.Entities.Extensions.html","topicHref":"MongoDB.Entities.Extensions.html","topicUid":"MongoDB.Entities.Extensions"},{"name":"FieldAttribute","href":"MongoDB.Entities.FieldAttribute.html","topicHref":"MongoDB.Entities.FieldAttribute.html","topicUid":"MongoDB.Entities.FieldAttribute"},{"name":"FileEntity","href":"MongoDB.Entities.FileEntity.html","topicHref":"MongoDB.Entities.FileEntity.html","topicUid":"MongoDB.Entities.FileEntity"},{"name":"Find","href":"MongoDB.Entities.Find-2.html","topicHref":"MongoDB.Entities.Find-2.html","topicUid":"MongoDB.Entities.Find`2","name.vb":"Find(Of T, TProjection)"},{"name":"Find","href":"MongoDB.Entities.Find-1.html","topicHref":"MongoDB.Entities.Find-1.html","topicUid":"MongoDB.Entities.Find`1","name.vb":"Find(Of T)"},{"name":"FuzzyString","href":"MongoDB.Entities.FuzzyString.html","topicHref":"MongoDB.Entities.FuzzyString.html","topicUid":"MongoDB.Entities.FuzzyString"},{"name":"GeoNear","href":"MongoDB.Entities.GeoNear-1.html","topicHref":"MongoDB.Entities.GeoNear-1.html","topicUid":"MongoDB.Entities.GeoNear`1","name.vb":"GeoNear(Of T)"},{"name":"ICreatedOn","href":"MongoDB.Entities.ICreatedOn.html","topicHref":"MongoDB.Entities.ICreatedOn.html","topicUid":"MongoDB.Entities.ICreatedOn"},{"name":"IEntity","href":"MongoDB.Entities.IEntity.html","topicHref":"MongoDB.Entities.IEntity.html","topicUid":"MongoDB.Entities.IEntity"},{"name":"IgnoreAttribute","href":"MongoDB.Entities.IgnoreAttribute.html","topicHref":"MongoDB.Entities.IgnoreAttribute.html","topicUid":"MongoDB.Entities.IgnoreAttribute"},{"name":"IgnoreDefaultAttribute","href":"MongoDB.Entities.IgnoreDefaultAttribute.html","topicHref":"MongoDB.Entities.IgnoreDefaultAttribute.html","topicUid":"MongoDB.Entities.IgnoreDefaultAttribute"},{"name":"IMigration","href":"MongoDB.Entities.IMigration.html","topicHref":"MongoDB.Entities.IMigration.html","topicUid":"MongoDB.Entities.IMigration"},{"name":"IModifiedOn","href":"MongoDB.Entities.IModifiedOn.html","topicHref":"MongoDB.Entities.IModifiedOn.html","topicUid":"MongoDB.Entities.IModifiedOn"},{"name":"Index","href":"MongoDB.Entities.Index-1.html","topicHref":"MongoDB.Entities.Index-1.html","topicUid":"MongoDB.Entities.Index`1","name.vb":"Index(Of T)"},{"name":"InverseSideAttribute","href":"MongoDB.Entities.InverseSideAttribute.html","topicHref":"MongoDB.Entities.InverseSideAttribute.html","topicUid":"MongoDB.Entities.InverseSideAttribute"},{"name":"JoinRecord","href":"MongoDB.Entities.JoinRecord.html","topicHref":"MongoDB.Entities.JoinRecord.html","topicUid":"MongoDB.Entities.JoinRecord"},{"name":"KeyType","href":"MongoDB.Entities.KeyType.html","topicHref":"MongoDB.Entities.KeyType.html","topicUid":"MongoDB.Entities.KeyType"},{"name":"Many","href":"MongoDB.Entities.Many-1.html","topicHref":"MongoDB.Entities.Many-1.html","topicUid":"MongoDB.Entities.Many`1","name.vb":"Many(Of TChild)"},{"name":"ManyBase","href":"MongoDB.Entities.ManyBase.html","topicHref":"MongoDB.Entities.ManyBase.html","topicUid":"MongoDB.Entities.ManyBase"},{"name":"Migration","href":"MongoDB.Entities.Migration.html","topicHref":"MongoDB.Entities.Migration.html","topicUid":"MongoDB.Entities.Migration"},{"name":"ModifiedBy","href":"MongoDB.Entities.ModifiedBy.html","topicHref":"MongoDB.Entities.ModifiedBy.html","topicUid":"MongoDB.Entities.ModifiedBy"},{"name":"ObjectIdAttribute","href":"MongoDB.Entities.ObjectIdAttribute.html","topicHref":"MongoDB.Entities.ObjectIdAttribute.html","topicUid":"MongoDB.Entities.ObjectIdAttribute"},{"name":"One","href":"MongoDB.Entities.One-1.html","topicHref":"MongoDB.Entities.One-1.html","topicUid":"MongoDB.Entities.One`1","name.vb":"One(Of T)"},{"name":"Order","href":"MongoDB.Entities.Order.html","topicHref":"MongoDB.Entities.Order.html","topicUid":"MongoDB.Entities.Order"},{"name":"OwnerSideAttribute","href":"MongoDB.Entities.OwnerSideAttribute.html","topicHref":"MongoDB.Entities.OwnerSideAttribute.html","topicUid":"MongoDB.Entities.OwnerSideAttribute"},{"name":"PagedSearch","href":"MongoDB.Entities.PagedSearch-2.html","topicHref":"MongoDB.Entities.PagedSearch-2.html","topicUid":"MongoDB.Entities.PagedSearch`2","name.vb":"PagedSearch(Of T, TProjection)"},{"name":"PagedSearch","href":"MongoDB.Entities.PagedSearch-1.html","topicHref":"MongoDB.Entities.PagedSearch-1.html","topicUid":"MongoDB.Entities.PagedSearch`1","name.vb":"PagedSearch(Of T)"},{"name":"PreserveAttribute","href":"MongoDB.Entities.PreserveAttribute.html","topicHref":"MongoDB.Entities.PreserveAttribute.html","topicUid":"MongoDB.Entities.PreserveAttribute"},{"name":"Prop","href":"MongoDB.Entities.Prop.html","topicHref":"MongoDB.Entities.Prop.html","topicUid":"MongoDB.Entities.Prop"},{"name":"Replace","href":"MongoDB.Entities.Replace-1.html","topicHref":"MongoDB.Entities.Replace-1.html","topicUid":"MongoDB.Entities.Replace`1","name.vb":"Replace(Of T)"},{"name":"Search","href":"MongoDB.Entities.Search.html","topicHref":"MongoDB.Entities.Search.html","topicUid":"MongoDB.Entities.Search"},{"name":"Template","href":"MongoDB.Entities.Template.html","topicHref":"MongoDB.Entities.Template.html","topicUid":"MongoDB.Entities.Template"},{"name":"Template","href":"MongoDB.Entities.Template-1.html","topicHref":"MongoDB.Entities.Template-1.html","topicUid":"MongoDB.Entities.Template`1","name.vb":"Template(Of T)"},{"name":"Template","href":"MongoDB.Entities.Template-2.html","topicHref":"MongoDB.Entities.Template-2.html","topicUid":"MongoDB.Entities.Template`2","name.vb":"Template(Of TInput, TResult)"},{"name":"Transaction","href":"MongoDB.Entities.Transaction.html","topicHref":"MongoDB.Entities.Transaction.html","topicUid":"MongoDB.Entities.Transaction"},{"name":"Update","href":"MongoDB.Entities.Update-1.html","topicHref":"MongoDB.Entities.Update-1.html","topicUid":"MongoDB.Entities.Update`1","name.vb":"Update(Of T)"},{"name":"UpdateAndGet","href":"MongoDB.Entities.UpdateAndGet-2.html","topicHref":"MongoDB.Entities.UpdateAndGet-2.html","topicUid":"MongoDB.Entities.UpdateAndGet`2","name.vb":"UpdateAndGet(Of T, TProjection)"},{"name":"UpdateAndGet","href":"MongoDB.Entities.UpdateAndGet-1.html","topicHref":"MongoDB.Entities.UpdateAndGet-1.html","topicUid":"MongoDB.Entities.UpdateAndGet`1","name.vb":"UpdateAndGet(Of T)"},{"name":"UpdateBase","href":"MongoDB.Entities.UpdateBase-1.html","topicHref":"MongoDB.Entities.UpdateBase-1.html","topicUid":"MongoDB.Entities.UpdateBase`1","name.vb":"UpdateBase(Of T)"},{"name":"Watcher","href":"MongoDB.Entities.Watcher-1.html","topicHref":"MongoDB.Entities.Watcher-1.html","topicUid":"MongoDB.Entities.Watcher`1","name.vb":"Watcher(Of T)"}]}]} diff --git a/docs/index.html b/docs/index.html index a7dde7848..cda5defd7 100644 --- a/docs/index.html +++ b/docs/index.html @@ -1,91 +1,91 @@ - - - - - - - - - - - Welcome | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                            -
                                                                                            - - - - -
                                                                                            -
                                                                                            + + + -
                                                                                            -
                                                                                            Search Results for
                                                                                            -
                                                                                            -

                                                                                            -
                                                                                            -
                                                                                              -
                                                                                              -
                                                                                              - - - -
                                                                                              - - - - - - + + + + + + + + + + + + + + + + diff --git a/docs/index.json b/docs/index.json index 16fffeefa..ae6cc5837 100644 --- a/docs/index.json +++ b/docs/index.json @@ -2,277 +2,277 @@ "api/MongoDB.Entities.AsObjectIdAttribute.html": { "href": "api/MongoDB.Entities.AsObjectIdAttribute.html", "title": "Class AsObjectIdAttribute | MongoDB.Entities", - "keywords": "Class AsObjectIdAttribute Use this attribute to mark a string property to store the value in MongoDB as ObjectID if it is a valid ObjectId string. If it is not a valid ObjectId string, it will be stored as string. This is useful when using custom formats for the ID field. Inheritance System.Object System.Attribute MongoDB.Bson.Serialization.Attributes.BsonSerializerAttribute AsObjectIdAttribute Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute Inherited Members MongoDB.Bson.Serialization.Attributes.BsonSerializerAttribute.Apply(MongoDB.Bson.Serialization.BsonMemberMap) MongoDB.Bson.Serialization.Attributes.BsonSerializerAttribute.SerializerType System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class AsObjectIdAttribute : BsonSerializerAttribute, IBsonMemberMapAttribute Constructors AsObjectIdAttribute() Use this attribute to mark a string property to store the value in MongoDB as ObjectID if it is a valid ObjectId string. If it is not a valid ObjectId string, it will be stored as string. This is useful when using custom formats for the ID field. Declaration public AsObjectIdAttribute() Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute" + "keywords": "Class AsObjectIdAttribute Use this attribute to mark a string property to store the value in MongoDB as ObjectID if it is a valid ObjectId string. If it is not a valid ObjectId string, it will be stored as string. This is useful when using custom formats for the ID field. Inheritance Object Attribute BsonSerializerAttribute AsObjectIdAttribute Implements IBsonMemberMapAttribute Inherited Members BsonSerializerAttribute.Apply(BsonMemberMap) BsonSerializerAttribute.SerializerType Attribute.Equals(Object) Attribute.GetCustomAttribute(Assembly, Type) Attribute.GetCustomAttribute(Assembly, Type, Boolean) Attribute.GetCustomAttribute(MemberInfo, Type) Attribute.GetCustomAttribute(MemberInfo, Type, Boolean) Attribute.GetCustomAttribute(Module, Type) Attribute.GetCustomAttribute(Module, Type, Boolean) Attribute.GetCustomAttribute(ParameterInfo, Type) Attribute.GetCustomAttribute(ParameterInfo, Type, Boolean) Attribute.GetCustomAttributes(Assembly) Attribute.GetCustomAttributes(Assembly, Boolean) Attribute.GetCustomAttributes(Assembly, Type) Attribute.GetCustomAttributes(Assembly, Type, Boolean) Attribute.GetCustomAttributes(MemberInfo) Attribute.GetCustomAttributes(MemberInfo, Boolean) Attribute.GetCustomAttributes(MemberInfo, Type) Attribute.GetCustomAttributes(MemberInfo, Type, Boolean) Attribute.GetCustomAttributes(Module) Attribute.GetCustomAttributes(Module, Boolean) Attribute.GetCustomAttributes(Module, Type) Attribute.GetCustomAttributes(Module, Type, Boolean) Attribute.GetCustomAttributes(ParameterInfo) Attribute.GetCustomAttributes(ParameterInfo, Boolean) Attribute.GetCustomAttributes(ParameterInfo, Type) Attribute.GetCustomAttributes(ParameterInfo, Type, Boolean) Attribute.GetHashCode() Attribute.IsDefaultAttribute() Attribute.IsDefined(Assembly, Type) Attribute.IsDefined(Assembly, Type, Boolean) Attribute.IsDefined(MemberInfo, Type) Attribute.IsDefined(MemberInfo, Type, Boolean) Attribute.IsDefined(Module, Type) Attribute.IsDefined(Module, Type, Boolean) Attribute.IsDefined(ParameterInfo, Type) Attribute.IsDefined(ParameterInfo, Type, Boolean) Attribute.Match(Object) Attribute.TypeId Object.Equals(Object, Object) Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class AsObjectIdAttribute : BsonSerializerAttribute, IBsonMemberMapAttribute Constructors AsObjectIdAttribute() Declaration public AsObjectIdAttribute() Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute" }, "api/MongoDB.Entities.AsyncEventHandler-1.html": { "href": "api/MongoDB.Entities.AsyncEventHandler-1.html", "title": "Delegate AsyncEventHandler | MongoDB.Entities", - "keywords": "Delegate AsyncEventHandler Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public delegate Task AsyncEventHandler(TEventArgs args); Parameters Type Name Description TEventArgs args Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description TEventArgs Extension Methods AsyncEventHandlerExtensions.GetHandlers(AsyncEventHandler) AsyncEventHandlerExtensions.InvokeAllAsync(AsyncEventHandler, TEventArgs)" + "keywords": "Delegate AsyncEventHandler Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public delegate Task AsyncEventHandler(TEventArgs args); Parameters Type Name Description TEventArgs args Returns Type Description Task Type Parameters Name Description TEventArgs Extension Methods AsyncEventHandlerExtensions.GetHandlers(AsyncEventHandler) AsyncEventHandlerExtensions.InvokeAllAsync(AsyncEventHandler, TEventArgs)" }, "api/MongoDB.Entities.AsyncEventHandlerExtensions.html": { "href": "api/MongoDB.Entities.AsyncEventHandlerExtensions.html", "title": "Class AsyncEventHandlerExtensions | MongoDB.Entities", - "keywords": "Class AsyncEventHandlerExtensions Inheritance System.Object AsyncEventHandlerExtensions Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public static class AsyncEventHandlerExtensions Methods GetHandlers(AsyncEventHandler) Declaration public static IEnumerable> GetHandlers(this AsyncEventHandler handler) Parameters Type Name Description AsyncEventHandler handler Returns Type Description System.Collections.Generic.IEnumerable < AsyncEventHandler > Type Parameters Name Description TEventArgs InvokeAllAsync(AsyncEventHandler, TEventArgs) Declaration public static Task InvokeAllAsync(this AsyncEventHandler handler, TEventArgs args) Parameters Type Name Description AsyncEventHandler handler TEventArgs args Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description TEventArgs" + "keywords": "Class AsyncEventHandlerExtensions Inheritance Object AsyncEventHandlerExtensions Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public static class AsyncEventHandlerExtensions Methods GetHandlers(AsyncEventHandler) Declaration public static IEnumerable> GetHandlers(this AsyncEventHandler handler) Parameters Type Name Description AsyncEventHandler handler Returns Type Description IEnumerable> Type Parameters Name Description TEventArgs InvokeAllAsync(AsyncEventHandler, TEventArgs) Declaration public static Task InvokeAllAsync(this AsyncEventHandler handler, TEventArgs args) Parameters Type Name Description AsyncEventHandler handler TEventArgs args Returns Type Description Task Type Parameters Name Description TEventArgs" }, "api/MongoDB.Entities.CollectionAttribute.html": { "href": "api/MongoDB.Entities.CollectionAttribute.html", "title": "Class CollectionAttribute | MongoDB.Entities", - "keywords": "Class CollectionAttribute Specifies a custom MongoDB collection name for an entity type. Inheritance System.Object System.Attribute CollectionAttribute Inherited Members System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Class, AllowMultiple = false)] public class CollectionAttribute : Attribute Constructors CollectionAttribute(String) Specifies a custom MongoDB collection name for an entity type. Declaration public CollectionAttribute(string name) Parameters Type Name Description System.String name Properties Name Specifies a custom MongoDB collection name for an entity type. Declaration public string Name { get; } Property Value Type Description System.String" + "keywords": "Class CollectionAttribute Specifies a custom MongoDB collection name for an entity type. Inheritance Object Attribute CollectionAttribute Inherited Members Attribute.Equals(Object) Attribute.GetCustomAttribute(Assembly, Type) Attribute.GetCustomAttribute(Assembly, Type, Boolean) Attribute.GetCustomAttribute(MemberInfo, Type) Attribute.GetCustomAttribute(MemberInfo, Type, Boolean) Attribute.GetCustomAttribute(Module, Type) Attribute.GetCustomAttribute(Module, Type, Boolean) Attribute.GetCustomAttribute(ParameterInfo, Type) Attribute.GetCustomAttribute(ParameterInfo, Type, Boolean) Attribute.GetCustomAttributes(Assembly) Attribute.GetCustomAttributes(Assembly, Boolean) Attribute.GetCustomAttributes(Assembly, Type) Attribute.GetCustomAttributes(Assembly, Type, Boolean) Attribute.GetCustomAttributes(MemberInfo) Attribute.GetCustomAttributes(MemberInfo, Boolean) Attribute.GetCustomAttributes(MemberInfo, Type) Attribute.GetCustomAttributes(MemberInfo, Type, Boolean) Attribute.GetCustomAttributes(Module) Attribute.GetCustomAttributes(Module, Boolean) Attribute.GetCustomAttributes(Module, Type) Attribute.GetCustomAttributes(Module, Type, Boolean) Attribute.GetCustomAttributes(ParameterInfo) Attribute.GetCustomAttributes(ParameterInfo, Boolean) Attribute.GetCustomAttributes(ParameterInfo, Type) Attribute.GetCustomAttributes(ParameterInfo, Type, Boolean) Attribute.GetHashCode() Attribute.IsDefaultAttribute() Attribute.IsDefined(Assembly, Type) Attribute.IsDefined(Assembly, Type, Boolean) Attribute.IsDefined(MemberInfo, Type) Attribute.IsDefined(MemberInfo, Type, Boolean) Attribute.IsDefined(Module, Type) Attribute.IsDefined(Module, Type, Boolean) Attribute.IsDefined(ParameterInfo, Type) Attribute.IsDefined(ParameterInfo, Type, Boolean) Attribute.Match(Object) Attribute.TypeId Object.Equals(Object, Object) Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Class, AllowMultiple = false)] public class CollectionAttribute : Attribute Constructors CollectionAttribute(String) Declaration public CollectionAttribute(string name) Parameters Type Name Description String name Properties Name Declaration public string Name { get; } Property Value Type Description String" }, "api/MongoDB.Entities.Coordinates2D.html": { "href": "api/MongoDB.Entities.Coordinates2D.html", "title": "Class Coordinates2D | MongoDB.Entities", - "keywords": "Class Coordinates2D Represents a 2D geographical coordinate consisting of longitude and latitude Inheritance System.Object Coordinates2D Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Coordinates2D Constructors Coordinates2D() Instantiate a new Coordinates2D instance with default values Declaration public Coordinates2D() Coordinates2D(Double, Double) Instantiate a new Coordinates2D instance with the supplied longtitude and latitude Declaration public Coordinates2D(double longitude, double latitude) Parameters Type Name Description System.Double longitude System.Double latitude Properties Coordinates Represents a 2D geographical coordinate consisting of longitude and latitude Declaration [BsonElement(\"coordinates\")] public double[] Coordinates { get; set; } Property Value Type Description System.Double [] Type Represents a 2D geographical coordinate consisting of longitude and latitude Declaration [BsonElement(\"type\")] public string Type { get; set; } Property Value Type Description System.String Methods GeoJsonPoint(Double, Double) Create a GeoJsonPoint of GeoJson2DGeographicCoordinates with supplied longitude and latitude Declaration public static GeoJsonPoint GeoJsonPoint(double longitude, double latitude) Parameters Type Name Description System.Double longitude System.Double latitude Returns Type Description MongoDB.Driver.GeoJsonObjectModel.GeoJsonPoint < MongoDB.Driver.GeoJsonObjectModel.GeoJson2DGeographicCoordinates > ToGeoJsonPoint() Converts a Coordinates2D instance to a GeoJsonPoint of GeoJson2DGeographicCoordinates Declaration public GeoJsonPoint ToGeoJsonPoint() Returns Type Description MongoDB.Driver.GeoJsonObjectModel.GeoJsonPoint < MongoDB.Driver.GeoJsonObjectModel.GeoJson2DGeographicCoordinates >" - }, - "api/MongoDB.Entities.DataStreamer.html": { - "href": "api/MongoDB.Entities.DataStreamer.html", - "title": "Class DataStreamer | MongoDB.Entities", - "keywords": "Class DataStreamer Provides the interface for uploading and downloading data chunks for file entities. Inheritance System.Object DataStreamer Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class DataStreamer Methods DeleteBinaryChunks(IClientSessionHandle, CancellationToken) Deletes only the binary chunks stored in the database for this file entity. Declaration public Task DeleteBinaryChunks(IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token. Returns Type Description System.Threading.Tasks.Task DownloadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) Download binary data for this file entity from mongodb in chunks into a given stream. Declaration public async Task DownloadAsync(Stream stream, int batchSize = 1, CancellationToken cancellation = default(CancellationToken), IClientSessionHandle session = null) Parameters Type Name Description System.IO.Stream stream The output stream to write the data System.Int32 batchSize The number of chunks you want returned at once System.Threading.CancellationToken cancellation An optional cancellation token. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description System.Threading.Tasks.Task DownloadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) Download binary data for this file entity from mongodb in chunks into a given stream with a timeout period. Declaration public Task DownloadWithTimeoutAsync(Stream stream, int timeOutSeconds, int batchSize = 1, IClientSessionHandle session = null) Parameters Type Name Description System.IO.Stream stream The output stream to write the data System.Int32 timeOutSeconds The maximum number of seconds allowed for the operation to complete System.Int32 batchSize MongoDB.Driver.IClientSessionHandle session Returns Type Description System.Threading.Tasks.Task UploadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) Upload binary data for this file entity into mongodb in chunks from a given stream. TIP: Make sure to save the entity before calling this method. Declaration public async Task UploadAsync(Stream stream, int chunkSizeKB = 256, CancellationToken cancellation = default(CancellationToken), IClientSessionHandle session = null) Parameters Type Name Description System.IO.Stream stream The input stream to read the data from System.Int32 chunkSizeKB The 'average' size of one chunk in KiloBytes System.Threading.CancellationToken cancellation An optional cancellation token. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description System.Threading.Tasks.Task UploadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) Upload binary data for this file entity into mongodb in chunks from a given stream with a timeout period. Declaration public Task UploadWithTimeoutAsync(Stream stream, int timeOutSeconds, int chunkSizeKB = 256, IClientSessionHandle session = null) Parameters Type Name Description System.IO.Stream stream The input stream to read the data from System.Int32 timeOutSeconds The maximum number of seconds allowed for the operation to complete System.Int32 chunkSizeKB The 'average' size of one chunk in KiloBytes MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description System.Threading.Tasks.Task" - }, - "api/MongoDB.Entities.Date.html": { - "href": "api/MongoDB.Entities.Date.html", - "title": "Class Date | MongoDB.Entities", - "keywords": "Class Date A custom date/time type for precision datetime handling Inheritance System.Object Date Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Date Constructors Date() A custom date/time type for precision datetime handling Declaration public Date() Date(DateTime) instantiate a Date with a DateTime Declaration public Date(DateTime dateTime) Parameters Type Name Description System.DateTime dateTime the DateTime Date(Int64) instantiate a Date with ticks Declaration public Date(long ticks) Parameters Type Name Description System.Int64 ticks the ticks Properties DateTime A custom date/time type for precision datetime handling Declaration public DateTime DateTime { get; set; } Property Value Type Description System.DateTime Ticks A custom date/time type for precision datetime handling Declaration public long Ticks { get; set; } Property Value Type Description System.Int64" + "keywords": "Class Coordinates2D Represents a 2D geographical coordinate consisting of longitude and latitude Inheritance Object Coordinates2D Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Coordinates2D Constructors Coordinates2D() Instantiate a new Coordinates2D instance with default values Declaration public Coordinates2D() Coordinates2D(Double, Double) Instantiate a new Coordinates2D instance with the supplied longtitude and latitude Declaration public Coordinates2D(double longitude, double latitude) Parameters Type Name Description Double longitude Double latitude Properties Coordinates Declaration [BsonElement(\"coordinates\")] public double[] Coordinates { get; set; } Property Value Type Description Double[] Type Declaration [BsonElement(\"type\")] public string Type { get; set; } Property Value Type Description String Methods GeoJsonPoint(Double, Double) Create a GeoJsonPoint of GeoJson2DGeographicCoordinates with supplied longitude and latitude Declaration public static GeoJsonPoint GeoJsonPoint(double longitude, double latitude) Parameters Type Name Description Double longitude Double latitude Returns Type Description GeoJsonPoint ToGeoJsonPoint() Converts a Coordinates2D instance to a GeoJsonPoint of GeoJson2DGeographicCoordinates Declaration public GeoJsonPoint ToGeoJsonPoint() Returns Type Description GeoJsonPoint" }, "api/MongoDB.Entities.DB.html": { "href": "api/MongoDB.Entities.DB.html", "title": "Class DB | MongoDB.Entities", - "keywords": "Class DB The main entrypoint for all data access methods of the library Inheritance System.Object DB Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public static class DB Methods AllDatabaseNamesAsync(MongoClientSettings) Gets a list of all database names from the server Declaration public static async Task> AllDatabaseNamesAsync(MongoClientSettings settings) Parameters Type Name Description MongoDB.Driver.MongoClientSettings settings A MongoClientSettings object Returns Type Description System.Threading.Tasks.Task < System.Collections.Generic.IEnumerable < System.String >> AllDatabaseNamesAsync(String, Int32) Gets a list of all database names from the server Declaration public static Task> AllDatabaseNamesAsync(string host = \"127.0.0.1\", int port = 27017) Parameters Type Name Description System.String host Address of the MongoDB server System.Int32 port Port number of the server Returns Type Description System.Threading.Tasks.Task < System.Collections.Generic.IEnumerable < System.String >> ChangeDefaultDatabase(String) Switches the default database at runtime WARNING: Use at your own risk!!! Might result in entities getting saved in the wrong databases under high concurrency situations. TIP: Make sure to cancel any watchers (change-streams) before switching the default database. Declaration public static void ChangeDefaultDatabase(string name) Parameters Type Name Description System.String name The name of the database to mark as the new default database Collection() Gets the IMongoCollection for a given IEntity type. TIP: Try never to use this unless really necessary. Declaration public static IMongoCollection Collection() where T : IEntity Returns Type Description MongoDB.Driver.IMongoCollection Type Parameters Name Description T Any class that implements IEntity CollectionName() Gets the collection name for a given entity type Declaration public static string CollectionName() where T : IEntity Returns Type Description System.String Type Parameters Name Description T The type of entity to get the collection name for CountAsync(FilterDefinition, IClientSessionHandle, CancellationToken, CountOptions) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public static Task CountAsync(FilterDefinition filter, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), CountOptions options = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.FilterDefinition filter A filter definition MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.CountOptions options An optional CountOptions object Returns Type Description System.Threading.Tasks.Task < System.Int64 > Type Parameters Name Description T The entity type to get the count for CountAsync(IClientSessionHandle, CancellationToken) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public static Task CountAsync(IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.Int64 > Type Parameters Name Description T The entity type to get the count for CountAsync(Func, FilterDefinition>, IClientSessionHandle, CancellationToken, CountOptions) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public static Task CountAsync(Func, FilterDefinition> filter, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), CountOptions options = null) where T : IEntity Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.CountOptions options An optional CountOptions object Returns Type Description System.Threading.Tasks.Task < System.Int64 > Type Parameters Name Description T The entity type to get the count for CountAsync(Expression>, IClientSessionHandle, CancellationToken, CountOptions) Gets an accurate count of how many entities are matched for a given expression/filter Declaration public static Task CountAsync(Expression> expression, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), CountOptions options = null) where T : IEntity Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression A lambda expression for getting the count for a subset of the data MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.CountOptions options An optional CountOptions object Returns Type Description System.Threading.Tasks.Task < System.Int64 > Type Parameters Name Description T The entity type to get the count for CountEstimatedAsync(CancellationToken) Gets a fast estimation of how many documents are in the collection using metadata. HINT: The estimation may not be exactly accurate. Declaration public static Task CountEstimatedAsync(CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.Int64 > Type Parameters Name Description T The entity type to get the count for CreateCollectionAsync(Action>, CancellationToken, IClientSessionHandle) Creates a collection for an Entity type explicitly using the given options Declaration public static Task CreateCollectionAsync(Action> options, CancellationToken cancellation = default(CancellationToken), IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description System.Action < MongoDB.Driver.CreateCollectionOptions > options The options to use for collection creation System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T The type of entity that will be stored in the created collection Database(String) Gets the IMongoDatabase for a given database name if it has been previously initialized. You can also get the default database by passing 'default' or 'null' for the name parameter. Declaration public static IMongoDatabase Database(string name) Parameters Type Name Description System.String name The name of the database to retrieve Returns Type Description MongoDB.Driver.IMongoDatabase Database() Gets the IMongoDatabase for the given entity type Declaration public static IMongoDatabase Database() where T : IEntity Returns Type Description MongoDB.Driver.IMongoDatabase Type Parameters Name Description T The type of entity DatabaseFor(String) Specifies the database that a given entity type should be stored in. Only needed for entity types you want stored in a db other than the default db. Declaration public static void DatabaseFor(string database) where T : IEntity Parameters Type Name Description System.String database The name of the database Type Parameters Name Description T Any class that implements IEntity DatabaseName() Gets the name of the database a given entity type is attached to. Returns name of default database if not specifically attached. Declaration public static string DatabaseName() where T : IEntity Returns Type Description System.String Type Parameters Name Description T Any class that implements IEntity DeleteAsync(FilterDefinition, IClientSessionHandle, CancellationToken, Collation) Deletes matching entities with a filter definition HINT: If the expression matches more than 100,000 entities, they will be deleted in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static async Task DeleteAsync(FilterDefinition filter, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), Collation collation = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.FilterDefinition filter A filter definition for matching entities to delete. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.Collation collation An optional collation object Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T Any class that implements IEntity DeleteAsync(IEnumerable, IClientSessionHandle, CancellationToken) Deletes entities using a collection of IDs HINT: If more than 100,000 IDs are passed in, they will be processed in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static async Task DeleteAsync(IEnumerable IDs, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable < System.String > IDs An IEnumerable of entity IDs MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T Any class that implements IEntity DeleteAsync(Func, FilterDefinition>, IClientSessionHandle, CancellationToken, Collation) Deletes matching entities with a filter expression HINT: If the expression matches more than 100,000 entities, they will be deleted in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static Task DeleteAsync(Func, FilterDefinition> filter, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), Collation collation = null) where T : IEntity Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.Collation collation An optional collation object Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T Any class that implements IEntity DeleteAsync(Expression>, IClientSessionHandle, CancellationToken, Collation) Deletes matching entities with an expression HINT: If the expression matches more than 100,000 entities, they will be deleted in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static Task DeleteAsync(Expression> expression, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), Collation collation = null) where T : IEntity Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression A lambda expression for matching entities to delete. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.Collation collation An optional collation object Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T Any class that implements IEntity DeleteAsync(String, IClientSessionHandle, CancellationToken) Deletes a single entity from MongoDB. HINT: If this entity is referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static Task DeleteAsync(string ID, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.String ID The Id of the entity to delete MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T Any class that implements IEntity Distinct(IClientSessionHandle) Represents a MongoDB Distinct command where you can get back distinct values for a given property of a given Entity. Declaration public static Distinct Distinct(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description Distinct Type Parameters Name Description T Any Entity that implements IEntity interface TProperty The type of the property of the entity you'd like to get unique values for DropCollectionAsync(IClientSessionHandle) Deletes the collection of a given entity type as well as the join collections for that entity. TIP: When deleting a collection, all relationships associated with that entity type is also deleted. Declaration public static async Task DropCollectionAsync(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T The entity type to drop the collection of Entity() Returns a new instance of the supplied IEntity type Declaration public static T Entity() where T : IEntity, new() Returns Type Description T Type Parameters Name Description T Any class that implements IEntity Entity(String) Returns a new instance of the supplied IEntity type with the ID set to the supplied value Declaration public static T Entity(string ID) where T : IEntity, new() Parameters Type Name Description System.String ID The ID to set on the returned instance Returns Type Description T Type Parameters Name Description T Any class that implements IEntity File(String) Returns a DataStreamer object to enable uploading/downloading file data directly by supplying the ID of the file entity Declaration public static DataStreamer File(string ID) where T : FileEntity, new() Parameters Type Name Description System.String ID The ID of the file entity Returns Type Description DataStreamer Type Parameters Name Description T The file entity type Filter() Exposes the mongodb Filter Definition Builder for a given type. Declaration public static FilterDefinitionBuilder Filter() where T : IEntity Returns Type Description MongoDB.Driver.FilterDefinitionBuilder Type Parameters Name Description T Any class that implements IEntity Find(IClientSessionHandle) Represents a MongoDB Find command TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() Declaration public static Find Find(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description Find Type Parameters Name Description T Any class that implements IEntity Find(IClientSessionHandle) Represents a MongoDB Find command TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() Declaration public static Find Find(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description Find Type Parameters Name Description T Any class that implements IEntity TProjection The type that is returned by projection Fluent(AggregateOptions, IClientSessionHandle) Exposes the MongoDB collection for the given IEntity as an IAggregateFluent in order to facilitate Fluent queries. Declaration public static IAggregateFluent Fluent(AggregateOptions options = null, IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description T Any class that implements IEntity FluentGeoNear(Coordinates2D, Expression>, Boolean, Nullable, Nullable, Nullable, BsonDocument, Nullable, Expression>, String, AggregateOptions, IClientSessionHandle) Start a fluent aggregation pipeline with a $GeoNear stage with the supplied parameters. Declaration public static IAggregateFluent FluentGeoNear(Coordinates2D NearCoordinates, Expression> DistanceField, bool Spherical = true, double? MaxDistance = null, double? MinDistance = null, int? Limit = null, BsonDocument Query = null, double? DistanceMultiplier = null, Expression> IncludeLocations = null, string IndexKey = null, AggregateOptions options = null, IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description Coordinates2D NearCoordinates The coordinates from which to find documents from System.Linq.Expressions.Expression < System.Func > DistanceField x => x.Distance System.Boolean Spherical Calculate distances using spherical geometry or not System.Nullable < System.Double > MaxDistance The maximum distance in meters from the center point that the documents can be System.Nullable < System.Double > MinDistance The minimum distance in meters from the center point that the documents can be System.Nullable < System.Int32 > Limit The maximum number of documents to return MongoDB.Bson.BsonDocument Query Limits the results to the documents that match the query System.Nullable < System.Double > DistanceMultiplier The factor to multiply all distances returned by the query System.Linq.Expressions.Expression < System.Func > IncludeLocations Specify the output field to store the point used to calculate the distance System.String IndexKey MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description T FluentTextSearch(Search, String, Boolean, Boolean, String, AggregateOptions, IClientSessionHandle) Start a fluent aggregation pipeline with a $text stage with the supplied parameters. TIP: Make sure to define a text index with DB.Index() before searching Declaration public static IAggregateFluent FluentTextSearch(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null, AggregateOptions options = null, IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description Search searchType The type of text matching to do System.String searchTerm The search term System.Boolean caseSensitive Case sensitivity of the search (optional) System.Boolean diacriticSensitive Diacritic sensitivity of the search (optional) System.String language The language for the search (optional) MongoDB.Driver.AggregateOptions options Options for finding documents (not required) MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description T Index() Represents an index for a given IEntity TIP: Define the keys first with .Key() method and finally call the .Create() method. Declaration public static Index Index() where T : IEntity Returns Type Description Index Type Parameters Name Description T Any class that implements IEntity InitAsync(String, MongoClientSettings) Initializes a MongoDB connection with the given connection parameters. WARNING: will throw an error if server is not reachable! You can call this method as many times as you want (such as in serverless functions) with the same parameters and the connections won't get duplicated. Declaration public static Task InitAsync(string database, MongoClientSettings settings) Parameters Type Name Description System.String database Name of the database MongoDB.Driver.MongoClientSettings settings A MongoClientSettings object Returns Type Description System.Threading.Tasks.Task InitAsync(String, String, Int32) Initializes a MongoDB connection with the given connection parameters. WARNING: will throw an error if server is not reachable! You can call this method as many times as you want (such as in serverless functions) with the same parameters and the connections won't get duplicated. Declaration public static Task InitAsync(string database, string host = \"127.0.0.1\", int port = 27017) Parameters Type Name Description System.String database Name of the database System.String host Address of the MongoDB server System.Int32 port Port number of the server Returns Type Description System.Threading.Tasks.Task InsertAsync(T, IClientSessionHandle, CancellationToken) Inserts a new entity into the colleciton. Declaration public static Task InsertAsync(T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The instance to persist MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation And optional cancellation token Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T Any class that implements IEntity InsertAsync(IEnumerable, IClientSessionHandle, CancellationToken) Inserts a batch of new entities into the collection. Declaration public static Task> InsertAsync(IEnumerable entities, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The entities to persist MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation And optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity MigrateAsync() Executes migration classes that implement the IMigration interface in the correct order to transform the database. TIP: Write classes with names such as: _001_rename_a_field.cs, _002_delete_a_field.cs, etc. and implement IMigration interface on them. Call this method at the startup of the application in order to run the migrations. Declaration public static Task MigrateAsync() Returns Type Description System.Threading.Tasks.Task MigrateAsync() Discover and run migrations from the same assembly as the specified type. Declaration public static Task MigrateAsync() where T : class Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T A type that is from the same assembly as the migrations you want to run MigrationsAsync(IEnumerable) Executes the given collection of IMigrations in the correct order to transform the database. Declaration public static Task MigrationsAsync(IEnumerable migrations) Parameters Type Name Description System.Collections.Generic.IEnumerable < IMigration > migrations The collection of migrations to execute Returns Type Description System.Threading.Tasks.Task NextSequentialNumberAsync(String, CancellationToken) Returns an atomically generated sequential number for the given sequence name everytime the method is called Declaration public static Task NextSequentialNumberAsync(string sequenceName, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.String sequenceName The name of the sequence to get the next number for System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.UInt64 > NextSequentialNumberAsync(CancellationToken) Returns an atomically generated sequential number for the given Entity type everytime the method is called Declaration public static Task NextSequentialNumberAsync(CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.UInt64 > Type Parameters Name Description T The type of entity to get the next sequential number for PagedSearch(IClientSessionHandle) Represents an aggregation query that retrieves results with easy paging support. Declaration public static PagedSearch PagedSearch(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity PagedSearch(IClientSessionHandle) Represents an aggregation query that retrieves results with easy paging support. Declaration public static PagedSearch PagedSearch(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity TProjection The type you'd like to project the results to. PipelineAsync(Template, AggregateOptions, IClientSessionHandle, CancellationToken) Executes an aggregation pipeline by supplying a 'Template' object and get a list of results Declaration public static async Task> PipelineAsync(Template template, AggregateOptions options = null, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.Collections.Generic.List > Type Parameters Name Description T Any class that implements IEntity TResult The type of the resulting objects PipelineCursorAsync(Template, AggregateOptions, IClientSessionHandle, CancellationToken) Executes an aggregation pipeline by supplying a 'Template' object and returns a cursor Declaration public static Task> PipelineCursorAsync(Template template, AggregateOptions options = null, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.IAsyncCursor > Type Parameters Name Description T Any class that implements IEntity TResult The type of the resulting objects PipelineFirstAsync(Template, AggregateOptions, IClientSessionHandle, CancellationToken) Executes an aggregation pipeline by supplying a 'Template' object and get the first result or default value if not found. Declaration public static async Task PipelineFirstAsync(Template template, AggregateOptions options = null, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T Any class that implements IEntity TResult The type of the resulting object PipelineSingleAsync(Template, AggregateOptions, IClientSessionHandle, CancellationToken) Executes an aggregation pipeline by supplying a 'Template' object and get a single result or default value if not found. If more than one entity is found, it will throw an exception. Declaration public static async Task PipelineSingleAsync(Template template, AggregateOptions options = null, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T Any class that implements IEntity TResult The type of the resulting object Projection() Exposes the mongodb Projection Definition Builder for a given type. Declaration public static ProjectionDefinitionBuilder Projection() where T : IEntity Returns Type Description MongoDB.Driver.ProjectionDefinitionBuilder Type Parameters Name Description T Any class that implements IEntity Queryable(AggregateOptions, IClientSessionHandle) Exposes the MongoDB collection for the given IEntity as an IQueryable in order to facilitate LINQ queries. Declaration public static IMongoQueryable Queryable(AggregateOptions options = null, IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.AggregateOptions options The aggregate options MongoDB.Driver.IClientSessionHandle session An optional session if used within a transaction Returns Type Description MongoDB.Driver.Linq.IMongoQueryable Type Parameters Name Description T Any class that implements IEntity Replace(IClientSessionHandle) Represents a ReplaceOne command, which can replace the first matched document with a given entity TIP: Specify a filter first with the .Match(). Then set entity with .WithEntity() and finally call .Execute() to run the command. Declaration public static Replace Replace(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description Replace Type Parameters Name Description T Any class that implements IEntity SaveAsync(T, IClientSessionHandle, CancellationToken) Saves a complete entity replacing an existing entity or creating a new one if it does not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public static Task SaveAsync(T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The instance to persist MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation And optional cancellation token Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T Any class that implements IEntity SaveAsync(IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of complete entities replacing existing ones or creating new ones if they do not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public static Task> SaveAsync(IEnumerable entities, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The entities to persist MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation And optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task SaveExceptAsync(T entity, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task SaveExceptAsync(T entity, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task> SaveExceptAsync(IEnumerable entities, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task> SaveExceptAsync(IEnumerable entities, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task SaveOnlyAsync(T entity, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task SaveOnlyAsync(T entity, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task> SaveOnlyAsync(IEnumerable entities, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task> SaveOnlyAsync(IEnumerable entities, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Saves an entity partially while excluding some properties. The properties to be excluded can be specified using the [Preserve] or [DontPreserve] attributes. Declaration public static Task SavePreservingAsync(T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity Sort() Exposes the mongodb Sort Definition Builder for a given type. Declaration public static SortDefinitionBuilder Sort() where T : IEntity Returns Type Description MongoDB.Driver.SortDefinitionBuilder Type Parameters Name Description T Any class that implements IEntity Transaction(String, ClientSessionOptions, ModifiedBy) Gets a transaction context/scope for a given database or the default database if not specified. Declaration public static Transaction Transaction(string database = null, ClientSessionOptions options = null, ModifiedBy modifiedBy = null) Parameters Type Name Description System.String database The name of the database which this transaction is for (not required) MongoDB.Driver.ClientSessionOptions options Client session options (not required) ModifiedBy modifiedBy Returns Type Description Transaction Transaction(ClientSessionOptions, ModifiedBy) Gets a transaction context/scope for a given entity type's database Declaration public static Transaction Transaction(ClientSessionOptions options = null, ModifiedBy modifiedBy = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.ClientSessionOptions options Client session options (not required) ModifiedBy modifiedBy Returns Type Description Transaction Type Parameters Name Description T The entity type to determine the database from for the transaction Update(IClientSessionHandle) Represents an update command TIP: Specify a filter first with the .Match() method. Then set property values with .Modify() and finally call .Execute() to run the command. Declaration public static Update Update(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description Update Type Parameters Name Description T Any class that implements IEntity UpdateAndGet(IClientSessionHandle) Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. Declaration public static UpdateAndGet UpdateAndGet(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description UpdateAndGet Type Parameters Name Description T Any class that implements IEntity UpdateAndGet(IClientSessionHandle) Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. Declaration public static UpdateAndGet UpdateAndGet(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction Returns Type Description UpdateAndGet Type Parameters Name Description T Any class that implements IEntity TProjection The type to project to Watcher(String) Retrieves the 'change-stream' watcher instance for a given unique name. If an instance for the name does not exist, it will return a new instance. If an instance already exists, that instance will be returned. Declaration public static Watcher Watcher(string name) where T : IEntity Parameters Type Name Description System.String name A unique name for the watcher of this entity type. Names can be duplicate among different entity types. Returns Type Description Watcher Type Parameters Name Description T The entity type to get a watcher for Watchers() Returns all the watchers for a given entity type Declaration public static IEnumerable> Watchers() where T : IEntity Returns Type Description System.Collections.Generic.IEnumerable < Watcher > Type Parameters Name Description T The entity type to get the watcher of" + "keywords": "Class DB The main entrypoint for all data access methods of the library Inheritance Object DB Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public static class DB Methods AllDatabaseNamesAsync(MongoClientSettings) Gets a list of all database names from the server Declaration public static async Task> AllDatabaseNamesAsync(MongoClientSettings settings) Parameters Type Name Description MongoClientSettings settings A MongoClientSettings object Returns Type Description Task> AllDatabaseNamesAsync(String, Int32) Gets a list of all database names from the server Declaration public static Task> AllDatabaseNamesAsync(string host = \"127.0.0.1\", int port = 27017) Parameters Type Name Description String host Address of the MongoDB server Int32 port Port number of the server Returns Type Description Task> ChangeDefaultDatabase(String) Switches the default database at runtime WARNING: Use at your own risk!!! Might result in entities getting saved in the wrong databases under high concurrency situations. TIP: Make sure to cancel any watchers (change-streams) before switching the default database. Declaration public static void ChangeDefaultDatabase(string name) Parameters Type Name Description String name The name of the database to mark as the new default database Collection() Gets the IMongoCollection for a given IEntity type. TIP: Try never to use this unless really necessary. Declaration public static IMongoCollection Collection() where T : IEntity Returns Type Description IMongoCollection Type Parameters Name Description T Any class that implements IEntity CollectionName() Gets the collection name for a given entity type Declaration public static string CollectionName() where T : IEntity Returns Type Description String Type Parameters Name Description T The type of entity to get the collection name for CountAsync(FilterDefinition, IClientSessionHandle, CancellationToken, CountOptions) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public static Task CountAsync(FilterDefinition filter, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), CountOptions options = null) where T : IEntity Parameters Type Name Description FilterDefinition filter A filter definition IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token CountOptions options An optional CountOptions object Returns Type Description Task Type Parameters Name Description T The entity type to get the count for CountAsync(IClientSessionHandle, CancellationToken) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public static Task CountAsync(IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T The entity type to get the count for CountAsync(Func, FilterDefinition>, IClientSessionHandle, CancellationToken, CountOptions) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public static Task CountAsync(Func, FilterDefinition> filter, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), CountOptions options = null) where T : IEntity Parameters Type Name Description Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token CountOptions options An optional CountOptions object Returns Type Description Task Type Parameters Name Description T The entity type to get the count for CountAsync(Expression>, IClientSessionHandle, CancellationToken, CountOptions) Gets an accurate count of how many entities are matched for a given expression/filter Declaration public static Task CountAsync(Expression> expression, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), CountOptions options = null) where T : IEntity Parameters Type Name Description Expression> expression A lambda expression for getting the count for a subset of the data IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token CountOptions options An optional CountOptions object Returns Type Description Task Type Parameters Name Description T The entity type to get the count for CountEstimatedAsync(CancellationToken) Gets a fast estimation of how many documents are in the collection using metadata. HINT: The estimation may not be exactly accurate. Declaration public static Task CountEstimatedAsync(CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T The entity type to get the count for CreateCollectionAsync(Action>, CancellationToken, IClientSessionHandle) Creates a collection for an Entity type explicitly using the given options Declaration public static Task CreateCollectionAsync(Action> options, CancellationToken cancellation = default(CancellationToken), IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description Action> options The options to use for collection creation CancellationToken cancellation An optional cancellation token IClientSessionHandle session An optional session if using within a transaction Returns Type Description Task Type Parameters Name Description T The type of entity that will be stored in the created collection Database(String) Gets the IMongoDatabase for a given database name if it has been previously initialized. You can also get the default database by passing 'default' or 'null' for the name parameter. Declaration public static IMongoDatabase Database(string name) Parameters Type Name Description String name The name of the database to retrieve Returns Type Description IMongoDatabase Database() Gets the IMongoDatabase for the given entity type Declaration public static IMongoDatabase Database() where T : IEntity Returns Type Description IMongoDatabase Type Parameters Name Description T The type of entity DatabaseFor(String) Specifies the database that a given entity type should be stored in. Only needed for entity types you want stored in a db other than the default db. Declaration public static void DatabaseFor(string database) where T : IEntity Parameters Type Name Description String database The name of the database Type Parameters Name Description T Any class that implements IEntity DatabaseName() Gets the name of the database a given entity type is attached to. Returns name of default database if not specifically attached. Declaration public static string DatabaseName() where T : IEntity Returns Type Description String Type Parameters Name Description T Any class that implements IEntity DeleteAsync(FilterDefinition, IClientSessionHandle, CancellationToken, Collation) Deletes matching entities with a filter definition HINT: If the expression matches more than 100,000 entities, they will be deleted in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static async Task DeleteAsync(FilterDefinition filter, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), Collation collation = null) where T : IEntity Parameters Type Name Description FilterDefinition filter A filter definition for matching entities to delete. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Collation collation An optional collation object Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity DeleteAsync(IEnumerable, IClientSessionHandle, CancellationToken) Deletes entities using a collection of IDs HINT: If more than 100,000 IDs are passed in, they will be processed in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static async Task DeleteAsync(IEnumerable IDs, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable IDs An IEnumerable of entity IDs IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity DeleteAsync(Func, FilterDefinition>, IClientSessionHandle, CancellationToken, Collation) Deletes matching entities with a filter expression HINT: If the expression matches more than 100,000 entities, they will be deleted in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static Task DeleteAsync(Func, FilterDefinition> filter, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), Collation collation = null) where T : IEntity Parameters Type Name Description Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Collation collation An optional collation object Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity DeleteAsync(Expression>, IClientSessionHandle, CancellationToken, Collation) Deletes matching entities with an expression HINT: If the expression matches more than 100,000 entities, they will be deleted in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static Task DeleteAsync(Expression> expression, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken), Collation collation = null) where T : IEntity Parameters Type Name Description Expression> expression A lambda expression for matching entities to delete. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Collation collation An optional collation object Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity DeleteAsync(String, IClientSessionHandle, CancellationToken) Deletes a single entity from MongoDB. HINT: If this entity is referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static Task DeleteAsync(string ID, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description String ID The Id of the entity to delete IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity Distinct(IClientSessionHandle) Represents a MongoDB Distinct command where you can get back distinct values for a given property of a given Entity. Declaration public static Distinct Distinct(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction Returns Type Description Distinct Type Parameters Name Description T Any Entity that implements IEntity interface TProperty The type of the property of the entity you'd like to get unique values for DropCollectionAsync(IClientSessionHandle) Deletes the collection of a given entity type as well as the join collections for that entity. TIP: When deleting a collection, all relationships associated with that entity type is also deleted. Declaration public static async Task DropCollectionAsync(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction Returns Type Description Task Type Parameters Name Description T The entity type to drop the collection of Entity() Returns a new instance of the supplied IEntity type Declaration public static T Entity() where T : IEntity, new() Returns Type Description T Type Parameters Name Description T Any class that implements IEntity Entity(String) Returns a new instance of the supplied IEntity type with the ID set to the supplied value Declaration public static T Entity(string ID) where T : IEntity, new() Parameters Type Name Description String ID The ID to set on the returned instance Returns Type Description T Type Parameters Name Description T Any class that implements IEntity File(String) Returns a DataStreamer object to enable uploading/downloading file data directly by supplying the ID of the file entity Declaration public static DataStreamer File(string ID) where T : FileEntity, new() Parameters Type Name Description String ID The ID of the file entity Returns Type Description DataStreamer Type Parameters Name Description T The file entity type Filter() Exposes the mongodb Filter Definition Builder for a given type. Declaration public static FilterDefinitionBuilder Filter() where T : IEntity Returns Type Description FilterDefinitionBuilder Type Parameters Name Description T Any class that implements IEntity Find(IClientSessionHandle) Represents a MongoDB Find command TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() Declaration public static Find Find(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction Returns Type Description Find Type Parameters Name Description T Any class that implements IEntity Find(IClientSessionHandle) Represents a MongoDB Find command TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() Declaration public static Find Find(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction Returns Type Description Find Type Parameters Name Description T Any class that implements IEntity TProjection The type that is returned by projection Fluent(AggregateOptions, IClientSessionHandle) Exposes the MongoDB collection for the given IEntity as an IAggregateFluent in order to facilitate Fluent queries. Declaration public static IAggregateFluent Fluent(AggregateOptions options = null, IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description AggregateOptions options The options for the aggregation. This is not required. IClientSessionHandle session An optional session if using within a transaction Returns Type Description IAggregateFluent Type Parameters Name Description T Any class that implements IEntity FluentGeoNear(Coordinates2D, Expression>, Boolean, Nullable, Nullable, Nullable, BsonDocument, Nullable, Expression>, String, AggregateOptions, IClientSessionHandle) Start a fluent aggregation pipeline with a $GeoNear stage with the supplied parameters. Declaration public static IAggregateFluent FluentGeoNear(Coordinates2D NearCoordinates, Expression> DistanceField, bool Spherical = true, double? MaxDistance = null, double? MinDistance = null, int? Limit = null, BsonDocument Query = null, double? DistanceMultiplier = null, Expression> IncludeLocations = null, string IndexKey = null, AggregateOptions options = null, IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description Coordinates2D NearCoordinates The coordinates from which to find documents from Expression> DistanceField x => x.Distance Boolean Spherical Calculate distances using spherical geometry or not Nullable MaxDistance The maximum distance in meters from the center point that the documents can be Nullable MinDistance The minimum distance in meters from the center point that the documents can be Nullable Limit The maximum number of documents to return BsonDocument Query Limits the results to the documents that match the query Nullable DistanceMultiplier The factor to multiply all distances returned by the query Expression> IncludeLocations Specify the output field to store the point used to calculate the distance String IndexKey AggregateOptions options The options for the aggregation. This is not required. IClientSessionHandle session An optional session if using within a transaction Returns Type Description IAggregateFluent Type Parameters Name Description T FluentTextSearch(Search, String, Boolean, Boolean, String, AggregateOptions, IClientSessionHandle) Start a fluent aggregation pipeline with a $text stage with the supplied parameters. TIP: Make sure to define a text index with DB.Index() before searching Declaration public static IAggregateFluent FluentTextSearch(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null, AggregateOptions options = null, IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description Search searchType The type of text matching to do String searchTerm The search term Boolean caseSensitive Case sensitivity of the search (optional) Boolean diacriticSensitive Diacritic sensitivity of the search (optional) String language The language for the search (optional) AggregateOptions options Options for finding documents (not required) IClientSessionHandle session An optional session if using within a transaction Returns Type Description IAggregateFluent Type Parameters Name Description T Index() Represents an index for a given IEntity TIP: Define the keys first with .Key() method and finally call the .Create() method. Declaration public static Index Index() where T : IEntity Returns Type Description Index Type Parameters Name Description T Any class that implements IEntity InitAsync(String, MongoClientSettings) Initializes a MongoDB connection with the given connection parameters. WARNING: will throw an error if server is not reachable! You can call this method as many times as you want (such as in serverless functions) with the same parameters and the connections won't get duplicated. Declaration public static Task InitAsync(string database, MongoClientSettings settings) Parameters Type Name Description String database Name of the database MongoClientSettings settings A MongoClientSettings object Returns Type Description Task InitAsync(String, String, Int32) Initializes a MongoDB connection with the given connection parameters. WARNING: will throw an error if server is not reachable! You can call this method as many times as you want (such as in serverless functions) with the same parameters and the connections won't get duplicated. Declaration public static Task InitAsync(string database, string host = \"127.0.0.1\", int port = 27017) Parameters Type Name Description String database Name of the database String host Address of the MongoDB server Int32 port Port number of the server Returns Type Description Task InsertAsync(T, IClientSessionHandle, CancellationToken) Inserts a new entity into the colleciton. Declaration public static Task InsertAsync(T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The instance to persist IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation And optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity InsertAsync(IEnumerable, IClientSessionHandle, CancellationToken) Inserts a batch of new entities into the collection. Declaration public static Task> InsertAsync(IEnumerable entities, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The entities to persist IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation And optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity MigrateAsync() Executes migration classes that implement the IMigration interface in the correct order to transform the database. TIP: Write classes with names such as: _001_rename_a_field.cs, _002_delete_a_field.cs, etc. and implement IMigration interface on them. Call this method at the startup of the application in order to run the migrations. Declaration public static Task MigrateAsync() Returns Type Description Task MigrateAsync() Discover and run migrations from the same assembly as the specified type. Declaration public static Task MigrateAsync() where T : class Returns Type Description Task Type Parameters Name Description T A type that is from the same assembly as the migrations you want to run MigrationsAsync(IEnumerable) Executes the given collection of IMigrations in the correct order to transform the database. Declaration public static Task MigrationsAsync(IEnumerable migrations) Parameters Type Name Description IEnumerable migrations The collection of migrations to execute Returns Type Description Task NextSequentialNumberAsync(String, CancellationToken) Returns an atomically generated sequential number for the given sequence name everytime the method is called Declaration public static Task NextSequentialNumberAsync(string sequenceName, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description String sequenceName The name of the sequence to get the next number for CancellationToken cancellation An optional cancellation token Returns Type Description Task NextSequentialNumberAsync(CancellationToken) Returns an atomically generated sequential number for the given Entity type everytime the method is called Declaration public static Task NextSequentialNumberAsync(CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T The type of entity to get the next sequential number for PagedSearch(IClientSessionHandle) Represents an aggregation query that retrieves results with easy paging support. Declaration public static PagedSearch PagedSearch(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity PagedSearch(IClientSessionHandle) Represents an aggregation query that retrieves results with easy paging support. Declaration public static PagedSearch PagedSearch(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity TProjection The type you'd like to project the results to. PipelineAsync(Template, AggregateOptions, IClientSessionHandle, CancellationToken) Executes an aggregation pipeline by supplying a 'Template' object and get a list of results Declaration public static async Task> PipelineAsync(Template template, AggregateOptions options = null, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced AggregateOptions options The options for the aggregation. This is not required. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity TResult The type of the resulting objects PipelineCursorAsync(Template, AggregateOptions, IClientSessionHandle, CancellationToken) Executes an aggregation pipeline by supplying a 'Template' object and returns a cursor Declaration public static Task> PipelineCursorAsync(Template template, AggregateOptions options = null, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced AggregateOptions options The options for the aggregation. This is not required. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity TResult The type of the resulting objects PipelineFirstAsync(Template, AggregateOptions, IClientSessionHandle, CancellationToken) Executes an aggregation pipeline by supplying a 'Template' object and get the first result or default value if not found. Declaration public static async Task PipelineFirstAsync(Template template, AggregateOptions options = null, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced AggregateOptions options The options for the aggregation. This is not required. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity TResult The type of the resulting object PipelineSingleAsync(Template, AggregateOptions, IClientSessionHandle, CancellationToken) Executes an aggregation pipeline by supplying a 'Template' object and get a single result or default value if not found. If more than one entity is found, it will throw an exception. Declaration public static async Task PipelineSingleAsync(Template template, AggregateOptions options = null, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced AggregateOptions options The options for the aggregation. This is not required. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity TResult The type of the resulting object Projection() Exposes the mongodb Projection Definition Builder for a given type. Declaration public static ProjectionDefinitionBuilder Projection() where T : IEntity Returns Type Description ProjectionDefinitionBuilder Type Parameters Name Description T Any class that implements IEntity Queryable(AggregateOptions, IClientSessionHandle) Exposes the MongoDB collection for the given IEntity as an IQueryable in order to facilitate LINQ queries. Declaration public static IMongoQueryable Queryable(AggregateOptions options = null, IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description AggregateOptions options The aggregate options IClientSessionHandle session An optional session if used within a transaction Returns Type Description IMongoQueryable Type Parameters Name Description T Any class that implements IEntity Replace(IClientSessionHandle) Represents a ReplaceOne command, which can replace the first matched document with a given entity TIP: Specify a filter first with the .Match(). Then set entity with .WithEntity() and finally call .Execute() to run the command. Declaration public static Replace Replace(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction Returns Type Description Replace Type Parameters Name Description T Any class that implements IEntity SaveAsync(T, IClientSessionHandle, CancellationToken) Saves a complete entity replacing an existing entity or creating a new one if it does not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public static Task SaveAsync(T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The instance to persist IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation And optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveAsync(IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of complete entities replacing existing ones or creating new ones if they do not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public static Task> SaveAsync(IEnumerable entities, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The entities to persist IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation And optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task SaveExceptAsync(T entity, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task SaveExceptAsync(T entity, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save Expression> members x => new { x.PropOne, x.PropTwo } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task> SaveExceptAsync(IEnumerable entities, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task> SaveExceptAsync(IEnumerable entities, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save Expression> members x => new { x.PropOne, x.PropTwo } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task SaveOnlyAsync(T entity, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task SaveOnlyAsync(T entity, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save Expression> members x => new { x.PropOne, x.PropTwo } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task> SaveOnlyAsync(IEnumerable entities, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task> SaveOnlyAsync(IEnumerable entities, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save Expression> members x => new { x.PropOne, x.PropTwo } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Saves an entity partially while excluding some properties. The properties to be excluded can be specified using the [Preserve] or [DontPreserve] attributes. Declaration public static Task SavePreservingAsync(T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity Sort() Exposes the mongodb Sort Definition Builder for a given type. Declaration public static SortDefinitionBuilder Sort() where T : IEntity Returns Type Description SortDefinitionBuilder Type Parameters Name Description T Any class that implements IEntity Transaction(String, ClientSessionOptions, ModifiedBy) Gets a transaction context/scope for a given database or the default database if not specified. Declaration public static Transaction Transaction(string database = null, ClientSessionOptions options = null, ModifiedBy modifiedBy = null) Parameters Type Name Description String database The name of the database which this transaction is for (not required) ClientSessionOptions options Client session options (not required) ModifiedBy modifiedBy Returns Type Description Transaction Transaction(ClientSessionOptions, ModifiedBy) Gets a transaction context/scope for a given entity type's database Declaration public static Transaction Transaction(ClientSessionOptions options = null, ModifiedBy modifiedBy = null) where T : IEntity Parameters Type Name Description ClientSessionOptions options Client session options (not required) ModifiedBy modifiedBy Returns Type Description Transaction Type Parameters Name Description T The entity type to determine the database from for the transaction Update(IClientSessionHandle) Represents an update command TIP: Specify a filter first with the .Match() method. Then set property values with .Modify() and finally call .Execute() to run the command. Declaration public static Update Update(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction Returns Type Description Update Type Parameters Name Description T Any class that implements IEntity UpdateAndGet(IClientSessionHandle) Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. Declaration public static UpdateAndGet UpdateAndGet(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction Returns Type Description UpdateAndGet Type Parameters Name Description T Any class that implements IEntity UpdateAndGet(IClientSessionHandle) Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. Declaration public static UpdateAndGet UpdateAndGet(IClientSessionHandle session = null) where T : IEntity Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction Returns Type Description UpdateAndGet Type Parameters Name Description T Any class that implements IEntity TProjection The type to project to Watcher(String) Retrieves the 'change-stream' watcher instance for a given unique name. If an instance for the name does not exist, it will return a new instance. If an instance already exists, that instance will be returned. Declaration public static Watcher Watcher(string name) where T : IEntity Parameters Type Name Description String name A unique name for the watcher of this entity type. Names can be duplicate among different entity types. Returns Type Description Watcher Type Parameters Name Description T The entity type to get a watcher for Watchers() Returns all the watchers for a given entity type Declaration public static IEnumerable> Watchers() where T : IEntity Returns Type Description IEnumerable> Type Parameters Name Description T The entity type to get the watcher of" }, "api/MongoDB.Entities.DBContext.html": { "href": "api/MongoDB.Entities.DBContext.html", "title": "Class DBContext | MongoDB.Entities", - "keywords": "Class DBContext This db context class can be used as an alternative entry point instead of the DB static class. Inheritance System.Object DBContext Transaction Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class DBContext Constructors DBContext(ModifiedBy) Instantiates a DBContext instance TIP: will throw an error if no connections have been initialized Declaration public DBContext(ModifiedBy modifiedBy = null) Parameters Type Name Description ModifiedBy modifiedBy An optional ModifiedBy instance. When supplied, all save/update operations performed via this DBContext instance will set the value on entities that has a property of type ModifiedBy. You can even inherit from the ModifiedBy class and add your own properties to it. Only one ModifiedBy property is allowed on a single entity type. DBContext(String, MongoClientSettings, ModifiedBy) Initializes a DBContext instance with the given connection parameters. TIP: network connection is deferred until the first actual operation. Declaration public DBContext(string database, MongoClientSettings settings, ModifiedBy modifiedBy = null) Parameters Type Name Description System.String database Name of the database MongoDB.Driver.MongoClientSettings settings A MongoClientSettings object ModifiedBy modifiedBy An optional ModifiedBy instance. When supplied, all save/update operations performed via this DBContext instance will set the value on entities that has a property of type ModifiedBy. You can even inherit from the ModifiedBy class and add your own properties to it. Only one ModifiedBy property is allowed on a single entity type. DBContext(String, String, Int32, ModifiedBy) Initializes a DBContext instance with the given connection parameters. TIP: network connection is deferred until the first actual operation. Declaration public DBContext(string database, string host = \"127.0.0.1\", int port = 27017, ModifiedBy modifiedBy = null) Parameters Type Name Description System.String database Name of the database System.String host Address of the MongoDB server System.Int32 port Port number of the server ModifiedBy modifiedBy An optional ModifiedBy instance. When supplied, all save/update operations performed via this DBContext instance will set the value on entities that has a property of type ModifiedBy. You can even inherit from the ModifiedBy class and add your own properties to it. Only one ModifiedBy property is allowed on a single entity type. Properties ModifiedBy The value of this property will be automatically set on entities when saving/updating if the entity has a ModifiedBy property Declaration public ModifiedBy ModifiedBy { get; set; } Property Value Type Description ModifiedBy Session Returns the session object used for transactions Declaration public IClientSessionHandle Session { get; protected set; } Property Value Type Description MongoDB.Driver.IClientSessionHandle Methods AbortAsync(CancellationToken) Aborts and rolls back a transaction Declaration public Task AbortAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task CommitAsync(CancellationToken) Commits a transaction to MongoDB Declaration public Task CommitAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task CountAsync(FilterDefinition, CancellationToken, CountOptions, Boolean) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public Task CountAsync(FilterDefinition filter, CancellationToken cancellation = default(CancellationToken), CountOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description MongoDB.Driver.FilterDefinition filter A filter definition System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.CountOptions options An optional CountOptions object System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task < System.Int64 > Type Parameters Name Description T The entity type to get the count for CountAsync(Func, FilterDefinition>, CancellationToken, CountOptions, Boolean) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public Task CountAsync(Func, FilterDefinition> filter, CancellationToken cancellation = default(CancellationToken), CountOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.CountOptions options An optional CountOptions object System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task < System.Int64 > Type Parameters Name Description T The entity type to get the count for CountAsync(Expression>, CancellationToken, CountOptions, Boolean) Gets an accurate count of how many entities are matched for a given expression/filter Declaration public Task CountAsync(Expression> expression, CancellationToken cancellation = default(CancellationToken), CountOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression A lambda expression for getting the count for a subset of the data System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.CountOptions options An optional CountOptions object System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task < System.Int64 > Type Parameters Name Description T The entity type to get the count for CountAsync(CancellationToken) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public Task CountAsync(CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.Int64 > Type Parameters Name Description T The entity type to get the count for CountEstimatedAsync(CancellationToken) Gets a fast estimation of how many documents are in the collection using metadata. HINT: The estimation may not be exactly accurate. Declaration public Task CountEstimatedAsync(CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.Int64 > Type Parameters Name Description T The entity type to get the count for CreateCollectionAsync(Action>, CancellationToken) Creates a collection for an Entity type explicitly using the given options Declaration public Task CreateCollectionAsync(Action> options, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Action < MongoDB.Driver.CreateCollectionOptions > options The options to use for collection creation System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T The type of entity that will be stored in the created collection DeleteAsync(FilterDefinition, CancellationToken, Collation, Boolean) Deletes matching entities with a filter definition HINT: If the expression matches more than 100,000 entities, they will be deleted in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public Task DeleteAsync(FilterDefinition filter, CancellationToken cancellation = default(CancellationToken), Collation collation = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description MongoDB.Driver.FilterDefinition filter A filter definition for matching entities to delete. System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.Collation collation An optional collation object System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T Any class that implements IEntity DeleteAsync(IEnumerable, CancellationToken, Boolean) Deletes matching entities from MongoDB HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. TIP: Try to keep the number of entities to delete under 100 in a single call Declaration public Task DeleteAsync(IEnumerable IDs, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable < System.String > IDs An IEnumerable of entity IDs System.Threading.CancellationToken cancellation An optional cancellation token System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T The type of entity DeleteAsync(Func, FilterDefinition>, CancellationToken, Collation, Boolean) Deletes matching entities with a filter expression HINT: If the expression matches more than 100,000 entities, they will be deleted in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public Task DeleteAsync(Func, FilterDefinition> filter, CancellationToken cancellation = default(CancellationToken), Collation collation = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.Collation collation An optional collation object System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T Any class that implements IEntity DeleteAsync(Expression>, CancellationToken, Collation, Boolean) Deletes matching entities from MongoDB HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. TIP: Try to keep the number of entities to delete under 100 in a single call Declaration public Task DeleteAsync(Expression> expression, CancellationToken cancellation = default(CancellationToken), Collation collation = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression A lambda expression for matching entities to delete. System.Threading.CancellationToken cancellation An optional cancellation token MongoDB.Driver.Collation collation An optional collation object System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T The type of entity DeleteAsync(String, CancellationToken, Boolean) Deletes a single entity from MongoDB HINT: If this entity is referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public Task DeleteAsync(string ID, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description System.String ID The Id of the entity to delete System.Threading.CancellationToken cancellation An optional cancellation token System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T The type of entity Distinct() Represents a MongoDB Distinct command where you can get back distinct values for a given property of a given Entity Declaration public Distinct Distinct() where T : IEntity Returns Type Description Distinct Type Parameters Name Description T Any Entity that implements IEntity interface TProperty The type of the property of the entity you'd like to get unique values for DropCollectionAsync() Deletes the collection of a given entity type as well as the join collections for that entity. TIP: When deleting a collection, all relationships associated with that entity type is also deleted. Declaration public Task DropCollectionAsync() where T : IEntity Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T The entity type to drop the collection of Find() Starts a find command for the given entity type Declaration public Find Find() where T : IEntity Returns Type Description Find Type Parameters Name Description T The type of entity Find() Starts a find command with projection support for the given entity type Declaration public Find Find() where T : IEntity Returns Type Description Find Type Parameters Name Description T The type of entity TProjection The type of the end result Fluent(AggregateOptions, Boolean) Exposes the MongoDB collection for the given entity type as IAggregateFluent in order to facilitate Fluent queries Declaration public IAggregateFluent Fluent(AggregateOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description T The type of entity FluentTextSearch(Search, String, Boolean, Boolean, String, AggregateOptions, Boolean) Start a fluent aggregation pipeline with a $text stage with the supplied parameters TIP: Make sure to define a text index with DB.Index() before searching Declaration public IAggregateFluent FluentTextSearch(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null, AggregateOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Search searchType The type of text matching to do System.String searchTerm The search term System.Boolean caseSensitive Case sensitivity of the search (optional) System.Boolean diacriticSensitive Diacritic sensitivity of the search (optional) System.String language The language for the search (optional) MongoDB.Driver.AggregateOptions options Options for finding documents (not required) System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description T GeoNear(Coordinates2D, Expression>, Boolean, Nullable, Nullable, Nullable, BsonDocument, Nullable, Expression>, String, AggregateOptions, Boolean) Start a fluent aggregation pipeline with a $GeoNear stage with the supplied parameters Declaration public IAggregateFluent GeoNear(Coordinates2D NearCoordinates, Expression> DistanceField, bool Spherical = true, int? MaxDistance = null, int? MinDistance = null, int? Limit = null, BsonDocument Query = null, int? DistanceMultiplier = null, Expression> IncludeLocations = null, string IndexKey = null, AggregateOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Coordinates2D NearCoordinates The coordinates from which to find documents from System.Linq.Expressions.Expression < System.Func > DistanceField x => x.Distance System.Boolean Spherical Calculate distances using spherical geometry or not System.Nullable < System.Int32 > MaxDistance The maximum distance in meters from the center point that the documents can be System.Nullable < System.Int32 > MinDistance The minimum distance in meters from the center point that the documents can be System.Nullable < System.Int32 > Limit The maximum number of documents to return MongoDB.Bson.BsonDocument Query Limits the results to the documents that match the query System.Nullable < System.Int32 > DistanceMultiplier The factor to multiply all distances returned by the query System.Linq.Expressions.Expression < System.Func > IncludeLocations Specify the output field to store the point used to calculate the distance System.String IndexKey MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description T The type of entity InsertAsync(T, CancellationToken) Saves a complete entity replacing an existing entity or creating a new one if it does not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public Task InsertAsync(T entity, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The instance to persist System.Threading.CancellationToken cancellation And optional cancellation token Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T The type of entity InsertAsync(IEnumerable, CancellationToken) Saves a batch of complete entities replacing an existing entities or creating a new ones if they do not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public Task> InsertAsync(IEnumerable entities, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The entities to persist System.Threading.CancellationToken cancellation And optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T The type of entity OnBeforeSave() This event hook will be trigged right before an entity is persisted Declaration protected virtual Action OnBeforeSave() where T : IEntity Returns Type Description System.Action Type Parameters Name Description T Any entity that implements IEntity OnBeforeUpdate() This event hook will be triggered right before an update/replace command is executed Declaration protected virtual Action> OnBeforeUpdate() where T : IEntity Returns Type Description System.Action < UpdateBase > Type Parameters Name Description T Any entity that implements IEntity PagedSearch() Represents an aggregation query that retrieves results with easy paging support. Declaration public PagedSearch PagedSearch() where T : IEntity Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity PagedSearch() Represents an aggregation query that retrieves results with easy paging support. Declaration public PagedSearch PagedSearch() where T : IEntity Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity TProjection The type you'd like to project the results to. PipelineAsync(Template, AggregateOptions, CancellationToken, Boolean) Executes an aggregation pipeline by supplying a 'Template' object. Gets a list back as the result. Declaration public Task> PipelineAsync(Template template, AggregateOptions options = null, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. System.Threading.CancellationToken cancellation An optional cancellation token System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task < System.Collections.Generic.List > Type Parameters Name Description T The type of entity TResult The type of the resulting objects PipelineCursorAsync(Template, AggregateOptions, CancellationToken, Boolean) Executes an aggregation pipeline by supplying a 'Template' object. Gets a cursor back as the result. Declaration public Task> PipelineCursorAsync(Template template, AggregateOptions options = null, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. System.Threading.CancellationToken cancellation An optional cancellation token System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.IAsyncCursor > Type Parameters Name Description T The type of entity TResult The type of the resulting objects PipelineFirstAsync(Template, AggregateOptions, CancellationToken, Boolean) Executes an aggregation pipeline by supplying a 'Template' object. Gets the first or default value as the result. Declaration public Task PipelineFirstAsync(Template template, AggregateOptions options = null, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. System.Threading.CancellationToken cancellation An optional cancellation token System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T The type of entity TResult The type of the resulting objects PipelineSingleAsync(Template, AggregateOptions, CancellationToken, Boolean) Executes an aggregation pipeline by supplying a 'Template' object. Gets a single or default value as the result. Declaration public Task PipelineSingleAsync(Template template, AggregateOptions options = null, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. System.Threading.CancellationToken cancellation An optional cancellation token System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T The type of entity TResult The type of the resulting objects Queryable(AggregateOptions, Boolean) Exposes the MongoDB collection for the given entity type as IQueryable in order to facilitate LINQ queries Declaration public IMongoQueryable Queryable(AggregateOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description MongoDB.Driver.AggregateOptions options The aggregate options System.Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description MongoDB.Driver.Linq.IMongoQueryable Type Parameters Name Description T The type of entity Replace() Starts a replace command for the given entity type TIP: Only the first matched entity will be replaced Declaration public Replace Replace() where T : IEntity Returns Type Description Replace Type Parameters Name Description T The type of entity SaveAsync(T, CancellationToken) Saves a complete entity replacing an existing entity or creating a new one if it does not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public Task SaveAsync(T entity, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The instance to persist System.Threading.CancellationToken cancellation And optional cancellation token Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T The type of entity SaveAsync(IEnumerable, CancellationToken) Saves a batch of complete entities replacing an existing entities or creating a new ones if they do not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public Task> SaveAsync(IEnumerable entities, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The entities to persist System.Threading.CancellationToken cancellation And optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T The type of entity SaveExceptAsync(T, IEnumerable, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public Task SaveExceptAsync(T entity, IEnumerable propNames, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(T, Expression>, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public Task SaveExceptAsync(T entity, Expression> members, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, IEnumerable, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public Task> SaveExceptAsync(IEnumerable entities, IEnumerable propNames, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, Expression>, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public Task> SaveExceptAsync(IEnumerable entities, Expression> members, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, IEnumerable, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public Task SaveOnlyAsync(T entity, IEnumerable propNames, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, Expression>, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public Task SaveOnlyAsync(T entity, Expression> members, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, IEnumerable, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public Task> SaveOnlyAsync(IEnumerable entities, IEnumerable propNames, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, Expression>, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public Task> SaveOnlyAsync(IEnumerable entities, Expression> members, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SavePreservingAsync(T, CancellationToken) Saves an entity partially while excluding some properties The properties to be excluded can be specified using the [Preserve] or [DontPreserve] attributes. Declaration public Task SavePreservingAsync(T entity, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T The type of entity SetGlobalFilter(Type, String, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilter(Type type, string jsonString, bool prepend = false) Parameters Type Name Description System.Type type The type of Entity this global filter should be applied to System.String jsonString A JSON string filter definition to be applied System.Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended SetGlobalFilter(FilterDefinition, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilter(FilterDefinition filter, bool prepend = false) where T : IEntity Parameters Type Name Description MongoDB.Driver.FilterDefinition filter A filter definition to be applied System.Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description T The type of Entity this global filter should be applied to SetGlobalFilter(Func, FilterDefinition>, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilter(Func, FilterDefinition> filter, bool prepend = false) where T : IEntity Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter b => b.Eq(x => x.Prop1, \"some value\") System.Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description T The type of Entity this global filter should be applied to SetGlobalFilter(Expression>, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilter(Expression> filter, bool prepend = false) where T : IEntity Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > filter x => x.Prop1 == \"some value\" System.Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description T The type of Entity this global filter should be applied to SetGlobalFilterForBaseClass(FilterDefinition, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilterForBaseClass(FilterDefinition filter, bool prepend = false) where TBase : IEntity Parameters Type Name Description MongoDB.Driver.FilterDefinition filter A filter definition to be applied System.Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description TBase The type of the base class SetGlobalFilterForBaseClass(Func, FilterDefinition>, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilterForBaseClass(Func, FilterDefinition> filter, bool prepend = false) where TBase : IEntity Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter b => b.Eq(x => x.Prop1, \"some value\") System.Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description TBase The type of the base class SetGlobalFilterForBaseClass(Expression>, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilterForBaseClass(Expression> filter, bool prepend = false) where TBase : IEntity Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > filter b => b.Eq(x => x.Prop1, \"some value\") System.Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description TBase The type of the base class SetGlobalFilterForInterface(String, Boolean) Specify a global filter for all entity types that implements a given interface Declaration protected void SetGlobalFilterForInterface(string jsonString, bool prepend = false) Parameters Type Name Description System.String jsonString A JSON string filter definition to be applied System.Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description TInterface The interface type to target. Will throw if supplied argument is not an interface type Transaction(String, ClientSessionOptions) Starts a transaction and returns a session object. WARNING: Only one transaction is allowed per DBContext instance. Call Session.Dispose() and assign a null to it before calling this method a second time. Trying to start a second transaction for this DBContext instance will throw an exception. Declaration public IClientSessionHandle Transaction(string database = null, ClientSessionOptions options = null) Parameters Type Name Description System.String database The name of the database to use for this transaction. default db is used if not specified MongoDB.Driver.ClientSessionOptions options Client session options for this transaction Returns Type Description MongoDB.Driver.IClientSessionHandle Transaction(ClientSessionOptions) Starts a transaction and returns a session object for a given entity type. WARNING: Only one transaction is allowed per DBContext instance. Call Session.Dispose() and assign a null to it before calling this method a second time. Trying to start a second transaction for this DBContext instance will throw an exception. Declaration public IClientSessionHandle Transaction(ClientSessionOptions options = null) where T : IEntity Parameters Type Name Description MongoDB.Driver.ClientSessionOptions options Client session options (not required) Returns Type Description MongoDB.Driver.IClientSessionHandle Type Parameters Name Description T The entity type to determine the database from for the transaction Update() Starts an update command for the given entity type Declaration public Update Update() where T : IEntity Returns Type Description Update Type Parameters Name Description T The type of entity UpdateAndGet() Starts an update-and-get command for the given entity type Declaration public UpdateAndGet UpdateAndGet() where T : IEntity Returns Type Description UpdateAndGet Type Parameters Name Description T The type of entity UpdateAndGet() Starts an update-and-get command with projection support for the given entity type Declaration public UpdateAndGet UpdateAndGet() where T : IEntity Returns Type Description UpdateAndGet Type Parameters Name Description T The type of entity TProjection The type of the end result" + "keywords": "Class DBContext This db context class can be used as an alternative entry point instead of the DB static class. Inheritance Object DBContext Transaction Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class DBContext Constructors DBContext(ModifiedBy) Instantiates a DBContext instance TIP: will throw an error if no connections have been initialized Declaration public DBContext(ModifiedBy modifiedBy = null) Parameters Type Name Description ModifiedBy modifiedBy An optional ModifiedBy instance. When supplied, all save/update operations performed via this DBContext instance will set the value on entities that has a property of type ModifiedBy. You can even inherit from the ModifiedBy class and add your own properties to it. Only one ModifiedBy property is allowed on a single entity type. DBContext(String, MongoClientSettings, ModifiedBy) Initializes a DBContext instance with the given connection parameters. TIP: network connection is deferred until the first actual operation. Declaration public DBContext(string database, MongoClientSettings settings, ModifiedBy modifiedBy = null) Parameters Type Name Description String database Name of the database MongoClientSettings settings A MongoClientSettings object ModifiedBy modifiedBy An optional ModifiedBy instance. When supplied, all save/update operations performed via this DBContext instance will set the value on entities that has a property of type ModifiedBy. You can even inherit from the ModifiedBy class and add your own properties to it. Only one ModifiedBy property is allowed on a single entity type. DBContext(String, String, Int32, ModifiedBy) Initializes a DBContext instance with the given connection parameters. TIP: network connection is deferred until the first actual operation. Declaration public DBContext(string database, string host = \"127.0.0.1\", int port = 27017, ModifiedBy modifiedBy = null) Parameters Type Name Description String database Name of the database String host Address of the MongoDB server Int32 port Port number of the server ModifiedBy modifiedBy An optional ModifiedBy instance. When supplied, all save/update operations performed via this DBContext instance will set the value on entities that has a property of type ModifiedBy. You can even inherit from the ModifiedBy class and add your own properties to it. Only one ModifiedBy property is allowed on a single entity type. Properties ModifiedBy The value of this property will be automatically set on entities when saving/updating if the entity has a ModifiedBy property Declaration public ModifiedBy ModifiedBy { get; set; } Property Value Type Description ModifiedBy Session Returns the session object used for transactions Declaration public IClientSessionHandle Session { get; protected set; } Property Value Type Description IClientSessionHandle Methods AbortAsync(CancellationToken) Aborts and rolls back a transaction Declaration public Task AbortAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task CommitAsync(CancellationToken) Commits a transaction to MongoDB Declaration public Task CommitAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task CountAsync(FilterDefinition, CancellationToken, CountOptions, Boolean) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public Task CountAsync(FilterDefinition filter, CancellationToken cancellation = default(CancellationToken), CountOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description FilterDefinition filter A filter definition CancellationToken cancellation An optional cancellation token CountOptions options An optional CountOptions object Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task Type Parameters Name Description T The entity type to get the count for CountAsync(Func, FilterDefinition>, CancellationToken, CountOptions, Boolean) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public Task CountAsync(Func, FilterDefinition> filter, CancellationToken cancellation = default(CancellationToken), CountOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) CancellationToken cancellation An optional cancellation token CountOptions options An optional CountOptions object Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task Type Parameters Name Description T The entity type to get the count for CountAsync(Expression>, CancellationToken, CountOptions, Boolean) Gets an accurate count of how many entities are matched for a given expression/filter Declaration public Task CountAsync(Expression> expression, CancellationToken cancellation = default(CancellationToken), CountOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Expression> expression A lambda expression for getting the count for a subset of the data CancellationToken cancellation An optional cancellation token CountOptions options An optional CountOptions object Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task Type Parameters Name Description T The entity type to get the count for CountAsync(CancellationToken) Gets an accurate count of how many total entities are in the collection for a given entity type Declaration public Task CountAsync(CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T The entity type to get the count for CountEstimatedAsync(CancellationToken) Gets a fast estimation of how many documents are in the collection using metadata. HINT: The estimation may not be exactly accurate. Declaration public Task CountEstimatedAsync(CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T The entity type to get the count for CreateCollectionAsync(Action>, CancellationToken) Creates a collection for an Entity type explicitly using the given options Declaration public Task CreateCollectionAsync(Action> options, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description Action> options The options to use for collection creation CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T The type of entity that will be stored in the created collection DeleteAsync(FilterDefinition, CancellationToken, Collation, Boolean) Deletes matching entities with a filter definition HINT: If the expression matches more than 100,000 entities, they will be deleted in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public Task DeleteAsync(FilterDefinition filter, CancellationToken cancellation = default(CancellationToken), Collation collation = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description FilterDefinition filter A filter definition for matching entities to delete. CancellationToken cancellation An optional cancellation token Collation collation An optional collation object Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity DeleteAsync(IEnumerable, CancellationToken, Boolean) Deletes matching entities from MongoDB HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. TIP: Try to keep the number of entities to delete under 100 in a single call Declaration public Task DeleteAsync(IEnumerable IDs, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description IEnumerable IDs An IEnumerable of entity IDs CancellationToken cancellation An optional cancellation token Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task Type Parameters Name Description T The type of entity DeleteAsync(Func, FilterDefinition>, CancellationToken, Collation, Boolean) Deletes matching entities with a filter expression HINT: If the expression matches more than 100,000 entities, they will be deleted in batches of 100k. HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public Task DeleteAsync(Func, FilterDefinition> filter, CancellationToken cancellation = default(CancellationToken), Collation collation = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) CancellationToken cancellation An optional cancellation token Collation collation An optional collation object Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity DeleteAsync(Expression>, CancellationToken, Collation, Boolean) Deletes matching entities from MongoDB HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. TIP: Try to keep the number of entities to delete under 100 in a single call Declaration public Task DeleteAsync(Expression> expression, CancellationToken cancellation = default(CancellationToken), Collation collation = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Expression> expression A lambda expression for matching entities to delete. CancellationToken cancellation An optional cancellation token Collation collation An optional collation object Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task Type Parameters Name Description T The type of entity DeleteAsync(String, CancellationToken, Boolean) Deletes a single entity from MongoDB HINT: If this entity is referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public Task DeleteAsync(string ID, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description String ID The Id of the entity to delete CancellationToken cancellation An optional cancellation token Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task Type Parameters Name Description T The type of entity Distinct() Represents a MongoDB Distinct command where you can get back distinct values for a given property of a given Entity Declaration public Distinct Distinct() where T : IEntity Returns Type Description Distinct Type Parameters Name Description T Any Entity that implements IEntity interface TProperty The type of the property of the entity you'd like to get unique values for DropCollectionAsync() Deletes the collection of a given entity type as well as the join collections for that entity. TIP: When deleting a collection, all relationships associated with that entity type is also deleted. Declaration public Task DropCollectionAsync() where T : IEntity Returns Type Description Task Type Parameters Name Description T The entity type to drop the collection of Find() Starts a find command for the given entity type Declaration public Find Find() where T : IEntity Returns Type Description Find Type Parameters Name Description T The type of entity Find() Starts a find command with projection support for the given entity type Declaration public Find Find() where T : IEntity Returns Type Description Find Type Parameters Name Description T The type of entity TProjection The type of the end result Fluent(AggregateOptions, Boolean) Exposes the MongoDB collection for the given entity type as IAggregateFluent in order to facilitate Fluent queries Declaration public IAggregateFluent Fluent(AggregateOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description AggregateOptions options The options for the aggregation. This is not required. Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description IAggregateFluent Type Parameters Name Description T The type of entity FluentTextSearch(Search, String, Boolean, Boolean, String, AggregateOptions, Boolean) Start a fluent aggregation pipeline with a $text stage with the supplied parameters TIP: Make sure to define a text index with DB.Index() before searching Declaration public IAggregateFluent FluentTextSearch(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null, AggregateOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Search searchType The type of text matching to do String searchTerm The search term Boolean caseSensitive Case sensitivity of the search (optional) Boolean diacriticSensitive Diacritic sensitivity of the search (optional) String language The language for the search (optional) AggregateOptions options Options for finding documents (not required) Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description IAggregateFluent Type Parameters Name Description T GeoNear(Coordinates2D, Expression>, Boolean, Nullable, Nullable, Nullable, BsonDocument, Nullable, Expression>, String, AggregateOptions, Boolean) Start a fluent aggregation pipeline with a $GeoNear stage with the supplied parameters Declaration public IAggregateFluent GeoNear(Coordinates2D NearCoordinates, Expression> DistanceField, bool Spherical = true, int? MaxDistance = null, int? MinDistance = null, int? Limit = null, BsonDocument Query = null, int? DistanceMultiplier = null, Expression> IncludeLocations = null, string IndexKey = null, AggregateOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Coordinates2D NearCoordinates The coordinates from which to find documents from Expression> DistanceField x => x.Distance Boolean Spherical Calculate distances using spherical geometry or not Nullable MaxDistance The maximum distance in meters from the center point that the documents can be Nullable MinDistance The minimum distance in meters from the center point that the documents can be Nullable Limit The maximum number of documents to return BsonDocument Query Limits the results to the documents that match the query Nullable DistanceMultiplier The factor to multiply all distances returned by the query Expression> IncludeLocations Specify the output field to store the point used to calculate the distance String IndexKey AggregateOptions options The options for the aggregation. This is not required. Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description IAggregateFluent Type Parameters Name Description T The type of entity InsertAsync(T, CancellationToken) Saves a complete entity replacing an existing entity or creating a new one if it does not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public Task InsertAsync(T entity, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The instance to persist CancellationToken cancellation And optional cancellation token Returns Type Description Task Type Parameters Name Description T The type of entity InsertAsync(IEnumerable, CancellationToken) Saves a batch of complete entities replacing an existing entities or creating a new ones if they do not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public Task> InsertAsync(IEnumerable entities, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The entities to persist CancellationToken cancellation And optional cancellation token Returns Type Description Task> Type Parameters Name Description T The type of entity OnBeforeSave() This event hook will be trigged right before an entity is persisted Declaration protected virtual Action OnBeforeSave() where T : IEntity Returns Type Description Action Type Parameters Name Description T Any entity that implements IEntity OnBeforeUpdate() This event hook will be triggered right before an update/replace command is executed Declaration protected virtual Action> OnBeforeUpdate() where T : IEntity Returns Type Description Action> Type Parameters Name Description T Any entity that implements IEntity PagedSearch() Represents an aggregation query that retrieves results with easy paging support. Declaration public PagedSearch PagedSearch() where T : IEntity Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity PagedSearch() Represents an aggregation query that retrieves results with easy paging support. Declaration public PagedSearch PagedSearch() where T : IEntity Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity TProjection The type you'd like to project the results to. PipelineAsync(Template, AggregateOptions, CancellationToken, Boolean) Executes an aggregation pipeline by supplying a 'Template' object. Gets a list back as the result. Declaration public Task> PipelineAsync(Template template, AggregateOptions options = null, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced AggregateOptions options The options for the aggregation. This is not required. CancellationToken cancellation An optional cancellation token Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task> Type Parameters Name Description T The type of entity TResult The type of the resulting objects PipelineCursorAsync(Template, AggregateOptions, CancellationToken, Boolean) Executes an aggregation pipeline by supplying a 'Template' object. Gets a cursor back as the result. Declaration public Task> PipelineCursorAsync(Template template, AggregateOptions options = null, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced AggregateOptions options The options for the aggregation. This is not required. CancellationToken cancellation An optional cancellation token Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task> Type Parameters Name Description T The type of entity TResult The type of the resulting objects PipelineFirstAsync(Template, AggregateOptions, CancellationToken, Boolean) Executes an aggregation pipeline by supplying a 'Template' object. Gets the first or default value as the result. Declaration public Task PipelineFirstAsync(Template template, AggregateOptions options = null, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced AggregateOptions options The options for the aggregation. This is not required. CancellationToken cancellation An optional cancellation token Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task Type Parameters Name Description T The type of entity TResult The type of the resulting objects PipelineSingleAsync(Template, AggregateOptions, CancellationToken, Boolean) Executes an aggregation pipeline by supplying a 'Template' object. Gets a single or default value as the result. Declaration public Task PipelineSingleAsync(Template template, AggregateOptions options = null, CancellationToken cancellation = default(CancellationToken), bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description Template template A 'Template' object with tags replaced AggregateOptions options The options for the aggregation. This is not required. CancellationToken cancellation An optional cancellation token Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description Task Type Parameters Name Description T The type of entity TResult The type of the resulting objects Queryable(AggregateOptions, Boolean) Exposes the MongoDB collection for the given entity type as IQueryable in order to facilitate LINQ queries Declaration public IMongoQueryable Queryable(AggregateOptions options = null, bool ignoreGlobalFilters = false) where T : IEntity Parameters Type Name Description AggregateOptions options The aggregate options Boolean ignoreGlobalFilters Set to true if you'd like to ignore any global filters for this operation Returns Type Description IMongoQueryable Type Parameters Name Description T The type of entity Replace() Starts a replace command for the given entity type TIP: Only the first matched entity will be replaced Declaration public Replace Replace() where T : IEntity Returns Type Description Replace Type Parameters Name Description T The type of entity SaveAsync(T, CancellationToken) Saves a complete entity replacing an existing entity or creating a new one if it does not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public Task SaveAsync(T entity, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The instance to persist CancellationToken cancellation And optional cancellation token Returns Type Description Task Type Parameters Name Description T The type of entity SaveAsync(IEnumerable, CancellationToken) Saves a batch of complete entities replacing an existing entities or creating a new ones if they do not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public Task> SaveAsync(IEnumerable entities, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The entities to persist CancellationToken cancellation And optional cancellation token Returns Type Description Task> Type Parameters Name Description T The type of entity SaveExceptAsync(T, IEnumerable, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public Task SaveExceptAsync(T entity, IEnumerable propNames, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(T, Expression>, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public Task SaveExceptAsync(T entity, Expression> members, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save Expression> members x => new { x.PropOne, x.PropTwo } CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, IEnumerable, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public Task> SaveExceptAsync(IEnumerable entities, IEnumerable propNames, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, Expression>, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public Task> SaveExceptAsync(IEnumerable entities, Expression> members, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save Expression> members x => new { x.PropOne, x.PropTwo } CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, IEnumerable, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public Task SaveOnlyAsync(T entity, IEnumerable propNames, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, Expression>, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public Task SaveOnlyAsync(T entity, Expression> members, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save Expression> members x => new { x.PropOne, x.PropTwo } CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, IEnumerable, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public Task> SaveOnlyAsync(IEnumerable entities, IEnumerable propNames, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, Expression>, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public Task> SaveOnlyAsync(IEnumerable entities, Expression> members, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save Expression> members x => new { x.PropOne, x.PropTwo } CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SavePreservingAsync(T, CancellationToken) Saves an entity partially while excluding some properties The properties to be excluded can be specified using the [Preserve] or [DontPreserve] attributes. Declaration public Task SavePreservingAsync(T entity, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T The type of entity SetGlobalFilter(Type, String, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilter(Type type, string jsonString, bool prepend = false) Parameters Type Name Description Type type The type of Entity this global filter should be applied to String jsonString A JSON string filter definition to be applied Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended SetGlobalFilter(FilterDefinition, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilter(FilterDefinition filter, bool prepend = false) where T : IEntity Parameters Type Name Description FilterDefinition filter A filter definition to be applied Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description T The type of Entity this global filter should be applied to SetGlobalFilter(Func, FilterDefinition>, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilter(Func, FilterDefinition> filter, bool prepend = false) where T : IEntity Parameters Type Name Description Func, FilterDefinition> filter b => b.Eq(x => x.Prop1, \"some value\") Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description T The type of Entity this global filter should be applied to SetGlobalFilter(Expression>, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilter(Expression> filter, bool prepend = false) where T : IEntity Parameters Type Name Description Expression> filter x => x.Prop1 == \"some value\" Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description T The type of Entity this global filter should be applied to SetGlobalFilterForBaseClass(FilterDefinition, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilterForBaseClass(FilterDefinition filter, bool prepend = false) where TBase : IEntity Parameters Type Name Description FilterDefinition filter A filter definition to be applied Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description TBase The type of the base class SetGlobalFilterForBaseClass(Func, FilterDefinition>, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilterForBaseClass(Func, FilterDefinition> filter, bool prepend = false) where TBase : IEntity Parameters Type Name Description Func, FilterDefinition> filter b => b.Eq(x => x.Prop1, \"some value\") Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description TBase The type of the base class SetGlobalFilterForBaseClass(Expression>, Boolean) Specify a global filter to be applied to all operations performed with this DBContext Declaration protected void SetGlobalFilterForBaseClass(Expression> filter, bool prepend = false) where TBase : IEntity Parameters Type Name Description Expression> filter b => b.Eq(x => x.Prop1, \"some value\") Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description TBase The type of the base class SetGlobalFilterForInterface(String, Boolean) Specify a global filter for all entity types that implements a given interface Declaration protected void SetGlobalFilterForInterface(string jsonString, bool prepend = false) Parameters Type Name Description String jsonString A JSON string filter definition to be applied Boolean prepend Set to true if you want to prepend this global filter to your operation filters instead of being appended Type Parameters Name Description TInterface The interface type to target. Will throw if supplied argument is not an interface type Transaction(String, ClientSessionOptions) Starts a transaction and returns a session object. WARNING: Only one transaction is allowed per DBContext instance. Call Session.Dispose() and assign a null to it before calling this method a second time. Trying to start a second transaction for this DBContext instance will throw an exception. Declaration public IClientSessionHandle Transaction(string database = null, ClientSessionOptions options = null) Parameters Type Name Description String database The name of the database to use for this transaction. default db is used if not specified ClientSessionOptions options Client session options for this transaction Returns Type Description IClientSessionHandle Transaction(ClientSessionOptions) Starts a transaction and returns a session object for a given entity type. WARNING: Only one transaction is allowed per DBContext instance. Call Session.Dispose() and assign a null to it before calling this method a second time. Trying to start a second transaction for this DBContext instance will throw an exception. Declaration public IClientSessionHandle Transaction(ClientSessionOptions options = null) where T : IEntity Parameters Type Name Description ClientSessionOptions options Client session options (not required) Returns Type Description IClientSessionHandle Type Parameters Name Description T The entity type to determine the database from for the transaction Update() Starts an update command for the given entity type Declaration public Update Update() where T : IEntity Returns Type Description Update Type Parameters Name Description T The type of entity UpdateAndGet() Starts an update-and-get command for the given entity type Declaration public UpdateAndGet UpdateAndGet() where T : IEntity Returns Type Description UpdateAndGet Type Parameters Name Description T The type of entity UpdateAndGet() Starts an update-and-get command with projection support for the given entity type Declaration public UpdateAndGet UpdateAndGet() where T : IEntity Returns Type Description UpdateAndGet Type Parameters Name Description T The type of entity TProjection The type of the end result" + }, + "api/MongoDB.Entities.DataStreamer.html": { + "href": "api/MongoDB.Entities.DataStreamer.html", + "title": "Class DataStreamer | MongoDB.Entities", + "keywords": "Class DataStreamer Provides the interface for uploading and downloading data chunks for file entities. Inheritance Object DataStreamer Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class DataStreamer Methods DeleteBinaryChunks(IClientSessionHandle, CancellationToken) Deletes only the binary chunks stored in the database for this file entity. Declaration public Task DeleteBinaryChunks(IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token. Returns Type Description Task DownloadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) Download binary data for this file entity from mongodb in chunks into a given stream. Declaration public async Task DownloadAsync(Stream stream, int batchSize = 1, CancellationToken cancellation = default(CancellationToken), IClientSessionHandle session = null) Parameters Type Name Description Stream stream The output stream to write the data Int32 batchSize The number of chunks you want returned at once CancellationToken cancellation An optional cancellation token. IClientSessionHandle session An optional session if using within a transaction Returns Type Description Task DownloadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) Download binary data for this file entity from mongodb in chunks into a given stream with a timeout period. Declaration public Task DownloadWithTimeoutAsync(Stream stream, int timeOutSeconds, int batchSize = 1, IClientSessionHandle session = null) Parameters Type Name Description Stream stream The output stream to write the data Int32 timeOutSeconds The maximum number of seconds allowed for the operation to complete Int32 batchSize IClientSessionHandle session Returns Type Description Task UploadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) Upload binary data for this file entity into mongodb in chunks from a given stream. TIP: Make sure to save the entity before calling this method. Declaration public async Task UploadAsync(Stream stream, int chunkSizeKB = 256, CancellationToken cancellation = default(CancellationToken), IClientSessionHandle session = null) Parameters Type Name Description Stream stream The input stream to read the data from Int32 chunkSizeKB The 'average' size of one chunk in KiloBytes CancellationToken cancellation An optional cancellation token. IClientSessionHandle session An optional session if using within a transaction Returns Type Description Task UploadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) Upload binary data for this file entity into mongodb in chunks from a given stream with a timeout period. Declaration public Task UploadWithTimeoutAsync(Stream stream, int timeOutSeconds, int chunkSizeKB = 256, IClientSessionHandle session = null) Parameters Type Name Description Stream stream The input stream to read the data from Int32 timeOutSeconds The maximum number of seconds allowed for the operation to complete Int32 chunkSizeKB The 'average' size of one chunk in KiloBytes IClientSessionHandle session An optional session if using within a transaction Returns Type Description Task" + }, + "api/MongoDB.Entities.Date.html": { + "href": "api/MongoDB.Entities.Date.html", + "title": "Class Date | MongoDB.Entities", + "keywords": "Class Date A custom date/time type for precision datetime handling Inheritance Object Date Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Date Constructors Date() Declaration public Date() Date(DateTime) instantiate a Date with a DateTime Declaration public Date(DateTime dateTime) Parameters Type Name Description DateTime dateTime the DateTime Date(Int64) instantiate a Date with ticks Declaration public Date(long ticks) Parameters Type Name Description Int64 ticks the ticks Properties DateTime Declaration public DateTime DateTime { get; set; } Property Value Type Description DateTime Ticks Declaration public long Ticks { get; set; } Property Value Type Description Int64" }, "api/MongoDB.Entities.Distinct-2.html": { "href": "api/MongoDB.Entities.Distinct-2.html", "title": "Class Distinct | MongoDB.Entities", - "keywords": "Class Distinct Represents a MongoDB Distinct command where you can get back distinct values for a given property of a given Entity. Inheritance System.Object Distinct Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Distinct where T : IEntity Type Parameters Name Description T Any Entity that implements IEntity interface TProperty The type of the property of the entity you'd like to get unique values for Methods ExecuteAsync(CancellationToken) Run the Distinct command in MongoDB server and get a list of unique property values Declaration public async Task> ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.Collections.Generic.List > ExecuteCursorAsync(CancellationToken) Run the Distinct command in MongoDB server and get a cursor instead of materialized results Declaration public Task> ExecuteCursorAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.IAsyncCursor > IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public Distinct IgnoreGlobalFilters() Returns Type Description Distinct Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public Distinct Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do System.String searchTerm The search term System.Boolean caseSensitive Case sensitivity of the search (optional) System.Boolean diacriticSensitive Diacritic sensitivity of the search (optional) System.String language The language for the search (optional) Returns Type Description Distinct Match(Template) Specify the matching criteria with a template Declaration public Distinct Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description Distinct Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public Distinct Match(Func, FilterDefinition> filter) Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description Distinct Match(Expression>) Specify the matching criteria with a lambda expression Declaration public Distinct Match(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.Property == Value Returns Type Description Distinct Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public Distinct Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point System.Nullable < System.Double > maxDistance Maximum distance in meters from the search point System.Nullable < System.Double > minDistance Minimum distance in meters from the search point Returns Type Description Distinct MatchExpression(Template) Specify the matching criteria with a Template Declaration public Distinct MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description Distinct MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public Distinct MatchExpression(string expression) Parameters Type Name Description System.String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description Distinct MatchString(String) Specify the matching criteria with a JSON string Declaration public Distinct MatchString(string jsonString) Parameters Type Name Description System.String jsonString { Title : 'The Power Of Now' } Returns Type Description Distinct Option(Action) Specify an option for this find command (use multiple times if needed) Declaration public Distinct Option(Action option) Parameters Type Name Description System.Action < MongoDB.Driver.DistinctOptions > option x => x.OptionName = OptionValue Returns Type Description Distinct Property(Expression>) Specify the property you want to get the unique values for (as a member expression) Declaration public Distinct Property(Expression> property) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > property x => x.Address.Street Returns Type Description Distinct Property(String) Specify the property you want to get the unique values for (as a string path) Declaration public Distinct Property(string property) Parameters Type Name Description System.String property ex: \"Address.Street\" Returns Type Description Distinct " + "keywords": "Class Distinct Represents a MongoDB Distinct command where you can get back distinct values for a given property of a given Entity. Inheritance Object Distinct Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Distinct where T : IEntity Type Parameters Name Description T Any Entity that implements IEntity interface TProperty The type of the property of the entity you'd like to get unique values for Methods ExecuteAsync(CancellationToken) Run the Distinct command in MongoDB server and get a list of unique property values Declaration public async Task> ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task> ExecuteCursorAsync(CancellationToken) Run the Distinct command in MongoDB server and get a cursor instead of materialized results Declaration public Task> ExecuteCursorAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task> IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public Distinct IgnoreGlobalFilters() Returns Type Description Distinct Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public Distinct Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do String searchTerm The search term Boolean caseSensitive Case sensitivity of the search (optional) Boolean diacriticSensitive Diacritic sensitivity of the search (optional) String language The language for the search (optional) Returns Type Description Distinct Match(Template) Specify the matching criteria with a template Declaration public Distinct Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description Distinct Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public Distinct Match(Func, FilterDefinition> filter) Parameters Type Name Description Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description Distinct Match(Expression>) Specify the matching criteria with a lambda expression Declaration public Distinct Match(Expression> expression) Parameters Type Name Description Expression> expression x => x.Property == Value Returns Type Description Distinct Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public Distinct Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description Expression> coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point Nullable maxDistance Maximum distance in meters from the search point Nullable minDistance Minimum distance in meters from the search point Returns Type Description Distinct MatchExpression(Template) Specify the matching criteria with a Template Declaration public Distinct MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description Distinct MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public Distinct MatchExpression(string expression) Parameters Type Name Description String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description Distinct MatchString(String) Specify the matching criteria with a JSON string Declaration public Distinct MatchString(string jsonString) Parameters Type Name Description String jsonString { Title : 'The Power Of Now' } Returns Type Description Distinct Option(Action) Specify an option for this find command (use multiple times if needed) Declaration public Distinct Option(Action option) Parameters Type Name Description Action option x => x.OptionName = OptionValue Returns Type Description Distinct Property(Expression>) Specify the property you want to get the unique values for (as a member expression) Declaration public Distinct Property(Expression> property) Parameters Type Name Description Expression> property x => x.Address.Street Returns Type Description Distinct Property(String) Specify the property you want to get the unique values for (as a string path) Declaration public Distinct Property(string property) Parameters Type Name Description String property ex: \"Address.Street\" Returns Type Description Distinct" }, "api/MongoDB.Entities.DontPreserveAttribute.html": { "href": "api/MongoDB.Entities.DontPreserveAttribute.html", "title": "Class DontPreserveAttribute | MongoDB.Entities", - "keywords": "Class DontPreserveAttribute Properties that don't have this attribute will be omitted when using SavePreserving() TIP: These attribute decorations are only effective if you do not specify a preservation expression when calling SavePreserving() Inheritance System.Object System.Attribute DontPreserveAttribute Inherited Members System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class DontPreserveAttribute : Attribute" + "keywords": "Class DontPreserveAttribute Properties that don't have this attribute will be omitted when using SavePreserving() TIP: These attribute decorations are only effective if you do not specify a preservation expression when calling SavePreserving() Inheritance Object Attribute DontPreserveAttribute Inherited Members Attribute.Equals(Object) Attribute.GetCustomAttribute(Assembly, Type) Attribute.GetCustomAttribute(Assembly, Type, Boolean) Attribute.GetCustomAttribute(MemberInfo, Type) Attribute.GetCustomAttribute(MemberInfo, Type, Boolean) Attribute.GetCustomAttribute(Module, Type) Attribute.GetCustomAttribute(Module, Type, Boolean) Attribute.GetCustomAttribute(ParameterInfo, Type) Attribute.GetCustomAttribute(ParameterInfo, Type, Boolean) Attribute.GetCustomAttributes(Assembly) Attribute.GetCustomAttributes(Assembly, Boolean) Attribute.GetCustomAttributes(Assembly, Type) Attribute.GetCustomAttributes(Assembly, Type, Boolean) Attribute.GetCustomAttributes(MemberInfo) Attribute.GetCustomAttributes(MemberInfo, Boolean) Attribute.GetCustomAttributes(MemberInfo, Type) Attribute.GetCustomAttributes(MemberInfo, Type, Boolean) Attribute.GetCustomAttributes(Module) Attribute.GetCustomAttributes(Module, Boolean) Attribute.GetCustomAttributes(Module, Type) Attribute.GetCustomAttributes(Module, Type, Boolean) Attribute.GetCustomAttributes(ParameterInfo) Attribute.GetCustomAttributes(ParameterInfo, Boolean) Attribute.GetCustomAttributes(ParameterInfo, Type) Attribute.GetCustomAttributes(ParameterInfo, Type, Boolean) Attribute.GetHashCode() Attribute.IsDefaultAttribute() Attribute.IsDefined(Assembly, Type) Attribute.IsDefined(Assembly, Type, Boolean) Attribute.IsDefined(MemberInfo, Type) Attribute.IsDefined(MemberInfo, Type, Boolean) Attribute.IsDefined(Module, Type) Attribute.IsDefined(Module, Type, Boolean) Attribute.IsDefined(ParameterInfo, Type) Attribute.IsDefined(ParameterInfo, Type, Boolean) Attribute.Match(Object) Attribute.TypeId Object.Equals(Object, Object) Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class DontPreserveAttribute : Attribute" }, "api/MongoDB.Entities.Entity.html": { "href": "api/MongoDB.Entities.Entity.html", "title": "Class Entity | MongoDB.Entities", - "keywords": "Class Entity Inherit this class for all entities you want to store in their own collection. Inheritance System.Object Entity FileEntity JoinRecord Migration Implements IEntity Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public abstract class Entity : IEntity Properties ID This property is auto managed. A new ID will be assigned for new entities upon saving. Declaration [BsonId] [AsObjectId] public string ID { get; set; } Property Value Type Description System.String Methods GenerateNewID() Override this method in order to control the generation of IDs for new entities. Declaration public virtual string GenerateNewID() Returns Type Description System.String Implements IEntity Extension Methods Extensions.Collection(T) Extensions.CollectionName(T) Extensions.Database(T) Extensions.DatabaseName(T) Extensions.DeleteAsync(T, IClientSessionHandle, CancellationToken) Extensions.Fluent(T, IClientSessionHandle, AggregateOptions) Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) Extensions.NextSequentialNumberAsync(T, CancellationToken) Extensions.Queryable(T, AggregateOptions) Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Extensions.ToDocument(T) Extensions.ToReference(T) Extensions.InitManyToMany(IEntity, Expression>>, Expression>) Extensions.InitOneToMany(IEntity, Expression>>)" + "keywords": "Class Entity Inherit this class for all entities you want to store in their own collection. Inheritance Object Entity FileEntity JoinRecord Migration Implements IEntity Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public abstract class Entity : IEntity Properties ID This property is auto managed. A new ID will be assigned for new entities upon saving. Declaration [BsonId] [AsObjectId] public string ID { get; set; } Property Value Type Description String Methods GenerateNewID() Override this method in order to control the generation of IDs for new entities. Declaration public virtual string GenerateNewID() Returns Type Description String Implements IEntity Extension Methods Extensions.Collection(T) Extensions.CollectionName(T) Extensions.Database(T) Extensions.DatabaseName(T) Extensions.DeleteAsync(T, IClientSessionHandle, CancellationToken) Extensions.Fluent(T, IClientSessionHandle, AggregateOptions) Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) Extensions.NextSequentialNumberAsync(T, CancellationToken) Extensions.Queryable(T, AggregateOptions) Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Extensions.ToDocument(T) Extensions.ToReference(T) Extensions.InitManyToMany(IEntity, Expression>>, Expression>) Extensions.InitOneToMany(IEntity, Expression>>)" }, "api/MongoDB.Entities.EventType.html": { "href": "api/MongoDB.Entities.EventType.html", "title": "Enum EventType | MongoDB.Entities", - "keywords": "Enum EventType Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [Flags] public enum EventType Fields Name Description Created Deleted Updated" + "keywords": "Enum EventType Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [Flags] public enum EventType Fields Name Description Created Deleted Updated" }, "api/MongoDB.Entities.Extensions.html": { "href": "api/MongoDB.Entities.Extensions.html", "title": "Class Extensions | MongoDB.Entities", - "keywords": "Class Extensions Extension methods for entities Inheritance System.Object Extensions Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public static class Extensions Methods Collection(T) Gets the IMongoCollection for a given IEntity type. TIP: Try never to use this unless really neccessary. Declaration public static IMongoCollection Collection(this T _) where T : IEntity Parameters Type Name Description T _ Returns Type Description MongoDB.Driver.IMongoCollection Type Parameters Name Description T Any class that implements IEntity CollectionName(T) Gets the collection name for this entity Declaration public static string CollectionName(this T _) where T : IEntity Parameters Type Name Description T _ Returns Type Description System.String Type Parameters Name Description T Database(T) Gets the IMongoDatabase for the given entity type Declaration public static IMongoDatabase Database(this T _) where T : IEntity Parameters Type Name Description T _ Returns Type Description MongoDB.Driver.IMongoDatabase Type Parameters Name Description T The type of entity DatabaseName(T) Gets the name of the database this entity is attached to. Returns name of default database if not specifically attached. Declaration public static string DatabaseName(this T _) where T : IEntity Parameters Type Name Description T _ Returns Type Description System.String Type Parameters Name Description T DeleteAllAsync(IEnumerable, IClientSessionHandle, CancellationToken) Deletes multiple entities from the database HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static Task DeleteAllAsync(this IEnumerable entities, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities MongoDB.Driver.IClientSessionHandle session System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T DeleteAsync(T, IClientSessionHandle, CancellationToken) Deletes a single entity from MongoDB. HINT: If this entity is referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static Task DeleteAsync(this T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity MongoDB.Driver.IClientSessionHandle session System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.DeleteResult > Type Parameters Name Description T Distinct(IAggregateFluent) Adds a distinct aggregation stage to a fluent pipeline. Declaration public static IAggregateFluent Distinct(this IAggregateFluent aggregate) where T : IEntity Parameters Type Name Description MongoDB.Driver.IAggregateFluent aggregate Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description T Any class that implements IEntity DropAsync(IMongoCollection) Drops a join collection Declaration public static Task DropAsync(this IMongoCollection collection) Parameters Type Name Description MongoDB.Driver.IMongoCollection < JoinRecord > collection Returns Type Description System.Threading.Tasks.Task ExistsAsync(IMongoDatabase, Int32) Checks to see if the database already exists on the mongodb server Declaration public static async Task ExistsAsync(this IMongoDatabase db, int timeoutSeconds = 5) Parameters Type Name Description MongoDB.Driver.IMongoDatabase db System.Int32 timeoutSeconds The number of seconds to keep trying Returns Type Description System.Threading.Tasks.Task < System.Boolean > Fluent(T, IClientSessionHandle, AggregateOptions) An IAggregateFluent collection of sibling Entities. Declaration public static IAggregateFluent Fluent(this T _, IClientSessionHandle session = null, AggregateOptions options = null) where T : IEntity Parameters Type Name Description T _ MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction MongoDB.Driver.AggregateOptions options The options for the aggregation. This is not required. Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description T FullPath(Expression>) Returns the full dotted path of a property for the given expression Declaration public static string FullPath(this Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression Returns Type Description System.String Type Parameters Name Description T Any class that implements IEntity InitManyToMany(IEntity, Expression>>, Expression>) Initializes supplied property with a new Many-To-Many relationship. Declaration public static void InitManyToMany(this IEntity parent, Expression>> propertyToInit, Expression> propertyOtherSide) where TChild : IEntity Parameters Type Name Description IEntity parent System.Linq.Expressions.Expression < System.Func < Many >> propertyToInit () = > PropertyName System.Linq.Expressions.Expression < System.Func > propertyOtherSide x => x.PropertyName Type Parameters Name Description TChild InitOneToMany(IEntity, Expression>>) Initializes supplied property with a new One-To-Many relationship. Declaration public static void InitOneToMany(this IEntity parent, Expression>> propertyToInit) where TChild : IEntity Parameters Type Name Description IEntity parent System.Linq.Expressions.Expression < System.Func < Many >> propertyToInit () => PropertyName Type Parameters Name Description TChild InsertAsync(T, IClientSessionHandle, CancellationToken) Inserts a new entity into the colleciton. Declaration public static Task InsertAsync(this T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T InsertAsync(IEnumerable, IClientSessionHandle, CancellationToken) Inserts a batch of new entities into the collection. Declaration public static Task> InsertAsync(this IEnumerable entities, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T IsAccessibleAsync(IMongoDatabase, Int32) Pings the mongodb server to check if it's still connectable Declaration public static async Task IsAccessibleAsync(this IMongoDatabase db, int timeoutSeconds = 5) Parameters Type Name Description MongoDB.Driver.IMongoDatabase db System.Int32 timeoutSeconds The number of seconds to keep trying Returns Type Description System.Threading.Tasks.Task < System.Boolean > Match(IAggregateFluent, Func, FilterDefinition>) Appends a match stage to the pipeline with a filter expression Declaration public static IAggregateFluent Match(this IAggregateFluent aggregate, Func, FilterDefinition> filter) where T : IEntity Parameters Type Name Description MongoDB.Driver.IAggregateFluent aggregate System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description T Any class that implements IEntity MatchExpression(IAggregateFluent, String) Appends a match stage to the pipeline with an aggregation expression (i.e. $expr) Declaration public static IAggregateFluent MatchExpression(this IAggregateFluent aggregate, string expression) where T : IEntity Parameters Type Name Description MongoDB.Driver.IAggregateFluent aggregate System.String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description T Any class that implements IEntity NextSequentialNumberAsync(T, CancellationToken) Returns an atomically generated sequential number for the given Entity type everytime the method is called Declaration public static Task NextSequentialNumberAsync(this T _, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T _ System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.UInt64 > Type Parameters Name Description T PagedSearch(IAggregateFluent) Starts a paged search pipeline for this fluent pipeline Declaration public static PagedSearch PagedSearch(this IAggregateFluent aggregate) where T : IEntity Parameters Type Name Description MongoDB.Driver.IAggregateFluent aggregate Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity PagedSearch(IAggregateFluent) Starts a paged search pipeline for this fluent pipeline Declaration public static PagedSearch PagedSearch(this IAggregateFluent aggregate) where T : IEntity Parameters Type Name Description MongoDB.Driver.IAggregateFluent aggregate Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity TProjection The type of the resulting projection Queryable(T, AggregateOptions) An IQueryable collection of sibling Entities. Declaration public static IMongoQueryable Queryable(this T _, AggregateOptions options = null) where T : IEntity Parameters Type Name Description T _ MongoDB.Driver.AggregateOptions options Returns Type Description MongoDB.Driver.Linq.IMongoQueryable Type Parameters Name Description T SaveAsync(T, IClientSessionHandle, CancellationToken) Saves a complete entity replacing an existing entity or creating a new one if it does not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public static Task SaveAsync(this T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task Type Parameters Name Description T SaveAsync(IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of complete entities replacing existing ones or creating new ones if they do not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public static Task> SaveAsync(this IEnumerable entities, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task SaveExceptAsync(this T entity, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task SaveExceptAsync(this T entity, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task> SaveExceptAsync(this IEnumerable entities, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task> SaveExceptAsync(this IEnumerable entities, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task SaveOnlyAsync(this T entity, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task SaveOnlyAsync(this T entity, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task> SaveOnlyAsync(this IEnumerable entities, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Collections.Generic.IEnumerable < System.String > propNames new List { \"PropOne\", \"PropTwo\" } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task> SaveOnlyAsync(this IEnumerable entities, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities The batch of entities to save System.Linq.Expressions.Expression < System.Func > members x => new { x.PropOne, x.PropTwo } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.BulkWriteResult > Type Parameters Name Description T Any class that implements IEntity SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Saves an entity partially while excluding some properties. The properties to be excluded can be specified using the [Preserve] attribute. Declaration public static Task SavePreservingAsync(this T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save MongoDB.Driver.IClientSessionHandle session System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > Type Parameters Name Description T Any class that implements IEntity SortByRelevance(IEnumerable, String, Func, Nullable) Sort a list of objects by relevance to a given string using Levenshtein Distance Declaration public static IEnumerable SortByRelevance(this IEnumerable objects, string searchTerm, Func propertyToSortBy, int? maxDistance = null) Parameters Type Name Description System.Collections.Generic.IEnumerable objects The list of objects to sort System.String searchTerm The term to measure relevance to System.Func propertyToSortBy x => x.PropertyName [the term will be matched against the value of this property] System.Nullable < System.Int32 > maxDistance The maximum levenstein distance to qualify an item for inclusion in the returned list Returns Type Description System.Collections.Generic.IEnumerable Type Parameters Name Description T Any object type ToBatches(IEnumerable, Int32) Extension method for processing collections in batches with streaming (yield return) Declaration public static IEnumerable> ToBatches(this IEnumerable collection, int batchSize = 100) Parameters Type Name Description System.Collections.Generic.IEnumerable collection The source collection System.Int32 batchSize The size of each batch Returns Type Description System.Collections.Generic.IEnumerable < System.Collections.Generic.IEnumerable > Type Parameters Name Description T The type of the objects inside the source collection ToDate(DateTime) converts a System.DateTime instance to a Date instance. Declaration public static Date ToDate(this DateTime dateTime) Parameters Type Name Description System.DateTime dateTime the System.DateTime instance to convert Returns Type Description Date ToDate(Int64) converts ticks to a Date instance. Declaration public static Date ToDate(this long ticks) Parameters Type Name Description System.Int64 ticks the ticks to convert Returns Type Description Date ToDocument(T) Creates an unlinked duplicate of the original IEntity ready for embedding with a blank ID. Declaration public static T ToDocument(this T entity) where T : IEntity Parameters Type Name Description T entity Returns Type Description T Type Parameters Name Description T ToDocuments(T[]) Creates unlinked duplicates of the original Entities ready for embedding with blank IDs. Declaration public static T[] ToDocuments(this T[] entities) where T : IEntity Parameters Type Name Description T[] entities Returns Type Description T[] Type Parameters Name Description T ToDocuments(IEnumerable) Creates unlinked duplicates of the original Entities ready for embedding with blank IDs. Declaration public static IEnumerable ToDocuments(this IEnumerable entities) where T : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable entities Returns Type Description System.Collections.Generic.IEnumerable Type Parameters Name Description T ToDoubleMetaphoneHash(String) Converts a search term to Double Metaphone hash code suitable for fuzzy text searching. Declaration public static string ToDoubleMetaphoneHash(this string term) Parameters Type Name Description System.String term A single or multiple word search term Returns Type Description System.String ToFuzzy(String) converts a string value to a FuzzyString Declaration public static FuzzyString ToFuzzy(this string value) Parameters Type Name Description System.String value the string to convert Returns Type Description FuzzyString ToReference(T) Returns a reference to this entity. Declaration public static One ToReference(this T entity) where T : IEntity Parameters Type Name Description T entity Returns Type Description One Type Parameters Name Description T" + "keywords": "Class Extensions Extension methods for entities Inheritance Object Extensions Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public static class Extensions Methods Collection(T) Gets the IMongoCollection for a given IEntity type. TIP: Try never to use this unless really neccessary. Declaration public static IMongoCollection Collection(this T _) where T : IEntity Parameters Type Name Description T _ Returns Type Description IMongoCollection Type Parameters Name Description T Any class that implements IEntity CollectionName(T) Gets the collection name for this entity Declaration public static string CollectionName(this T _) where T : IEntity Parameters Type Name Description T _ Returns Type Description String Type Parameters Name Description T Database(T) Gets the IMongoDatabase for the given entity type Declaration public static IMongoDatabase Database(this T _) where T : IEntity Parameters Type Name Description T _ Returns Type Description IMongoDatabase Type Parameters Name Description T The type of entity DatabaseName(T) Gets the name of the database this entity is attached to. Returns name of default database if not specifically attached. Declaration public static string DatabaseName(this T _) where T : IEntity Parameters Type Name Description T _ Returns Type Description String Type Parameters Name Description T DeleteAllAsync(IEnumerable, IClientSessionHandle, CancellationToken) Deletes multiple entities from the database HINT: If these entities are referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static Task DeleteAllAsync(this IEnumerable entities, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities IClientSessionHandle session CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T DeleteAsync(T, IClientSessionHandle, CancellationToken) Deletes a single entity from MongoDB. HINT: If this entity is referenced by one-to-many/many-to-many relationships, those references are also deleted. Declaration public static Task DeleteAsync(this T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity IClientSessionHandle session CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Distinct(IAggregateFluent) Adds a distinct aggregation stage to a fluent pipeline. Declaration public static IAggregateFluent Distinct(this IAggregateFluent aggregate) where T : IEntity Parameters Type Name Description IAggregateFluent aggregate Returns Type Description IAggregateFluent Type Parameters Name Description T Any class that implements IEntity DropAsync(IMongoCollection) Drops a join collection Declaration public static Task DropAsync(this IMongoCollection collection) Parameters Type Name Description IMongoCollection collection Returns Type Description Task ExistsAsync(IMongoDatabase, Int32) Checks to see if the database already exists on the mongodb server Declaration public static async Task ExistsAsync(this IMongoDatabase db, int timeoutSeconds = 5) Parameters Type Name Description IMongoDatabase db Int32 timeoutSeconds The number of seconds to keep trying Returns Type Description Task Fluent(T, IClientSessionHandle, AggregateOptions) An IAggregateFluent collection of sibling Entities. Declaration public static IAggregateFluent Fluent(this T _, IClientSessionHandle session = null, AggregateOptions options = null) where T : IEntity Parameters Type Name Description T _ IClientSessionHandle session An optional session if using within a transaction AggregateOptions options The options for the aggregation. This is not required. Returns Type Description IAggregateFluent Type Parameters Name Description T FullPath(Expression>) Returns the full dotted path of a property for the given expression Declaration public static string FullPath(this Expression> expression) Parameters Type Name Description Expression> expression Returns Type Description String Type Parameters Name Description T Any class that implements IEntity InitManyToMany(IEntity, Expression>>, Expression>) Initializes supplied property with a new Many-To-Many relationship. Declaration public static void InitManyToMany(this IEntity parent, Expression>> propertyToInit, Expression> propertyOtherSide) where TChild : IEntity Parameters Type Name Description IEntity parent Expression>> propertyToInit () = > PropertyName Expression> propertyOtherSide x => x.PropertyName Type Parameters Name Description TChild InitOneToMany(IEntity, Expression>>) Initializes supplied property with a new One-To-Many relationship. Declaration public static void InitOneToMany(this IEntity parent, Expression>> propertyToInit) where TChild : IEntity Parameters Type Name Description IEntity parent Expression>> propertyToInit () => PropertyName Type Parameters Name Description TChild InsertAsync(T, IClientSessionHandle, CancellationToken) Inserts a new entity into the colleciton. Declaration public static Task InsertAsync(this T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T InsertAsync(IEnumerable, IClientSessionHandle, CancellationToken) Inserts a batch of new entities into the collection. Declaration public static Task> InsertAsync(this IEnumerable entities, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T IsAccessibleAsync(IMongoDatabase, Int32) Pings the mongodb server to check if it's still connectable Declaration public static async Task IsAccessibleAsync(this IMongoDatabase db, int timeoutSeconds = 5) Parameters Type Name Description IMongoDatabase db Int32 timeoutSeconds The number of seconds to keep trying Returns Type Description Task Match(IAggregateFluent, Func, FilterDefinition>) Appends a match stage to the pipeline with a filter expression Declaration public static IAggregateFluent Match(this IAggregateFluent aggregate, Func, FilterDefinition> filter) where T : IEntity Parameters Type Name Description IAggregateFluent aggregate Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description IAggregateFluent Type Parameters Name Description T Any class that implements IEntity MatchExpression(IAggregateFluent, String) Appends a match stage to the pipeline with an aggregation expression (i.e. $expr) Declaration public static IAggregateFluent MatchExpression(this IAggregateFluent aggregate, string expression) where T : IEntity Parameters Type Name Description IAggregateFluent aggregate String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description IAggregateFluent Type Parameters Name Description T Any class that implements IEntity NextSequentialNumberAsync(T, CancellationToken) Returns an atomically generated sequential number for the given Entity type everytime the method is called Declaration public static Task NextSequentialNumberAsync(this T _, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T _ CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T PagedSearch(IAggregateFluent) Starts a paged search pipeline for this fluent pipeline Declaration public static PagedSearch PagedSearch(this IAggregateFluent aggregate) where T : IEntity Parameters Type Name Description IAggregateFluent aggregate Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity PagedSearch(IAggregateFluent) Starts a paged search pipeline for this fluent pipeline Declaration public static PagedSearch PagedSearch(this IAggregateFluent aggregate) where T : IEntity Parameters Type Name Description IAggregateFluent aggregate Returns Type Description PagedSearch Type Parameters Name Description T Any class that implements IEntity TProjection The type of the resulting projection Queryable(T, AggregateOptions) An IQueryable collection of sibling Entities. Declaration public static IMongoQueryable Queryable(this T _, AggregateOptions options = null) where T : IEntity Parameters Type Name Description T _ AggregateOptions options Returns Type Description IMongoQueryable Type Parameters Name Description T SaveAsync(T, IClientSessionHandle, CancellationToken) Saves a complete entity replacing an existing entity or creating a new one if it does not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public static Task SaveAsync(this T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T SaveAsync(IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of complete entities replacing existing ones or creating new ones if they do not exist. If ID value is null, a new entity is created. If ID has a value, then existing entity is replaced. Declaration public static Task> SaveAsync(this IEnumerable entities, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task SaveExceptAsync(this T entity, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Saves an entity partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task SaveExceptAsync(this T entity, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save Expression> members x => new { x.PropOne, x.PropTwo } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task> SaveExceptAsync(this IEnumerable entities, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SaveExceptAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Saves a batch of entities partially excluding the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be excluded can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task> SaveExceptAsync(this IEnumerable entities, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save Expression> members x => new { x.PropOne, x.PropTwo } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task SaveOnlyAsync(this T entity, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Saves an entity partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task SaveOnlyAsync(this T entity, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save Expression> members x => new { x.PropOne, x.PropTwo } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with an IEnumerable. Property names must match exactly. Declaration public static Task> SaveOnlyAsync(this IEnumerable entities, IEnumerable propNames, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save IEnumerable propNames new List { \"PropOne\", \"PropTwo\" } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SaveOnlyAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Saves a batch of entities partially with only the specified subset of properties. If ID value is null, a new entity is created. If ID has a value, then existing entity is updated. TIP: The properties to be saved can be specified with a 'New' expression. You can only specify root level properties with the expression. Declaration public static Task> SaveOnlyAsync(this IEnumerable entities, Expression> members, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description IEnumerable entities The batch of entities to save Expression> members x => new { x.PropOne, x.PropTwo } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task> Type Parameters Name Description T Any class that implements IEntity SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Saves an entity partially while excluding some properties. The properties to be excluded can be specified using the [Preserve] attribute. Declaration public static Task SavePreservingAsync(this T entity, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) where T : IEntity Parameters Type Name Description T entity The entity to save IClientSessionHandle session CancellationToken cancellation An optional cancellation token Returns Type Description Task Type Parameters Name Description T Any class that implements IEntity SortByRelevance(IEnumerable, String, Func, Nullable) Sort a list of objects by relevance to a given string using Levenshtein Distance Declaration public static IEnumerable SortByRelevance(this IEnumerable objects, string searchTerm, Func propertyToSortBy, int? maxDistance = null) Parameters Type Name Description IEnumerable objects The list of objects to sort String searchTerm The term to measure relevance to Func propertyToSortBy x => x.PropertyName [the term will be matched against the value of this property] Nullable maxDistance The maximum levenstein distance to qualify an item for inclusion in the returned list Returns Type Description IEnumerable Type Parameters Name Description T Any object type ToBatches(IEnumerable, Int32) Extension method for processing collections in batches with streaming (yield return) Declaration public static IEnumerable> ToBatches(this IEnumerable collection, int batchSize = 100) Parameters Type Name Description IEnumerable collection The source collection Int32 batchSize The size of each batch Returns Type Description IEnumerable> Type Parameters Name Description T The type of the objects inside the source collection ToDate(DateTime) converts a System.DateTime instance to a Date instance. Declaration public static Date ToDate(this DateTime dateTime) Parameters Type Name Description DateTime dateTime the System.DateTime instance to convert Returns Type Description Date ToDate(Int64) converts ticks to a Date instance. Declaration public static Date ToDate(this long ticks) Parameters Type Name Description Int64 ticks the ticks to convert Returns Type Description Date ToDocument(T) Creates an unlinked duplicate of the original IEntity ready for embedding with a blank ID. Declaration public static T ToDocument(this T entity) where T : IEntity Parameters Type Name Description T entity Returns Type Description T Type Parameters Name Description T ToDocuments(T[]) Creates unlinked duplicates of the original Entities ready for embedding with blank IDs. Declaration public static T[] ToDocuments(this T[] entities) where T : IEntity Parameters Type Name Description T[] entities Returns Type Description T[] Type Parameters Name Description T ToDocuments(IEnumerable) Creates unlinked duplicates of the original Entities ready for embedding with blank IDs. Declaration public static IEnumerable ToDocuments(this IEnumerable entities) where T : IEntity Parameters Type Name Description IEnumerable entities Returns Type Description IEnumerable Type Parameters Name Description T ToDoubleMetaphoneHash(String) Converts a search term to Double Metaphone hash code suitable for fuzzy text searching. Declaration public static string ToDoubleMetaphoneHash(this string term) Parameters Type Name Description String term A single or multiple word search term Returns Type Description String ToFuzzy(String) converts a string value to a FuzzyString Declaration public static FuzzyString ToFuzzy(this string value) Parameters Type Name Description String value the string to convert Returns Type Description FuzzyString ToReference(T) Returns a reference to this entity. Declaration public static One ToReference(this T entity) where T : IEntity Parameters Type Name Description T entity Returns Type Description One Type Parameters Name Description T" }, "api/MongoDB.Entities.FieldAttribute.html": { "href": "api/MongoDB.Entities.FieldAttribute.html", "title": "Class FieldAttribute | MongoDB.Entities", - "keywords": "Class FieldAttribute Specifies the field name and/or the order of the persisted document. Inheritance System.Object System.Attribute MongoDB.Bson.Serialization.Attributes.BsonElementAttribute FieldAttribute Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute Inherited Members MongoDB.Bson.Serialization.Attributes.BsonElementAttribute.Apply(MongoDB.Bson.Serialization.BsonMemberMap) MongoDB.Bson.Serialization.Attributes.BsonElementAttribute.ElementName MongoDB.Bson.Serialization.Attributes.BsonElementAttribute.Order System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class FieldAttribute : BsonElementAttribute, IBsonMemberMapAttribute Constructors FieldAttribute(Int32) Specifies the field name and/or the order of the persisted document. Declaration public FieldAttribute(int fieldOrder) Parameters Type Name Description System.Int32 fieldOrder FieldAttribute(String, Int32) Specifies the field name and/or the order of the persisted document. Declaration public FieldAttribute(string fieldName, int fieldOrder) Parameters Type Name Description System.String fieldName System.Int32 fieldOrder FieldAttribute(String) Specifies the field name and/or the order of the persisted document. Declaration public FieldAttribute(string fieldName) Parameters Type Name Description System.String fieldName Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute" + "keywords": "Class FieldAttribute Specifies the field name and/or the order of the persisted document. Inheritance Object Attribute BsonElementAttribute FieldAttribute Implements IBsonMemberMapAttribute Inherited Members BsonElementAttribute.Apply(BsonMemberMap) BsonElementAttribute.ElementName BsonElementAttribute.Order Attribute.Equals(Object) Attribute.GetCustomAttribute(Assembly, Type) Attribute.GetCustomAttribute(Assembly, Type, Boolean) Attribute.GetCustomAttribute(MemberInfo, Type) Attribute.GetCustomAttribute(MemberInfo, Type, Boolean) Attribute.GetCustomAttribute(Module, Type) Attribute.GetCustomAttribute(Module, Type, Boolean) Attribute.GetCustomAttribute(ParameterInfo, Type) Attribute.GetCustomAttribute(ParameterInfo, Type, Boolean) Attribute.GetCustomAttributes(Assembly) Attribute.GetCustomAttributes(Assembly, Boolean) Attribute.GetCustomAttributes(Assembly, Type) Attribute.GetCustomAttributes(Assembly, Type, Boolean) Attribute.GetCustomAttributes(MemberInfo) Attribute.GetCustomAttributes(MemberInfo, Boolean) Attribute.GetCustomAttributes(MemberInfo, Type) Attribute.GetCustomAttributes(MemberInfo, Type, Boolean) Attribute.GetCustomAttributes(Module) Attribute.GetCustomAttributes(Module, Boolean) Attribute.GetCustomAttributes(Module, Type) Attribute.GetCustomAttributes(Module, Type, Boolean) Attribute.GetCustomAttributes(ParameterInfo) Attribute.GetCustomAttributes(ParameterInfo, Boolean) Attribute.GetCustomAttributes(ParameterInfo, Type) Attribute.GetCustomAttributes(ParameterInfo, Type, Boolean) Attribute.GetHashCode() Attribute.IsDefaultAttribute() Attribute.IsDefined(Assembly, Type) Attribute.IsDefined(Assembly, Type, Boolean) Attribute.IsDefined(MemberInfo, Type) Attribute.IsDefined(MemberInfo, Type, Boolean) Attribute.IsDefined(Module, Type) Attribute.IsDefined(Module, Type, Boolean) Attribute.IsDefined(ParameterInfo, Type) Attribute.IsDefined(ParameterInfo, Type, Boolean) Attribute.Match(Object) Attribute.TypeId Object.Equals(Object, Object) Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class FieldAttribute : BsonElementAttribute, IBsonMemberMapAttribute Constructors FieldAttribute(Int32) Declaration public FieldAttribute(int fieldOrder) Parameters Type Name Description Int32 fieldOrder FieldAttribute(String, Int32) Declaration public FieldAttribute(string fieldName, int fieldOrder) Parameters Type Name Description String fieldName Int32 fieldOrder FieldAttribute(String) Declaration public FieldAttribute(string fieldName) Parameters Type Name Description String fieldName Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute" }, "api/MongoDB.Entities.FileEntity.html": { "href": "api/MongoDB.Entities.FileEntity.html", "title": "Class FileEntity | MongoDB.Entities", - "keywords": "Class FileEntity Inherit this base class in order to create your own File Entities Inheritance System.Object Entity FileEntity Implements IEntity Inherited Members Entity.ID Entity.GenerateNewID() System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public abstract class FileEntity : Entity, IEntity Properties ChunkCount The number of chunks that have been created so far Declaration [BsonElement] public int ChunkCount { get; } Property Value Type Description System.Int32 Data Access the DataStreamer class for uploading and downloading data Declaration public DataStreamer Data { get; } Property Value Type Description DataStreamer FileSize The total amount of data in bytes that has been uploaded so far Declaration [BsonElement] public long FileSize { get; } Property Value Type Description System.Int64 MD5 If this value is set, the uploaded data will be hashed and matched against this value. If the hash is not equal, an exception will be thrown by the UploadAsync() method. Declaration public string MD5 { get; set; } Property Value Type Description System.String UploadSuccessful Returns true only when all the chunks have been stored successfully in mongodb Declaration [BsonElement] public bool UploadSuccessful { get; } Property Value Type Description System.Boolean Implements IEntity Extension Methods Extensions.Collection(T) Extensions.CollectionName(T) Extensions.Database(T) Extensions.DatabaseName(T) Extensions.DeleteAsync(T, IClientSessionHandle, CancellationToken) Extensions.Fluent(T, IClientSessionHandle, AggregateOptions) Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) Extensions.NextSequentialNumberAsync(T, CancellationToken) Extensions.Queryable(T, AggregateOptions) Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Extensions.ToDocument(T) Extensions.ToReference(T) Extensions.InitManyToMany(IEntity, Expression>>, Expression>) Extensions.InitOneToMany(IEntity, Expression>>)" + "keywords": "Class FileEntity Inherit this base class in order to create your own File Entities Inheritance Object Entity FileEntity Implements IEntity Inherited Members Entity.ID Entity.GenerateNewID() Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public abstract class FileEntity : Entity, IEntity Properties ChunkCount The number of chunks that have been created so far Declaration [BsonElement] public int ChunkCount { get; } Property Value Type Description Int32 Data Access the DataStreamer class for uploading and downloading data Declaration public DataStreamer Data { get; } Property Value Type Description DataStreamer FileSize The total amount of data in bytes that has been uploaded so far Declaration [BsonElement] public long FileSize { get; } Property Value Type Description Int64 MD5 If this value is set, the uploaded data will be hashed and matched against this value. If the hash is not equal, an exception will be thrown by the UploadAsync() method. Declaration public string MD5 { get; set; } Property Value Type Description String UploadSuccessful Returns true only when all the chunks have been stored successfully in mongodb Declaration [BsonElement] public bool UploadSuccessful { get; } Property Value Type Description Boolean Implements IEntity Extension Methods Extensions.Collection(T) Extensions.CollectionName(T) Extensions.Database(T) Extensions.DatabaseName(T) Extensions.DeleteAsync(T, IClientSessionHandle, CancellationToken) Extensions.Fluent(T, IClientSessionHandle, AggregateOptions) Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) Extensions.NextSequentialNumberAsync(T, CancellationToken) Extensions.Queryable(T, AggregateOptions) Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Extensions.ToDocument(T) Extensions.ToReference(T) Extensions.InitManyToMany(IEntity, Expression>>, Expression>) Extensions.InitOneToMany(IEntity, Expression>>)" }, "api/MongoDB.Entities.Find-1.html": { "href": "api/MongoDB.Entities.Find-1.html", "title": "Class Find | MongoDB.Entities", - "keywords": "Class Find Represents a MongoDB Find command. TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() Note: For building queries, use the DB.Fluent* interfaces Inheritance System.Object Find Find Inherited Members Find.OneAsync(String, CancellationToken) Find.ManyAsync(Expression>, CancellationToken) Find.ManyAsync(Func, FilterDefinition>, CancellationToken) Find.MatchID(String) Find.Match(String) Find.Match(Expression>) Find.Match(Func, FilterDefinition>) Find.Match(FilterDefinition) Find.Match(Template) Find.Match(Search, String, Boolean, Boolean, String) Find.Match(Expression>, Coordinates2D, Nullable, Nullable) Find.MatchString(String) Find.MatchExpression(String) Find.MatchExpression(Template) Find.Sort(Expression>, Order) Find.SortByTextScore() Find.SortByTextScore(Expression>) Find.Sort(Func, SortDefinition>) Find.Skip(Int32) Find.Limit(Int32) Find.Project(Expression>) Find.Project(Func, ProjectionDefinition>) Find.ProjectExcluding(Expression>) Find.IncludeRequiredProps() Find.Option(Action>) Find.IgnoreGlobalFilters() Find.ExecuteAsync(CancellationToken) Find.ExecuteSingleAsync(CancellationToken) Find.ExecuteFirstAsync(CancellationToken) Find.ExecuteAnyAsync(CancellationToken) Find.ExecuteCursorAsync(CancellationToken) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Find : Find where T : IEntity Type Parameters Name Description T Any class that implements IEntity" + "keywords": "Class Find Represents a MongoDB Find command. TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() Note: For building queries, use the DB.Fluent* interfaces Inheritance Object Find Find Inherited Members Find.OneAsync(String, CancellationToken) Find.ManyAsync(Expression>, CancellationToken) Find.ManyAsync(Func, FilterDefinition>, CancellationToken) Find.MatchID(String) Find.Match(String) Find.Match(Expression>) Find.Match(Func, FilterDefinition>) Find.Match(FilterDefinition) Find.Match(Template) Find.Match(Search, String, Boolean, Boolean, String) Find.Match(Expression>, Coordinates2D, Nullable, Nullable) Find.MatchString(String) Find.MatchExpression(String) Find.MatchExpression(Template) Find.Sort(Expression>, Order) Find.SortByTextScore() Find.SortByTextScore(Expression>) Find.Sort(Func, SortDefinition>) Find.Skip(Int32) Find.Limit(Int32) Find.Project(Expression>) Find.Project(Func, ProjectionDefinition>) Find.ProjectExcluding(Expression>) Find.IncludeRequiredProps() Find.Option(Action>) Find.IgnoreGlobalFilters() Find.ExecuteAsync(CancellationToken) Find.ExecuteSingleAsync(CancellationToken) Find.ExecuteFirstAsync(CancellationToken) Find.ExecuteAnyAsync(CancellationToken) Find.ExecuteCursorAsync(CancellationToken) Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Find : Find where T : IEntity Type Parameters Name Description T Any class that implements IEntity" }, "api/MongoDB.Entities.Find-2.html": { "href": "api/MongoDB.Entities.Find-2.html", "title": "Class Find | MongoDB.Entities", - "keywords": "Class Find Represents a MongoDB Find command with the ability to project to a different result type. TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() Inheritance System.Object Find Find Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Find where T : IEntity Type Parameters Name Description T Any class that implements IEntity TProjection The type you'd like to project the results to. Methods ExecuteAnyAsync(CancellationToken) Run the Find command and get back a bool indicating whether any entities matched the query Declaration public async Task ExecuteAnyAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.Boolean > ExecuteAsync(CancellationToken) Run the Find command in MongoDB server and get a list of results Declaration public async Task> ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.Collections.Generic.List > ExecuteCursorAsync(CancellationToken) Run the Find command in MongoDB server and get a cursor instead of materialized results Declaration public Task> ExecuteCursorAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.IAsyncCursor > ExecuteFirstAsync(CancellationToken) Run the Find command in MongoDB server and get the first result or the default value if not found Declaration public async Task ExecuteFirstAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task ExecuteSingleAsync(CancellationToken) Run the Find command in MongoDB server and get a single result or the default value if not found. If more than one entity is found, it will throw an exception. Declaration public async Task ExecuteSingleAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public Find IgnoreGlobalFilters() Returns Type Description Find IncludeRequiredProps() Specify to automatically include all properties marked with [BsonRequired] attribute on the entity in the final projection. HINT: this method should only be called after the .Project() method. Declaration public Find IncludeRequiredProps() Returns Type Description Find Limit(Int32) Specify how many entities to Take/Limit Declaration public Find Limit(int takeCount) Parameters Type Name Description System.Int32 takeCount The number to limit/take Returns Type Description Find ManyAsync(Func, FilterDefinition>, CancellationToken) Find entities by supplying a filter expression Declaration public Task> ManyAsync(Func, FilterDefinition> filter, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.Collections.Generic.List > A list of Entities ManyAsync(Expression>, CancellationToken) Find entities by supplying a lambda expression Declaration public Task> ManyAsync(Expression> expression, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.Property == Value System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.Collections.Generic.List > A list of Entities Match(FilterDefinition) Specify the matching criteria with a filter definition Declaration public Find Match(FilterDefinition filterDefinition) Parameters Type Name Description MongoDB.Driver.FilterDefinition filterDefinition A filter definition Returns Type Description Find Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public Find Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do System.String searchTerm The search term System.Boolean caseSensitive Case sensitivity of the search (optional) System.Boolean diacriticSensitive Diacritic sensitivity of the search (optional) System.String language The language for the search (optional) Returns Type Description Find Match(Template) Specify the matching criteria with a template Declaration public Find Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description Find Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public Find Match(Func, FilterDefinition> filter) Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description Find Match(Expression>) Specify the matching criteria with a lambda expression Declaration public Find Match(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.Property == Value Returns Type Description Find Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public Find Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point System.Nullable < System.Double > maxDistance Maximum distance in meters from the search point System.Nullable < System.Double > minDistance Minimum distance in meters from the search point Returns Type Description Find Match(String) Specify an IEntity ID as the matching criteria Declaration public Find Match(string ID) Parameters Type Name Description System.String ID A unique IEntity ID Returns Type Description Find MatchExpression(Template) Specify the matching criteria with a Template Declaration public Find MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description Find MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public Find MatchExpression(string expression) Parameters Type Name Description System.String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description Find MatchID(String) Specify an IEntity ID as the matching criteria Declaration public Find MatchID(string ID) Parameters Type Name Description System.String ID A unique IEntity ID Returns Type Description Find MatchString(String) Specify the matching criteria with a JSON string Declaration public Find MatchString(string jsonString) Parameters Type Name Description System.String jsonString { Title : 'The Power Of Now' } Returns Type Description Find OneAsync(String, CancellationToken) Find a single IEntity by ID Declaration public Task OneAsync(string ID, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.String ID The unique ID of an IEntity System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task A single entity or null if not found Option(Action>) Specify an option for this find command (use multiple times if needed) Declaration public Find Option(Action> option) Parameters Type Name Description System.Action < MongoDB.Driver.FindOptions > option x => x.OptionName = OptionValue Returns Type Description Find Project(Func, ProjectionDefinition>) Specify how to project the results using a projection expression Declaration public Find Project(Func, ProjectionDefinition> projection) Parameters Type Name Description System.Func < MongoDB.Driver.ProjectionDefinitionBuilder , MongoDB.Driver.ProjectionDefinition > projection p => p.Include(\"Prop1\").Exclude(\"Prop2\") Returns Type Description Find Project(Expression>) Specify how to project the results using a lambda expression Declaration public Find Project(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => new Test { PropName = x.Prop } Returns Type Description Find ProjectExcluding(Expression>) Specify how to project the results using an exclusion projection expression. Declaration public Find ProjectExcluding(Expression> exclusion) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > exclusion x => new { x.PropToExclude, x.AnotherPropToExclude } Returns Type Description Find Skip(Int32) Specify how many entities to skip Declaration public Find Skip(int skipCount) Parameters Type Name Description System.Int32 skipCount The number to skip Returns Type Description Find Sort(Func, SortDefinition>) Specify how to sort using a sort expression Declaration public Find Sort(Func, SortDefinition> sortFunction) Parameters Type Name Description System.Func < MongoDB.Driver.SortDefinitionBuilder , MongoDB.Driver.SortDefinition > sortFunction s => s.Ascending(\"Prop1\").MetaTextScore(\"Prop2\") Returns Type Description Find Sort(Expression>, Order) Specify which property and order to use for sorting (use multiple times if needed) Declaration public Find Sort(Expression> propertyToSortBy, Order sortOrder) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > propertyToSortBy x => x.Prop Order sortOrder The sort order Returns Type Description Find SortByTextScore() Sort the results of a text search by the MetaTextScore TIP: Use this method after .Project() if you need to do a projection also Declaration public Find SortByTextScore() Returns Type Description Find SortByTextScore(Expression>) Sort the results of a text search by the MetaTextScore and get back the score as well TIP: Use this method after .Project() if you need to do a projection also Declaration public Find SortByTextScore(Expression> scoreProperty) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > scoreProperty x => x.TextScoreProp Returns Type Description Find " + "keywords": "Class Find Represents a MongoDB Find command with the ability to project to a different result type. TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() Inheritance Object Find Find Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Find where T : IEntity Type Parameters Name Description T Any class that implements IEntity TProjection The type you'd like to project the results to. Methods ExecuteAnyAsync(CancellationToken) Run the Find command and get back a bool indicating whether any entities matched the query Declaration public async Task ExecuteAnyAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task ExecuteAsync(CancellationToken) Run the Find command in MongoDB server and get a list of results Declaration public async Task> ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task> ExecuteCursorAsync(CancellationToken) Run the Find command in MongoDB server and get a cursor instead of materialized results Declaration public Task> ExecuteCursorAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task> ExecuteFirstAsync(CancellationToken) Run the Find command in MongoDB server and get the first result or the default value if not found Declaration public async Task ExecuteFirstAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task ExecuteSingleAsync(CancellationToken) Run the Find command in MongoDB server and get a single result or the default value if not found. If more than one entity is found, it will throw an exception. Declaration public async Task ExecuteSingleAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public Find IgnoreGlobalFilters() Returns Type Description Find IncludeRequiredProps() Specify to automatically include all properties marked with [BsonRequired] attribute on the entity in the final projection. HINT: this method should only be called after the .Project() method. Declaration public Find IncludeRequiredProps() Returns Type Description Find Limit(Int32) Specify how many entities to Take/Limit Declaration public Find Limit(int takeCount) Parameters Type Name Description Int32 takeCount The number to limit/take Returns Type Description Find ManyAsync(Func, FilterDefinition>, CancellationToken) Find entities by supplying a filter expression Declaration public Task> ManyAsync(Func, FilterDefinition> filter, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) CancellationToken cancellation An optional cancellation token Returns Type Description Task> A list of Entities ManyAsync(Expression>, CancellationToken) Find entities by supplying a lambda expression Declaration public Task> ManyAsync(Expression> expression, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description Expression> expression x => x.Property == Value CancellationToken cancellation An optional cancellation token Returns Type Description Task> A list of Entities Match(FilterDefinition) Specify the matching criteria with a filter definition Declaration public Find Match(FilterDefinition filterDefinition) Parameters Type Name Description FilterDefinition filterDefinition A filter definition Returns Type Description Find Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public Find Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do String searchTerm The search term Boolean caseSensitive Case sensitivity of the search (optional) Boolean diacriticSensitive Diacritic sensitivity of the search (optional) String language The language for the search (optional) Returns Type Description Find Match(Template) Specify the matching criteria with a template Declaration public Find Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description Find Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public Find Match(Func, FilterDefinition> filter) Parameters Type Name Description Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description Find Match(Expression>) Specify the matching criteria with a lambda expression Declaration public Find Match(Expression> expression) Parameters Type Name Description Expression> expression x => x.Property == Value Returns Type Description Find Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public Find Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description Expression> coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point Nullable maxDistance Maximum distance in meters from the search point Nullable minDistance Minimum distance in meters from the search point Returns Type Description Find Match(String) Specify an IEntity ID as the matching criteria Declaration public Find Match(string ID) Parameters Type Name Description String ID A unique IEntity ID Returns Type Description Find MatchExpression(Template) Specify the matching criteria with a Template Declaration public Find MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description Find MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public Find MatchExpression(string expression) Parameters Type Name Description String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description Find MatchID(String) Specify an IEntity ID as the matching criteria Declaration public Find MatchID(string ID) Parameters Type Name Description String ID A unique IEntity ID Returns Type Description Find MatchString(String) Specify the matching criteria with a JSON string Declaration public Find MatchString(string jsonString) Parameters Type Name Description String jsonString { Title : 'The Power Of Now' } Returns Type Description Find OneAsync(String, CancellationToken) Find a single IEntity by ID Declaration public Task OneAsync(string ID, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description String ID The unique ID of an IEntity CancellationToken cancellation An optional cancellation token Returns Type Description Task A single entity or null if not found Option(Action>) Specify an option for this find command (use multiple times if needed) Declaration public Find Option(Action> option) Parameters Type Name Description Action> option x => x.OptionName = OptionValue Returns Type Description Find Project(Func, ProjectionDefinition>) Specify how to project the results using a projection expression Declaration public Find Project(Func, ProjectionDefinition> projection) Parameters Type Name Description Func, ProjectionDefinition> projection p => p.Include(\"Prop1\").Exclude(\"Prop2\") Returns Type Description Find Project(Expression>) Specify how to project the results using a lambda expression Declaration public Find Project(Expression> expression) Parameters Type Name Description Expression> expression x => new Test { PropName = x.Prop } Returns Type Description Find ProjectExcluding(Expression>) Specify how to project the results using an exclusion projection expression. Declaration public Find ProjectExcluding(Expression> exclusion) Parameters Type Name Description Expression> exclusion x => new { x.PropToExclude, x.AnotherPropToExclude } Returns Type Description Find Skip(Int32) Specify how many entities to skip Declaration public Find Skip(int skipCount) Parameters Type Name Description Int32 skipCount The number to skip Returns Type Description Find Sort(Func, SortDefinition>) Specify how to sort using a sort expression Declaration public Find Sort(Func, SortDefinition> sortFunction) Parameters Type Name Description Func, SortDefinition> sortFunction s => s.Ascending(\"Prop1\").MetaTextScore(\"Prop2\") Returns Type Description Find Sort(Expression>, Order) Specify which property and order to use for sorting (use multiple times if needed) Declaration public Find Sort(Expression> propertyToSortBy, Order sortOrder) Parameters Type Name Description Expression> propertyToSortBy x => x.Prop Order sortOrder The sort order Returns Type Description Find SortByTextScore() Sort the results of a text search by the MetaTextScore TIP: Use this method after .Project() if you need to do a projection also Declaration public Find SortByTextScore() Returns Type Description Find SortByTextScore(Expression>) Sort the results of a text search by the MetaTextScore and get back the score as well TIP: Use this method after .Project() if you need to do a projection also Declaration public Find SortByTextScore(Expression> scoreProperty) Parameters Type Name Description Expression> scoreProperty x => x.TextScoreProp Returns Type Description Find" }, "api/MongoDB.Entities.FuzzyString.html": { "href": "api/MongoDB.Entities.FuzzyString.html", "title": "Class FuzzyString | MongoDB.Entities", - "keywords": "Class FuzzyString Use this type to store strings if you need fuzzy text searching with MongoDB TIP: There's a default limit of 250 characters for ensuring best performance. If you exceed the default limit, an exception will be thrown. You can increase the limit by sacrificing performance/resource utilization by setting the static property FuzzyString.CharacterLimit = 500 at startup. Inheritance System.Object FuzzyString Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class FuzzyString Constructors FuzzyString() Use this type to store strings if you need fuzzy text searching with MongoDB TIP: There's a default limit of 250 characters for ensuring best performance. If you exceed the default limit, an exception will be thrown. You can increase the limit by sacrificing performance/resource utilization by setting the static property FuzzyString.CharacterLimit = 500 at startup. Declaration public FuzzyString() FuzzyString(String) instantiate a FuzzyString object with a given string Declaration public FuzzyString(string value) Parameters Type Name Description System.String value the string value to create the FuzzyString with Properties CharacterLimit Use this type to store strings if you need fuzzy text searching with MongoDB TIP: There's a default limit of 250 characters for ensuring best performance. If you exceed the default limit, an exception will be thrown. You can increase the limit by sacrificing performance/resource utilization by setting the static property FuzzyString.CharacterLimit = 500 at startup. Declaration public static int CharacterLimit { get; set; } Property Value Type Description System.Int32 Value Use this type to store strings if you need fuzzy text searching with MongoDB TIP: There's a default limit of 250 characters for ensuring best performance. If you exceed the default limit, an exception will be thrown. You can increase the limit by sacrificing performance/resource utilization by setting the static property FuzzyString.CharacterLimit = 500 at startup. Declaration public string Value { get; set; } Property Value Type Description System.String" + "keywords": "Class FuzzyString Use this type to store strings if you need fuzzy text searching with MongoDB TIP: There's a default limit of 250 characters for ensuring best performance. If you exceed the default limit, an exception will be thrown. You can increase the limit by sacrificing performance/resource utilization by setting the static property FuzzyString.CharacterLimit = 500 at startup. Inheritance Object FuzzyString Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class FuzzyString Constructors FuzzyString() Declaration public FuzzyString() FuzzyString(String) instantiate a FuzzyString object with a given string Declaration public FuzzyString(string value) Parameters Type Name Description String value the string value to create the FuzzyString with Properties CharacterLimit Declaration public static int CharacterLimit { get; set; } Property Value Type Description Int32 Value Declaration public string Value { get; set; } Property Value Type Description String" }, "api/MongoDB.Entities.GeoNear-1.html": { "href": "api/MongoDB.Entities.GeoNear-1.html", "title": "Class GeoNear | MongoDB.Entities", - "keywords": "Class GeoNear Fluent aggregation pipeline builder for GeoNear Inheritance System.Object GeoNear Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class GeoNear where T : IEntity Type Parameters Name Description T The type of entity Properties distanceField Fluent aggregation pipeline builder for GeoNear Declaration public string distanceField { get; set; } Property Value Type Description System.String distanceMultiplier Fluent aggregation pipeline builder for GeoNear Declaration [BsonIgnoreIfNull] public double? distanceMultiplier { get; set; } Property Value Type Description System.Nullable < System.Double > includeLocs Fluent aggregation pipeline builder for GeoNear Declaration [BsonIgnoreIfNull] public string includeLocs { get; set; } Property Value Type Description System.String key Fluent aggregation pipeline builder for GeoNear Declaration [BsonIgnoreIfNull] public string key { get; set; } Property Value Type Description System.String limit Fluent aggregation pipeline builder for GeoNear Declaration [BsonIgnoreIfNull] public int? limit { get; set; } Property Value Type Description System.Nullable < System.Int32 > maxDistance Fluent aggregation pipeline builder for GeoNear Declaration [BsonIgnoreIfNull] public double? maxDistance { get; set; } Property Value Type Description System.Nullable < System.Double > minDistance Fluent aggregation pipeline builder for GeoNear Declaration [BsonIgnoreIfNull] public double? minDistance { get; set; } Property Value Type Description System.Nullable < System.Double > near Fluent aggregation pipeline builder for GeoNear Declaration public Coordinates2D near { get; set; } Property Value Type Description Coordinates2D query Fluent aggregation pipeline builder for GeoNear Declaration [BsonIgnoreIfNull] public BsonDocument query { get; set; } Property Value Type Description MongoDB.Bson.BsonDocument spherical Fluent aggregation pipeline builder for GeoNear Declaration public bool spherical { get; set; } Property Value Type Description System.Boolean" - }, - "api/MongoDB.Entities.html": { - "href": "api/MongoDB.Entities.html", - "title": "Namespace MongoDB.Entities | MongoDB.Entities", - "keywords": "Namespace MongoDB.Entities Classes AsObjectIdAttribute Use this attribute to mark a string property to store the value in MongoDB as ObjectID if it is a valid ObjectId string. If it is not a valid ObjectId string, it will be stored as string. This is useful when using custom formats for the ID field. AsyncEventHandlerExtensions CollectionAttribute Specifies a custom MongoDB collection name for an entity type. Coordinates2D Represents a 2D geographical coordinate consisting of longitude and latitude DataStreamer Provides the interface for uploading and downloading data chunks for file entities. Date A custom date/time type for precision datetime handling DB The main entrypoint for all data access methods of the library DBContext This db context class can be used as an alternative entry point instead of the DB static class. Distinct Represents a MongoDB Distinct command where you can get back distinct values for a given property of a given Entity. DontPreserveAttribute Properties that don't have this attribute will be omitted when using SavePreserving() TIP: These attribute decorations are only effective if you do not specify a preservation expression when calling SavePreserving() Entity Inherit this class for all entities you want to store in their own collection. Extensions Extension methods for entities FieldAttribute Specifies the field name and/or the order of the persisted document. FileEntity Inherit this base class in order to create your own File Entities Find Represents a MongoDB Find command. TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() Note: For building queries, use the DB.Fluent* interfaces Find Represents a MongoDB Find command with the ability to project to a different result type. TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() FuzzyString Use this type to store strings if you need fuzzy text searching with MongoDB TIP: There's a default limit of 250 characters for ensuring best performance. If you exceed the default limit, an exception will be thrown. You can increase the limit by sacrificing performance/resource utilization by setting the static property FuzzyString.CharacterLimit = 500 at startup. GeoNear Fluent aggregation pipeline builder for GeoNear IgnoreAttribute Use this attribute to ignore a property when persisting an entity to the database. IgnoreDefaultAttribute Use this attribute to ignore a property when persisting an entity to the database if the value is null/default. Index Represents an index creation command TIP: Define the keys first with .Key() method and finally call the .Create() method. InverseSideAttribute Indicates that this property is the inverse side of a many-to-many relationship JoinRecord Represents a parent-child relationship between two entities. TIP: The ParentID and ChildID switches around for many-to-many relationships depending on the side of the relationship you're accessing. Many Represents a one-to-many/many-to-many relationship between two Entities. WARNING: You have to initialize all instances of this class before accessing any of it's members. Initialize from the constructor of the parent entity as follows: this.InitOneToMany(() => Property); this.InitManyToMany(() => Property, x => x.OtherProperty); ManyBase Base class providing shared state for Many'1 classes Migration Represents a migration history item in the database ModifiedBy ObjectIdAttribute Use this attribute to mark a property in order to save it in MongoDB server as ObjectId One Represents a one-to-one relationship with an IEntity. OwnerSideAttribute Indicates that this property is the owner side of a many-to-many relationship PagedSearch Represents an aggregation query that retrieves results with easy paging support. PagedSearch Represents an aggregation query that retrieves results with easy paging support. PreserveAttribute Use this attribute on properties that you want to omit when using SavePreserving() instead of supplying an expression. TIP: These attribute decorations are only effective if you do not specify a preservation expression when calling SavePreserving() Prop This class provides methods to generate property path strings from lambda expression. Replace Represents an UpdateOne command, which can replace the first matched document with a given entity TIP: Specify a filter first with the .Match(). Then set entity with .WithEntity() and finally call .Execute() to run the command. Template A helper class to build a JSON command from a string with tag replacement Template A helper class to build a JSON command from a string with tag replacement Template A helper class to build a JSON command from a string with tag replacement Transaction Represents a transaction used to carry out inter-related write operations. TIP: Remember to always call .Dispose() after use or enclose in a 'Using' statement. IMPORTANT: Use the methods on this transaction to perform operations and not the methods on the DB class. Update Represents an update command TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. UpdateAndGet Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. UpdateAndGet Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. UpdateBase Watcher Watcher for subscribing to mongodb change streams. Interfaces ICreatedOn Implement this interface on entities you want the library to automatically store the creation date with IEntity The contract for Entity classes IMigration The contract for writing user data migration classes IModifiedOn Implement this interface on entities you want the library to automatically store the modified date with Enums EventType KeyType Order Search Delegates AsyncEventHandler" + "keywords": "Class GeoNear Fluent aggregation pipeline builder for GeoNear Inheritance Object GeoNear Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class GeoNear where T : IEntity Type Parameters Name Description T The type of entity Properties distanceField Declaration public string distanceField { get; set; } Property Value Type Description String distanceMultiplier Declaration [BsonIgnoreIfNull] public double? distanceMultiplier { get; set; } Property Value Type Description Nullable includeLocs Declaration [BsonIgnoreIfNull] public string includeLocs { get; set; } Property Value Type Description String key Declaration [BsonIgnoreIfNull] public string key { get; set; } Property Value Type Description String limit Declaration [BsonIgnoreIfNull] public int? limit { get; set; } Property Value Type Description Nullable maxDistance Declaration [BsonIgnoreIfNull] public double? maxDistance { get; set; } Property Value Type Description Nullable minDistance Declaration [BsonIgnoreIfNull] public double? minDistance { get; set; } Property Value Type Description Nullable near Declaration public Coordinates2D near { get; set; } Property Value Type Description Coordinates2D query Declaration [BsonIgnoreIfNull] public BsonDocument query { get; set; } Property Value Type Description BsonDocument spherical Declaration public bool spherical { get; set; } Property Value Type Description Boolean" }, "api/MongoDB.Entities.ICreatedOn.html": { "href": "api/MongoDB.Entities.ICreatedOn.html", "title": "Interface ICreatedOn | MongoDB.Entities", - "keywords": "Interface ICreatedOn Implement this interface on entities you want the library to automatically store the creation date with Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public interface ICreatedOn Properties CreatedOn This property will be automatically set by the library when an entity is created. TIP: This property is useful when sorting by creation date. Declaration DateTime CreatedOn { get; set; } Property Value Type Description System.DateTime" + "keywords": "Interface ICreatedOn Implement this interface on entities you want the library to automatically store the creation date with Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public interface ICreatedOn Properties CreatedOn This property will be automatically set by the library when an entity is created. TIP: This property is useful when sorting by creation date. Declaration DateTime CreatedOn { get; set; } Property Value Type Description DateTime" }, "api/MongoDB.Entities.IEntity.html": { "href": "api/MongoDB.Entities.IEntity.html", "title": "Interface IEntity | MongoDB.Entities", - "keywords": "Interface IEntity The contract for Entity classes Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public interface IEntity Properties ID The ID property for this entity type. IMPORTANT: make sure to decorate this property with the [BsonId] attribute when implementing this interface Declaration string ID { get; set; } Property Value Type Description System.String Methods GenerateNewID() Generate and return a new ID string from this method. It will be used when saving new entities that don't have their ID set. That is, if an entity has a null ID, this method will be called for getting a new ID value. If you're not doing custom ID generation, simply do return ObjectId.GenerateNewId().ToString() Declaration string GenerateNewID() Returns Type Description System.String Extension Methods Extensions.Collection(T) Extensions.CollectionName(T) Extensions.Database(T) Extensions.DatabaseName(T) Extensions.DeleteAsync(T, IClientSessionHandle, CancellationToken) Extensions.Fluent(T, IClientSessionHandle, AggregateOptions) Extensions.InitManyToMany(IEntity, Expression>>, Expression>) Extensions.InitOneToMany(IEntity, Expression>>) Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) Extensions.NextSequentialNumberAsync(T, CancellationToken) Extensions.Queryable(T, AggregateOptions) Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Extensions.ToDocument(T) Extensions.ToReference(T)" - }, - "api/MongoDB.Entities.IgnoreAttribute.html": { - "href": "api/MongoDB.Entities.IgnoreAttribute.html", - "title": "Class IgnoreAttribute | MongoDB.Entities", - "keywords": "Class IgnoreAttribute Use this attribute to ignore a property when persisting an entity to the database. Inheritance System.Object System.Attribute MongoDB.Bson.Serialization.Attributes.BsonIgnoreAttribute IgnoreAttribute Inherited Members System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class IgnoreAttribute : BsonIgnoreAttribute" - }, - "api/MongoDB.Entities.IgnoreDefaultAttribute.html": { - "href": "api/MongoDB.Entities.IgnoreDefaultAttribute.html", - "title": "Class IgnoreDefaultAttribute | MongoDB.Entities", - "keywords": "Class IgnoreDefaultAttribute Use this attribute to ignore a property when persisting an entity to the database if the value is null/default. Inheritance System.Object System.Attribute MongoDB.Bson.Serialization.Attributes.BsonIgnoreIfDefaultAttribute IgnoreDefaultAttribute Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute Inherited Members MongoDB.Bson.Serialization.Attributes.BsonIgnoreIfDefaultAttribute.Apply(MongoDB.Bson.Serialization.BsonMemberMap) MongoDB.Bson.Serialization.Attributes.BsonIgnoreIfDefaultAttribute.Value System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class IgnoreDefaultAttribute : BsonIgnoreIfDefaultAttribute, IBsonMemberMapAttribute Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute" + "keywords": "Interface IEntity The contract for Entity classes Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public interface IEntity Properties ID The ID property for this entity type. IMPORTANT: make sure to decorate this property with the [BsonId] attribute when implementing this interface Declaration string ID { get; set; } Property Value Type Description String Methods GenerateNewID() Generate and return a new ID string from this method. It will be used when saving new entities that don't have their ID set. That is, if an entity has a null ID, this method will be called for getting a new ID value. If you're not doing custom ID generation, simply do return ObjectId.GenerateNewId().ToString() Declaration string GenerateNewID() Returns Type Description String Extension Methods Extensions.Collection(T) Extensions.CollectionName(T) Extensions.Database(T) Extensions.DatabaseName(T) Extensions.DeleteAsync(T, IClientSessionHandle, CancellationToken) Extensions.Fluent(T, IClientSessionHandle, AggregateOptions) Extensions.InitManyToMany(IEntity, Expression>>, Expression>) Extensions.InitOneToMany(IEntity, Expression>>) Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) Extensions.NextSequentialNumberAsync(T, CancellationToken) Extensions.Queryable(T, AggregateOptions) Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Extensions.ToDocument(T) Extensions.ToReference(T)" }, "api/MongoDB.Entities.IMigration.html": { "href": "api/MongoDB.Entities.IMigration.html", "title": "Interface IMigration | MongoDB.Entities", - "keywords": "Interface IMigration The contract for writing user data migration classes Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public interface IMigration Methods UpgradeAsync() The contract for writing user data migration classes Declaration Task UpgradeAsync() Returns Type Description System.Threading.Tasks.Task" + "keywords": "Interface IMigration The contract for writing user data migration classes Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public interface IMigration Methods UpgradeAsync() Declaration Task UpgradeAsync() Returns Type Description Task" }, "api/MongoDB.Entities.IModifiedOn.html": { "href": "api/MongoDB.Entities.IModifiedOn.html", "title": "Interface IModifiedOn | MongoDB.Entities", - "keywords": "Interface IModifiedOn Implement this interface on entities you want the library to automatically store the modified date with Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public interface IModifiedOn Properties ModifiedOn This property will be automatically set by the library when an entity is updated. TIP: This property is useful when sorting by update date. Declaration DateTime ModifiedOn { get; set; } Property Value Type Description System.DateTime" + "keywords": "Interface IModifiedOn Implement this interface on entities you want the library to automatically store the modified date with Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public interface IModifiedOn Properties ModifiedOn This property will be automatically set by the library when an entity is updated. TIP: This property is useful when sorting by update date. Declaration DateTime ModifiedOn { get; set; } Property Value Type Description DateTime" + }, + "api/MongoDB.Entities.IgnoreAttribute.html": { + "href": "api/MongoDB.Entities.IgnoreAttribute.html", + "title": "Class IgnoreAttribute | MongoDB.Entities", + "keywords": "Class IgnoreAttribute Use this attribute to ignore a property when persisting an entity to the database. Inheritance Object Attribute BsonIgnoreAttribute IgnoreAttribute Inherited Members Attribute.Equals(Object) Attribute.GetCustomAttribute(Assembly, Type) Attribute.GetCustomAttribute(Assembly, Type, Boolean) Attribute.GetCustomAttribute(MemberInfo, Type) Attribute.GetCustomAttribute(MemberInfo, Type, Boolean) Attribute.GetCustomAttribute(Module, Type) Attribute.GetCustomAttribute(Module, Type, Boolean) Attribute.GetCustomAttribute(ParameterInfo, Type) Attribute.GetCustomAttribute(ParameterInfo, Type, Boolean) Attribute.GetCustomAttributes(Assembly) Attribute.GetCustomAttributes(Assembly, Boolean) Attribute.GetCustomAttributes(Assembly, Type) Attribute.GetCustomAttributes(Assembly, Type, Boolean) Attribute.GetCustomAttributes(MemberInfo) Attribute.GetCustomAttributes(MemberInfo, Boolean) Attribute.GetCustomAttributes(MemberInfo, Type) Attribute.GetCustomAttributes(MemberInfo, Type, Boolean) Attribute.GetCustomAttributes(Module) Attribute.GetCustomAttributes(Module, Boolean) Attribute.GetCustomAttributes(Module, Type) Attribute.GetCustomAttributes(Module, Type, Boolean) Attribute.GetCustomAttributes(ParameterInfo) Attribute.GetCustomAttributes(ParameterInfo, Boolean) Attribute.GetCustomAttributes(ParameterInfo, Type) Attribute.GetCustomAttributes(ParameterInfo, Type, Boolean) Attribute.GetHashCode() Attribute.IsDefaultAttribute() Attribute.IsDefined(Assembly, Type) Attribute.IsDefined(Assembly, Type, Boolean) Attribute.IsDefined(MemberInfo, Type) Attribute.IsDefined(MemberInfo, Type, Boolean) Attribute.IsDefined(Module, Type) Attribute.IsDefined(Module, Type, Boolean) Attribute.IsDefined(ParameterInfo, Type) Attribute.IsDefined(ParameterInfo, Type, Boolean) Attribute.Match(Object) Attribute.TypeId Object.Equals(Object, Object) Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class IgnoreAttribute : BsonIgnoreAttribute" + }, + "api/MongoDB.Entities.IgnoreDefaultAttribute.html": { + "href": "api/MongoDB.Entities.IgnoreDefaultAttribute.html", + "title": "Class IgnoreDefaultAttribute | MongoDB.Entities", + "keywords": "Class IgnoreDefaultAttribute Use this attribute to ignore a property when persisting an entity to the database if the value is null/default. Inheritance Object Attribute BsonIgnoreIfDefaultAttribute IgnoreDefaultAttribute Implements IBsonMemberMapAttribute Inherited Members BsonIgnoreIfDefaultAttribute.Apply(BsonMemberMap) BsonIgnoreIfDefaultAttribute.Value Attribute.Equals(Object) Attribute.GetCustomAttribute(Assembly, Type) Attribute.GetCustomAttribute(Assembly, Type, Boolean) Attribute.GetCustomAttribute(MemberInfo, Type) Attribute.GetCustomAttribute(MemberInfo, Type, Boolean) Attribute.GetCustomAttribute(Module, Type) Attribute.GetCustomAttribute(Module, Type, Boolean) Attribute.GetCustomAttribute(ParameterInfo, Type) Attribute.GetCustomAttribute(ParameterInfo, Type, Boolean) Attribute.GetCustomAttributes(Assembly) Attribute.GetCustomAttributes(Assembly, Boolean) Attribute.GetCustomAttributes(Assembly, Type) Attribute.GetCustomAttributes(Assembly, Type, Boolean) Attribute.GetCustomAttributes(MemberInfo) Attribute.GetCustomAttributes(MemberInfo, Boolean) Attribute.GetCustomAttributes(MemberInfo, Type) Attribute.GetCustomAttributes(MemberInfo, Type, Boolean) Attribute.GetCustomAttributes(Module) Attribute.GetCustomAttributes(Module, Boolean) Attribute.GetCustomAttributes(Module, Type) Attribute.GetCustomAttributes(Module, Type, Boolean) Attribute.GetCustomAttributes(ParameterInfo) Attribute.GetCustomAttributes(ParameterInfo, Boolean) Attribute.GetCustomAttributes(ParameterInfo, Type) Attribute.GetCustomAttributes(ParameterInfo, Type, Boolean) Attribute.GetHashCode() Attribute.IsDefaultAttribute() Attribute.IsDefined(Assembly, Type) Attribute.IsDefined(Assembly, Type, Boolean) Attribute.IsDefined(MemberInfo, Type) Attribute.IsDefined(MemberInfo, Type, Boolean) Attribute.IsDefined(Module, Type) Attribute.IsDefined(Module, Type, Boolean) Attribute.IsDefined(ParameterInfo, Type) Attribute.IsDefined(ParameterInfo, Type, Boolean) Attribute.Match(Object) Attribute.TypeId Object.Equals(Object, Object) Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class IgnoreDefaultAttribute : BsonIgnoreIfDefaultAttribute, IBsonMemberMapAttribute Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute" }, "api/MongoDB.Entities.Index-1.html": { "href": "api/MongoDB.Entities.Index-1.html", "title": "Class Index | MongoDB.Entities", - "keywords": "Class Index Represents an index creation command TIP: Define the keys first with .Key() method and finally call the .Create() method. Inheritance System.Object Index Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Index where T : IEntity Type Parameters Name Description T Any class that implements IEntity Methods CreateAsync(CancellationToken) Call this method to finalize defining the index after setting the index keys and options. Declaration public async Task CreateAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.String > The name of the created index DropAllAsync(CancellationToken) Drops all indexes for this entity type Declaration public async Task DropAllAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task DropAsync(String, CancellationToken) Drops an index by name for this entity type Declaration public async Task DropAsync(string name, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.String name The name of the index to drop System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task Key(Expression>, KeyType) Adds a key definition to the index TIP: At least one key definition is required Declaration public Index Key(Expression> propertyToIndex, KeyType type) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > propertyToIndex x => x.PropertyName KeyType type The type of the key Returns Type Description Index Option(Action>) Set the options for this index definition TIP: Setting options is not required. Declaration public Index Option(Action> option) Parameters Type Name Description System.Action < MongoDB.Driver.CreateIndexOptions > option x => x.OptionName = OptionValue Returns Type Description Index " + "keywords": "Class Index Represents an index creation command TIP: Define the keys first with .Key() method and finally call the .Create() method. Inheritance Object Index Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Index where T : IEntity Type Parameters Name Description T Any class that implements IEntity Methods CreateAsync(CancellationToken) Call this method to finalize defining the index after setting the index keys and options. Declaration public async Task CreateAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task The name of the created index DropAllAsync(CancellationToken) Drops all indexes for this entity type Declaration public async Task DropAllAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task DropAsync(String, CancellationToken) Drops an index by name for this entity type Declaration public async Task DropAsync(string name, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description String name The name of the index to drop CancellationToken cancellation An optional cancellation token Returns Type Description Task Key(Expression>, KeyType) Adds a key definition to the index TIP: At least one key definition is required Declaration public Index Key(Expression> propertyToIndex, KeyType type) Parameters Type Name Description Expression> propertyToIndex x => x.PropertyName KeyType type The type of the key Returns Type Description Index Option(Action>) Set the options for this index definition TIP: Setting options is not required. Declaration public Index Option(Action> option) Parameters Type Name Description Action> option x => x.OptionName = OptionValue Returns Type Description Index" }, "api/MongoDB.Entities.InverseSideAttribute.html": { "href": "api/MongoDB.Entities.InverseSideAttribute.html", "title": "Class InverseSideAttribute | MongoDB.Entities", - "keywords": "Class InverseSideAttribute Indicates that this property is the inverse side of a many-to-many relationship Inheritance System.Object System.Attribute InverseSideAttribute Inherited Members System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class InverseSideAttribute : Attribute" + "keywords": "Class InverseSideAttribute Indicates that this property is the inverse side of a many-to-many relationship Inheritance Object Attribute InverseSideAttribute Inherited Members Attribute.Equals(Object) Attribute.GetCustomAttribute(Assembly, Type) Attribute.GetCustomAttribute(Assembly, Type, Boolean) Attribute.GetCustomAttribute(MemberInfo, Type) Attribute.GetCustomAttribute(MemberInfo, Type, Boolean) Attribute.GetCustomAttribute(Module, Type) Attribute.GetCustomAttribute(Module, Type, Boolean) Attribute.GetCustomAttribute(ParameterInfo, Type) Attribute.GetCustomAttribute(ParameterInfo, Type, Boolean) Attribute.GetCustomAttributes(Assembly) Attribute.GetCustomAttributes(Assembly, Boolean) Attribute.GetCustomAttributes(Assembly, Type) Attribute.GetCustomAttributes(Assembly, Type, Boolean) Attribute.GetCustomAttributes(MemberInfo) Attribute.GetCustomAttributes(MemberInfo, Boolean) Attribute.GetCustomAttributes(MemberInfo, Type) Attribute.GetCustomAttributes(MemberInfo, Type, Boolean) Attribute.GetCustomAttributes(Module) Attribute.GetCustomAttributes(Module, Boolean) Attribute.GetCustomAttributes(Module, Type) Attribute.GetCustomAttributes(Module, Type, Boolean) Attribute.GetCustomAttributes(ParameterInfo) Attribute.GetCustomAttributes(ParameterInfo, Boolean) Attribute.GetCustomAttributes(ParameterInfo, Type) Attribute.GetCustomAttributes(ParameterInfo, Type, Boolean) Attribute.GetHashCode() Attribute.IsDefaultAttribute() Attribute.IsDefined(Assembly, Type) Attribute.IsDefined(Assembly, Type, Boolean) Attribute.IsDefined(MemberInfo, Type) Attribute.IsDefined(MemberInfo, Type, Boolean) Attribute.IsDefined(Module, Type) Attribute.IsDefined(Module, Type, Boolean) Attribute.IsDefined(ParameterInfo, Type) Attribute.IsDefined(ParameterInfo, Type, Boolean) Attribute.Match(Object) Attribute.TypeId Object.Equals(Object, Object) Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class InverseSideAttribute : Attribute" }, "api/MongoDB.Entities.JoinRecord.html": { "href": "api/MongoDB.Entities.JoinRecord.html", "title": "Class JoinRecord | MongoDB.Entities", - "keywords": "Class JoinRecord Represents a parent-child relationship between two entities. TIP: The ParentID and ChildID switches around for many-to-many relationships depending on the side of the relationship you're accessing. Inheritance System.Object Entity JoinRecord Implements IEntity Inherited Members Entity.ID Entity.GenerateNewID() System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class JoinRecord : Entity, IEntity Properties ChildID The ID of the child IEntity in one-to-many relationships and the ID of the inverse side IEntity in many-to-many relationships. Declaration [AsObjectId] public string ChildID { get; set; } Property Value Type Description System.String ParentID The ID of the parent IEntity for both one-to-many and the owner side of many-to-many relationships. Declaration [AsObjectId] public string ParentID { get; set; } Property Value Type Description System.String Implements IEntity Extension Methods Extensions.InitManyToMany(IEntity, Expression>>, Expression>) Extensions.InitOneToMany(IEntity, Expression>>) Extensions.Collection(T) Extensions.CollectionName(T) Extensions.Database(T) Extensions.DatabaseName(T) Extensions.DeleteAsync(T, IClientSessionHandle, CancellationToken) Extensions.Fluent(T, IClientSessionHandle, AggregateOptions) Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) Extensions.NextSequentialNumberAsync(T, CancellationToken) Extensions.Queryable(T, AggregateOptions) Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Extensions.ToDocument(T) Extensions.ToReference(T)" + "keywords": "Class JoinRecord Represents a parent-child relationship between two entities. TIP: The ParentID and ChildID switches around for many-to-many relationships depending on the side of the relationship you're accessing. Inheritance Object Entity JoinRecord Implements IEntity Inherited Members Entity.ID Entity.GenerateNewID() Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class JoinRecord : Entity, IEntity Properties ChildID The ID of the child IEntity in one-to-many relationships and the ID of the inverse side IEntity in many-to-many relationships. Declaration [AsObjectId] public string ChildID { get; set; } Property Value Type Description String ParentID The ID of the parent IEntity for both one-to-many and the owner side of many-to-many relationships. Declaration [AsObjectId] public string ParentID { get; set; } Property Value Type Description String Implements IEntity Extension Methods Extensions.InitManyToMany(IEntity, Expression>>, Expression>) Extensions.InitOneToMany(IEntity, Expression>>) Extensions.Collection(T) Extensions.CollectionName(T) Extensions.Database(T) Extensions.DatabaseName(T) Extensions.DeleteAsync(T, IClientSessionHandle, CancellationToken) Extensions.Fluent(T, IClientSessionHandle, AggregateOptions) Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) Extensions.NextSequentialNumberAsync(T, CancellationToken) Extensions.Queryable(T, AggregateOptions) Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Extensions.ToDocument(T) Extensions.ToReference(T)" }, "api/MongoDB.Entities.KeyType.html": { "href": "api/MongoDB.Entities.KeyType.html", "title": "Enum KeyType | MongoDB.Entities", - "keywords": "Enum KeyType Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public enum KeyType Fields Name Description Ascending Descending Geo2D Geo2DSphere Hashed Text Wildcard" + "keywords": "Enum KeyType Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public enum KeyType Fields Name Description Ascending Descending Geo2D Geo2DSphere Hashed Text Wildcard" }, "api/MongoDB.Entities.Many-1.html": { "href": "api/MongoDB.Entities.Many-1.html", "title": "Class Many | MongoDB.Entities", - "keywords": "Class Many Represents a one-to-many/many-to-many relationship between two Entities. WARNING: You have to initialize all instances of this class before accessing any of it's members. Initialize from the constructor of the parent entity as follows: this.InitOneToMany(() => Property); this.InitManyToMany(() => Property, x => x.OtherProperty); Inheritance System.Object ManyBase Many Implements System.Collections.Generic.IEnumerable System.Collections.IEnumerable Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public sealed class Many : ManyBase, IEnumerable, IEnumerable where TChild : IEntity Type Parameters Name Description TChild Type of the child IEntity. Constructors Many() Creates an instance of Many This is only needed in VB.Net Declaration public Many() Properties JoinCollection Gets the IMongoCollection of JoinRecords for this relationship. TIP: Try never to use this unless really neccessary. Declaration public IMongoCollection JoinCollection { get; } Property Value Type Description MongoDB.Driver.IMongoCollection < JoinRecord > Methods AddAsync(TChild, IClientSessionHandle, CancellationToken) Adds a new child reference. WARNING: Make sure to save the parent and child Entities before calling this method. Declaration public Task AddAsync(TChild child, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description TChild child The child Entity to add. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task AddAsync(IEnumerable, IClientSessionHandle, CancellationToken) Adds multiple child references in a single bulk operation WARNING: Make sure to save the parent and child Entities before calling this method. Declaration public Task AddAsync(IEnumerable children, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Collections.Generic.IEnumerable children The child Entities to add MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task AddAsync(IEnumerable, IClientSessionHandle, CancellationToken) Adds multiple child references in a single bulk operation WARNING: Make sure to save the parent and child Entities before calling this method. Declaration public Task AddAsync(IEnumerable childIDs, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Collections.Generic.IEnumerable < System.String > childIDs The IDs of the child Entities to add. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task AddAsync(String, IClientSessionHandle, CancellationToken) Adds a new child reference. WARNING: Make sure to save the parent and child Entities before calling this method. Declaration public Task AddAsync(string childID, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.String childID The ID of the child Entity to add. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task ChildrenCountAsync(IClientSessionHandle, CountOptions, CancellationToken) Get the number of children for a relationship Declaration public Task ChildrenCountAsync(IClientSessionHandle session = null, CountOptions options = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction MongoDB.Driver.CountOptions options An optional AggregateOptions object System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.Int64 > ChildrenFluent(IClientSessionHandle, AggregateOptions) An IAggregateFluent of child Entities for the parent. Declaration public IAggregateFluent ChildrenFluent(IClientSessionHandle session = null, AggregateOptions options = null) Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction MongoDB.Driver.AggregateOptions options An optional AggregateOptions object Returns Type Description MongoDB.Driver.IAggregateFluent ChildrenQueryable(IClientSessionHandle, AggregateOptions) An IQueryable of child Entities for the parent. Declaration public IMongoQueryable ChildrenQueryable(IClientSessionHandle session = null, AggregateOptions options = null) Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction MongoDB.Driver.AggregateOptions options An optional AggregateOptions object Returns Type Description MongoDB.Driver.Linq.IMongoQueryable GetEnumerator() Represents a one-to-many/many-to-many relationship between two Entities. WARNING: You have to initialize all instances of this class before accessing any of it's members. Initialize from the constructor of the parent entity as follows: this.InitOneToMany(() => Property); this.InitManyToMany(() => Property, x => x.OtherProperty); Declaration public IEnumerator GetEnumerator() Returns Type Description System.Collections.Generic.IEnumerator JoinFluent(IClientSessionHandle, AggregateOptions) An IAggregateFluent of JoinRecords for this relationship Declaration public IAggregateFluent JoinFluent(IClientSessionHandle session = null, AggregateOptions options = null) Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction MongoDB.Driver.AggregateOptions options An optional AggregateOptions object Returns Type Description MongoDB.Driver.IAggregateFluent < JoinRecord > JoinQueryable(IClientSessionHandle, AggregateOptions) An IQueryable of JoinRecords for this relationship Declaration public IMongoQueryable JoinQueryable(IClientSessionHandle session = null, AggregateOptions options = null) Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction MongoDB.Driver.AggregateOptions options An optional AggregateOptions object Returns Type Description MongoDB.Driver.Linq.IMongoQueryable < JoinRecord > ParentsFluent(IAggregateFluent) Get an IAggregateFluent of parents matching a supplied IAggregateFluent of children for this relationship. Declaration public IAggregateFluent ParentsFluent(IAggregateFluent children) where TParent : IEntity Parameters Type Name Description MongoDB.Driver.IAggregateFluent children An IAggregateFluent of children Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description TParent The type of the parent IEntity ParentsFluent(IEnumerable, IClientSessionHandle, AggregateOptions) Get an IAggregateFluent of parents matching multiple child IDs for this relationship. Declaration public IAggregateFluent ParentsFluent(IEnumerable childIDs, IClientSessionHandle session = null, AggregateOptions options = null) where TParent : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable < System.String > childIDs An IEnumerable of child IDs MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction MongoDB.Driver.AggregateOptions options An optional AggregateOptions object Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description TParent The type of the parent IEntity ParentsFluent(String, IClientSessionHandle, AggregateOptions) Get an IAggregateFluent of parents matching a single child ID for this relationship. Declaration public IAggregateFluent ParentsFluent(string childID, IClientSessionHandle session = null, AggregateOptions options = null) where TParent : IEntity Parameters Type Name Description System.String childID An child ID MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction MongoDB.Driver.AggregateOptions options An optional AggregateOptions object Returns Type Description MongoDB.Driver.IAggregateFluent Type Parameters Name Description TParent The type of the parent IEntity ParentsQueryable(IMongoQueryable, IClientSessionHandle, AggregateOptions) Get an IQueryable of parents matching a supplied IQueryable of children for this relationship. Declaration [Obsolete(\"This method is no longer supported due to incompatibilities with LINQ3 translation engine!\", true)] public IMongoQueryable ParentsQueryable(IMongoQueryable children, IClientSessionHandle session = null, AggregateOptions options = null) where TParent : IEntity Parameters Type Name Description MongoDB.Driver.Linq.IMongoQueryable children An IQueryable of children MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction MongoDB.Driver.AggregateOptions options An optional AggregateOptions object Returns Type Description MongoDB.Driver.Linq.IMongoQueryable Type Parameters Name Description TParent The type of the parent IEntity ParentsQueryable(IEnumerable, IClientSessionHandle, AggregateOptions) Get an IQueryable of parents matching multiple child IDs for this relationship. Declaration public IMongoQueryable ParentsQueryable(IEnumerable childIDs, IClientSessionHandle session = null, AggregateOptions options = null) where TParent : IEntity Parameters Type Name Description System.Collections.Generic.IEnumerable < System.String > childIDs An IEnumerable of child IDs MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction MongoDB.Driver.AggregateOptions options An optional AggregateOptions object Returns Type Description MongoDB.Driver.Linq.IMongoQueryable Type Parameters Name Description TParent The type of the parent IEntity ParentsQueryable(String, IClientSessionHandle, AggregateOptions) Get an IQueryable of parents matching a single child ID for this relationship. Declaration public IMongoQueryable ParentsQueryable(string childID, IClientSessionHandle session = null, AggregateOptions options = null) where TParent : IEntity Parameters Type Name Description System.String childID A child ID MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction MongoDB.Driver.AggregateOptions options An optional AggregateOptions object Returns Type Description MongoDB.Driver.Linq.IMongoQueryable Type Parameters Name Description TParent The type of the parent IEntity RemoveAsync(TChild, IClientSessionHandle, CancellationToken) Removes a child reference. Declaration public Task RemoveAsync(TChild child, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description TChild child The child IEntity to remove the reference of. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task RemoveAsync(IEnumerable, IClientSessionHandle, CancellationToken) Removes child references. Declaration public Task RemoveAsync(IEnumerable children, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Collections.Generic.IEnumerable children The child Entities to remove the references of. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task RemoveAsync(IEnumerable, IClientSessionHandle, CancellationToken) Removes child references. Declaration public Task RemoveAsync(IEnumerable childIDs, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Collections.Generic.IEnumerable < System.String > childIDs The IDs of the child Entities to remove the references of MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task RemoveAsync(String, IClientSessionHandle, CancellationToken) Removes a child reference. Declaration public Task RemoveAsync(string childID, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.String childID The ID of the child Entity to remove the reference of. MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task VB_InitManyToMany(TParent, Expression>, Expression>, Boolean) Use this method to initialize the Many properties with VB.Net Declaration public void VB_InitManyToMany(TParent parent, Expression> propertyParent, Expression> propertyChild, bool isInverse) where TParent : IEntity Parameters Type Name Description TParent parent The parent entity instance System.Linq.Expressions.Expression < System.Func > propertyParent Function(x) x.ParentProp System.Linq.Expressions.Expression < System.Func > propertyChild Function(x) x.ChildProp System.Boolean isInverse Specify if this is the inverse side of the relationship or not Type Parameters Name Description TParent The type of the parent VB_InitOneToMany(TParent, Expression>) Use this method to initialize the Many properties with VB.Net Declaration public void VB_InitOneToMany(TParent parent, Expression> property) where TParent : IEntity Parameters Type Name Description TParent parent The parent entity instance System.Linq.Expressions.Expression < System.Func > property Function(x) x.PropName Type Parameters Name Description TParent The type of the parent Explicit Interface Implementations IEnumerable.GetEnumerator() Represents a one-to-many/many-to-many relationship between two Entities. WARNING: You have to initialize all instances of this class before accessing any of it's members. Initialize from the constructor of the parent entity as follows: this.InitOneToMany(() => Property); this.InitManyToMany(() => Property, x => x.OtherProperty); Declaration IEnumerator IEnumerable.GetEnumerator() Returns Type Description System.Collections.IEnumerator Implements System.Collections.Generic.IEnumerable System.Collections.IEnumerable Extension Methods Extensions.DeleteAllAsync(IEnumerable, IClientSessionHandle, CancellationToken) Extensions.InsertAsync(IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveAsync(IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Extensions.SortByRelevance(IEnumerable, String, Func, Nullable) Extensions.ToBatches(IEnumerable, Int32) Extensions.ToDocuments(IEnumerable)" + "keywords": "Class Many Represents a one-to-many/many-to-many relationship between two Entities. WARNING: You have to initialize all instances of this class before accessing any of it's members. Initialize from the constructor of the parent entity as follows: this.InitOneToMany(() => Property); this.InitManyToMany(() => Property, x => x.OtherProperty); Inheritance Object ManyBase Many Implements IEnumerable IEnumerable Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public sealed class Many : ManyBase, IEnumerable, IEnumerable where TChild : IEntity Type Parameters Name Description TChild Type of the child IEntity. Constructors Many() Creates an instance of Many This is only needed in VB.Net Declaration public Many() Properties JoinCollection Gets the IMongoCollection of JoinRecords for this relationship. TIP: Try never to use this unless really neccessary. Declaration public IMongoCollection JoinCollection { get; } Property Value Type Description IMongoCollection Methods AddAsync(TChild, IClientSessionHandle, CancellationToken) Adds a new child reference. WARNING: Make sure to save the parent and child Entities before calling this method. Declaration public Task AddAsync(TChild child, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description TChild child The child Entity to add. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task AddAsync(IEnumerable, IClientSessionHandle, CancellationToken) Adds multiple child references in a single bulk operation WARNING: Make sure to save the parent and child Entities before calling this method. Declaration public Task AddAsync(IEnumerable children, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description IEnumerable children The child Entities to add IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task AddAsync(IEnumerable, IClientSessionHandle, CancellationToken) Adds multiple child references in a single bulk operation WARNING: Make sure to save the parent and child Entities before calling this method. Declaration public Task AddAsync(IEnumerable childIDs, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description IEnumerable childIDs The IDs of the child Entities to add. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task AddAsync(String, IClientSessionHandle, CancellationToken) Adds a new child reference. WARNING: Make sure to save the parent and child Entities before calling this method. Declaration public Task AddAsync(string childID, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description String childID The ID of the child Entity to add. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task ChildrenCountAsync(IClientSessionHandle, CountOptions, CancellationToken) Get the number of children for a relationship Declaration public Task ChildrenCountAsync(IClientSessionHandle session = null, CountOptions options = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction CountOptions options An optional AggregateOptions object CancellationToken cancellation An optional cancellation token Returns Type Description Task ChildrenFluent(IClientSessionHandle, AggregateOptions) An IAggregateFluent of child Entities for the parent. Declaration public IAggregateFluent ChildrenFluent(IClientSessionHandle session = null, AggregateOptions options = null) Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction AggregateOptions options An optional AggregateOptions object Returns Type Description IAggregateFluent ChildrenQueryable(IClientSessionHandle, AggregateOptions) An IQueryable of child Entities for the parent. Declaration public IMongoQueryable ChildrenQueryable(IClientSessionHandle session = null, AggregateOptions options = null) Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction AggregateOptions options An optional AggregateOptions object Returns Type Description IMongoQueryable GetEnumerator() Declaration public IEnumerator GetEnumerator() Returns Type Description IEnumerator JoinFluent(IClientSessionHandle, AggregateOptions) An IAggregateFluent of JoinRecords for this relationship Declaration public IAggregateFluent JoinFluent(IClientSessionHandle session = null, AggregateOptions options = null) Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction AggregateOptions options An optional AggregateOptions object Returns Type Description IAggregateFluent JoinQueryable(IClientSessionHandle, AggregateOptions) An IQueryable of JoinRecords for this relationship Declaration public IMongoQueryable JoinQueryable(IClientSessionHandle session = null, AggregateOptions options = null) Parameters Type Name Description IClientSessionHandle session An optional session if using within a transaction AggregateOptions options An optional AggregateOptions object Returns Type Description IMongoQueryable ParentsFluent(IAggregateFluent) Get an IAggregateFluent of parents matching a supplied IAggregateFluent of children for this relationship. Declaration public IAggregateFluent ParentsFluent(IAggregateFluent children) where TParent : IEntity Parameters Type Name Description IAggregateFluent children An IAggregateFluent of children Returns Type Description IAggregateFluent Type Parameters Name Description TParent The type of the parent IEntity ParentsFluent(IEnumerable, IClientSessionHandle, AggregateOptions) Get an IAggregateFluent of parents matching multiple child IDs for this relationship. Declaration public IAggregateFluent ParentsFluent(IEnumerable childIDs, IClientSessionHandle session = null, AggregateOptions options = null) where TParent : IEntity Parameters Type Name Description IEnumerable childIDs An IEnumerable of child IDs IClientSessionHandle session An optional session if using within a transaction AggregateOptions options An optional AggregateOptions object Returns Type Description IAggregateFluent Type Parameters Name Description TParent The type of the parent IEntity ParentsFluent(String, IClientSessionHandle, AggregateOptions) Get an IAggregateFluent of parents matching a single child ID for this relationship. Declaration public IAggregateFluent ParentsFluent(string childID, IClientSessionHandle session = null, AggregateOptions options = null) where TParent : IEntity Parameters Type Name Description String childID An child ID IClientSessionHandle session An optional session if using within a transaction AggregateOptions options An optional AggregateOptions object Returns Type Description IAggregateFluent Type Parameters Name Description TParent The type of the parent IEntity ParentsQueryable(IMongoQueryable, IClientSessionHandle, AggregateOptions) Get an IQueryable of parents matching a supplied IQueryable of children for this relationship. Declaration [Obsolete(\"This method is no longer supported due to incompatibilities with LINQ3 translation engine!\", true)] public IMongoQueryable ParentsQueryable(IMongoQueryable children, IClientSessionHandle session = null, AggregateOptions options = null) where TParent : IEntity Parameters Type Name Description IMongoQueryable children An IQueryable of children IClientSessionHandle session An optional session if using within a transaction AggregateOptions options An optional AggregateOptions object Returns Type Description IMongoQueryable Type Parameters Name Description TParent The type of the parent IEntity ParentsQueryable(IEnumerable, IClientSessionHandle, AggregateOptions) Get an IQueryable of parents matching multiple child IDs for this relationship. Declaration public IMongoQueryable ParentsQueryable(IEnumerable childIDs, IClientSessionHandle session = null, AggregateOptions options = null) where TParent : IEntity Parameters Type Name Description IEnumerable childIDs An IEnumerable of child IDs IClientSessionHandle session An optional session if using within a transaction AggregateOptions options An optional AggregateOptions object Returns Type Description IMongoQueryable Type Parameters Name Description TParent The type of the parent IEntity ParentsQueryable(String, IClientSessionHandle, AggregateOptions) Get an IQueryable of parents matching a single child ID for this relationship. Declaration public IMongoQueryable ParentsQueryable(string childID, IClientSessionHandle session = null, AggregateOptions options = null) where TParent : IEntity Parameters Type Name Description String childID A child ID IClientSessionHandle session An optional session if using within a transaction AggregateOptions options An optional AggregateOptions object Returns Type Description IMongoQueryable Type Parameters Name Description TParent The type of the parent IEntity RemoveAsync(TChild, IClientSessionHandle, CancellationToken) Removes a child reference. Declaration public Task RemoveAsync(TChild child, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description TChild child The child IEntity to remove the reference of. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task RemoveAsync(IEnumerable, IClientSessionHandle, CancellationToken) Removes child references. Declaration public Task RemoveAsync(IEnumerable children, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description IEnumerable children The child Entities to remove the references of. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task RemoveAsync(IEnumerable, IClientSessionHandle, CancellationToken) Removes child references. Declaration public Task RemoveAsync(IEnumerable childIDs, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description IEnumerable childIDs The IDs of the child Entities to remove the references of IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task RemoveAsync(String, IClientSessionHandle, CancellationToken) Removes a child reference. Declaration public Task RemoveAsync(string childID, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description String childID The ID of the child Entity to remove the reference of. IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task VB_InitManyToMany(TParent, Expression>, Expression>, Boolean) Use this method to initialize the Many properties with VB.Net Declaration public void VB_InitManyToMany(TParent parent, Expression> propertyParent, Expression> propertyChild, bool isInverse) where TParent : IEntity Parameters Type Name Description TParent parent The parent entity instance Expression> propertyParent Function(x) x.ParentProp Expression> propertyChild Function(x) x.ChildProp Boolean isInverse Specify if this is the inverse side of the relationship or not Type Parameters Name Description TParent The type of the parent VB_InitOneToMany(TParent, Expression>) Use this method to initialize the Many properties with VB.Net Declaration public void VB_InitOneToMany(TParent parent, Expression> property) where TParent : IEntity Parameters Type Name Description TParent parent The parent entity instance Expression> property Function(x) x.PropName Type Parameters Name Description TParent The type of the parent Explicit Interface Implementations IEnumerable.GetEnumerator() Declaration IEnumerator IEnumerable.GetEnumerator() Returns Type Description IEnumerator Implements System.Collections.Generic.IEnumerable System.Collections.IEnumerable Extension Methods Extensions.DeleteAllAsync(IEnumerable, IClientSessionHandle, CancellationToken) Extensions.InsertAsync(IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveAsync(IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) Extensions.SortByRelevance(IEnumerable, String, Func, Nullable) Extensions.ToBatches(IEnumerable, Int32) Extensions.ToDocuments(IEnumerable)" }, "api/MongoDB.Entities.ManyBase.html": { "href": "api/MongoDB.Entities.ManyBase.html", "title": "Class ManyBase | MongoDB.Entities", - "keywords": "Class ManyBase Base class providing shared state for Many'1 classes Inheritance System.Object ManyBase Many Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public abstract class ManyBase" + "keywords": "Class ManyBase Base class providing shared state for Many'1 classes Inheritance Object ManyBase Many Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public abstract class ManyBase" }, "api/MongoDB.Entities.Migration.html": { "href": "api/MongoDB.Entities.Migration.html", "title": "Class Migration | MongoDB.Entities", - "keywords": "Class Migration Represents a migration history item in the database Inheritance System.Object Entity Migration Implements IEntity Inherited Members Entity.ID Entity.GenerateNewID() System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [Collection(\"_migration_history_\")] public class Migration : Entity, IEntity Constructors Migration(Int32, String, Double) Represents a migration history item in the database Declaration public Migration(int number, string name, double timeTakenSeconds) Parameters Type Name Description System.Int32 number System.String name System.Double timeTakenSeconds Properties Name Represents a migration history item in the database Declaration public string Name { get; set; } Property Value Type Description System.String Number Represents a migration history item in the database Declaration public int Number { get; set; } Property Value Type Description System.Int32 TimeTakenSeconds Represents a migration history item in the database Declaration public double TimeTakenSeconds { get; set; } Property Value Type Description System.Double Implements IEntity Extension Methods Extensions.InitManyToMany(IEntity, Expression>>, Expression>) Extensions.InitOneToMany(IEntity, Expression>>) Extensions.Collection(T) Extensions.CollectionName(T) Extensions.Database(T) Extensions.DatabaseName(T) Extensions.DeleteAsync(T, IClientSessionHandle, CancellationToken) Extensions.Fluent(T, IClientSessionHandle, AggregateOptions) Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) Extensions.NextSequentialNumberAsync(T, CancellationToken) Extensions.Queryable(T, AggregateOptions) Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Extensions.ToDocument(T) Extensions.ToReference(T)" + "keywords": "Class Migration Represents a migration history item in the database Inheritance Object Entity Migration Implements IEntity Inherited Members Entity.ID Entity.GenerateNewID() Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [Collection(\"_migration_history_\")] public class Migration : Entity, IEntity Constructors Migration(Int32, String, Double) Declaration public Migration(int number, string name, double timeTakenSeconds) Parameters Type Name Description Int32 number String name Double timeTakenSeconds Properties Name Declaration public string Name { get; set; } Property Value Type Description String Number Declaration public int Number { get; set; } Property Value Type Description Int32 TimeTakenSeconds Declaration public double TimeTakenSeconds { get; set; } Property Value Type Description Double Implements IEntity Extension Methods Extensions.InitManyToMany(IEntity, Expression>>, Expression>) Extensions.InitOneToMany(IEntity, Expression>>) Extensions.Collection(T) Extensions.CollectionName(T) Extensions.Database(T) Extensions.DatabaseName(T) Extensions.DeleteAsync(T, IClientSessionHandle, CancellationToken) Extensions.Fluent(T, IClientSessionHandle, AggregateOptions) Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) Extensions.NextSequentialNumberAsync(T, CancellationToken) Extensions.Queryable(T, AggregateOptions) Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) Extensions.SavePreservingAsync(T, IClientSessionHandle, CancellationToken) Extensions.ToDocument(T) Extensions.ToReference(T)" }, "api/MongoDB.Entities.ModifiedBy.html": { "href": "api/MongoDB.Entities.ModifiedBy.html", "title": "Class ModifiedBy | MongoDB.Entities", - "keywords": "Class ModifiedBy Inheritance System.Object ModifiedBy Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class ModifiedBy Properties UserID Declaration [AsObjectId] public string UserID { get; set; } Property Value Type Description System.String UserName Declaration public string UserName { get; set; } Property Value Type Description System.String" + "keywords": "Class ModifiedBy Inheritance Object ModifiedBy Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class ModifiedBy Properties UserID Declaration [AsObjectId] public string UserID { get; set; } Property Value Type Description String UserName Declaration public string UserName { get; set; } Property Value Type Description String" }, "api/MongoDB.Entities.ObjectIdAttribute.html": { "href": "api/MongoDB.Entities.ObjectIdAttribute.html", "title": "Class ObjectIdAttribute | MongoDB.Entities", - "keywords": "Class ObjectIdAttribute Use this attribute to mark a property in order to save it in MongoDB server as ObjectId Inheritance System.Object System.Attribute MongoDB.Bson.Serialization.Attributes.BsonSerializationOptionsAttribute MongoDB.Bson.Serialization.Attributes.BsonRepresentationAttribute ObjectIdAttribute Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute Inherited Members MongoDB.Bson.Serialization.Attributes.BsonRepresentationAttribute.Apply(MongoDB.Bson.Serialization.IBsonSerializer) MongoDB.Bson.Serialization.Attributes.BsonRepresentationAttribute.Representation MongoDB.Bson.Serialization.Attributes.BsonRepresentationAttribute.AllowOverflow MongoDB.Bson.Serialization.Attributes.BsonRepresentationAttribute.AllowTruncation MongoDB.Bson.Serialization.Attributes.BsonSerializationOptionsAttribute.Apply(MongoDB.Bson.Serialization.BsonMemberMap) System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class ObjectIdAttribute : BsonRepresentationAttribute, IBsonMemberMapAttribute Constructors ObjectIdAttribute() Use this attribute to mark a property in order to save it in MongoDB server as ObjectId Declaration public ObjectIdAttribute() Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute" + "keywords": "Class ObjectIdAttribute Use this attribute to mark a property in order to save it in MongoDB server as ObjectId Inheritance Object Attribute BsonSerializationOptionsAttribute BsonRepresentationAttribute ObjectIdAttribute Implements IBsonMemberMapAttribute Inherited Members BsonRepresentationAttribute.Apply(IBsonSerializer) BsonRepresentationAttribute.Representation BsonRepresentationAttribute.AllowOverflow BsonRepresentationAttribute.AllowTruncation BsonSerializationOptionsAttribute.Apply(BsonMemberMap) Attribute.Equals(Object) Attribute.GetCustomAttribute(Assembly, Type) Attribute.GetCustomAttribute(Assembly, Type, Boolean) Attribute.GetCustomAttribute(MemberInfo, Type) Attribute.GetCustomAttribute(MemberInfo, Type, Boolean) Attribute.GetCustomAttribute(Module, Type) Attribute.GetCustomAttribute(Module, Type, Boolean) Attribute.GetCustomAttribute(ParameterInfo, Type) Attribute.GetCustomAttribute(ParameterInfo, Type, Boolean) Attribute.GetCustomAttributes(Assembly) Attribute.GetCustomAttributes(Assembly, Boolean) Attribute.GetCustomAttributes(Assembly, Type) Attribute.GetCustomAttributes(Assembly, Type, Boolean) Attribute.GetCustomAttributes(MemberInfo) Attribute.GetCustomAttributes(MemberInfo, Boolean) Attribute.GetCustomAttributes(MemberInfo, Type) Attribute.GetCustomAttributes(MemberInfo, Type, Boolean) Attribute.GetCustomAttributes(Module) Attribute.GetCustomAttributes(Module, Boolean) Attribute.GetCustomAttributes(Module, Type) Attribute.GetCustomAttributes(Module, Type, Boolean) Attribute.GetCustomAttributes(ParameterInfo) Attribute.GetCustomAttributes(ParameterInfo, Boolean) Attribute.GetCustomAttributes(ParameterInfo, Type) Attribute.GetCustomAttributes(ParameterInfo, Type, Boolean) Attribute.GetHashCode() Attribute.IsDefaultAttribute() Attribute.IsDefined(Assembly, Type) Attribute.IsDefined(Assembly, Type, Boolean) Attribute.IsDefined(MemberInfo, Type) Attribute.IsDefined(MemberInfo, Type, Boolean) Attribute.IsDefined(Module, Type) Attribute.IsDefined(Module, Type, Boolean) Attribute.IsDefined(ParameterInfo, Type) Attribute.IsDefined(ParameterInfo, Type, Boolean) Attribute.Match(Object) Attribute.TypeId Object.Equals(Object, Object) Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class ObjectIdAttribute : BsonRepresentationAttribute, IBsonMemberMapAttribute Constructors ObjectIdAttribute() Declaration public ObjectIdAttribute() Implements MongoDB.Bson.Serialization.IBsonMemberMapAttribute" }, "api/MongoDB.Entities.One-1.html": { "href": "api/MongoDB.Entities.One-1.html", "title": "Class One | MongoDB.Entities", - "keywords": "Class One Represents a one-to-one relationship with an IEntity. Inheritance System.Object One Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class One where T : IEntity Type Parameters Name Description T Any type that implements IEntity Constructors One() Represents a one-to-one relationship with an IEntity. Declaration public One() One(T) Initializes a reference to an entity in MongoDB. Declaration public One(T entity) Parameters Type Name Description T entity The actual entity this reference represents. One(String) Initializes a reference to an entity in MongoDB. Declaration public One(string id) Parameters Type Name Description System.String id the ID of the referenced entity Properties ID The Id of the entity referenced by this instance. Declaration [AsObjectId] public string ID { get; set; } Property Value Type Description System.String Methods ToEntityAsync(IClientSessionHandle, CancellationToken) Fetches the actual entity this reference represents from the database. Declaration public Task ToEntityAsync(IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description MongoDB.Driver.IClientSessionHandle session An optional session System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task A Task containing the actual entity ToEntityAsync(Func, ProjectionDefinition>, IClientSessionHandle, CancellationToken) Fetches the actual entity this reference represents from the database with a projection. Declaration public async Task ToEntityAsync(Func, ProjectionDefinition> projection, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Func < MongoDB.Driver.ProjectionDefinitionBuilder , MongoDB.Driver.ProjectionDefinition > projection p=> p.Include(\"Prop1\").Exclude(\"Prop2\") MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task A Task containing the actual projected entity ToEntityAsync(Expression>, IClientSessionHandle, CancellationToken) Fetches the actual entity this reference represents from the database with a projection. Declaration public async Task ToEntityAsync(Expression> projection, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > projection x => new Test { PropName = x.Prop } MongoDB.Driver.IClientSessionHandle session An optional session if using within a transaction System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task A Task containing the actual projected entity" + "keywords": "Class One Represents a one-to-one relationship with an IEntity. Inheritance Object One Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class One where T : IEntity Type Parameters Name Description T Any type that implements IEntity Constructors One() Declaration public One() One(T) Initializes a reference to an entity in MongoDB. Declaration public One(T entity) Parameters Type Name Description T entity The actual entity this reference represents. One(String) Initializes a reference to an entity in MongoDB. Declaration public One(string id) Parameters Type Name Description String id the ID of the referenced entity Properties ID The Id of the entity referenced by this instance. Declaration [AsObjectId] public string ID { get; set; } Property Value Type Description String Methods ToEntityAsync(IClientSessionHandle, CancellationToken) Fetches the actual entity this reference represents from the database. Declaration public Task ToEntityAsync(IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description IClientSessionHandle session An optional session CancellationToken cancellation An optional cancellation token Returns Type Description Task A Task containing the actual entity ToEntityAsync(Func, ProjectionDefinition>, IClientSessionHandle, CancellationToken) Fetches the actual entity this reference represents from the database with a projection. Declaration public async Task ToEntityAsync(Func, ProjectionDefinition> projection, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description Func, ProjectionDefinition> projection p=> p.Include(\"Prop1\").Exclude(\"Prop2\") IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task A Task containing the actual projected entity ToEntityAsync(Expression>, IClientSessionHandle, CancellationToken) Fetches the actual entity this reference represents from the database with a projection. Declaration public async Task ToEntityAsync(Expression> projection, IClientSessionHandle session = null, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description Expression> projection x => new Test { PropName = x.Prop } IClientSessionHandle session An optional session if using within a transaction CancellationToken cancellation An optional cancellation token Returns Type Description Task A Task containing the actual projected entity" }, "api/MongoDB.Entities.Order.html": { "href": "api/MongoDB.Entities.Order.html", "title": "Enum Order | MongoDB.Entities", - "keywords": "Enum Order Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public enum Order Fields Name Description Ascending Descending" + "keywords": "Enum Order Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public enum Order Fields Name Description Ascending Descending" }, "api/MongoDB.Entities.OwnerSideAttribute.html": { "href": "api/MongoDB.Entities.OwnerSideAttribute.html", "title": "Class OwnerSideAttribute | MongoDB.Entities", - "keywords": "Class OwnerSideAttribute Indicates that this property is the owner side of a many-to-many relationship Inheritance System.Object System.Attribute OwnerSideAttribute Inherited Members System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class OwnerSideAttribute : Attribute" + "keywords": "Class OwnerSideAttribute Indicates that this property is the owner side of a many-to-many relationship Inheritance Object Attribute OwnerSideAttribute Inherited Members Attribute.Equals(Object) Attribute.GetCustomAttribute(Assembly, Type) Attribute.GetCustomAttribute(Assembly, Type, Boolean) Attribute.GetCustomAttribute(MemberInfo, Type) Attribute.GetCustomAttribute(MemberInfo, Type, Boolean) Attribute.GetCustomAttribute(Module, Type) Attribute.GetCustomAttribute(Module, Type, Boolean) Attribute.GetCustomAttribute(ParameterInfo, Type) Attribute.GetCustomAttribute(ParameterInfo, Type, Boolean) Attribute.GetCustomAttributes(Assembly) Attribute.GetCustomAttributes(Assembly, Boolean) Attribute.GetCustomAttributes(Assembly, Type) Attribute.GetCustomAttributes(Assembly, Type, Boolean) Attribute.GetCustomAttributes(MemberInfo) Attribute.GetCustomAttributes(MemberInfo, Boolean) Attribute.GetCustomAttributes(MemberInfo, Type) Attribute.GetCustomAttributes(MemberInfo, Type, Boolean) Attribute.GetCustomAttributes(Module) Attribute.GetCustomAttributes(Module, Boolean) Attribute.GetCustomAttributes(Module, Type) Attribute.GetCustomAttributes(Module, Type, Boolean) Attribute.GetCustomAttributes(ParameterInfo) Attribute.GetCustomAttributes(ParameterInfo, Boolean) Attribute.GetCustomAttributes(ParameterInfo, Type) Attribute.GetCustomAttributes(ParameterInfo, Type, Boolean) Attribute.GetHashCode() Attribute.IsDefaultAttribute() Attribute.IsDefined(Assembly, Type) Attribute.IsDefined(Assembly, Type, Boolean) Attribute.IsDefined(MemberInfo, Type) Attribute.IsDefined(MemberInfo, Type, Boolean) Attribute.IsDefined(Module, Type) Attribute.IsDefined(Module, Type, Boolean) Attribute.IsDefined(ParameterInfo, Type) Attribute.IsDefined(ParameterInfo, Type, Boolean) Attribute.Match(Object) Attribute.TypeId Object.Equals(Object, Object) Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class OwnerSideAttribute : Attribute" }, "api/MongoDB.Entities.PagedSearch-1.html": { "href": "api/MongoDB.Entities.PagedSearch-1.html", "title": "Class PagedSearch | MongoDB.Entities", - "keywords": "Class PagedSearch Represents an aggregation query that retrieves results with easy paging support. Inheritance System.Object PagedSearch PagedSearch Inherited Members PagedSearch.WithFluent(TFluent) PagedSearch.Match(Expression>) PagedSearch.Match(Func, FilterDefinition>) PagedSearch.Match(FilterDefinition) PagedSearch.Match(Template) PagedSearch.Match(Search, String, Boolean, Boolean, String) PagedSearch.Match(Expression>, Coordinates2D, Nullable, Nullable) PagedSearch.MatchString(String) PagedSearch.MatchExpression(String) PagedSearch.MatchExpression(Template) PagedSearch.Sort(Expression>, Order) PagedSearch.SortByTextScore() PagedSearch.SortByTextScore(Expression>) PagedSearch.Sort(Func, SortDefinition>) PagedSearch.PageNumber(Int32) PagedSearch.PageSize(Int32) PagedSearch.Project(Expression>) PagedSearch.Project(Func, ProjectionDefinition>) PagedSearch.ProjectExcluding(Expression>) PagedSearch.Option(Action) PagedSearch.IgnoreGlobalFilters() PagedSearch.ExecuteAsync(CancellationToken) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class PagedSearch : PagedSearch where T : IEntity Type Parameters Name Description T Any class that implements IEntity" + "keywords": "Class PagedSearch Represents an aggregation query that retrieves results with easy paging support. Inheritance Object PagedSearch PagedSearch Inherited Members PagedSearch.WithFluent(TFluent) PagedSearch.Match(Expression>) PagedSearch.Match(Func, FilterDefinition>) PagedSearch.Match(FilterDefinition) PagedSearch.Match(Template) PagedSearch.Match(Search, String, Boolean, Boolean, String) PagedSearch.Match(Expression>, Coordinates2D, Nullable, Nullable) PagedSearch.MatchString(String) PagedSearch.MatchExpression(String) PagedSearch.MatchExpression(Template) PagedSearch.Sort(Expression>, Order) PagedSearch.SortByTextScore() PagedSearch.SortByTextScore(Expression>) PagedSearch.Sort(Func, SortDefinition>) PagedSearch.PageNumber(Int32) PagedSearch.PageSize(Int32) PagedSearch.Project(Expression>) PagedSearch.Project(Func, ProjectionDefinition>) PagedSearch.ProjectExcluding(Expression>) PagedSearch.Option(Action) PagedSearch.IgnoreGlobalFilters() PagedSearch.ExecuteAsync(CancellationToken) Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class PagedSearch : PagedSearch where T : IEntity Type Parameters Name Description T Any class that implements IEntity" }, "api/MongoDB.Entities.PagedSearch-2.html": { "href": "api/MongoDB.Entities.PagedSearch-2.html", "title": "Class PagedSearch | MongoDB.Entities", - "keywords": "Class PagedSearch Represents an aggregation query that retrieves results with easy paging support. Inheritance System.Object PagedSearch PagedSearch Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class PagedSearch where T : IEntity Type Parameters Name Description T Any class that implements IEntity TProjection The type you'd like to project the results to. Methods ExecuteAsync(CancellationToken) Run the aggregation search command in MongoDB server and get a page of results and total + page count Declaration public async Task<(IReadOnlyList Results, long TotalCount, int PageCount)> ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < System.ValueTuple < System.Collections.Generic.IReadOnlyList , System.Int64 , System.Int32 >> IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public PagedSearch IgnoreGlobalFilters() Returns Type Description PagedSearch Match(FilterDefinition) Specify the matching criteria with a filter definition Declaration public PagedSearch Match(FilterDefinition filterDefinition) Parameters Type Name Description MongoDB.Driver.FilterDefinition filterDefinition A filter definition Returns Type Description PagedSearch Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public PagedSearch Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do System.String searchTerm The search term System.Boolean caseSensitive Case sensitivity of the search (optional) System.Boolean diacriticSensitive Diacritic sensitivity of the search (optional) System.String language The language for the search (optional) Returns Type Description PagedSearch Match(Template) Specify the matching criteria with a template Declaration public PagedSearch Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description PagedSearch Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public PagedSearch Match(Func, FilterDefinition> filter) Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description PagedSearch Match(Expression>) Specify the matching criteria with a lambda expression Declaration public PagedSearch Match(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.Property == Value Returns Type Description PagedSearch Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public PagedSearch Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point System.Nullable < System.Double > maxDistance Maximum distance in meters from the search point System.Nullable < System.Double > minDistance Minimum distance in meters from the search point Returns Type Description PagedSearch MatchExpression(Template) Specify the matching criteria with a Template Declaration public PagedSearch MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description PagedSearch MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public PagedSearch MatchExpression(string expression) Parameters Type Name Description System.String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description PagedSearch MatchString(String) Specify the matching criteria with a JSON string Declaration public PagedSearch MatchString(string jsonString) Parameters Type Name Description System.String jsonString { Title : 'The Power Of Now' } Returns Type Description PagedSearch Option(Action) Specify an option for this find command (use multiple times if needed) Declaration public PagedSearch Option(Action option) Parameters Type Name Description System.Action < MongoDB.Driver.AggregateOptions > option x => x.OptionName = OptionValue Returns Type Description PagedSearch PageNumber(Int32) Specify the page number to get Declaration public PagedSearch PageNumber(int pageNumber) Parameters Type Name Description System.Int32 pageNumber The page number Returns Type Description PagedSearch PageSize(Int32) Specify the number of items per page Declaration public PagedSearch PageSize(int pageSize) Parameters Type Name Description System.Int32 pageSize The size of a page Returns Type Description PagedSearch Project(Func, ProjectionDefinition>) Specify how to project the results using a projection expression Declaration public PagedSearch Project(Func, ProjectionDefinition> projection) Parameters Type Name Description System.Func < MongoDB.Driver.ProjectionDefinitionBuilder , MongoDB.Driver.ProjectionDefinition > projection p => p.Include(\"Prop1\").Exclude(\"Prop2\") Returns Type Description PagedSearch Project(Expression>) Specify how to project the results using a lambda expression Declaration public PagedSearch Project(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => new Test { PropName = x.Prop } Returns Type Description PagedSearch ProjectExcluding(Expression>) Specify how to project the results using an exclusion projection expression. Declaration public PagedSearch ProjectExcluding(Expression> exclusion) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > exclusion x => new { x.PropToExclude, x.AnotherPropToExclude } Returns Type Description PagedSearch Sort(Func, SortDefinition>) Specify how to sort using a sort expression Declaration public PagedSearch Sort(Func, SortDefinition> sortFunction) Parameters Type Name Description System.Func < MongoDB.Driver.SortDefinitionBuilder , MongoDB.Driver.SortDefinition > sortFunction s => s.Ascending(\"Prop1\").MetaTextScore(\"Prop2\") Returns Type Description PagedSearch Sort(Expression>, Order) Specify which property and order to use for sorting (use multiple times if needed) Declaration public PagedSearch Sort(Expression> propertyToSortBy, Order sortOrder) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > propertyToSortBy x => x.Prop Order sortOrder The sort order Returns Type Description PagedSearch SortByTextScore() Sort the results of a text search by the MetaTextScore TIP: Use this method after .Project() if you need to do a projection also Declaration public PagedSearch SortByTextScore() Returns Type Description PagedSearch SortByTextScore(Expression>) Sort the results of a text search by the MetaTextScore and get back the score as well TIP: Use this method after .Project() if you need to do a projection also Declaration public PagedSearch SortByTextScore(Expression> scoreProperty) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > scoreProperty x => x.TextScoreProp Returns Type Description PagedSearch WithFluent(TFluent) Begins the paged search aggregation pipeline with the provided fluent pipeline. TIP: This method must be first in the chain and it cannot be used with .Match() Declaration public PagedSearch WithFluent(TFluent fluentPipeline) where TFluent : IAggregateFluent Parameters Type Name Description TFluent fluentPipeline The input IAggregateFluent pipeline Returns Type Description PagedSearch Type Parameters Name Description TFluent The type of the input pipeline" + "keywords": "Class PagedSearch Represents an aggregation query that retrieves results with easy paging support. Inheritance Object PagedSearch PagedSearch Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class PagedSearch where T : IEntity Type Parameters Name Description T Any class that implements IEntity TProjection The type you'd like to project the results to. Methods ExecuteAsync(CancellationToken) Run the aggregation search command in MongoDB server and get a page of results and total + page count Declaration public async Task<(IReadOnlyList Results, long TotalCount, int PageCount)> ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task<(T1 Item1, T2 Item2, T3 Item3), Int64, Int32>> IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public PagedSearch IgnoreGlobalFilters() Returns Type Description PagedSearch Match(FilterDefinition) Specify the matching criteria with a filter definition Declaration public PagedSearch Match(FilterDefinition filterDefinition) Parameters Type Name Description FilterDefinition filterDefinition A filter definition Returns Type Description PagedSearch Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public PagedSearch Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do String searchTerm The search term Boolean caseSensitive Case sensitivity of the search (optional) Boolean diacriticSensitive Diacritic sensitivity of the search (optional) String language The language for the search (optional) Returns Type Description PagedSearch Match(Template) Specify the matching criteria with a template Declaration public PagedSearch Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description PagedSearch Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public PagedSearch Match(Func, FilterDefinition> filter) Parameters Type Name Description Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description PagedSearch Match(Expression>) Specify the matching criteria with a lambda expression Declaration public PagedSearch Match(Expression> expression) Parameters Type Name Description Expression> expression x => x.Property == Value Returns Type Description PagedSearch Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public PagedSearch Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description Expression> coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point Nullable maxDistance Maximum distance in meters from the search point Nullable minDistance Minimum distance in meters from the search point Returns Type Description PagedSearch MatchExpression(Template) Specify the matching criteria with a Template Declaration public PagedSearch MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description PagedSearch MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public PagedSearch MatchExpression(string expression) Parameters Type Name Description String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description PagedSearch MatchString(String) Specify the matching criteria with a JSON string Declaration public PagedSearch MatchString(string jsonString) Parameters Type Name Description String jsonString { Title : 'The Power Of Now' } Returns Type Description PagedSearch Option(Action) Specify an option for this find command (use multiple times if needed) Declaration public PagedSearch Option(Action option) Parameters Type Name Description Action option x => x.OptionName = OptionValue Returns Type Description PagedSearch PageNumber(Int32) Specify the page number to get Declaration public PagedSearch PageNumber(int pageNumber) Parameters Type Name Description Int32 pageNumber The page number Returns Type Description PagedSearch PageSize(Int32) Specify the number of items per page Declaration public PagedSearch PageSize(int pageSize) Parameters Type Name Description Int32 pageSize The size of a page Returns Type Description PagedSearch Project(Func, ProjectionDefinition>) Specify how to project the results using a projection expression Declaration public PagedSearch Project(Func, ProjectionDefinition> projection) Parameters Type Name Description Func, ProjectionDefinition> projection p => p.Include(\"Prop1\").Exclude(\"Prop2\") Returns Type Description PagedSearch Project(Expression>) Specify how to project the results using a lambda expression Declaration public PagedSearch Project(Expression> expression) Parameters Type Name Description Expression> expression x => new Test { PropName = x.Prop } Returns Type Description PagedSearch ProjectExcluding(Expression>) Specify how to project the results using an exclusion projection expression. Declaration public PagedSearch ProjectExcluding(Expression> exclusion) Parameters Type Name Description Expression> exclusion x => new { x.PropToExclude, x.AnotherPropToExclude } Returns Type Description PagedSearch Sort(Func, SortDefinition>) Specify how to sort using a sort expression Declaration public PagedSearch Sort(Func, SortDefinition> sortFunction) Parameters Type Name Description Func, SortDefinition> sortFunction s => s.Ascending(\"Prop1\").MetaTextScore(\"Prop2\") Returns Type Description PagedSearch Sort(Expression>, Order) Specify which property and order to use for sorting (use multiple times if needed) Declaration public PagedSearch Sort(Expression> propertyToSortBy, Order sortOrder) Parameters Type Name Description Expression> propertyToSortBy x => x.Prop Order sortOrder The sort order Returns Type Description PagedSearch SortByTextScore() Sort the results of a text search by the MetaTextScore TIP: Use this method after .Project() if you need to do a projection also Declaration public PagedSearch SortByTextScore() Returns Type Description PagedSearch SortByTextScore(Expression>) Sort the results of a text search by the MetaTextScore and get back the score as well TIP: Use this method after .Project() if you need to do a projection also Declaration public PagedSearch SortByTextScore(Expression> scoreProperty) Parameters Type Name Description Expression> scoreProperty x => x.TextScoreProp Returns Type Description PagedSearch WithFluent(TFluent) Begins the paged search aggregation pipeline with the provided fluent pipeline. TIP: This method must be first in the chain and it cannot be used with .Match() Declaration public PagedSearch WithFluent(TFluent fluentPipeline) where TFluent : IAggregateFluent Parameters Type Name Description TFluent fluentPipeline The input IAggregateFluent pipeline Returns Type Description PagedSearch Type Parameters Name Description TFluent The type of the input pipeline" }, "api/MongoDB.Entities.PreserveAttribute.html": { "href": "api/MongoDB.Entities.PreserveAttribute.html", "title": "Class PreserveAttribute | MongoDB.Entities", - "keywords": "Class PreserveAttribute Use this attribute on properties that you want to omit when using SavePreserving() instead of supplying an expression. TIP: These attribute decorations are only effective if you do not specify a preservation expression when calling SavePreserving() Inheritance System.Object System.Attribute PreserveAttribute Inherited Members System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class PreserveAttribute : Attribute" + "keywords": "Class PreserveAttribute Use this attribute on properties that you want to omit when using SavePreserving() instead of supplying an expression. TIP: These attribute decorations are only effective if you do not specify a preservation expression when calling SavePreserving() Inheritance Object Attribute PreserveAttribute Inherited Members Attribute.Equals(Object) Attribute.GetCustomAttribute(Assembly, Type) Attribute.GetCustomAttribute(Assembly, Type, Boolean) Attribute.GetCustomAttribute(MemberInfo, Type) Attribute.GetCustomAttribute(MemberInfo, Type, Boolean) Attribute.GetCustomAttribute(Module, Type) Attribute.GetCustomAttribute(Module, Type, Boolean) Attribute.GetCustomAttribute(ParameterInfo, Type) Attribute.GetCustomAttribute(ParameterInfo, Type, Boolean) Attribute.GetCustomAttributes(Assembly) Attribute.GetCustomAttributes(Assembly, Boolean) Attribute.GetCustomAttributes(Assembly, Type) Attribute.GetCustomAttributes(Assembly, Type, Boolean) Attribute.GetCustomAttributes(MemberInfo) Attribute.GetCustomAttributes(MemberInfo, Boolean) Attribute.GetCustomAttributes(MemberInfo, Type) Attribute.GetCustomAttributes(MemberInfo, Type, Boolean) Attribute.GetCustomAttributes(Module) Attribute.GetCustomAttributes(Module, Boolean) Attribute.GetCustomAttributes(Module, Type) Attribute.GetCustomAttributes(Module, Type, Boolean) Attribute.GetCustomAttributes(ParameterInfo) Attribute.GetCustomAttributes(ParameterInfo, Boolean) Attribute.GetCustomAttributes(ParameterInfo, Type) Attribute.GetCustomAttributes(ParameterInfo, Type, Boolean) Attribute.GetHashCode() Attribute.IsDefaultAttribute() Attribute.IsDefined(Assembly, Type) Attribute.IsDefined(Assembly, Type, Boolean) Attribute.IsDefined(MemberInfo, Type) Attribute.IsDefined(MemberInfo, Type, Boolean) Attribute.IsDefined(Module, Type) Attribute.IsDefined(Module, Type, Boolean) Attribute.IsDefined(ParameterInfo, Type) Attribute.IsDefined(ParameterInfo, Type, Boolean) Attribute.Match(Object) Attribute.TypeId Object.Equals(Object, Object) Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)] public class PreserveAttribute : Attribute" }, "api/MongoDB.Entities.Prop.html": { "href": "api/MongoDB.Entities.Prop.html", "title": "Class Prop | MongoDB.Entities", - "keywords": "Class Prop This class provides methods to generate property path strings from lambda expression. Inheritance System.Object Prop Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public static class Prop Methods Collection() Returns the collection/entity name of a given entity type Declaration public static string Collection() where T : IEntity Returns Type Description System.String Type Parameters Name Description T The type of the entity to get the collection name of Elements(Int32, Expression>) Returns a path with the filtered positional identifier prepended to the property path. EX: 0, x => x.Rating > a.Rating EX: 1, x => x.Rating > b.Rating TIP: Index positions start from '0' which is converted to 'a' and so on. Declaration public static string Elements(int index, Expression> expression) Parameters Type Name Description System.Int32 index 0=a 1=b 2=c 3=d and so on... System.Linq.Expressions.Expression < System.Func > expression x => x.SomeProp Returns Type Description System.String Type Parameters Name Description T Elements(Expression>) Returns a path without any filtered positional identifier prepended to it. EX: b => b.Tags > Tags Declaration public static string Elements(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeProp Returns Type Description System.String Type Parameters Name Description T Path(Expression>) Returns the full dotted path for a given expression. EX: Authors[0].Books[0].Title > Authors.Books.Title Declaration public static string Path(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description System.String Type Parameters Name Description T PosAll(Expression>) Returns a path with the all positional operator $[] for a given expression. EX: Authors[0].Name > Authors.$[].Name Declaration public static string PosAll(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description System.String Type Parameters Name Description T PosFiltered(Expression>) Returns a path with filtered positional identifiers $[x] for a given expression. EX: Authors[0].Name > Authors.$[a].Name EX: Authors[1].Age > Authors.$[b].Age EX: Authors[2].Books[3].Title > Authors.$[c].Books.$[d].Title TIP: Index positions start from [0] which is converted to $[a] and so on. Declaration public static string PosFiltered(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description System.String Type Parameters Name Description T PosFirst(Expression>) Returns a path with the first positional operator $ for a given expression. EX: Authors[0].Name > Authors.$.Name Declaration public static string PosFirst(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description System.String Type Parameters Name Description T Property(Expression>) Returns the name of the property for a given expression. EX: Authors[0].Books[0].Title > Title Declaration public static string Property(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description System.String Type Parameters Name Description T" + "keywords": "Class Prop This class provides methods to generate property path strings from lambda expression. Inheritance Object Prop Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public static class Prop Methods Collection() Returns the collection/entity name of a given entity type Declaration public static string Collection() where T : IEntity Returns Type Description String Type Parameters Name Description T The type of the entity to get the collection name of Elements(Int32, Expression>) Returns a path with the filtered positional identifier prepended to the property path. EX: 0, x => x.Rating > a.Rating EX: 1, x => x.Rating > b.Rating TIP: Index positions start from '0' which is converted to 'a' and so on. Declaration public static string Elements(int index, Expression> expression) Parameters Type Name Description Int32 index 0=a 1=b 2=c 3=d and so on... Expression> expression x => x.SomeProp Returns Type Description String Type Parameters Name Description T Elements(Expression>) Returns a path without any filtered positional identifier prepended to it. EX: b => b.Tags > Tags Declaration public static string Elements(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeProp Returns Type Description String Type Parameters Name Description T Path(Expression>) Returns the full dotted path for a given expression. EX: Authors[0].Books[0].Title > Authors.Books.Title Declaration public static string Path(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description String Type Parameters Name Description T PosAll(Expression>) Returns a path with the all positional operator $[] for a given expression. EX: Authors[0].Name > Authors.$[].Name Declaration public static string PosAll(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description String Type Parameters Name Description T PosFiltered(Expression>) Returns a path with filtered positional identifiers $[x] for a given expression. EX: Authors[0].Name > Authors.$[a].Name EX: Authors[1].Age > Authors.$[b].Age EX: Authors[2].Books[3].Title > Authors.$[c].Books.$[d].Title TIP: Index positions start from [0] which is converted to $[a] and so on. Declaration public static string PosFiltered(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description String Type Parameters Name Description T PosFirst(Expression>) Returns a path with the first positional operator $ for a given expression. EX: Authors[0].Name > Authors.$.Name Declaration public static string PosFirst(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description String Type Parameters Name Description T Property(Expression>) Returns the name of the property for a given expression. EX: Authors[0].Books[0].Title > Title Declaration public static string Property(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description String Type Parameters Name Description T" }, "api/MongoDB.Entities.Replace-1.html": { "href": "api/MongoDB.Entities.Replace-1.html", "title": "Class Replace | MongoDB.Entities", - "keywords": "Class Replace Represents an UpdateOne command, which can replace the first matched document with a given entity TIP: Specify a filter first with the .Match(). Then set entity with .WithEntity() and finally call .Execute() to run the command. Inheritance System.Object Replace Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Replace where T : IEntity Type Parameters Name Description T Any class that implements IEntity Methods AddToQueue() Queue up a replace command for bulk execution later. Declaration public Replace AddToQueue() Returns Type Description Replace ExecuteAsync(CancellationToken) Run the replace command in MongoDB. Declaration public async Task ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.ReplaceOneResult > IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public Replace IgnoreGlobalFilters() Returns Type Description Replace Match(FilterDefinition) Specify the matching criteria with a filter definition Declaration public Replace Match(FilterDefinition filterDefinition) Parameters Type Name Description MongoDB.Driver.FilterDefinition filterDefinition A filter definition Returns Type Description Replace Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public Replace Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do System.String searchTerm The search term System.Boolean caseSensitive Case sensitivity of the search (optional) System.Boolean diacriticSensitive Diacritic sensitivity of the search (optional) System.String language The language for the search (optional) Returns Type Description Replace Match(Template) Specify the matching criteria with a template Declaration public Replace Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description Replace Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public Replace Match(Func, FilterDefinition> filter) Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description Replace Match(Expression>) Specify the matching criteria with a lambda expression Declaration public Replace Match(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.Property == Value Returns Type Description Replace Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public Replace Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point System.Nullable < System.Double > maxDistance Maximum distance in meters from the search point System.Nullable < System.Double > minDistance Minimum distance in meters from the search point Returns Type Description Replace MatchExpression(Template) Specify the matching criteria with a Template Declaration public Replace MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description Replace MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public Replace MatchExpression(string expression) Parameters Type Name Description System.String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description Replace MatchID(String) Specify an IEntity ID as the matching criteria Declaration public Replace MatchID(string ID) Parameters Type Name Description System.String ID A unique IEntity ID Returns Type Description Replace MatchString(String) Specify the matching criteria with a JSON string Declaration public Replace MatchString(string jsonString) Parameters Type Name Description System.String jsonString { Title : 'The Power Of Now' } Returns Type Description Replace Option(Action) Specify an option for this replace command (use multiple times if needed) TIP: Setting options is not required Declaration public Replace Option(Action option) Parameters Type Name Description System.Action < MongoDB.Driver.ReplaceOptions > option x => x.OptionName = OptionValue Returns Type Description Replace WithEntity(T) Supply the entity to replace the first matched document with TIP: If the entity ID is empty, a new ID will be generated before being stored Declaration public Replace WithEntity(T entity) Parameters Type Name Description T entity Returns Type Description Replace " + "keywords": "Class Replace Represents an UpdateOne command, which can replace the first matched document with a given entity TIP: Specify a filter first with the .Match(). Then set entity with .WithEntity() and finally call .Execute() to run the command. Inheritance Object Replace Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Replace where T : IEntity Type Parameters Name Description T Any class that implements IEntity Methods AddToQueue() Queue up a replace command for bulk execution later. Declaration public Replace AddToQueue() Returns Type Description Replace ExecuteAsync(CancellationToken) Run the replace command in MongoDB. Declaration public async Task ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public Replace IgnoreGlobalFilters() Returns Type Description Replace Match(FilterDefinition) Specify the matching criteria with a filter definition Declaration public Replace Match(FilterDefinition filterDefinition) Parameters Type Name Description FilterDefinition filterDefinition A filter definition Returns Type Description Replace Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public Replace Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do String searchTerm The search term Boolean caseSensitive Case sensitivity of the search (optional) Boolean diacriticSensitive Diacritic sensitivity of the search (optional) String language The language for the search (optional) Returns Type Description Replace Match(Template) Specify the matching criteria with a template Declaration public Replace Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description Replace Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public Replace Match(Func, FilterDefinition> filter) Parameters Type Name Description Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description Replace Match(Expression>) Specify the matching criteria with a lambda expression Declaration public Replace Match(Expression> expression) Parameters Type Name Description Expression> expression x => x.Property == Value Returns Type Description Replace Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public Replace Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description Expression> coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point Nullable maxDistance Maximum distance in meters from the search point Nullable minDistance Minimum distance in meters from the search point Returns Type Description Replace MatchExpression(Template) Specify the matching criteria with a Template Declaration public Replace MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description Replace MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public Replace MatchExpression(string expression) Parameters Type Name Description String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description Replace MatchID(String) Specify an IEntity ID as the matching criteria Declaration public Replace MatchID(string ID) Parameters Type Name Description String ID A unique IEntity ID Returns Type Description Replace MatchString(String) Specify the matching criteria with a JSON string Declaration public Replace MatchString(string jsonString) Parameters Type Name Description String jsonString { Title : 'The Power Of Now' } Returns Type Description Replace Option(Action) Specify an option for this replace command (use multiple times if needed) TIP: Setting options is not required Declaration public Replace Option(Action option) Parameters Type Name Description Action option x => x.OptionName = OptionValue Returns Type Description Replace WithEntity(T) Supply the entity to replace the first matched document with TIP: If the entity ID is empty, a new ID will be generated before being stored Declaration public Replace WithEntity(T entity) Parameters Type Name Description T entity Returns Type Description Replace" }, "api/MongoDB.Entities.Search.html": { "href": "api/MongoDB.Entities.Search.html", "title": "Enum Search | MongoDB.Entities", - "keywords": "Enum Search Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public enum Search Fields Name Description Full Fuzzy" + "keywords": "Enum Search Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public enum Search Fields Name Description Full Fuzzy" }, "api/MongoDB.Entities.Template-1.html": { "href": "api/MongoDB.Entities.Template-1.html", "title": "Class Template | MongoDB.Entities", - "keywords": "Class Template A helper class to build a JSON command from a string with tag replacement Inheritance System.Object Template Template Template Inherited Members Template.Collection() Template.Property(Expression>) Template.PropertyOfResult(Expression>) Template.Property(Expression>) Template.Properties(Expression>) Template.PropertiesOfResult(Expression>) Template.Properties(Expression>) Template.Path(Expression>) Template.PathOfResult(Expression>) Template.Path(Expression>) Template.Paths(Expression>) Template.PathsOfResult(Expression>) Template.Paths(Expression>) Template.PosFiltered(Expression>) Template.PosFilteredOfResult(Expression>) Template.PosFiltered(Expression>) Template.PosAll(Expression>) Template.PosAllOfResult(Expression>) Template.PosAll(Expression>) Template.PosFirst(Expression>) Template.PosFirstOfResult(Expression>) Template.PosFirst(Expression>) Template.Elements(Expression>) Template.ElementsOfResult(Expression>) Template.Elements(Expression>) Template.Elements(Int32, Expression>) Template.ElementsOfResult(Int32, Expression>) Template.Elements(Int32, Expression>) Template.Tag(String, String) Template.ToPipeline() Template.ToArrayFilters() Template.AppendStage(String) Template.Collection() Template.Property(Expression>) Template.Properties(Expression>) Template.Path(Expression>) Template.Paths(Expression>) Template.PosFiltered(Expression>) Template.PosAll(Expression>) Template.PosFirst(Expression>) Template.Elements(Expression>) Template.Elements(Int32, Expression>) Template.Tag(String, String) Template.RenderToString() Template.ToString() Template.ToStages() Template.ToPipeline() Template.ToArrayFilters() System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Template : Template where T : IEntity Type Parameters Name Description T Any type that implements IEntity Constructors Template(String) Initializes a template with a tagged input string. Declaration public Template(string template) Parameters Type Name Description System.String template The template string with tags for targeting replacements such as \"\"" + "keywords": "Class Template A helper class to build a JSON command from a string with tag replacement Inheritance Object Template Template Template Inherited Members Template.Collection() Template.Property(Expression>) Template.PropertyOfResult(Expression>) Template.Property(Expression>) Template.Properties(Expression>) Template.PropertiesOfResult(Expression>) Template.Properties(Expression>) Template.Path(Expression>) Template.PathOfResult(Expression>) Template.Path(Expression>) Template.Paths(Expression>) Template.PathsOfResult(Expression>) Template.Paths(Expression>) Template.PosFiltered(Expression>) Template.PosFilteredOfResult(Expression>) Template.PosFiltered(Expression>) Template.PosAll(Expression>) Template.PosAllOfResult(Expression>) Template.PosAll(Expression>) Template.PosFirst(Expression>) Template.PosFirstOfResult(Expression>) Template.PosFirst(Expression>) Template.Elements(Expression>) Template.ElementsOfResult(Expression>) Template.Elements(Expression>) Template.Elements(Int32, Expression>) Template.ElementsOfResult(Int32, Expression>) Template.Elements(Int32, Expression>) Template.Tag(String, String) Template.ToPipeline() Template.ToArrayFilters() Template.AppendStage(String) Template.Collection() Template.Property(Expression>) Template.Properties(Expression>) Template.Path(Expression>) Template.Paths(Expression>) Template.PosFiltered(Expression>) Template.PosAll(Expression>) Template.PosFirst(Expression>) Template.Elements(Expression>) Template.Elements(Int32, Expression>) Template.Tag(String, String) Template.RenderToString() Template.ToString() Template.ToStages() Template.ToPipeline() Template.ToArrayFilters() Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Template : Template where T : IEntity Type Parameters Name Description T Any type that implements IEntity Constructors Template(String) Initializes a template with a tagged input string. Declaration public Template(string template) Parameters Type Name Description String template The template string with tags for targeting replacements such as \"\"" }, "api/MongoDB.Entities.Template-2.html": { "href": "api/MongoDB.Entities.Template-2.html", "title": "Class Template | MongoDB.Entities", - "keywords": "Class Template A helper class to build a JSON command from a string with tag replacement Inheritance System.Object Template Template Template Inherited Members Template.AppendStage(String) Template.Property(Expression>) Template.Properties(Expression>) Template.Path(Expression>) Template.Paths(Expression>) Template.PosFiltered(Expression>) Template.PosAll(Expression>) Template.PosFirst(Expression>) Template.Elements(Expression>) Template.Elements(Int32, Expression>) Template.RenderToString() Template.ToString() Template.ToStages() Template.ToPipeline() Template.ToArrayFilters() System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Template : Template where TInput : IEntity Type Parameters Name Description TInput The input type TResult The output type Constructors Template(String) Initializes a template with a tagged input string. Declaration public Template(string template) Parameters Type Name Description System.String template The template string with tags for targeting replacements such as \"\" Methods Collection() Gets the collection name of a given entity type and replaces matching tags in the template such as \"\" Declaration public Template Collection() where TEntity : IEntity Returns Type Description Template Type Parameters Name Description TEntity The type of entity to get the collection name of Elements(Int32, Expression>) Turns the given index and expression (of input type) to a path with the filtered positional identifier prepended to the property path like \"a.Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(int index, Expression> expression) Parameters Type Name Description System.Int32 index 0=a 1=b 2=c 3=d and so on... System.Linq.Expressions.Expression < System.Func > expression x => x.SomeProp Returns Type Description Template Elements(Expression>) Turns the given expression (of input type) to a path without any filtered positional identifier prepended to it like \"Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeProp Returns Type Description Template Elements(Int32, Expression>) Turns the given index and expression (of any type) to a path with the filtered positional identifier prepended to the property path like \"a.Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(int index, Expression> expression) Parameters Type Name Description System.Int32 index 0=a 1=b 2=c 3=d and so on... System.Linq.Expressions.Expression < System.Func > expression x => x.SomeProp Returns Type Description Template Type Parameters Name Description TOther Elements(Expression>) Turns the given expression (of any type) to a path without any filtered positional identifier prepended to it like \"Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeProp Returns Type Description Template Type Parameters Name Description TOther ElementsOfResult(Int32, Expression>) Turns the given index and expression (of output type) to a path with the filtered positional identifier prepended to the property path like \"a.Name\" and replaces matching tags in the template such as \"\" Declaration public Template ElementsOfResult(int index, Expression> expression) Parameters Type Name Description System.Int32 index 0=a 1=b 2=c 3=d and so on... System.Linq.Expressions.Expression < System.Func > expression x => x.SomeProp Returns Type Description Template ElementsOfResult(Expression>) Turns the given expression (of output type) to a path without any filtered positional identifier prepended to it like \"Name\" and replaces matching tags in the template such as \"\" Declaration public Template ElementsOfResult(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeProp Returns Type Description Template Path(Expression>) Turns the given expression (of input type) to a dotted path like \"SomeList.SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Path(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template Path(Expression>) Turns the given expression (of any type) to a dotted path like \"SomeList.SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Path(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description TOther PathOfResult(Expression>) Turns the given expression (of output type) to a dotted path like \"SomeList.SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template PathOfResult(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template Paths(Expression>) Turns the property paths in the given new expression (of input type) into paths like \"Prop1.Child1 & Prop2.Child2\" and replaces matching tags in the template. Declaration public Template Paths(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => new { x.Prop1.Child1, x.Prop2.Child2 } Returns Type Description Template Paths(Expression>) Turns the property paths in the given new expression (of any type) into paths like \"Prop1.Child1 & Prop2.Child2\" and replaces matching tags in the template. Declaration public Template Paths(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => new { x.Prop1.Child1, x.Prop2.Child2 } Returns Type Description Template Type Parameters Name Description TOther PathsOfResult(Expression>) Turns the property paths in the given new expression (of output type) into paths like \"Prop1.Child1 & Prop2.Child2\" and replaces matching tags in the template. Declaration public Template PathsOfResult(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => new { x.Prop1.Child1, x.Prop2.Child2 } Returns Type Description Template PosAll(Expression>) Turns the given expression (of input type) to a path with the all positional operator like \"Authors.$[].Name\" and replaces matching tags in the template such as \"\" Declaration public Template PosAll(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template PosAll(Expression>) Turns the given expression (of any type) to a path with the all positional operator like \"Authors.$[].Name\" and replaces matching tags in the template such as \"\" Declaration public Template PosAll(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description TOther PosAllOfResult(Expression>) Turns the given expression (of output type) to a path with the all positional operator like \"Authors.$[].Name\" and replaces matching tags in the template such as \"\" Declaration public Template PosAllOfResult(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template PosFiltered(Expression>) Turns the given expression (of input type) to a positional filtered path like \"Authors.$[a].Name\" and replaces matching tags in the template such as \"\" TIP: Index positions start from [0] which is converted to $[a] and so on. Declaration public Template PosFiltered(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template PosFiltered(Expression>) Turns the given expression (of any type) to a positional filtered path like \"Authors.$[a].Name\" and replaces matching tags in the template such as \"\" TIP: Index positions start from [0] which is converted to $[a] and so on. Declaration public Template PosFiltered(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description TOther PosFilteredOfResult(Expression>) Turns the given expression (of output type) to a positional filtered path like \"Authors.$[a].Name\" and replaces matching tags in the template such as \"\" TIP: Index positions start from [0] which is converted to $[a] and so on. Declaration public Template PosFilteredOfResult(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template PosFirst(Expression>) Turns the given expression (of input type) to a path with the first positional operator like \"Authors.$.Name\" and replaces matching tags in the template such as \"\" Declaration public Template PosFirst(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template PosFirst(Expression>) Turns the given expression (of any type) to a path with the first positional operator like \"Authors.$.Name\" and replaces matching tags in the template such as \"\" Declaration public Template PosFirst(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description TOther PosFirstOfResult(Expression>) Turns the given expression (of output type) to a path with the first positional operator like \"Authors.$.Name\" and replaces matching tags in the template such as \"\" Declaration public Template PosFirstOfResult(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template Properties(Expression>) Turns the property paths in the given new expression (of input type) into names like \"PropX & PropY\" and replaces matching tags in the template. Declaration public Template Properties(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => new { x.Prop1.PropX, x.Prop2.PropY } Returns Type Description Template Properties(Expression>) Turns the property paths in the given new expression (of any type) into paths like \"PropX & PropY\" and replaces matching tags in the template. Declaration public Template Properties(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => new { x.Prop1.PropX, x.Prop2.PropY } Returns Type Description Template Type Parameters Name Description TOther PropertiesOfResult(Expression>) Turns the property paths in the given new expression (of output type) into names like \"PropX & PropY\" and replaces matching tags in the template. Declaration public Template PropertiesOfResult(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => new { x.Prop1.PropX, x.Prop2.PropY } Returns Type Description Template Property(Expression>) Turns the given member expression (of input type) into a property name like \"SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Property(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.RootProp.SomeProp Returns Type Description Template Property(Expression>) Turns the given member expression (of any type) into a property name like \"SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Property(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.RootProp.SomeProp Returns Type Description Template Type Parameters Name Description TOther PropertyOfResult(Expression>) Turns the given member expression (of output type) into a property name like \"SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template PropertyOfResult(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.RootProp.SomeProp Returns Type Description Template Tag(String, String) Replaces the given tag in the template like \"\" with the supplied value. Declaration public Template Tag(string tagName, string replacementValue) Parameters Type Name Description System.String tagName The tag name without the surrounding < and > System.String replacementValue The value to replace with Returns Type Description Template ToArrayFilters() Executes the tag replacement and returns array filter definitions. TIP: if all the tags don't match, an exception will be thrown. Declaration public IEnumerable ToArrayFilters() Returns Type Description System.Collections.Generic.IEnumerable < MongoDB.Driver.ArrayFilterDefinition > ToPipeline() Executes the tag replacement and returns a pipeline definition. TIP: if all the tags don't match, an exception will be thrown. Declaration public PipelineDefinition ToPipeline() Returns Type Description MongoDB.Driver.PipelineDefinition " + "keywords": "Class Template A helper class to build a JSON command from a string with tag replacement Inheritance Object Template Template Template Inherited Members Template.AppendStage(String) Template.Property(Expression>) Template.Properties(Expression>) Template.Path(Expression>) Template.Paths(Expression>) Template.PosFiltered(Expression>) Template.PosAll(Expression>) Template.PosFirst(Expression>) Template.Elements(Expression>) Template.Elements(Int32, Expression>) Template.RenderToString() Template.ToString() Template.ToStages() Template.ToPipeline() Template.ToArrayFilters() Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Template : Template where TInput : IEntity Type Parameters Name Description TInput The input type TResult The output type Constructors Template(String) Initializes a template with a tagged input string. Declaration public Template(string template) Parameters Type Name Description String template The template string with tags for targeting replacements such as \"\" Methods Collection() Gets the collection name of a given entity type and replaces matching tags in the template such as \"\" Declaration public Template Collection() where TEntity : IEntity Returns Type Description Template Type Parameters Name Description TEntity The type of entity to get the collection name of Elements(Int32, Expression>) Turns the given index and expression (of input type) to a path with the filtered positional identifier prepended to the property path like \"a.Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(int index, Expression> expression) Parameters Type Name Description Int32 index 0=a 1=b 2=c 3=d and so on... Expression> expression x => x.SomeProp Returns Type Description Template Elements(Expression>) Turns the given expression (of input type) to a path without any filtered positional identifier prepended to it like \"Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeProp Returns Type Description Template Elements(Int32, Expression>) Turns the given index and expression (of any type) to a path with the filtered positional identifier prepended to the property path like \"a.Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(int index, Expression> expression) Parameters Type Name Description Int32 index 0=a 1=b 2=c 3=d and so on... Expression> expression x => x.SomeProp Returns Type Description Template Type Parameters Name Description TOther Elements(Expression>) Turns the given expression (of any type) to a path without any filtered positional identifier prepended to it like \"Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeProp Returns Type Description Template Type Parameters Name Description TOther ElementsOfResult(Int32, Expression>) Turns the given index and expression (of output type) to a path with the filtered positional identifier prepended to the property path like \"a.Name\" and replaces matching tags in the template such as \"\" Declaration public Template ElementsOfResult(int index, Expression> expression) Parameters Type Name Description Int32 index 0=a 1=b 2=c 3=d and so on... Expression> expression x => x.SomeProp Returns Type Description Template ElementsOfResult(Expression>) Turns the given expression (of output type) to a path without any filtered positional identifier prepended to it like \"Name\" and replaces matching tags in the template such as \"\" Declaration public Template ElementsOfResult(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeProp Returns Type Description Template Path(Expression>) Turns the given expression (of input type) to a dotted path like \"SomeList.SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Path(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template Path(Expression>) Turns the given expression (of any type) to a dotted path like \"SomeList.SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Path(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description TOther PathOfResult(Expression>) Turns the given expression (of output type) to a dotted path like \"SomeList.SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template PathOfResult(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template Paths(Expression>) Turns the property paths in the given new expression (of input type) into paths like \"Prop1.Child1 & Prop2.Child2\" and replaces matching tags in the template. Declaration public Template Paths(Expression> expression) Parameters Type Name Description Expression> expression x => new { x.Prop1.Child1, x.Prop2.Child2 } Returns Type Description Template Paths(Expression>) Turns the property paths in the given new expression (of any type) into paths like \"Prop1.Child1 & Prop2.Child2\" and replaces matching tags in the template. Declaration public Template Paths(Expression> expression) Parameters Type Name Description Expression> expression x => new { x.Prop1.Child1, x.Prop2.Child2 } Returns Type Description Template Type Parameters Name Description TOther PathsOfResult(Expression>) Turns the property paths in the given new expression (of output type) into paths like \"Prop1.Child1 & Prop2.Child2\" and replaces matching tags in the template. Declaration public Template PathsOfResult(Expression> expression) Parameters Type Name Description Expression> expression x => new { x.Prop1.Child1, x.Prop2.Child2 } Returns Type Description Template PosAll(Expression>) Turns the given expression (of input type) to a path with the all positional operator like \"Authors.\\([].Name" and replaces matching tags in the template such as "<Authors.\\)[].Name>\" Declaration public Template PosAll(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template PosAll(Expression>) Turns the given expression (of any type) to a path with the all positional operator like \"Authors.\\([].Name" and replaces matching tags in the template such as "<Authors.\\)[].Name>\" Declaration public Template PosAll(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description TOther PosAllOfResult(Expression>) Turns the given expression (of output type) to a path with the all positional operator like \"Authors.\\([].Name" and replaces matching tags in the template such as "<Authors.\\)[].Name>\" Declaration public Template PosAllOfResult(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template PosFiltered(Expression>) Turns the given expression (of input type) to a positional filtered path like \"Authors.\\([a].Name" and replaces matching tags in the template such as "<Authors.\\)[a].Name>\" TIP: Index positions start from [0] which is converted to $[a] and so on. Declaration public Template PosFiltered(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template PosFiltered(Expression>) Turns the given expression (of any type) to a positional filtered path like \"Authors.\\([a].Name" and replaces matching tags in the template such as "<Authors.\\)[a].Name>\" TIP: Index positions start from [0] which is converted to $[a] and so on. Declaration public Template PosFiltered(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description TOther PosFilteredOfResult(Expression>) Turns the given expression (of output type) to a positional filtered path like \"Authors.\\([a].Name" and replaces matching tags in the template such as "<Authors.\\)[a].Name>\" TIP: Index positions start from [0] which is converted to $[a] and so on. Declaration public Template PosFilteredOfResult(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template PosFirst(Expression>) Turns the given expression (of input type) to a path with the first positional operator like \"Authors.\\(.Name" and replaces matching tags in the template such as "<Authors.\\).Name>\" Declaration public Template PosFirst(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template PosFirst(Expression>) Turns the given expression (of any type) to a path with the first positional operator like \"Authors.\\(.Name" and replaces matching tags in the template such as "<Authors.\\).Name>\" Declaration public Template PosFirst(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description TOther PosFirstOfResult(Expression>) Turns the given expression (of output type) to a path with the first positional operator like \"Authors.\\(.Name" and replaces matching tags in the template such as "<Authors.\\).Name>\" Declaration public Template PosFirstOfResult(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template Properties(Expression>) Turns the property paths in the given new expression (of input type) into names like \"PropX & PropY\" and replaces matching tags in the template. Declaration public Template Properties(Expression> expression) Parameters Type Name Description Expression> expression x => new { x.Prop1.PropX, x.Prop2.PropY } Returns Type Description Template Properties(Expression>) Turns the property paths in the given new expression (of any type) into paths like \"PropX & PropY\" and replaces matching tags in the template. Declaration public Template Properties(Expression> expression) Parameters Type Name Description Expression> expression x => new { x.Prop1.PropX, x.Prop2.PropY } Returns Type Description Template Type Parameters Name Description TOther PropertiesOfResult(Expression>) Turns the property paths in the given new expression (of output type) into names like \"PropX & PropY\" and replaces matching tags in the template. Declaration public Template PropertiesOfResult(Expression> expression) Parameters Type Name Description Expression> expression x => new { x.Prop1.PropX, x.Prop2.PropY } Returns Type Description Template Property(Expression>) Turns the given member expression (of input type) into a property name like \"SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Property(Expression> expression) Parameters Type Name Description Expression> expression x => x.RootProp.SomeProp Returns Type Description Template Property(Expression>) Turns the given member expression (of any type) into a property name like \"SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Property(Expression> expression) Parameters Type Name Description Expression> expression x => x.RootProp.SomeProp Returns Type Description Template Type Parameters Name Description TOther PropertyOfResult(Expression>) Turns the given member expression (of output type) into a property name like \"SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template PropertyOfResult(Expression> expression) Parameters Type Name Description Expression> expression x => x.RootProp.SomeProp Returns Type Description Template Tag(String, String) Replaces the given tag in the template like \"\" with the supplied value. Declaration public Template Tag(string tagName, string replacementValue) Parameters Type Name Description String tagName The tag name without the surrounding < and > String replacementValue The value to replace with Returns Type Description Template ToArrayFilters() Executes the tag replacement and returns array filter definitions. TIP: if all the tags don't match, an exception will be thrown. Declaration public IEnumerable ToArrayFilters() Returns Type Description IEnumerable ToPipeline() Executes the tag replacement and returns a pipeline definition. TIP: if all the tags don't match, an exception will be thrown. Declaration public PipelineDefinition ToPipeline() Returns Type Description PipelineDefinition" }, "api/MongoDB.Entities.Template.html": { "href": "api/MongoDB.Entities.Template.html", "title": "Class Template | MongoDB.Entities", - "keywords": "Class Template A helper class to build a JSON command from a string with tag replacement Inheritance System.Object Template Template Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Template Constructors Template(String) Initialize a command builder with the supplied template string. Declaration public Template(string template) Parameters Type Name Description System.String template The template string with tags for targeting replacements such as \"\" Methods AppendStage(String) Appends a pipeline stage json string to the current pipeline. This method can only be used if the template was initialized with an array of pipeline stages. If this is going to be the first stage of your pipeline, you must instantiate the template with an empty array string new Template(\"[]\") WARNING: Appending stages prevents this template from being cached!!! Declaration public void AppendStage(string pipelineStageString) Parameters Type Name Description System.String pipelineStageString The pipeline stage json string to append Collection() Gets the collection name of a given entity type and replaces matching tags in the template such as \"\" Declaration public Template Collection() where TEntity : IEntity Returns Type Description Template Type Parameters Name Description TEntity The type of entity to get the collection name of Elements(Int32, Expression>) Turns the given index and expression into a path with the filtered positional identifier prepended to the property path like \"a.Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(int index, Expression> expression) Parameters Type Name Description System.Int32 index 0=a 1=b 2=c 3=d and so on... System.Linq.Expressions.Expression < System.Func > expression x => x.SomeProp Returns Type Description Template Type Parameters Name Description T Elements(Expression>) Turns the given expression into a path without any filtered positional identifier prepended to it like \"Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeProp Returns Type Description Template Type Parameters Name Description T Path(Expression>) Turns the given expression into a dotted path like \"SomeList.SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Path(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description T Paths(Expression>) Turns the property paths in the given new expression into paths like \"Prop1.Child1 & Prop2.Child2\" and replaces matching tags in the template. Declaration public Template Paths(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => new { x.Prop1.Child1, x.Prop2.Child2 } Returns Type Description Template Type Parameters Name Description T PosAll(Expression>) Turns the given expression into a path with the all positional operator like \"Authors.$[].Name\" and replaces matching tags in the template such as \"\" Declaration public Template PosAll(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description T PosFiltered(Expression>) Turns the given expression into a positional filtered path like \"Authors.$[a].Name\" and replaces matching tags in the template such as \"\" TIP: Index positions start from [0] which is converted to $[a] and so on. Declaration public Template PosFiltered(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description T PosFirst(Expression>) Turns the given expression into a path with the first positional operator like \"Authors.$.Name\" and replaces matching tags in the template such as \"\" Declaration public Template PosFirst(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description T Properties(Expression>) Turns the property paths in the given new expression into property names like \"PropX & PropY\" and replaces matching tags in the template. Declaration public Template Properties(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => new { x.Prop1.PropX, x.Prop2.PropY } Returns Type Description Template Type Parameters Name Description T Property(Expression>) Turns the given member expression into a property name like \"SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Property(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.RootProp.SomeProp Returns Type Description Template Type Parameters Name Description T RenderToString() Executes the tag replacement and returns a string. TIP: if all the tags don't match, an exception will be thrown. Declaration public string RenderToString() Returns Type Description System.String Tag(String, String) Replaces the given tag in the template like \"\" with the supplied value. Declaration public Template Tag(string tagName, string replacementValue) Parameters Type Name Description System.String tagName The tag name without the surrounding < and > System.String replacementValue The value to replace with Returns Type Description Template ToArrayFilters() Executes the tag replacement and returns array filter definitions. TIP: if all the tags don't match, an exception will be thrown. Declaration public IEnumerable ToArrayFilters() Returns Type Description System.Collections.Generic.IEnumerable < MongoDB.Driver.ArrayFilterDefinition > Type Parameters Name Description T ToPipeline() Executes the tag replacement and returns a pipeline definition. TIP: if all the tags don't match, an exception will be thrown. Declaration public PipelineDefinition ToPipeline() Returns Type Description MongoDB.Driver.PipelineDefinition Type Parameters Name Description TInput The input type TOutput The output type ToStages() Executes the tag replacement and returns the pipeline stages as an array of BsonDocuments. TIP: if all the tags don't match, an exception will be thrown. Declaration public IEnumerable ToStages() Returns Type Description System.Collections.Generic.IEnumerable < MongoDB.Bson.BsonDocument > ToString() A helper class to build a JSON command from a string with tag replacement Declaration [Obsolete(\"Please use the `RenderToString` method instead of `ToString`\", true)] public string ToString() Returns Type Description System.String" + "keywords": "Class Template A helper class to build a JSON command from a string with tag replacement Inheritance Object Template Template Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Template Constructors Template(String) Initialize a command builder with the supplied template string. Declaration public Template(string template) Parameters Type Name Description String template The template string with tags for targeting replacements such as \"\" Methods AppendStage(String) Appends a pipeline stage json string to the current pipeline. This method can only be used if the template was initialized with an array of pipeline stages. If this is going to be the first stage of your pipeline, you must instantiate the template with an empty array string new Template(\"[]\") WARNING: Appending stages prevents this template from being cached!!! Declaration public void AppendStage(string pipelineStageString) Parameters Type Name Description String pipelineStageString The pipeline stage json string to append Collection() Gets the collection name of a given entity type and replaces matching tags in the template such as \"\" Declaration public Template Collection() where TEntity : IEntity Returns Type Description Template Type Parameters Name Description TEntity The type of entity to get the collection name of Elements(Int32, Expression>) Turns the given index and expression into a path with the filtered positional identifier prepended to the property path like \"a.Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(int index, Expression> expression) Parameters Type Name Description Int32 index 0=a 1=b 2=c 3=d and so on... Expression> expression x => x.SomeProp Returns Type Description Template Type Parameters Name Description T Elements(Expression>) Turns the given expression into a path without any filtered positional identifier prepended to it like \"Name\" and replaces matching tags in the template such as \"\" Declaration public Template Elements(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeProp Returns Type Description Template Type Parameters Name Description T Path(Expression>) Turns the given expression into a dotted path like \"SomeList.SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Path(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description T Paths(Expression>) Turns the property paths in the given new expression into paths like \"Prop1.Child1 & Prop2.Child2\" and replaces matching tags in the template. Declaration public Template Paths(Expression> expression) Parameters Type Name Description Expression> expression x => new { x.Prop1.Child1, x.Prop2.Child2 } Returns Type Description Template Type Parameters Name Description T PosAll(Expression>) Turns the given expression into a path with the all positional operator like \"Authors.\\([].Name" and replaces matching tags in the template such as "<Authors.\\)[].Name>\" Declaration public Template PosAll(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description T PosFiltered(Expression>) Turns the given expression into a positional filtered path like \"Authors.\\([a].Name" and replaces matching tags in the template such as "<Authors.\\)[a].Name>\" TIP: Index positions start from [0] which is converted to $[a] and so on. Declaration public Template PosFiltered(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description T PosFirst(Expression>) Turns the given expression into a path with the first positional operator like \"Authors.\\(.Name" and replaces matching tags in the template such as "<Authors.\\).Name>\" Declaration public Template PosFirst(Expression> expression) Parameters Type Name Description Expression> expression x => x.SomeList[0].SomeProp Returns Type Description Template Type Parameters Name Description T Properties(Expression>) Turns the property paths in the given new expression into property names like \"PropX & PropY\" and replaces matching tags in the template. Declaration public Template Properties(Expression> expression) Parameters Type Name Description Expression> expression x => new { x.Prop1.PropX, x.Prop2.PropY } Returns Type Description Template Type Parameters Name Description T Property(Expression>) Turns the given member expression into a property name like \"SomeProp\" and replaces matching tags in the template such as \"\" Declaration public Template Property(Expression> expression) Parameters Type Name Description Expression> expression x => x.RootProp.SomeProp Returns Type Description Template Type Parameters Name Description T RenderToString() Executes the tag replacement and returns a string. TIP: if all the tags don't match, an exception will be thrown. Declaration public string RenderToString() Returns Type Description String Tag(String, String) Replaces the given tag in the template like \"\" with the supplied value. Declaration public Template Tag(string tagName, string replacementValue) Parameters Type Name Description String tagName The tag name without the surrounding < and > String replacementValue The value to replace with Returns Type Description Template ToArrayFilters() Executes the tag replacement and returns array filter definitions. TIP: if all the tags don't match, an exception will be thrown. Declaration public IEnumerable ToArrayFilters() Returns Type Description IEnumerable Type Parameters Name Description T ToPipeline() Executes the tag replacement and returns a pipeline definition. TIP: if all the tags don't match, an exception will be thrown. Declaration public PipelineDefinition ToPipeline() Returns Type Description PipelineDefinition Type Parameters Name Description TInput The input type TOutput The output type ToStages() Executes the tag replacement and returns the pipeline stages as an array of BsonDocuments. TIP: if all the tags don't match, an exception will be thrown. Declaration public IEnumerable ToStages() Returns Type Description IEnumerable ToString() Declaration [Obsolete(\"Please use the `RenderToString` method instead of `ToString`\", true)] public string ToString() Returns Type Description String" }, "api/MongoDB.Entities.Transaction.html": { "href": "api/MongoDB.Entities.Transaction.html", "title": "Class Transaction | MongoDB.Entities", - "keywords": "Class Transaction Represents a transaction used to carry out inter-related write operations. TIP: Remember to always call .Dispose() after use or enclose in a 'Using' statement. IMPORTANT: Use the methods on this transaction to perform operations and not the methods on the DB class. Inheritance System.Object DBContext Transaction Implements System.IDisposable Inherited Members DBContext.CreateCollectionAsync(Action>, CancellationToken) DBContext.DropCollectionAsync() DBContext.CountEstimatedAsync(CancellationToken) DBContext.CountAsync(Expression>, CancellationToken, CountOptions, Boolean) DBContext.CountAsync(CancellationToken) DBContext.CountAsync(FilterDefinition, CancellationToken, CountOptions, Boolean) DBContext.CountAsync(Func, FilterDefinition>, CancellationToken, CountOptions, Boolean) DBContext.ModifiedBy DBContext.Session DBContext.Transaction(String, ClientSessionOptions) DBContext.Transaction(ClientSessionOptions) DBContext.CommitAsync(CancellationToken) DBContext.AbortAsync(CancellationToken) DBContext.OnBeforeSave() DBContext.OnBeforeUpdate() DBContext.SetGlobalFilter(Expression>, Boolean) DBContext.SetGlobalFilter(Func, FilterDefinition>, Boolean) DBContext.SetGlobalFilter(FilterDefinition, Boolean) DBContext.SetGlobalFilter(Type, String, Boolean) DBContext.SetGlobalFilterForBaseClass(Expression>, Boolean) DBContext.SetGlobalFilterForBaseClass(Func, FilterDefinition>, Boolean) DBContext.SetGlobalFilterForBaseClass(FilterDefinition, Boolean) DBContext.SetGlobalFilterForInterface(String, Boolean) DBContext.DeleteAsync(String, CancellationToken, Boolean) DBContext.DeleteAsync(IEnumerable, CancellationToken, Boolean) DBContext.DeleteAsync(Expression>, CancellationToken, Collation, Boolean) DBContext.DeleteAsync(Func, FilterDefinition>, CancellationToken, Collation, Boolean) DBContext.DeleteAsync(FilterDefinition, CancellationToken, Collation, Boolean) DBContext.Distinct() DBContext.Find() DBContext.Find() DBContext.Fluent(AggregateOptions, Boolean) DBContext.FluentTextSearch(Search, String, Boolean, Boolean, String, AggregateOptions, Boolean) DBContext.GeoNear(Coordinates2D, Expression>, Boolean, Nullable, Nullable, Nullable, BsonDocument, Nullable, Expression>, String, AggregateOptions, Boolean) DBContext.InsertAsync(T, CancellationToken) DBContext.InsertAsync(IEnumerable, CancellationToken) DBContext.PagedSearch() DBContext.PagedSearch() DBContext.PipelineCursorAsync(Template, AggregateOptions, CancellationToken, Boolean) DBContext.PipelineAsync(Template, AggregateOptions, CancellationToken, Boolean) DBContext.PipelineSingleAsync(Template, AggregateOptions, CancellationToken, Boolean) DBContext.PipelineFirstAsync(Template, AggregateOptions, CancellationToken, Boolean) DBContext.Queryable(AggregateOptions, Boolean) DBContext.Replace() DBContext.SaveAsync(T, CancellationToken) DBContext.SaveAsync(IEnumerable, CancellationToken) DBContext.SaveOnlyAsync(T, Expression>, CancellationToken) DBContext.SaveOnlyAsync(T, IEnumerable, CancellationToken) DBContext.SaveOnlyAsync(IEnumerable, Expression>, CancellationToken) DBContext.SaveOnlyAsync(IEnumerable, IEnumerable, CancellationToken) DBContext.SaveExceptAsync(T, Expression>, CancellationToken) DBContext.SaveExceptAsync(T, IEnumerable, CancellationToken) DBContext.SaveExceptAsync(IEnumerable, Expression>, CancellationToken) DBContext.SaveExceptAsync(IEnumerable, IEnumerable, CancellationToken) DBContext.SavePreservingAsync(T, CancellationToken) DBContext.Update() DBContext.UpdateAndGet() DBContext.UpdateAndGet() System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Transaction : DBContext, IDisposable Constructors Transaction(String, ClientSessionOptions, ModifiedBy) Instantiates and begins a transaction. Declaration public Transaction(string database = null, ClientSessionOptions options = null, ModifiedBy modifiedBy = null) Parameters Type Name Description System.String database The name of the database to use for this transaction. default db is used if not specified MongoDB.Driver.ClientSessionOptions options Client session options for this transaction ModifiedBy modifiedBy An optional ModifiedBy instance. When supplied, all save/update operations performed via this DBContext instance will set the value on entities that has a property of type ModifiedBy. You can inherit from the ModifiedBy class and add your own properties to it. Only one ModifiedBy property is allowed on a single entity type. Methods Dispose() Represents a transaction used to carry out inter-related write operations. TIP: Remember to always call .Dispose() after use or enclose in a 'Using' statement. IMPORTANT: Use the methods on this transaction to perform operations and not the methods on the DB class. Declaration public void Dispose() Dispose(Boolean) Represents a transaction used to carry out inter-related write operations. TIP: Remember to always call .Dispose() after use or enclose in a 'Using' statement. IMPORTANT: Use the methods on this transaction to perform operations and not the methods on the DB class. Declaration protected virtual void Dispose(bool disposing) Parameters Type Name Description System.Boolean disposing Implements System.IDisposable" + "keywords": "Class Transaction Represents a transaction used to carry out inter-related write operations. TIP: Remember to always call .Dispose() after use or enclose in a 'Using' statement. IMPORTANT: Use the methods on this transaction to perform operations and not the methods on the DB class. Inheritance Object DBContext Transaction Implements IDisposable Inherited Members DBContext.CreateCollectionAsync(Action>, CancellationToken) DBContext.DropCollectionAsync() DBContext.CountEstimatedAsync(CancellationToken) DBContext.CountAsync(Expression>, CancellationToken, CountOptions, Boolean) DBContext.CountAsync(CancellationToken) DBContext.CountAsync(FilterDefinition, CancellationToken, CountOptions, Boolean) DBContext.CountAsync(Func, FilterDefinition>, CancellationToken, CountOptions, Boolean) DBContext.ModifiedBy DBContext.Session DBContext.Transaction(String, ClientSessionOptions) DBContext.Transaction(ClientSessionOptions) DBContext.CommitAsync(CancellationToken) DBContext.AbortAsync(CancellationToken) DBContext.OnBeforeSave() DBContext.OnBeforeUpdate() DBContext.SetGlobalFilter(Expression>, Boolean) DBContext.SetGlobalFilter(Func, FilterDefinition>, Boolean) DBContext.SetGlobalFilter(FilterDefinition, Boolean) DBContext.SetGlobalFilter(Type, String, Boolean) DBContext.SetGlobalFilterForBaseClass(Expression>, Boolean) DBContext.SetGlobalFilterForBaseClass(Func, FilterDefinition>, Boolean) DBContext.SetGlobalFilterForBaseClass(FilterDefinition, Boolean) DBContext.SetGlobalFilterForInterface(String, Boolean) DBContext.DeleteAsync(String, CancellationToken, Boolean) DBContext.DeleteAsync(IEnumerable, CancellationToken, Boolean) DBContext.DeleteAsync(Expression>, CancellationToken, Collation, Boolean) DBContext.DeleteAsync(Func, FilterDefinition>, CancellationToken, Collation, Boolean) DBContext.DeleteAsync(FilterDefinition, CancellationToken, Collation, Boolean) DBContext.Distinct() DBContext.Find() DBContext.Find() DBContext.Fluent(AggregateOptions, Boolean) DBContext.FluentTextSearch(Search, String, Boolean, Boolean, String, AggregateOptions, Boolean) DBContext.GeoNear(Coordinates2D, Expression>, Boolean, Nullable, Nullable, Nullable, BsonDocument, Nullable, Expression>, String, AggregateOptions, Boolean) DBContext.InsertAsync(T, CancellationToken) DBContext.InsertAsync(IEnumerable, CancellationToken) DBContext.PagedSearch() DBContext.PagedSearch() DBContext.PipelineCursorAsync(Template, AggregateOptions, CancellationToken, Boolean) DBContext.PipelineAsync(Template, AggregateOptions, CancellationToken, Boolean) DBContext.PipelineSingleAsync(Template, AggregateOptions, CancellationToken, Boolean) DBContext.PipelineFirstAsync(Template, AggregateOptions, CancellationToken, Boolean) DBContext.Queryable(AggregateOptions, Boolean) DBContext.Replace() DBContext.SaveAsync(T, CancellationToken) DBContext.SaveAsync(IEnumerable, CancellationToken) DBContext.SaveOnlyAsync(T, Expression>, CancellationToken) DBContext.SaveOnlyAsync(T, IEnumerable, CancellationToken) DBContext.SaveOnlyAsync(IEnumerable, Expression>, CancellationToken) DBContext.SaveOnlyAsync(IEnumerable, IEnumerable, CancellationToken) DBContext.SaveExceptAsync(T, Expression>, CancellationToken) DBContext.SaveExceptAsync(T, IEnumerable, CancellationToken) DBContext.SaveExceptAsync(IEnumerable, Expression>, CancellationToken) DBContext.SaveExceptAsync(IEnumerable, IEnumerable, CancellationToken) DBContext.SavePreservingAsync(T, CancellationToken) DBContext.Update() DBContext.UpdateAndGet() DBContext.UpdateAndGet() Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Transaction : DBContext, IDisposable Constructors Transaction(String, ClientSessionOptions, ModifiedBy) Instantiates and begins a transaction. Declaration public Transaction(string database = null, ClientSessionOptions options = null, ModifiedBy modifiedBy = null) Parameters Type Name Description String database The name of the database to use for this transaction. default db is used if not specified ClientSessionOptions options Client session options for this transaction ModifiedBy modifiedBy An optional ModifiedBy instance. When supplied, all save/update operations performed via this DBContext instance will set the value on entities that has a property of type ModifiedBy. You can inherit from the ModifiedBy class and add your own properties to it. Only one ModifiedBy property is allowed on a single entity type. Methods Dispose() Declaration public void Dispose() Dispose(Boolean) Declaration protected virtual void Dispose(bool disposing) Parameters Type Name Description Boolean disposing Implements System.IDisposable" }, "api/MongoDB.Entities.Update-1.html": { "href": "api/MongoDB.Entities.Update-1.html", "title": "Class Update | MongoDB.Entities", - "keywords": "Class Update Represents an update command TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. Inheritance System.Object UpdateBase Update Inherited Members UpdateBase.defs UpdateBase.AddModification(Expression>, TProp) UpdateBase.AddModification(Func, UpdateDefinition>) UpdateBase.AddModification(String) UpdateBase.AddModification(Template) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Update : UpdateBase where T : IEntity Type Parameters Name Description T Any class that implements IEntity Methods AddToQueue() Queue up an update command for bulk execution later. Declaration public Update AddToQueue() Returns Type Description Update ExecuteAsync(CancellationToken) Run the update command in MongoDB. Declaration public async Task ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > ExecutePipelineAsync(CancellationToken) Run the update command with pipeline stages Declaration public Task ExecutePipelineAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task < MongoDB.Driver.UpdateResult > IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public Update IgnoreGlobalFilters() Returns Type Description Update Match(FilterDefinition) Specify the matching criteria with a filter definition Declaration public Update Match(FilterDefinition filterDefinition) Parameters Type Name Description MongoDB.Driver.FilterDefinition filterDefinition A filter definition Returns Type Description Update Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public Update Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do System.String searchTerm The search term System.Boolean caseSensitive Case sensitivity of the search (optional) System.Boolean diacriticSensitive Diacritic sensitivity of the search (optional) System.String language The language for the search (optional) Returns Type Description Update Match(Template) Specify the matching criteria with a template Declaration public Update Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description Update Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public Update Match(Func, FilterDefinition> filter) Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description Update Match(Expression>) Specify the matching criteria with a lambda expression Declaration public Update Match(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.Property == Value Returns Type Description Update Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public Update Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point System.Nullable < System.Double > maxDistance Maximum distance in meters from the search point System.Nullable < System.Double > minDistance Minimum distance in meters from the search point Returns Type Description Update MatchExpression(Template) Specify the matching criteria with a Template Declaration public Update MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description Update MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public Update MatchExpression(string expression) Parameters Type Name Description System.String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description Update MatchID(String) Specify an IEntity ID as the matching criteria Declaration public Update MatchID(string ID) Parameters Type Name Description System.String ID A unique IEntity ID Returns Type Description Update MatchString(String) Specify the matching criteria with a JSON string Declaration public Update MatchString(string jsonString) Parameters Type Name Description System.String jsonString { Title : 'The Power Of Now' } Returns Type Description Update Modify(Template) Specify an update with a Template to modify the Entities (use multiple times if needed) Declaration public Update Modify(Template template) Parameters Type Name Description Template template A Template with a single update Returns Type Description Update Modify(Func, UpdateDefinition>) Specify the update definition builder operation to modify the Entities (use multiple times if needed) Declaration public Update Modify(Func, UpdateDefinition> operation) Parameters Type Name Description System.Func < MongoDB.Driver.UpdateDefinitionBuilder , MongoDB.Driver.UpdateDefinition > operation b => b.Inc(x => x.PropName, Value) Returns Type Description Update Modify(String) Specify an update (json string) to modify the Entities (use multiple times if needed) Declaration public Update Modify(string update) Parameters Type Name Description System.String update { $set: { 'RootProp.$[x].SubProp' : 321 } } Returns Type Description Update Modify(Expression>, TProp) Specify the property and it's value to modify (use multiple times if needed) Declaration public Update Modify(Expression> property, TProp value) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > property x => x.Property TProp value The value to set on the property Returns Type Description Update Type Parameters Name Description TProp ModifyExcept(Expression>, T) Modify all EXCEPT the specified properties with the values from a given entity instance. Declaration public Update ModifyExcept(Expression> members, T entity) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > members Supply a new expression with the properties to exclude. Ex: x => new { x.Prop1, x.Prop2 } T entity The entity instance to read the corresponding values from Returns Type Description Update ModifyOnly(Expression>, T) Modify ONLY the specified properties with the values from a given entity instance. Declaration public Update ModifyOnly(Expression> members, T entity) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > members A new expression with the properties to include. Ex: x => new { x.PropOne, x.PropTwo } T entity The entity instance to read the corresponding values from Returns Type Description Update ModifyWith(T) Modify ALL properties with the values from the supplied entity instance. Declaration public Update ModifyWith(T entity) Parameters Type Name Description T entity The entity instance to read the property values from Returns Type Description Update Option(Action) Specify an option for this update command (use multiple times if needed) TIP: Setting options is not required Declaration public Update Option(Action option) Parameters Type Name Description System.Action < MongoDB.Driver.UpdateOptions > option x => x.OptionName = OptionValue Returns Type Description Update WithArrayFilter(Template) Specify a single array filter using a Template to target nested entities for updates Declaration public Update WithArrayFilter(Template template) Parameters Type Name Description Template template Returns Type Description Update WithArrayFilter(String) Specify an array filter to target nested entities for updates (use multiple times if needed). Declaration public Update WithArrayFilter(string filter) Parameters Type Name Description System.String filter { 'x.SubProp': { $gte: 123 } } Returns Type Description Update WithArrayFilters(Template) Specify multiple array filters with a Template to target nested entities for updates. Declaration public Update WithArrayFilters(Template template) Parameters Type Name Description Template template The template with an array [...] of filters Returns Type Description Update WithPipeline(Template) Specify an update pipeline with multiple stages using a Template to modify the Entities. NOTE: pipeline updates and regular updates cannot be used together. Declaration public Update WithPipeline(Template template) Parameters Type Name Description Template template A Template object containing multiple pipeline stages Returns Type Description Update WithPipelineStage(Template) Specify an update pipeline stage using a Template to modify the Entities (use multiple times if needed) NOTE: pipeline updates and regular updates cannot be used together. Declaration public Update WithPipelineStage(Template template) Parameters Type Name Description Template template A Template object containing a pipeline stage Returns Type Description Update WithPipelineStage(String) Specify an update pipeline stage to modify the Entities (use multiple times if needed) NOTE: pipeline updates and regular updates cannot be used together. Declaration public Update WithPipelineStage(string stage) Parameters Type Name Description System.String stage { $set: { FullName: { $concat: ['$Name', ' ', '$Surname'] } } } Returns Type Description Update " + "keywords": "Class Update Represents an update command TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. Inheritance Object UpdateBase Update Inherited Members UpdateBase.defs UpdateBase.AddModification(Expression>, TProp) UpdateBase.AddModification(Func, UpdateDefinition>) UpdateBase.AddModification(String) UpdateBase.AddModification(Template) Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Update : UpdateBase where T : IEntity Type Parameters Name Description T Any class that implements IEntity Methods AddToQueue() Queue up an update command for bulk execution later. Declaration public Update AddToQueue() Returns Type Description Update ExecuteAsync(CancellationToken) Run the update command in MongoDB. Declaration public async Task ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task ExecutePipelineAsync(CancellationToken) Run the update command with pipeline stages Declaration public Task ExecutePipelineAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public Update IgnoreGlobalFilters() Returns Type Description Update Match(FilterDefinition) Specify the matching criteria with a filter definition Declaration public Update Match(FilterDefinition filterDefinition) Parameters Type Name Description FilterDefinition filterDefinition A filter definition Returns Type Description Update Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public Update Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do String searchTerm The search term Boolean caseSensitive Case sensitivity of the search (optional) Boolean diacriticSensitive Diacritic sensitivity of the search (optional) String language The language for the search (optional) Returns Type Description Update Match(Template) Specify the matching criteria with a template Declaration public Update Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description Update Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public Update Match(Func, FilterDefinition> filter) Parameters Type Name Description Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description Update Match(Expression>) Specify the matching criteria with a lambda expression Declaration public Update Match(Expression> expression) Parameters Type Name Description Expression> expression x => x.Property == Value Returns Type Description Update Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public Update Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description Expression> coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point Nullable maxDistance Maximum distance in meters from the search point Nullable minDistance Minimum distance in meters from the search point Returns Type Description Update MatchExpression(Template) Specify the matching criteria with a Template Declaration public Update MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description Update MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public Update MatchExpression(string expression) Parameters Type Name Description String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description Update MatchID(String) Specify an IEntity ID as the matching criteria Declaration public Update MatchID(string ID) Parameters Type Name Description String ID A unique IEntity ID Returns Type Description Update MatchString(String) Specify the matching criteria with a JSON string Declaration public Update MatchString(string jsonString) Parameters Type Name Description String jsonString { Title : 'The Power Of Now' } Returns Type Description Update Modify(Template) Specify an update with a Template to modify the Entities (use multiple times if needed) Declaration public Update Modify(Template template) Parameters Type Name Description Template template A Template with a single update Returns Type Description Update Modify(Func, UpdateDefinition>) Specify the update definition builder operation to modify the Entities (use multiple times if needed) Declaration public Update Modify(Func, UpdateDefinition> operation) Parameters Type Name Description Func, UpdateDefinition> operation b => b.Inc(x => x.PropName, Value) Returns Type Description Update Modify(String) Specify an update (json string) to modify the Entities (use multiple times if needed) Declaration public Update Modify(string update) Parameters Type Name Description String update { \\(set: { 'RootProp.\\)[x].SubProp' : 321 } } Returns Type Description Update Modify(Expression>, TProp) Specify the property and it's value to modify (use multiple times if needed) Declaration public Update Modify(Expression> property, TProp value) Parameters Type Name Description Expression> property x => x.Property TProp value The value to set on the property Returns Type Description Update Type Parameters Name Description TProp ModifyExcept(Expression>, T) Modify all EXCEPT the specified properties with the values from a given entity instance. Declaration public Update ModifyExcept(Expression> members, T entity) Parameters Type Name Description Expression> members Supply a new expression with the properties to exclude. Ex: x => new { x.Prop1, x.Prop2 } T entity The entity instance to read the corresponding values from Returns Type Description Update ModifyOnly(Expression>, T) Modify ONLY the specified properties with the values from a given entity instance. Declaration public Update ModifyOnly(Expression> members, T entity) Parameters Type Name Description Expression> members A new expression with the properties to include. Ex: x => new { x.PropOne, x.PropTwo } T entity The entity instance to read the corresponding values from Returns Type Description Update ModifyWith(T) Modify ALL properties with the values from the supplied entity instance. Declaration public Update ModifyWith(T entity) Parameters Type Name Description T entity The entity instance to read the property values from Returns Type Description Update Option(Action) Specify an option for this update command (use multiple times if needed) TIP: Setting options is not required Declaration public Update Option(Action option) Parameters Type Name Description Action option x => x.OptionName = OptionValue Returns Type Description Update WithArrayFilter(Template) Specify a single array filter using a Template to target nested entities for updates Declaration public Update WithArrayFilter(Template template) Parameters Type Name Description Template template Returns Type Description Update WithArrayFilter(String) Specify an array filter to target nested entities for updates (use multiple times if needed). Declaration public Update WithArrayFilter(string filter) Parameters Type Name Description String filter { 'x.SubProp': { $gte: 123 } } Returns Type Description Update WithArrayFilters(Template) Specify multiple array filters with a Template to target nested entities for updates. Declaration public Update WithArrayFilters(Template template) Parameters Type Name Description Template template The template with an array [...] of filters Returns Type Description Update WithPipeline(Template) Specify an update pipeline with multiple stages using a Template to modify the Entities. NOTE: pipeline updates and regular updates cannot be used together. Declaration public Update WithPipeline(Template template) Parameters Type Name Description Template template A Template object containing multiple pipeline stages Returns Type Description Update WithPipelineStage(Template) Specify an update pipeline stage using a Template to modify the Entities (use multiple times if needed) NOTE: pipeline updates and regular updates cannot be used together. Declaration public Update WithPipelineStage(Template template) Parameters Type Name Description Template template A Template object containing a pipeline stage Returns Type Description Update WithPipelineStage(String) Specify an update pipeline stage to modify the Entities (use multiple times if needed) NOTE: pipeline updates and regular updates cannot be used together. Declaration public Update WithPipelineStage(string stage) Parameters Type Name Description String stage { $set: { FullName: { $concat: ['$Name', ' ', '$Surname'] } } } Returns Type Description Update" }, "api/MongoDB.Entities.UpdateAndGet-1.html": { "href": "api/MongoDB.Entities.UpdateAndGet-1.html", "title": "Class UpdateAndGet | MongoDB.Entities", - "keywords": "Class UpdateAndGet Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. Inheritance System.Object UpdateBase UpdateAndGet UpdateAndGet Inherited Members UpdateAndGet.MatchID(String) UpdateAndGet.Match(Expression>) UpdateAndGet.Match(Func, FilterDefinition>) UpdateAndGet.Match(FilterDefinition) UpdateAndGet.Match(Template) UpdateAndGet.Match(Search, String, Boolean, Boolean, String) UpdateAndGet.Match(Expression>, Coordinates2D, Nullable, Nullable) UpdateAndGet.MatchString(String) UpdateAndGet.MatchExpression(String) UpdateAndGet.MatchExpression(Template) UpdateAndGet.Modify(Expression>, TProp) UpdateAndGet.Modify(Func, UpdateDefinition>) UpdateAndGet.Modify(String) UpdateAndGet.Modify(Template) UpdateAndGet.ModifyWith(T) UpdateAndGet.ModifyOnly(Expression>, T) UpdateAndGet.ModifyExcept(Expression>, T) UpdateAndGet.WithPipeline(Template) UpdateAndGet.WithPipelineStage(String) UpdateAndGet.WithPipelineStage(Template) UpdateAndGet.WithArrayFilter(String) UpdateAndGet.WithArrayFilter(Template) UpdateAndGet.WithArrayFilters(Template) UpdateAndGet.Option(Action>) UpdateAndGet.Project(Expression>) UpdateAndGet.Project(Func, ProjectionDefinition>) UpdateAndGet.IncludeRequiredProps() UpdateAndGet.IgnoreGlobalFilters() UpdateAndGet.ExecuteAsync(CancellationToken) UpdateAndGet.ExecutePipelineAsync(CancellationToken) UpdateBase.defs UpdateBase.AddModification(Expression>, TProp) UpdateBase.AddModification(Func, UpdateDefinition>) UpdateBase.AddModification(String) UpdateBase.AddModification(Template) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class UpdateAndGet : UpdateAndGet where T : IEntity Type Parameters Name Description T Any class that implements IEntity" + "keywords": "Class UpdateAndGet Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. Inheritance Object UpdateBase UpdateAndGet UpdateAndGet Inherited Members UpdateAndGet.MatchID(String) UpdateAndGet.Match(Expression>) UpdateAndGet.Match(Func, FilterDefinition>) UpdateAndGet.Match(FilterDefinition) UpdateAndGet.Match(Template) UpdateAndGet.Match(Search, String, Boolean, Boolean, String) UpdateAndGet.Match(Expression>, Coordinates2D, Nullable, Nullable) UpdateAndGet.MatchString(String) UpdateAndGet.MatchExpression(String) UpdateAndGet.MatchExpression(Template) UpdateAndGet.Modify(Expression>, TProp) UpdateAndGet.Modify(Func, UpdateDefinition>) UpdateAndGet.Modify(String) UpdateAndGet.Modify(Template) UpdateAndGet.ModifyWith(T) UpdateAndGet.ModifyOnly(Expression>, T) UpdateAndGet.ModifyExcept(Expression>, T) UpdateAndGet.WithPipeline(Template) UpdateAndGet.WithPipelineStage(String) UpdateAndGet.WithPipelineStage(Template) UpdateAndGet.WithArrayFilter(String) UpdateAndGet.WithArrayFilter(Template) UpdateAndGet.WithArrayFilters(Template) UpdateAndGet.Option(Action>) UpdateAndGet.Project(Expression>) UpdateAndGet.Project(Func, ProjectionDefinition>) UpdateAndGet.IncludeRequiredProps() UpdateAndGet.IgnoreGlobalFilters() UpdateAndGet.ExecuteAsync(CancellationToken) UpdateAndGet.ExecutePipelineAsync(CancellationToken) UpdateBase.defs UpdateBase.AddModification(Expression>, TProp) UpdateBase.AddModification(Func, UpdateDefinition>) UpdateBase.AddModification(String) UpdateBase.AddModification(Template) Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class UpdateAndGet : UpdateAndGet where T : IEntity Type Parameters Name Description T Any class that implements IEntity" }, "api/MongoDB.Entities.UpdateAndGet-2.html": { "href": "api/MongoDB.Entities.UpdateAndGet-2.html", "title": "Class UpdateAndGet | MongoDB.Entities", - "keywords": "Class UpdateAndGet Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. Inheritance System.Object UpdateBase UpdateAndGet UpdateAndGet Inherited Members UpdateBase.defs UpdateBase.AddModification(Expression>, TProp) UpdateBase.AddModification(Func, UpdateDefinition>) UpdateBase.AddModification(String) UpdateBase.AddModification(Template) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class UpdateAndGet : UpdateBase where T : IEntity Type Parameters Name Description T Any class that implements IEntity TProjection The type to project to Methods ExecuteAsync(CancellationToken) Run the update command in MongoDB and retrieve the first document modified Declaration public async Task ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task ExecutePipelineAsync(CancellationToken) Run the update command with pipeline stages and retrieve the first document modified Declaration public Task ExecutePipelineAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description System.Threading.CancellationToken cancellation An optional cancellation token Returns Type Description System.Threading.Tasks.Task IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public UpdateAndGet IgnoreGlobalFilters() Returns Type Description UpdateAndGet IncludeRequiredProps() Specify to automatically include all properties marked with [BsonRequired] attribute on the entity in the final projection. HINT: this method should only be called after the .Project() method. Declaration public UpdateAndGet IncludeRequiredProps() Returns Type Description UpdateAndGet Match(FilterDefinition) Specify the matching criteria with a filter definition Declaration public UpdateAndGet Match(FilterDefinition filterDefinition) Parameters Type Name Description MongoDB.Driver.FilterDefinition filterDefinition A filter definition Returns Type Description UpdateAndGet Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public UpdateAndGet Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do System.String searchTerm The search term System.Boolean caseSensitive Case sensitivity of the search (optional) System.Boolean diacriticSensitive Diacritic sensitivity of the search (optional) System.String language The language for the search (optional) Returns Type Description UpdateAndGet Match(Template) Specify the matching criteria with a template Declaration public UpdateAndGet Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description UpdateAndGet Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public UpdateAndGet Match(Func, FilterDefinition> filter) Parameters Type Name Description System.Func < MongoDB.Driver.FilterDefinitionBuilder , MongoDB.Driver.FilterDefinition > filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description UpdateAndGet Match(Expression>) Specify the matching criteria with a lambda expression Declaration public UpdateAndGet Match(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => x.Property == Value Returns Type Description UpdateAndGet Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public UpdateAndGet Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point System.Nullable < System.Double > maxDistance Maximum distance in meters from the search point System.Nullable < System.Double > minDistance Minimum distance in meters from the search point Returns Type Description UpdateAndGet MatchExpression(Template) Specify the matching criteria with a Template Declaration public UpdateAndGet MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description UpdateAndGet MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public UpdateAndGet MatchExpression(string expression) Parameters Type Name Description System.String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description UpdateAndGet MatchID(String) Specify an IEntity ID as the matching criteria Declaration public UpdateAndGet MatchID(string ID) Parameters Type Name Description System.String ID A unique IEntity ID Returns Type Description UpdateAndGet MatchString(String) Specify the matching criteria with a JSON string Declaration public UpdateAndGet MatchString(string jsonString) Parameters Type Name Description System.String jsonString { Title : 'The Power Of Now' } Returns Type Description UpdateAndGet Modify(Template) Specify an update with a Template to modify the Entities (use multiple times if needed) Declaration public UpdateAndGet Modify(Template template) Parameters Type Name Description Template template A Template with a single update Returns Type Description UpdateAndGet Modify(Func, UpdateDefinition>) Specify the update definition builder operation to modify the Entities (use multiple times if needed) Declaration public UpdateAndGet Modify(Func, UpdateDefinition> operation) Parameters Type Name Description System.Func < MongoDB.Driver.UpdateDefinitionBuilder , MongoDB.Driver.UpdateDefinition > operation b => b.Inc(x => x.PropName, Value) Returns Type Description UpdateAndGet Modify(String) Specify an update (json string) to modify the Entities (use multiple times if needed) Declaration public UpdateAndGet Modify(string update) Parameters Type Name Description System.String update { $set: { 'RootProp.$[x].SubProp' : 321 } } Returns Type Description UpdateAndGet Modify(Expression>, TProp) Specify the property and it's value to modify (use multiple times if needed) Declaration public UpdateAndGet Modify(Expression> property, TProp value) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > property x => x.Property TProp value The value to set on the property Returns Type Description UpdateAndGet Type Parameters Name Description TProp ModifyExcept(Expression>, T) Modify all EXCEPT the specified properties with the values from a given entity instance. Declaration public UpdateAndGet ModifyExcept(Expression> members, T entity) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > members Supply a new expression with the properties to exclude. Ex: x => new { x.Prop1, x.Prop2 } T entity The entity instance to read the corresponding values from Returns Type Description UpdateAndGet ModifyOnly(Expression>, T) Modify ONLY the specified properties with the values from a given entity instance. Declaration public UpdateAndGet ModifyOnly(Expression> members, T entity) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > members A new expression with the properties to include. Ex: x => new { x.PropOne, x.PropTwo } T entity The entity instance to read the corresponding values from Returns Type Description UpdateAndGet ModifyWith(T) Modify ALL properties with the values from the supplied entity instance. Declaration public UpdateAndGet ModifyWith(T entity) Parameters Type Name Description T entity The entity instance to read the property values from Returns Type Description UpdateAndGet Option(Action>) Specify an option for this update command (use multiple times if needed) TIP: Setting options is not required Declaration public UpdateAndGet Option(Action> option) Parameters Type Name Description System.Action < MongoDB.Driver.FindOneAndUpdateOptions > option x => x.OptionName = OptionValue Returns Type Description UpdateAndGet Project(Func, ProjectionDefinition>) Specify how to project the results using a projection expression Declaration public UpdateAndGet Project(Func, ProjectionDefinition> projection) Parameters Type Name Description System.Func < MongoDB.Driver.ProjectionDefinitionBuilder , MongoDB.Driver.ProjectionDefinition > projection p => p.Include(\"Prop1\").Exclude(\"Prop2\") Returns Type Description UpdateAndGet Project(Expression>) Specify how to project the results using a lambda expression Declaration public UpdateAndGet Project(Expression> expression) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > expression x => new Test { PropName = x.Prop } Returns Type Description UpdateAndGet WithArrayFilter(Template) Specify a single array filter using a Template to target nested entities for updates Declaration public UpdateAndGet WithArrayFilter(Template template) Parameters Type Name Description Template template Returns Type Description UpdateAndGet WithArrayFilter(String) Specify an array filter to target nested entities for updates (use multiple times if needed). Declaration public UpdateAndGet WithArrayFilter(string filter) Parameters Type Name Description System.String filter { 'x.SubProp': { $gte: 123 } } Returns Type Description UpdateAndGet WithArrayFilters(Template) Specify multiple array filters with a Template to target nested entities for updates. Declaration public UpdateAndGet WithArrayFilters(Template template) Parameters Type Name Description Template template The template with an array [...] of filters Returns Type Description UpdateAndGet WithPipeline(Template) Specify an update pipeline with multiple stages using a Template to modify the Entities. NOTE: pipeline updates and regular updates cannot be used together. Declaration public UpdateAndGet WithPipeline(Template template) Parameters Type Name Description Template template A Template object containing multiple pipeline stages Returns Type Description UpdateAndGet WithPipelineStage(Template) Specify an update pipeline stage using a Template to modify the Entities (use multiple times if needed) NOTE: pipeline updates and regular updates cannot be used together. Declaration public UpdateAndGet WithPipelineStage(Template template) Parameters Type Name Description Template template A Template object containing a pipeline stage Returns Type Description UpdateAndGet WithPipelineStage(String) Specify an update pipeline stage to modify the Entities (use multiple times if needed) NOTE: pipeline updates and regular updates cannot be used together. Declaration public UpdateAndGet WithPipelineStage(string stage) Parameters Type Name Description System.String stage { $set: { FullName: { $concat: ['$Name', ' ', '$Surname'] } } } Returns Type Description UpdateAndGet " + "keywords": "Class UpdateAndGet Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. Inheritance Object UpdateBase UpdateAndGet UpdateAndGet Inherited Members UpdateBase.defs UpdateBase.AddModification(Expression>, TProp) UpdateBase.AddModification(Func, UpdateDefinition>) UpdateBase.AddModification(String) UpdateBase.AddModification(Template) Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class UpdateAndGet : UpdateBase where T : IEntity Type Parameters Name Description T Any class that implements IEntity TProjection The type to project to Methods ExecuteAsync(CancellationToken) Run the update command in MongoDB and retrieve the first document modified Declaration public async Task ExecuteAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task ExecutePipelineAsync(CancellationToken) Run the update command with pipeline stages and retrieve the first document modified Declaration public Task ExecutePipelineAsync(CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description CancellationToken cancellation An optional cancellation token Returns Type Description Task IgnoreGlobalFilters() Specify that this operation should ignore any global filters Declaration public UpdateAndGet IgnoreGlobalFilters() Returns Type Description UpdateAndGet IncludeRequiredProps() Specify to automatically include all properties marked with [BsonRequired] attribute on the entity in the final projection. HINT: this method should only be called after the .Project() method. Declaration public UpdateAndGet IncludeRequiredProps() Returns Type Description UpdateAndGet Match(FilterDefinition) Specify the matching criteria with a filter definition Declaration public UpdateAndGet Match(FilterDefinition filterDefinition) Parameters Type Name Description FilterDefinition filterDefinition A filter definition Returns Type Description UpdateAndGet Match(Search, String, Boolean, Boolean, String) Specify a search term to find results from the text index of this particular collection. TIP: Make sure to define a text index with DB.Index() before searching Declaration public UpdateAndGet Match(Search searchType, string searchTerm, bool caseSensitive = false, bool diacriticSensitive = false, string language = null) Parameters Type Name Description Search searchType The type of text matching to do String searchTerm The search term Boolean caseSensitive Case sensitivity of the search (optional) Boolean diacriticSensitive Diacritic sensitivity of the search (optional) String language The language for the search (optional) Returns Type Description UpdateAndGet Match(Template) Specify the matching criteria with a template Declaration public UpdateAndGet Match(Template template) Parameters Type Name Description Template template A Template with a find query Returns Type Description UpdateAndGet Match(Func, FilterDefinition>) Specify the matching criteria with a filter expression Declaration public UpdateAndGet Match(Func, FilterDefinition> filter) Parameters Type Name Description Func, FilterDefinition> filter f => f.Eq(x => x.Prop, Value) & f.Gt(x => x.Prop, Value) Returns Type Description UpdateAndGet Match(Expression>) Specify the matching criteria with a lambda expression Declaration public UpdateAndGet Match(Expression> expression) Parameters Type Name Description Expression> expression x => x.Property == Value Returns Type Description UpdateAndGet Match(Expression>, Coordinates2D, Nullable, Nullable) Specify criteria for matching entities based on GeoSpatial data (longitude & latitude) TIP: Make sure to define a Geo2DSphere index with DB.Index() before searching Note: DB.FluentGeoNear() supports more advanced options Declaration public UpdateAndGet Match(Expression> coordinatesProperty, Coordinates2D nearCoordinates, double? maxDistance = null, double? minDistance = null) Parameters Type Name Description Expression> coordinatesProperty The property where 2DCoordinates are stored Coordinates2D nearCoordinates The search point Nullable maxDistance Maximum distance in meters from the search point Nullable minDistance Minimum distance in meters from the search point Returns Type Description UpdateAndGet MatchExpression(Template) Specify the matching criteria with a Template Declaration public UpdateAndGet MatchExpression(Template template) Parameters Type Name Description Template template A Template object Returns Type Description UpdateAndGet MatchExpression(String) Specify the matching criteria with an aggregation expression (i.e. $expr) Declaration public UpdateAndGet MatchExpression(string expression) Parameters Type Name Description String expression { $gt: ['$Property1', '$Property2'] } Returns Type Description UpdateAndGet MatchID(String) Specify an IEntity ID as the matching criteria Declaration public UpdateAndGet MatchID(string ID) Parameters Type Name Description String ID A unique IEntity ID Returns Type Description UpdateAndGet MatchString(String) Specify the matching criteria with a JSON string Declaration public UpdateAndGet MatchString(string jsonString) Parameters Type Name Description String jsonString { Title : 'The Power Of Now' } Returns Type Description UpdateAndGet Modify(Template) Specify an update with a Template to modify the Entities (use multiple times if needed) Declaration public UpdateAndGet Modify(Template template) Parameters Type Name Description Template template A Template with a single update Returns Type Description UpdateAndGet Modify(Func, UpdateDefinition>) Specify the update definition builder operation to modify the Entities (use multiple times if needed) Declaration public UpdateAndGet Modify(Func, UpdateDefinition> operation) Parameters Type Name Description Func, UpdateDefinition> operation b => b.Inc(x => x.PropName, Value) Returns Type Description UpdateAndGet Modify(String) Specify an update (json string) to modify the Entities (use multiple times if needed) Declaration public UpdateAndGet Modify(string update) Parameters Type Name Description String update { \\(set: { 'RootProp.\\)[x].SubProp' : 321 } } Returns Type Description UpdateAndGet Modify(Expression>, TProp) Specify the property and it's value to modify (use multiple times if needed) Declaration public UpdateAndGet Modify(Expression> property, TProp value) Parameters Type Name Description Expression> property x => x.Property TProp value The value to set on the property Returns Type Description UpdateAndGet Type Parameters Name Description TProp ModifyExcept(Expression>, T) Modify all EXCEPT the specified properties with the values from a given entity instance. Declaration public UpdateAndGet ModifyExcept(Expression> members, T entity) Parameters Type Name Description Expression> members Supply a new expression with the properties to exclude. Ex: x => new { x.Prop1, x.Prop2 } T entity The entity instance to read the corresponding values from Returns Type Description UpdateAndGet ModifyOnly(Expression>, T) Modify ONLY the specified properties with the values from a given entity instance. Declaration public UpdateAndGet ModifyOnly(Expression> members, T entity) Parameters Type Name Description Expression> members A new expression with the properties to include. Ex: x => new { x.PropOne, x.PropTwo } T entity The entity instance to read the corresponding values from Returns Type Description UpdateAndGet ModifyWith(T) Modify ALL properties with the values from the supplied entity instance. Declaration public UpdateAndGet ModifyWith(T entity) Parameters Type Name Description T entity The entity instance to read the property values from Returns Type Description UpdateAndGet Option(Action>) Specify an option for this update command (use multiple times if needed) TIP: Setting options is not required Declaration public UpdateAndGet Option(Action> option) Parameters Type Name Description Action> option x => x.OptionName = OptionValue Returns Type Description UpdateAndGet Project(Func, ProjectionDefinition>) Specify how to project the results using a projection expression Declaration public UpdateAndGet Project(Func, ProjectionDefinition> projection) Parameters Type Name Description Func, ProjectionDefinition> projection p => p.Include(\"Prop1\").Exclude(\"Prop2\") Returns Type Description UpdateAndGet Project(Expression>) Specify how to project the results using a lambda expression Declaration public UpdateAndGet Project(Expression> expression) Parameters Type Name Description Expression> expression x => new Test { PropName = x.Prop } Returns Type Description UpdateAndGet WithArrayFilter(Template) Specify a single array filter using a Template to target nested entities for updates Declaration public UpdateAndGet WithArrayFilter(Template template) Parameters Type Name Description Template template Returns Type Description UpdateAndGet WithArrayFilter(String) Specify an array filter to target nested entities for updates (use multiple times if needed). Declaration public UpdateAndGet WithArrayFilter(string filter) Parameters Type Name Description String filter { 'x.SubProp': { $gte: 123 } } Returns Type Description UpdateAndGet WithArrayFilters(Template) Specify multiple array filters with a Template to target nested entities for updates. Declaration public UpdateAndGet WithArrayFilters(Template template) Parameters Type Name Description Template template The template with an array [...] of filters Returns Type Description UpdateAndGet WithPipeline(Template) Specify an update pipeline with multiple stages using a Template to modify the Entities. NOTE: pipeline updates and regular updates cannot be used together. Declaration public UpdateAndGet WithPipeline(Template template) Parameters Type Name Description Template template A Template object containing multiple pipeline stages Returns Type Description UpdateAndGet WithPipelineStage(Template) Specify an update pipeline stage using a Template to modify the Entities (use multiple times if needed) NOTE: pipeline updates and regular updates cannot be used together. Declaration public UpdateAndGet WithPipelineStage(Template template) Parameters Type Name Description Template template A Template object containing a pipeline stage Returns Type Description UpdateAndGet WithPipelineStage(String) Specify an update pipeline stage to modify the Entities (use multiple times if needed) NOTE: pipeline updates and regular updates cannot be used together. Declaration public UpdateAndGet WithPipelineStage(string stage) Parameters Type Name Description String stage { $set: { FullName: { $concat: ['$Name', ' ', '$Surname'] } } } Returns Type Description UpdateAndGet" }, "api/MongoDB.Entities.UpdateBase-1.html": { "href": "api/MongoDB.Entities.UpdateBase-1.html", "title": "Class UpdateBase | MongoDB.Entities", - "keywords": "Class UpdateBase Inheritance System.Object UpdateBase Update UpdateAndGet Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public abstract class UpdateBase where T : IEntity Type Parameters Name Description T Fields defs Declaration protected readonly List> defs Field Value Type Description System.Collections.Generic.List < MongoDB.Driver.UpdateDefinition > Methods AddModification(Template) Specify an update with a Template to modify the Entities (use multiple times if needed) Declaration public void AddModification(Template template) Parameters Type Name Description Template template A Template with a single update AddModification(Func, UpdateDefinition>) Specify the update definition builder operation to modify the Entities (use multiple times if needed) Declaration public void AddModification(Func, UpdateDefinition> operation) Parameters Type Name Description System.Func < MongoDB.Driver.UpdateDefinitionBuilder , MongoDB.Driver.UpdateDefinition > operation b => b.Inc(x => x.PropName, Value) AddModification(String) Specify an update (json string) to modify the Entities (use multiple times if needed) Declaration public void AddModification(string update) Parameters Type Name Description System.String update { $set: { 'RootProp.$[x].SubProp' : 321 } } AddModification(Expression>, TProp) Specify the property and it's value to modify (use multiple times if needed) Declaration public void AddModification(Expression> property, TProp value) Parameters Type Name Description System.Linq.Expressions.Expression < System.Func > property x => x.Property TProp value The value to set on the property Type Parameters Name Description TProp" + "keywords": "Class UpdateBase Inheritance Object UpdateBase Update UpdateAndGet Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public abstract class UpdateBase where T : IEntity Type Parameters Name Description T Fields defs Declaration protected readonly List> defs Field Value Type Description List> Methods AddModification(Template) Specify an update with a Template to modify the Entities (use multiple times if needed) Declaration public void AddModification(Template template) Parameters Type Name Description Template template A Template with a single update AddModification(Func, UpdateDefinition>) Specify the update definition builder operation to modify the Entities (use multiple times if needed) Declaration public void AddModification(Func, UpdateDefinition> operation) Parameters Type Name Description Func, UpdateDefinition> operation b => b.Inc(x => x.PropName, Value) AddModification(String) Specify an update (json string) to modify the Entities (use multiple times if needed) Declaration public void AddModification(string update) Parameters Type Name Description String update { \\(set: { 'RootProp.\\)[x].SubProp' : 321 } } AddModification(Expression>, TProp) Specify the property and it's value to modify (use multiple times if needed) Declaration public void AddModification(Expression> property, TProp value) Parameters Type Name Description Expression> property x => x.Property TProp value The value to set on the property Type Parameters Name Description TProp" }, "api/MongoDB.Entities.Watcher-1.html": { "href": "api/MongoDB.Entities.Watcher-1.html", "title": "Class Watcher | MongoDB.Entities", - "keywords": "Class Watcher Watcher for subscribing to mongodb change streams. Inheritance System.Object Watcher Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : MongoDB.Entities Assembly : MongoDB.Entities.dll Syntax public class Watcher where T : IEntity Type Parameters Name Description T The type of entity Properties CanRestart Returns true if watching can be restarted if it was stopped due to an error or invalidate event. Will always return false after cancellation is requested via the cancellation token. Declaration public bool CanRestart { get; } Property Value Type Description System.Boolean IsInitialized Indicates whether this watcher has already been initialized or not. Declaration public bool IsInitialized { get; } Property Value Type Description System.Boolean Name The name of this watcher instance Declaration public string Name { get; } Property Value Type Description System.String ResumeToken The last resume token received from mongodb server. Can be used to resume watching with .StartWithToken() method. Declaration public BsonDocument ResumeToken { get; } Property Value Type Description MongoDB.Bson.BsonDocument Methods ReStart(BsonDocument) If the watcher stopped due to an error or invalidate event, you can try to restart the watching again with this method. Declaration public void ReStart(BsonDocument resumeToken = null) Parameters Type Name Description MongoDB.Bson.BsonDocument resumeToken An optional resume token to restart watching with Start(EventType, Func>, FilterDefinition>>, Int32, Boolean, Boolean, CancellationToken) Starts the watcher instance with the supplied parameters Declaration public void Start(EventType eventTypes, Func>, FilterDefinition>> filter, int batchSize = 25, bool onlyGetIDs = false, bool autoResume = true, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted System.Func < MongoDB.Driver.FilterDefinitionBuilder < MongoDB.Driver.ChangeStreamDocument >, MongoDB.Driver.FilterDefinition < MongoDB.Driver.ChangeStreamDocument >> filter b => b.Eq(d => d.FullDocument.Prop1, \"value\") System.Int32 batchSize The max number of entities to receive for a single event occurence System.Boolean onlyGetIDs Set to true if you don't want the complete entity details. All properties except the ID will then be null. System.Boolean autoResume Set to false if you'd like to skip the changes that happened while the watching was stopped. This will also make you unable to retrieve a ResumeToken. System.Threading.CancellationToken cancellation A cancellation token for ending the watching/change stream Start(EventType, Expression>, Func>, FilterDefinition>>, Int32, Boolean, CancellationToken) Starts the watcher instance with the supplied parameters. Supports projection. Declaration public void Start(EventType eventTypes, Expression> projection, Func>, FilterDefinition>> filter, int batchSize = 25, bool autoResume = true, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted System.Linq.Expressions.Expression < System.Func > projection A projection expression for the entity System.Func < MongoDB.Driver.FilterDefinitionBuilder < MongoDB.Driver.ChangeStreamDocument >, MongoDB.Driver.FilterDefinition < MongoDB.Driver.ChangeStreamDocument >> filter b => b.Eq(d => d.FullDocument.Prop1, \"value\") System.Int32 batchSize The max number of entities to receive for a single event occurence System.Boolean autoResume Set to false if you'd like to skip the changes that happened while the watching was stopped. This will also make you unable to retrieve a ResumeToken. System.Threading.CancellationToken cancellation A cancellation token for ending the watching/change stream Start(EventType, Expression>, Expression, Boolean>>, Int32, Boolean, CancellationToken) Starts the watcher instance with the supplied parameters. Supports projection. Declaration public void Start(EventType eventTypes, Expression> projection, Expression, bool>> filter = null, int batchSize = 25, bool autoResume = true, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted System.Linq.Expressions.Expression < System.Func > projection A projection expression for the entity System.Linq.Expressions.Expression < System.Func < MongoDB.Driver.ChangeStreamDocument , System.Boolean >> filter x => x.FullDocument.Prop1 == \"SomeValue\" System.Int32 batchSize The max number of entities to receive for a single event occurence System.Boolean autoResume Set to false if you'd like to skip the changes that happened while the watching was stopped. This will also make you unable to retrieve a ResumeToken. System.Threading.CancellationToken cancellation A cancellation token for ending the watching/change stream Start(EventType, Expression, Boolean>>, Int32, Boolean, Boolean, CancellationToken) Starts the watcher instance with the supplied parameters Declaration public void Start(EventType eventTypes, Expression, bool>> filter = null, int batchSize = 25, bool onlyGetIDs = false, bool autoResume = true, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted System.Linq.Expressions.Expression < System.Func < MongoDB.Driver.ChangeStreamDocument , System.Boolean >> filter x => x.FullDocument.Prop1 == \"SomeValue\" System.Int32 batchSize The max number of entities to receive for a single event occurence System.Boolean onlyGetIDs Set to true if you don't want the complete entity details. All properties except the ID will then be null. System.Boolean autoResume Set to false if you'd like to skip the changes that happened while the watching was stopped. This will also make you unable to retrieve a ResumeToken. System.Threading.CancellationToken cancellation A cancellation token for ending the watching/change stream StartWithToken(BsonDocument, EventType, Func>, FilterDefinition>>, Int32, Boolean, CancellationToken) Starts the watcher instance with the supplied configuration Declaration public void StartWithToken(BsonDocument resumeToken, EventType eventTypes, Func>, FilterDefinition>> filter, int batchSize = 25, bool onlyGetIDs = false, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description MongoDB.Bson.BsonDocument resumeToken A resume token to start receiving changes after some point back in time EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted System.Func < MongoDB.Driver.FilterDefinitionBuilder < MongoDB.Driver.ChangeStreamDocument >, MongoDB.Driver.FilterDefinition < MongoDB.Driver.ChangeStreamDocument >> filter b => b.Eq(d => d.FullDocument.Prop1, \"value\") System.Int32 batchSize The max number of entities to receive for a single event occurence System.Boolean onlyGetIDs Set to true if you don't want the complete entity details. All properties except the ID will then be null. System.Threading.CancellationToken cancellation A cancellation token for ending the watching/change stream StartWithToken(BsonDocument, EventType, Expression>, Func>, FilterDefinition>>, Int32, CancellationToken) Starts the watcher instance with the supplied configuration. Supports projection. Declaration public void StartWithToken(BsonDocument resumeToken, EventType eventTypes, Expression> projection, Func>, FilterDefinition>> filter, int batchSize = 25, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description MongoDB.Bson.BsonDocument resumeToken A resume token to start receiving changes after some point back in time EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted System.Linq.Expressions.Expression < System.Func > projection A projection expression for the entity System.Func < MongoDB.Driver.FilterDefinitionBuilder < MongoDB.Driver.ChangeStreamDocument >, MongoDB.Driver.FilterDefinition < MongoDB.Driver.ChangeStreamDocument >> filter b => b.Eq(d => d.FullDocument.Prop1, \"value\") System.Int32 batchSize The max number of entities to receive for a single event occurence System.Threading.CancellationToken cancellation A cancellation token for ending the watching/change stream StartWithToken(BsonDocument, EventType, Expression>, Expression, Boolean>>, Int32, CancellationToken) Starts the watcher instance with the supplied configuration. Supports projection. Declaration public void StartWithToken(BsonDocument resumeToken, EventType eventTypes, Expression> projection, Expression, bool>> filter = null, int batchSize = 25, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description MongoDB.Bson.BsonDocument resumeToken A resume token to start receiving changes after some point back in time EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted System.Linq.Expressions.Expression < System.Func > projection A projection expression for the entity System.Linq.Expressions.Expression < System.Func < MongoDB.Driver.ChangeStreamDocument , System.Boolean >> filter x => x.FullDocument.Prop1 == \"SomeValue\" System.Int32 batchSize The max number of entities to receive for a single event occurence System.Threading.CancellationToken cancellation A cancellation token for ending the watching/change stream StartWithToken(BsonDocument, EventType, Expression, Boolean>>, Int32, Boolean, CancellationToken) Starts the watcher instance with the supplied configuration Declaration public void StartWithToken(BsonDocument resumeToken, EventType eventTypes, Expression, bool>> filter = null, int batchSize = 25, bool onlyGetIDs = false, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description MongoDB.Bson.BsonDocument resumeToken A resume token to start receiving changes after some point back in time EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted System.Linq.Expressions.Expression < System.Func < MongoDB.Driver.ChangeStreamDocument , System.Boolean >> filter x => x.FullDocument.Prop1 == \"SomeValue\" System.Int32 batchSize The max number of entities to receive for a single event occurence System.Boolean onlyGetIDs Set to true if you don't want the complete entity details. All properties except the ID will then be null. System.Threading.CancellationToken cancellation A cancellation token for ending the watching/change stream Events OnChanges This event is fired when the desired types of events have occured. Will have a list of 'entities' that was received as input. Declaration public event Action> OnChanges Event Type Type Description System.Action < System.Collections.Generic.IEnumerable > OnChangesAsync This event is fired when the desired types of events have occured. Will have a list of 'entities' that was received as input. Declaration public event AsyncEventHandler> OnChangesAsync Event Type Type Description AsyncEventHandler < System.Collections.Generic.IEnumerable > OnChangesCSD This event is fired when the desired types of events have occured. Will have a list of 'ChangeStreamDocuments' that was received as input. Declaration public event Action>> OnChangesCSD Event Type Type Description System.Action < System.Collections.Generic.IEnumerable < MongoDB.Driver.ChangeStreamDocument >> OnChangesCSDAsync This event is fired when the desired types of events have occured. Will have a list of 'ChangeStreamDocuments' that was received as input. Declaration public event AsyncEventHandler>> OnChangesCSDAsync Event Type Type Description AsyncEventHandler < System.Collections.Generic.IEnumerable < MongoDB.Driver.ChangeStreamDocument >> OnError This event is fired when an exception is thrown in the change-stream. Declaration public event Action OnError Event Type Type Description System.Action < System.Exception > OnStop This event is fired when the internal cursor get closed due to an 'invalidate' event or cancellation is requested via the cancellation token. Declaration public event Action OnStop Event Type Type Description System.Action" + "keywords": "Class Watcher Watcher for subscribing to mongodb change streams. Inheritance Object Watcher Inherited Members Object.Equals(Object) Object.Equals(Object, Object) Object.GetHashCode() Object.GetType() Object.MemberwiseClone() Object.ReferenceEquals(Object, Object) Object.ToString() Namespace: MongoDB.Entities Assembly: MongoDB.Entities.dll Syntax public class Watcher where T : IEntity Type Parameters Name Description T The type of entity Properties CanRestart Returns true if watching can be restarted if it was stopped due to an error or invalidate event. Will always return false after cancellation is requested via the cancellation token. Declaration public bool CanRestart { get; } Property Value Type Description Boolean IsInitialized Indicates whether this watcher has already been initialized or not. Declaration public bool IsInitialized { get; } Property Value Type Description Boolean Name The name of this watcher instance Declaration public string Name { get; } Property Value Type Description String ResumeToken The last resume token received from mongodb server. Can be used to resume watching with .StartWithToken() method. Declaration public BsonDocument ResumeToken { get; } Property Value Type Description BsonDocument Methods ReStart(BsonDocument) If the watcher stopped due to an error or invalidate event, you can try to restart the watching again with this method. Declaration public void ReStart(BsonDocument resumeToken = null) Parameters Type Name Description BsonDocument resumeToken An optional resume token to restart watching with Start(EventType, Func>, FilterDefinition>>, Int32, Boolean, Boolean, CancellationToken) Starts the watcher instance with the supplied parameters Declaration public void Start(EventType eventTypes, Func>, FilterDefinition>> filter, int batchSize = 25, bool onlyGetIDs = false, bool autoResume = true, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted Func>, FilterDefinition>> filter b => b.Eq(d => d.FullDocument.Prop1, \"value\") Int32 batchSize The max number of entities to receive for a single event occurence Boolean onlyGetIDs Set to true if you don't want the complete entity details. All properties except the ID will then be null. Boolean autoResume Set to false if you'd like to skip the changes that happened while the watching was stopped. This will also make you unable to retrieve a ResumeToken. CancellationToken cancellation A cancellation token for ending the watching/change stream Start(EventType, Expression>, Func>, FilterDefinition>>, Int32, Boolean, CancellationToken) Starts the watcher instance with the supplied parameters. Supports projection. Declaration public void Start(EventType eventTypes, Expression> projection, Func>, FilterDefinition>> filter, int batchSize = 25, bool autoResume = true, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted Expression> projection A projection expression for the entity Func>, FilterDefinition>> filter b => b.Eq(d => d.FullDocument.Prop1, \"value\") Int32 batchSize The max number of entities to receive for a single event occurence Boolean autoResume Set to false if you'd like to skip the changes that happened while the watching was stopped. This will also make you unable to retrieve a ResumeToken. CancellationToken cancellation A cancellation token for ending the watching/change stream Start(EventType, Expression>, Expression, Boolean>>, Int32, Boolean, CancellationToken) Starts the watcher instance with the supplied parameters. Supports projection. Declaration public void Start(EventType eventTypes, Expression> projection, Expression, bool>> filter = null, int batchSize = 25, bool autoResume = true, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted Expression> projection A projection expression for the entity Expression, Boolean>> filter x => x.FullDocument.Prop1 == \"SomeValue\" Int32 batchSize The max number of entities to receive for a single event occurence Boolean autoResume Set to false if you'd like to skip the changes that happened while the watching was stopped. This will also make you unable to retrieve a ResumeToken. CancellationToken cancellation A cancellation token for ending the watching/change stream Start(EventType, Expression, Boolean>>, Int32, Boolean, Boolean, CancellationToken) Starts the watcher instance with the supplied parameters Declaration public void Start(EventType eventTypes, Expression, bool>> filter = null, int batchSize = 25, bool onlyGetIDs = false, bool autoResume = true, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted Expression, Boolean>> filter x => x.FullDocument.Prop1 == \"SomeValue\" Int32 batchSize The max number of entities to receive for a single event occurence Boolean onlyGetIDs Set to true if you don't want the complete entity details. All properties except the ID will then be null. Boolean autoResume Set to false if you'd like to skip the changes that happened while the watching was stopped. This will also make you unable to retrieve a ResumeToken. CancellationToken cancellation A cancellation token for ending the watching/change stream StartWithToken(BsonDocument, EventType, Func>, FilterDefinition>>, Int32, Boolean, CancellationToken) Starts the watcher instance with the supplied configuration Declaration public void StartWithToken(BsonDocument resumeToken, EventType eventTypes, Func>, FilterDefinition>> filter, int batchSize = 25, bool onlyGetIDs = false, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description BsonDocument resumeToken A resume token to start receiving changes after some point back in time EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted Func>, FilterDefinition>> filter b => b.Eq(d => d.FullDocument.Prop1, \"value\") Int32 batchSize The max number of entities to receive for a single event occurence Boolean onlyGetIDs Set to true if you don't want the complete entity details. All properties except the ID will then be null. CancellationToken cancellation A cancellation token for ending the watching/change stream StartWithToken(BsonDocument, EventType, Expression>, Func>, FilterDefinition>>, Int32, CancellationToken) Starts the watcher instance with the supplied configuration. Supports projection. Declaration public void StartWithToken(BsonDocument resumeToken, EventType eventTypes, Expression> projection, Func>, FilterDefinition>> filter, int batchSize = 25, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description BsonDocument resumeToken A resume token to start receiving changes after some point back in time EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted Expression> projection A projection expression for the entity Func>, FilterDefinition>> filter b => b.Eq(d => d.FullDocument.Prop1, \"value\") Int32 batchSize The max number of entities to receive for a single event occurence CancellationToken cancellation A cancellation token for ending the watching/change stream StartWithToken(BsonDocument, EventType, Expression>, Expression, Boolean>>, Int32, CancellationToken) Starts the watcher instance with the supplied configuration. Supports projection. Declaration public void StartWithToken(BsonDocument resumeToken, EventType eventTypes, Expression> projection, Expression, bool>> filter = null, int batchSize = 25, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description BsonDocument resumeToken A resume token to start receiving changes after some point back in time EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted Expression> projection A projection expression for the entity Expression, Boolean>> filter x => x.FullDocument.Prop1 == \"SomeValue\" Int32 batchSize The max number of entities to receive for a single event occurence CancellationToken cancellation A cancellation token for ending the watching/change stream StartWithToken(BsonDocument, EventType, Expression, Boolean>>, Int32, Boolean, CancellationToken) Starts the watcher instance with the supplied configuration Declaration public void StartWithToken(BsonDocument resumeToken, EventType eventTypes, Expression, bool>> filter = null, int batchSize = 25, bool onlyGetIDs = false, CancellationToken cancellation = default(CancellationToken)) Parameters Type Name Description BsonDocument resumeToken A resume token to start receiving changes after some point back in time EventType eventTypes Type of event to watch for. Specify multiple like: EventType.Created | EventType.Updated | EventType.Deleted Expression, Boolean>> filter x => x.FullDocument.Prop1 == \"SomeValue\" Int32 batchSize The max number of entities to receive for a single event occurence Boolean onlyGetIDs Set to true if you don't want the complete entity details. All properties except the ID will then be null. CancellationToken cancellation A cancellation token for ending the watching/change stream Events OnChanges This event is fired when the desired types of events have occured. Will have a list of 'entities' that was received as input. Declaration public event Action> OnChanges Event Type Type Description Action> OnChangesAsync This event is fired when the desired types of events have occured. Will have a list of 'entities' that was received as input. Declaration public event AsyncEventHandler> OnChangesAsync Event Type Type Description AsyncEventHandler> OnChangesCSD This event is fired when the desired types of events have occured. Will have a list of 'ChangeStreamDocuments' that was received as input. Declaration public event Action>> OnChangesCSD Event Type Type Description Action>> OnChangesCSDAsync This event is fired when the desired types of events have occured. Will have a list of 'ChangeStreamDocuments' that was received as input. Declaration public event AsyncEventHandler>> OnChangesCSDAsync Event Type Type Description AsyncEventHandler>> OnError This event is fired when an exception is thrown in the change-stream. Declaration public event Action OnError Event Type Type Description Action OnStop This event is fired when the internal cursor get closed due to an 'invalidate' event or cancellation is requested via the cancellation token. Declaration public event Action OnStop Event Type Type Description Action" + }, + "api/MongoDB.Entities.html": { + "href": "api/MongoDB.Entities.html", + "title": "Namespace MongoDB.Entities | MongoDB.Entities", + "keywords": "Namespace MongoDB.Entities Classes AsObjectIdAttribute Use this attribute to mark a string property to store the value in MongoDB as ObjectID if it is a valid ObjectId string. If it is not a valid ObjectId string, it will be stored as string. This is useful when using custom formats for the ID field. AsyncEventHandlerExtensions CollectionAttribute Specifies a custom MongoDB collection name for an entity type. Coordinates2D Represents a 2D geographical coordinate consisting of longitude and latitude DataStreamer Provides the interface for uploading and downloading data chunks for file entities. Date A custom date/time type for precision datetime handling DB The main entrypoint for all data access methods of the library DBContext This db context class can be used as an alternative entry point instead of the DB static class. Distinct Represents a MongoDB Distinct command where you can get back distinct values for a given property of a given Entity. DontPreserveAttribute Properties that don't have this attribute will be omitted when using SavePreserving() TIP: These attribute decorations are only effective if you do not specify a preservation expression when calling SavePreserving() Entity Inherit this class for all entities you want to store in their own collection. Extensions Extension methods for entities FieldAttribute Specifies the field name and/or the order of the persisted document. FileEntity Inherit this base class in order to create your own File Entities Find Represents a MongoDB Find command. TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() Note: For building queries, use the DB.Fluent* interfaces Find Represents a MongoDB Find command with the ability to project to a different result type. TIP: Specify your criteria using .Match() .Sort() .Skip() .Take() .Project() .Option() methods and finally call .Execute() FuzzyString Use this type to store strings if you need fuzzy text searching with MongoDB TIP: There's a default limit of 250 characters for ensuring best performance. If you exceed the default limit, an exception will be thrown. You can increase the limit by sacrificing performance/resource utilization by setting the static property FuzzyString.CharacterLimit = 500 at startup. GeoNear Fluent aggregation pipeline builder for GeoNear IgnoreAttribute Use this attribute to ignore a property when persisting an entity to the database. IgnoreDefaultAttribute Use this attribute to ignore a property when persisting an entity to the database if the value is null/default. Index Represents an index creation command TIP: Define the keys first with .Key() method and finally call the .Create() method. InverseSideAttribute Indicates that this property is the inverse side of a many-to-many relationship JoinRecord Represents a parent-child relationship between two entities. TIP: The ParentID and ChildID switches around for many-to-many relationships depending on the side of the relationship you're accessing. Many Represents a one-to-many/many-to-many relationship between two Entities. WARNING: You have to initialize all instances of this class before accessing any of it's members. Initialize from the constructor of the parent entity as follows: this.InitOneToMany(() => Property); this.InitManyToMany(() => Property, x => x.OtherProperty); ManyBase Base class providing shared state for Many'1 classes Migration Represents a migration history item in the database ModifiedBy ObjectIdAttribute Use this attribute to mark a property in order to save it in MongoDB server as ObjectId One Represents a one-to-one relationship with an IEntity. OwnerSideAttribute Indicates that this property is the owner side of a many-to-many relationship PagedSearch Represents an aggregation query that retrieves results with easy paging support. PagedSearch Represents an aggregation query that retrieves results with easy paging support. PreserveAttribute Use this attribute on properties that you want to omit when using SavePreserving() instead of supplying an expression. TIP: These attribute decorations are only effective if you do not specify a preservation expression when calling SavePreserving() Prop This class provides methods to generate property path strings from lambda expression. Replace Represents an UpdateOne command, which can replace the first matched document with a given entity TIP: Specify a filter first with the .Match(). Then set entity with .WithEntity() and finally call .Execute() to run the command. Template A helper class to build a JSON command from a string with tag replacement Template A helper class to build a JSON command from a string with tag replacement Template A helper class to build a JSON command from a string with tag replacement Transaction Represents a transaction used to carry out inter-related write operations. TIP: Remember to always call .Dispose() after use or enclose in a 'Using' statement. IMPORTANT: Use the methods on this transaction to perform operations and not the methods on the DB class. Update Represents an update command TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. UpdateAndGet Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. UpdateAndGet Update and retrieve the first document that was updated. TIP: Specify a filter first with the .Match(). Then set property values with .Modify() and finally call .Execute() to run the command. UpdateBase Watcher Watcher for subscribing to mongodb change streams. Interfaces ICreatedOn Implement this interface on entities you want the library to automatically store the creation date with IEntity The contract for Entity classes IMigration The contract for writing user data migration classes IModifiedOn Implement this interface on entities you want the library to automatically store the modified date with Enums EventType KeyType Order Search Delegates AsyncEventHandler" }, "index.html": { "href": "index.html", "title": "Welcome | MongoDB.Entities", - "keywords": "What is it? A light-weight .net standard library with barely any overhead that aims to simplify access to mongodb by abstracting the official driver while adding useful features on top of it resulting in an elegant API surface which produces beautiful, human friendly data access code. Why use it? Async only API for scalable application development. Don't have to deal with ObjectIds , BsonDocuments & magic strings unless you want to. Built-in support for One-To-One , One-To-Many and Many-To-Many relationships. Query data using LINQ, lambda expressions, filters and aggregation pipelines. Sorting, paging and projecting is made convenient. Simple data migration framework similar to EntityFramework. Programmatically manage indexes. Full text search (including fuzzy matching) with text indexes. Multi-document transaction support. Multiple database support. Easy bulk operations. Easy change-stream support. Easy audit fields support. GeoSpatial search. Global filters. Stream files in chunks to and from mongodb (GridFS alternative). Project types supported: .Net Standard 2.1 (.Net Core 3.0 onwards only). Get Started Code Samples Benchmarks" + "keywords": "What is it? A light-weight .net standard library with barely any overhead that aims to simplify access to mongodb by abstracting the official driver while adding useful features on top of it resulting in an elegant API surface which produces beautiful, human friendly data access code. Why use it? Async only API for scalable application development. Don't have to deal with ObjectIds, BsonDocuments & magic strings unless you want to. Built-in support for One-To-One, One-To-Many and Many-To-Many relationships. Query data using LINQ, lambda expressions, filters and aggregation pipelines. Sorting, paging and projecting is made convenient. Simple data migration framework similar to EntityFramework. Programmatically manage indexes. Full text search (including fuzzy matching) with text indexes. Multi-document transaction support. Multiple database support. Easy bulk operations. Easy change-stream support. Easy audit fields support. GeoSpatial search. Global filters. Stream files in chunks to and from mongodb (GridFS alternative). Project types supported: .Net Standard 2.1 (.Net Core 3.0 onwards only). Get Started Code Samples Benchmarks" }, "wiki/Async-Support.html": { "href": "wiki/Async-Support.html", @@ -282,18 +282,13 @@ "wiki/Change-Streams.html": { "href": "wiki/Change-Streams.html", "title": "Change-streams | MongoDB.Entities", - "keywords": "Change-streams change-stream support is provided via the DB.Watcher registry. you can use a watcher to receive notifications when a given entity type gets either created, updated or deleted. only monitoring at the collection level is supported. 1. Retrieve a watcher instance var watcher = DB.Watcher(\"some-unique-name-for-the-watcher\"); pass a unique string to get a watcher instance. if a watcher by that name already exists in the registry, that instance will be returned. if no such watcher exists, a fresh watcher will be returned. 2. Configure and start the watcher watcher.Start( eventTypes: EventType.Created | EventType.Updated | EventType.Deleted, filter: null, batchSize: 25, onlyGetIDs: false, autoResume: true, cancellation: default); Note all except the eventTypes parameter are optional and the default values are shown above. eventTypes: specify what kind of change event you'd like to watch for. multiple types can be specified as shown. filter: if you'd like to receive only a subset of change events, you can do so by supplying a lambda expression to this parameter. for example, if you're interesed in being notified about changes to Authors who are aged 25 and above, set the filter to the following: x => x.FullDocument.Age >= 25 Note filtering cannot be done if the types of change you're interested in includes deletions. because the entity data no longer exists in the database when a deletion occurs and mongodb only returns the entity ID with the change event. batchSize: specify the maximum number of entities you'd like to receive per change notification/ a single event firing. the default is 25. onlyGetIDs: set to true if you don't want the complete entity details. in which case all properties except the ID will be null on the received entities. autoResume: change-streams will be auto-resumed by default unless you set this parameter to false. what that means is, say for example you start a watcher and after a while the watcher stops due to an error or an invalidate event . you can then re-start the watcher and it will start receiving notifications from where it left off and you won't lose any changes that occurred while the watcher was stopped. if you set this to false, then those changes are skipped and only new changes are received. the resume tokens are not automatically stored on disk by the library. see here about resuming across app restarts . cancellation: if you'd like to cancel/abort a watcher and close the change-stream permanently at a future time, pass a cancellation token to this parameter. 3. Subscribe to the events OnChanges watcher.OnChanges += authors => { foreach (var author in authors) { Console.WriteLine(\"received: \" + author.Name); } }; this event is fired when desired change events have been received from mongodb. for the above example, when author entities have been either created, updated or deleted, this event/action will receive those entities in batches. you can access the received entities via the input action parameter called authors . Receiving ChangeStreamDocuments: if you'd like to receive the complete ChangeStreamDocuments instead of just the entities, you can subscribe to the OnChangesCSD method like so: watcher.OnChangesCSD += changes => { foreach (var csd in changes) { Console.WriteLine( \"Removed Fields: \" + string.Join(\", \", csd.UpdateDescription.RemovedFields)); } }; Async event handlers: there's also the async variants of these events called OnChangesAsync and OnChangesCSDAsync for when you need to do IO bound work inside the handler in the correct batch order. what that means is, if you do watcher.OnChanges += async authors => {...} the handler function will be called in parallel for each batch of change events. it is ok to use it when the order of the batches are not important to you or when you don't need precise resume token retrieval . as a rule of thumb, always do watcher.OnChangesAsync += async authors => {...} when you need to use the await keyword inside the event handler. see here for a full example. OnError watcher.OnError += exception => { Console.WriteLine(\"error: \" + exception.Message); if (watcher.CanRestart) { watcher.ReStart(); Console.WriteLine(\"Watching restarted!\"); } }; in case the change-stream ends due to an error, the OnError event will be fired with the exception. you can try to restart the watcher as shown above. OnStop watcher.OnStop += () => { Console.WriteLine(\"Watching stopped!\"); if (watcher.CanRestart) { watcher.ReStart(); Console.WriteLine(\"Watching restarted!\"); } else { Console.WriteLine(\"This watcher is dead!\"); } }; this event will be fired when the internal cursor gets closed due to either you requesting cancellation or an invalidate event occurring such as renaming or dropping of the watched collection. if the cause of stopping is due to aborting via cancellation-token, the watcher has already purged all the event subscribers and no longer can be restarted. if the cause was an invalidate event, you can restart watching as shown above. the existing event subscribers will continue to receive change events. Limiting properties of returned entities you can apply a projection in order to specify which properties of your entity type you'd like returned when the change events are triggered like so: watcher.Start( eventTypes: EventType.Created | EventType.Updated, projection: a => new Author { Name = a.Name, Address = a.Address }); with the above example, only the author name and address properties will have their values populated. the rest of the properties will be null. Note projections cannot be done if the types of change you're interested in includes deletions. because the entity data no longer exists in the database when a deletion occurs and mongodb only returns the entity ID with the change event. Resuming across app restarts you can retrieve a resume token from the ResumeToken property of the watcher like so: var token = watcher.ResumeToken; persist this token to a non-volatile medium and use it upon app startup to initiate a watcher to continue/resume from where the app left off last time it was running. watcher.StartWithToken(token, ...); see here for a full example of how to use resume tokens. Precise resume token retrieval the resume token returned by the watcher.ResumeToken property is the last token of the current batch of change events. if your app/server is prone to frequent crashes or your app tends to get shut down abruptly (without letting all the OnChanges* event handlers complete their work), you may lose some change events when you resume watching with the last token retrieved from watcher.ResumeToken . to prevent that from happening and have fine-grain control of the token storage and resumption, you must subscribe to a OnChangesCSD* event and retrieve + store the token from each ChangeStreamDocument like so: watcher.OnChangesCSDAsync += async csDocs => { foreach (var csd in csDocs) { if (csd.OperationType == ChangeStreamOperationType.Insert) { Console.WriteLine(\"created: \" + csd.FullDocument.Title); } await StoreResumeTokenAsync(csd.ResumeToken); } }; if you're re-starting a stopped/errored watcher, you can provide the latest resume token you have like so: watcher.OnError += exception => { Console.WriteLine(\"error: \" + exception.Message); if (watcher.CanRestart) { watcher.ReStart(lastResumeToken); } }; Access all watchers in the registry var watchers = DB.Watchers(); foreach (var w in watchers) { Console.WriteLine(\"watcher: \" + w.Name); } Note there's a watcher registry per entity type and the watcher names need only be unique to each registry. Notes on resource usage each watcher/change-stream you create opens a long-running cursor on the database server, which also means a persistent network connection between your application and the database. if you create more than a handful of watchers in your application, you should consider increasing the size of the mongodb driver thread-pool size as shown below: await DB.InitAsync(\"DatabaseName\", new MongoClientSettings() { ... MaxConnectionPoolSize = 100 + NumberOfWatchers, ... }); in addition to persistent network connections/cursors, each watcher will use a small amount of memory for an async/await state machine that does the actual work of iterating the change-stream cursor and emitting events without blocking threads during IO. the bottom line is, change-streams can be a double-edged sword if not used sparingly. the beefier the machine that runs your app, the more change-streams you can create without affecting the performance of the rest of your application." + "keywords": "Change-streams change-stream support is provided via the DB.Watcher registry. you can use a watcher to receive notifications when a given entity type gets either created, updated or deleted. only monitoring at the collection level is supported. 1. Retrieve a watcher instance var watcher = DB.Watcher(\"some-unique-name-for-the-watcher\"); pass a unique string to get a watcher instance. if a watcher by that name already exists in the registry, that instance will be returned. if no such watcher exists, a fresh watcher will be returned. 2. Configure and start the watcher watcher.Start( eventTypes: EventType.Created | EventType.Updated | EventType.Deleted, filter: null, batchSize: 25, onlyGetIDs: false, autoResume: true, cancellation: default); Note all except the eventTypes parameter are optional and the default values are shown above. eventTypes: specify what kind of change event you'd like to watch for. multiple types can be specified as shown. filter: if you'd like to receive only a subset of change events, you can do so by supplying a lambda expression to this parameter. for example, if you're interesed in being notified about changes to Authors who are aged 25 and above, set the filter to the following: x => x.FullDocument.Age >= 25 Note filtering cannot be done if the types of change you're interested in includes deletions. because the entity data no longer exists in the database when a deletion occurs and mongodb only returns the entity ID with the change event. batchSize: specify the maximum number of entities you'd like to receive per change notification/ a single event firing. the default is 25. onlyGetIDs: set to true if you don't want the complete entity details. in which case all properties except the ID will be null on the received entities. autoResume: change-streams will be auto-resumed by default unless you set this parameter to false. what that means is, say for example you start a watcher and after a while the watcher stops due to an error or an invalidate event. you can then re-start the watcher and it will start receiving notifications from where it left off and you won't lose any changes that occurred while the watcher was stopped. if you set this to false, then those changes are skipped and only new changes are received. the resume tokens are not automatically stored on disk by the library. see here about resuming across app restarts. cancellation: if you'd like to cancel/abort a watcher and close the change-stream permanently at a future time, pass a cancellation token to this parameter. 3. Subscribe to the events OnChanges watcher.OnChanges += authors => { foreach (var author in authors) { Console.WriteLine(\"received: \" + author.Name); } }; this event is fired when desired change events have been received from mongodb. for the above example, when author entities have been either created, updated or deleted, this event/action will receive those entities in batches. you can access the received entities via the input action parameter called authors. Receiving ChangeStreamDocuments: if you'd like to receive the complete ChangeStreamDocuments instead of just the entities, you can subscribe to the OnChangesCSD method like so: watcher.OnChangesCSD += changes => { foreach (var csd in changes) { Console.WriteLine( \"Removed Fields: \" + string.Join(\", \", csd.UpdateDescription.RemovedFields)); } }; Async event handlers: there's also the async variants of these events called OnChangesAsync and OnChangesCSDAsync for when you need to do IO bound work inside the handler in the correct batch order. what that means is, if you do watcher.OnChanges += async authors => {...} the handler function will be called in parallel for each batch of change events. it is ok to use it when the order of the batches are not important to you or when you don't need precise resume token retrieval. as a rule of thumb, always do watcher.OnChangesAsync += async authors => {...} when you need to use the await keyword inside the event handler. see here for a full example. OnError watcher.OnError += exception => { Console.WriteLine(\"error: \" + exception.Message); if (watcher.CanRestart) { watcher.ReStart(); Console.WriteLine(\"Watching restarted!\"); } }; in case the change-stream ends due to an error, the OnError event will be fired with the exception. you can try to restart the watcher as shown above. OnStop watcher.OnStop += () => { Console.WriteLine(\"Watching stopped!\"); if (watcher.CanRestart) { watcher.ReStart(); Console.WriteLine(\"Watching restarted!\"); } else { Console.WriteLine(\"This watcher is dead!\"); } }; this event will be fired when the internal cursor gets closed due to either you requesting cancellation or an invalidate event occurring such as renaming or dropping of the watched collection. if the cause of stopping is due to aborting via cancellation-token, the watcher has already purged all the event subscribers and no longer can be restarted. if the cause was an invalidate event, you can restart watching as shown above. the existing event subscribers will continue to receive change events. Limiting properties of returned entities you can apply a projection in order to specify which properties of your entity type you'd like returned when the change events are triggered like so: watcher.Start( eventTypes: EventType.Created | EventType.Updated, projection: a => new Author { Name = a.Name, Address = a.Address }); with the above example, only the author name and address properties will have their values populated. the rest of the properties will be null. Note projections cannot be done if the types of change you're interested in includes deletions. because the entity data no longer exists in the database when a deletion occurs and mongodb only returns the entity ID with the change event. Resuming across app restarts you can retrieve a resume token from the ResumeToken property of the watcher like so: var token = watcher.ResumeToken; persist this token to a non-volatile medium and use it upon app startup to initiate a watcher to continue/resume from where the app left off last time it was running. watcher.StartWithToken(token, ...); see here for a full example of how to use resume tokens. Precise resume token retrieval the resume token returned by the watcher.ResumeToken property is the last token of the current batch of change events. if your app/server is prone to frequent crashes or your app tends to get shut down abruptly (without letting all the OnChanges* event handlers complete their work), you may lose some change events when you resume watching with the last token retrieved from watcher.ResumeToken. to prevent that from happening and have fine-grain control of the token storage and resumption, you must subscribe to a OnChangesCSD* event and retrieve + store the token from each ChangeStreamDocument like so: watcher.OnChangesCSDAsync += async csDocs => { foreach (var csd in csDocs) { if (csd.OperationType == ChangeStreamOperationType.Insert) { Console.WriteLine(\"created: \" + csd.FullDocument.Title); } await StoreResumeTokenAsync(csd.ResumeToken); } }; if you're re-starting a stopped/errored watcher, you can provide the latest resume token you have like so: watcher.OnError += exception => { Console.WriteLine(\"error: \" + exception.Message); if (watcher.CanRestart) { watcher.ReStart(lastResumeToken); } }; Access all watchers in the registry var watchers = DB.Watchers(); foreach (var w in watchers) { Console.WriteLine(\"watcher: \" + w.Name); } Note there's a watcher registry per entity type and the watcher names need only be unique to each registry. Notes on resource usage each watcher/change-stream you create opens a long-running cursor on the database server, which also means a persistent network connection between your application and the database. if you create more than a handful of watchers in your application, you should consider increasing the size of the mongodb driver thread-pool size as shown below: await DB.InitAsync(\"DatabaseName\", new MongoClientSettings() { ... MaxConnectionPoolSize = 100 + NumberOfWatchers, ... }); in addition to persistent network connections/cursors, each watcher will use a small amount of memory for an async/await state machine that does the actual work of iterating the change-stream cursor and emitting events without blocking threads during IO. the bottom line is, change-streams can be a double-edged sword if not used sparingly. the beefier the machine that runs your app, the more change-streams you can create without affecting the performance of the rest of your application." }, "wiki/Code-Samples.html": { "href": "wiki/Code-Samples.html", "title": "Code Samples | MongoDB.Entities", "keywords": "Code Samples Initialize connection await DB.InitAsync(\"bookshop\",\"localhost\"); Persist an entity var book = new Book { Title = \"The Power Of Now\" }; await book.SaveAsync(); Embed as document var dickens = new Author { Name = \"Charles Dickens\" }; book.Author = dickens.ToDocument(); await book.SaveAsync(); Update entity properties await DB.Update() .Match(b => b.Title == \"The Power Of Now\") .Modify(b => b.Publisher, \"New World Order\") .Modify(b => b.ISBN, \"SOMEISBNNUMBER\") .ExecuteAsync(); One-To-One relationship var hemmingway = new Author { Name = \"Ernest Hemmingway\" }; await hemmingway.SaveAsync(); book.MainAuthor = hemmingway; await book.SaveAsync(); One-To-Many relationship var tolle = new Author { Name = \"Eckhart Tolle\" }; await tolle.SaveAsync(); await book.Authors.AddAsync(tolle); Many-To-Many relationship var genre = new Genre { Name = \"Self Help\" }; await genre.SaveAsync(); await book.AllGenres.AddAsync(genre); await genre.AllBooks.AddAsync(book); Queries var author = await DB.Find().OneAsync(\"ID\"); var authors = await DB.Find().ManyAsync(a => a.Publisher == \"Harper Collins\"); var eckhart = await DB.Queryable() .Where(a => a.Name.Contains(\"Eckhart\")) .SingleOrDefaultAsync(); var powerofnow = await genre.AllBooks .ChildrenQueryable() .Where(b => b.Title.Contains(\"Power\")) .SingleOrDefaultAsync(); var selfhelp = await book.AllGenres .ChildrenQueryable() .FirstAsync(); Delete await book.MainAuthor.DeleteAsync(); await book.AllAuthors.DeleteAllAsync(); await book.DeleteAsync(); await DB.DeleteAsync(\"ID\"); await DB.DeleteAsync(b => b.Title == \"The Power Of Now\"); Get Started Tutorials Beginners Guide Fuzzy Text Search GeoSpatial Search More Examples Asp.net core web-api project Repository pattern project A collection of gists Integration/unit test project Solutions to stackoverflow questions" }, - "wiki/Data-Migrations.html": { - "href": "wiki/Data-Migrations.html", - "title": "Migration system | MongoDB.Entities", - "keywords": "Migration system there's a simple data migration system similar to that of EntityFramework where you can write migration classes with logic for transforming the database and content in order to bring it up-to-date with the current shape of your c# entity schema. Migration classes create migration classes that has names starting with _number_ followed by anything you'd like and implement the interface IMigration . here are a couple of valid migration class definitions: public class _001_i_will_be_run_first : IMigration { } public class _002_i_will_be_run_second : IMigration { } public class _003_i_will_be_run_third : IMigration { } next implement the UpgradeAsync() method of IMigration and place your migration logic there. Run Migrations in order to execute the migrations, simply call DB.MigrateAsync() whenever you need the database brought up to date. the library keeps track of the last migration run and will execute all newer migrations in the order of their number. in most cases, you'd place the following line of code in the startup of your app right after initializing the database. await DB.MigrateAsync() the above will try to discover all migrations from all assemblies of the application if it's a multi-project solution. you can speed things up a bit by specifying a type so that migrations will only be discovered from the same assembly/project as the specified type, like so: await DB.MigrateAsync(); it's also possible to have more control by supplying a collection of migration class instances, which comes in handy if your migrations require other dependencies. await DB.MigrationsAsync(new IMigration[] { new _001_seed_data(someDependancy), new _002_transform_data(someDependancy) }); Examples Merge two properties let's take the scenario of having the first and last names of an Author entity stored in two separate properties and later on deciding to merge them into a single property called \"FullName\". public class _001_merge_first_and_last_name_to_fullname_field : IMigration { private class Author : Entity { public string Name { get; set; } public string Surname { get; set; } public string FullName { get; set; } } public async Task UpgradeAsync() { await DB.Fluent() .Project(a => new { id = a.ID, fullname = a.Name + \" \" + a.Surname }) .ForEachAsync(async a => { await DB.Update() .Match(_ => true) .Modify(x => x.FullName, a.fullname) .ExecuteAsync(); }); } } if your collection has many thousands of documents, the above code will be less efficient. below is another more efficient way to achieve the same result using a single mongodb command if your server version is v4.2 or newer. public class _001_merge_first_and_last_name_to_fullname_field : IMigration { public Task UpgradeAsync() { return DB.Update() .Match(_ => true) .WithPipelineStage(\"{$set:{FullName:{$concat:['$Name',' ','$Surname']}}}\") .ExecutePipelineAsync(); } } Rename a property public class _002_rename_fullname_to_authorname : IMigration { public Task UpgradeAsync() { return DB.Update() .Match(_ => true) .Modify(b => b.Rename(\"FullName\", \"AuthorName\")) .ExecuteAsync(); } } Rename a collection public class _003_rename_author_collection_to_writer : IMigration { public Task UpgradeAsync() { return DB.Database() .RenameCollectionAsync(\"Author\", \"Writer\"); } }" - }, "wiki/DB-Instances-Audit-Fields.html": { "href": "wiki/DB-Instances-Audit-Fields.html", "title": "Automatic audit fields | MongoDB.Entities", @@ -307,12 +302,17 @@ "wiki/DB-Instances-Global-Filters.html": { "href": "wiki/DB-Instances-Global-Filters.html", "title": "Global filters | MongoDB.Entities", - "keywords": "Global filters with the use of global filters you can specify a set of criteria to be applied to all operations performed by a DBContext instance in order to save the trouble of having to specify the same criteria in each and every operation you perform. i.e. you specify common criteria in one place, and all retrieval, update and delete operations will have the common filters automatically applied to them before execution. to be able to specify common criteria, you need to create a derived DBContext class just like with the event hooks. public class MyDBContext : DBContext { public MyDBContext() { SetGlobalFilter( b => b.Publisher == \"Harper Collins\" && b.IsDeleted == false); SetGlobalFilter( a => a.Status == \"Active\" && a.IsDeleted == false); } } Specify filters using a base class filters can be specified on a per entity type basis like above or common filters can be specified using a base class type like so: SetGlobalFilterForBaseClass(x => x.IsDeleted == false); Specify filters using an interface if you'd like a global filter to be applied to any entity type that implements an interface, you can specify it like below using a json string. it is currently not possible to do it in a strongly typed manner due to a limitation in the driver. SetGlobalFilterForInterface(\"{ IsDeleted : false }\"); Prepending global filters global filters by deafult are appended to your operation filters. if you'd like to instead have the global filters prepended, use the following overload: SetGlobalFilter( filter: b => b.Publisher == \"Harper Collins\", prepend: true); Temporarily ignoring global filters it's possible to skip/ignore global filters on a per operation basis as follows: //with command builders: await db.Find() .Match(b => b.Title == \"Power Of Tomorrow\") .IgnoreGlobalFilters() .ExecuteAsync(); //with direct methods: await db.DeleteAsync( b => b.Title == \"Power Of Tomorrow\", ignoreGlobalFilters: true); Limitations only one filter per entity type is allowed. specify multiple criteria for the same entity type with the && operator as shown above. if you call SetGlobalFilter more than once, only the last call will be registered. if using a base class to specify filters, no derived entity type (of that specific base class) can be used for registering another filter. take the following for example: SetGlobalFilter(b => b.Publisher == \"Harper Collins\"); SetGlobalFilterForBaseClass(x => x.IsDeleted == false); only the second filter would take effect. the first one is discarded because the Book type is a derived type of BaseEntity . you can however switch the order of registration so that the base class registration occurs first. but you need to make sure to include the criteria the base class registration caters to as well, like so: SetGlobalFilterForBaseClass(x => x.IsDeleted == false); SetGlobalFilter( b => b.Publisher == \"Harper Collins\" && b.IsDeleted == false); only delete, update and retrieval operations will use global filters. the Save*() operations will ignore any registered global filters as they will only match on the ID field." + "keywords": "Global filters with the use of global filters you can specify a set of criteria to be applied to all operations performed by a DBContext instance in order to save the trouble of having to specify the same criteria in each and every operation you perform. i.e. you specify common criteria in one place, and all retrieval, update and delete operations will have the common filters automatically applied to them before execution. to be able to specify common criteria, you need to create a derived DBContext class just like with the event hooks. public class MyDBContext : DBContext { public MyDBContext() { SetGlobalFilter( b => b.Publisher == \"Harper Collins\" && b.IsDeleted == false); SetGlobalFilter( a => a.Status == \"Active\" && a.IsDeleted == false); } } Specify filters using a base class filters can be specified on a per entity type basis like above or common filters can be specified using a base class type like so: SetGlobalFilterForBaseClass(x => x.IsDeleted == false); Specify filters using an interface if you'd like a global filter to be applied to any entity type that implements an interface, you can specify it like below using a json string. it is currently not possible to do it in a strongly typed manner due to a limitation in the driver. SetGlobalFilterForInterface(\"{ IsDeleted : false }\"); Prepending global filters global filters by deafult are appended to your operation filters. if you'd like to instead have the global filters prepended, use the following overload: SetGlobalFilter( filter: b => b.Publisher == \"Harper Collins\", prepend: true); Temporarily ignoring global filters it's possible to skip/ignore global filters on a per operation basis as follows: //with command builders: await db.Find() .Match(b => b.Title == \"Power Of Tomorrow\") .IgnoreGlobalFilters() .ExecuteAsync(); //with direct methods: await db.DeleteAsync( b => b.Title == \"Power Of Tomorrow\", ignoreGlobalFilters: true); Limitations only one filter per entity type is allowed. specify multiple criteria for the same entity type with the && operator as shown above. if you call SetGlobalFilter more than once, only the last call will be registered. if using a base class to specify filters, no derived entity type (of that specific base class) can be used for registering another filter. take the following for example: SetGlobalFilter(b => b.Publisher == \"Harper Collins\"); SetGlobalFilterForBaseClass(x => x.IsDeleted == false); only the second filter would take effect. the first one is discarded because the Book type is a derived type of BaseEntity. you can however switch the order of registration so that the base class registration occurs first. but you need to make sure to include the criteria the base class registration caters to as well, like so: SetGlobalFilterForBaseClass(x => x.IsDeleted == false); SetGlobalFilter( b => b.Publisher == \"Harper Collins\" && b.IsDeleted == false); only delete, update and retrieval operations will use global filters. the Save*() operations will ignore any registered global filters as they will only match on the ID field." }, "wiki/DB-Instances.html": { "href": "wiki/DB-Instances.html", "title": "The DBContext | MongoDB.Entities", - "keywords": "The DBContext the DBContext class exists for the sole purpose of facilitating the below-mentioned functionality. it is a thin stateful wrapper around the static DB class methods. feel free to create as many instances as you please whenever needed. Needed for: Automatic audit fields Custom event hooks Global filters Dependancy injection (debatable) Create an instance var db = new DBContext(\"database-name\", \"127.0.0.1\"); connection parameters only need to be supplied to the constructor if you haven't initialized the same database connection before in your application. if for example you have done: await DB.InitAsync(...) on app startup, then simply do new DBContext() without supplying any parameters. Note: the DBContext constructor does not try to establish network connectivity with the server immediately. it would only establish connection during the very first operation perfomed by the DBContext instance. whereas the DB.InitAsync() method would establish connectivity immediately and throw an exception if unsuccessful. Perform operations all operations supported by the static DB class are available via DBContext instances like so: await db.SaveAsync(new Book { Title = \"test\" }); await db.Find() .Match(b => b.Title == \"test\") .ExecuteAsync(); await db.Update() .MatchID(\"xxxxxxxxxx\") .Modify(b => b.Title, \"updated\") .ExecuteAsync(); Dependancy injection it may be tempting to register DBContext instances with IOC containers. instead you should be injecting the repositories (that wrap up data access methods) into your controllers/services, not the DBContext instances directly. click here for a repository pattern example. if you don't plan on unit testing or swapping persistance technology at a future date, there's really no need to use dependency injection and/or DBcontext instances (unless you need the features mentioned above) . in which case feel free to do everything via the DB static methods for the sake of convenience. it is however recommended you encapsulate all data access logic in repository/service/manager classes in order to isolate persistance logic from your application logic. Tip as an alternative, have a look at vertical slice architecture as done here for a far superior developer experience compared to the commonly used layerd+di+repositories mess." + "keywords": "The DBContext the DBContext class exists for the sole purpose of facilitating the below-mentioned functionality. it is a thin stateful wrapper around the static DB class methods. feel free to create as many instances as you please whenever needed. Needed for: Automatic audit fields Custom event hooks Global filters Dependancy injection (debatable) Create an instance var db = new DBContext(\"database-name\", \"127.0.0.1\"); connection parameters only need to be supplied to the constructor if you haven't initialized the same database connection before in your application. if for example you have done: await DB.InitAsync(...) on app startup, then simply do new DBContext() without supplying any parameters. Note: the DBContext constructor does not try to establish network connectivity with the server immediately. it would only establish connection during the very first operation perfomed by the DBContext instance. whereas the DB.InitAsync() method would establish connectivity immediately and throw an exception if unsuccessful. Perform operations all operations supported by the static DB class are available via DBContext instances like so: await db.SaveAsync(new Book { Title = \"test\" }); await db.Find() .Match(b => b.Title == \"test\") .ExecuteAsync(); await db.Update() .MatchID(\"xxxxxxxxxx\") .Modify(b => b.Title, \"updated\") .ExecuteAsync(); Dependancy injection it may be tempting to register DBContext instances with IOC containers. instead you should be injecting the repositories (that wrap up data access methods) into your controllers/services, not the DBContext instances directly. click here for a repository pattern example. if you don't plan on unit testing or swapping persistance technology at a future date, there's really no need to use dependency injection and/or DBcontext instances (unless you need the features mentioned above). in which case feel free to do everything via the DB static methods for the sake of convenience. it is however recommended you encapsulate all data access logic in repository/service/manager classes in order to isolate persistance logic from your application logic. Tip as an alternative, have a look at vertical slice architecture as done here for a far superior developer experience compared to the commonly used layerd+di+repositories mess." + }, + "wiki/Data-Migrations.html": { + "href": "wiki/Data-Migrations.html", + "title": "Migration system | MongoDB.Entities", + "keywords": "Migration system there's a simple data migration system similar to that of EntityFramework where you can write migration classes with logic for transforming the database and content in order to bring it up-to-date with the current shape of your c# entity schema. Migration classes create migration classes that has names starting with _number_ followed by anything you'd like and implement the interface IMigration. here are a couple of valid migration class definitions: public class _001_i_will_be_run_first : IMigration { } public class _002_i_will_be_run_second : IMigration { } public class _003_i_will_be_run_third : IMigration { } next implement the UpgradeAsync() method of IMigration and place your migration logic there. Run Migrations in order to execute the migrations, simply call DB.MigrateAsync() whenever you need the database brought up to date. the library keeps track of the last migration run and will execute all newer migrations in the order of their number. in most cases, you'd place the following line of code in the startup of your app right after initializing the database. await DB.MigrateAsync() the above will try to discover all migrations from all assemblies of the application if it's a multi-project solution. you can speed things up a bit by specifying a type so that migrations will only be discovered from the same assembly/project as the specified type, like so: await DB.MigrateAsync(); it's also possible to have more control by supplying a collection of migration class instances, which comes in handy if your migrations require other dependencies. await DB.MigrationsAsync(new IMigration[] { new _001_seed_data(someDependancy), new _002_transform_data(someDependancy) }); Examples Merge two properties let's take the scenario of having the first and last names of an Author entity stored in two separate properties and later on deciding to merge them into a single property called \"FullName\". public class _001_merge_first_and_last_name_to_fullname_field : IMigration { private class Author : Entity { public string Name { get; set; } public string Surname { get; set; } public string FullName { get; set; } } public async Task UpgradeAsync() { await DB.Fluent() .Project(a => new { id = a.ID, fullname = a.Name + \" \" + a.Surname }) .ForEachAsync(async a => { await DB.Update() .Match(_ => true) .Modify(x => x.FullName, a.fullname) .ExecuteAsync(); }); } } if your collection has many thousands of documents, the above code will be less efficient. below is another more efficient way to achieve the same result using a single mongodb command if your server version is v4.2 or newer. public class _001_merge_first_and_last_name_to_fullname_field : IMigration { public Task UpgradeAsync() { return DB.Update() .Match(_ => true) .WithPipelineStage(\"{$set:{FullName:{$concat:['$Name',' ','$Surname']}}}\") .ExecutePipelineAsync(); } } Rename a property public class _002_rename_fullname_to_authorname : IMigration { public Task UpgradeAsync() { return DB.Update() .Match(_ => true) .Modify(b => b.Rename(\"FullName\", \"AuthorName\")) .ExecuteAsync(); } } Rename a collection public class _003_rename_author_collection_to_writer : IMigration { public Task UpgradeAsync() { return DB.Database() .RenameCollectionAsync(\"Author\", \"Writer\"); } }" }, "wiki/Entities-Delete.html": { "href": "wiki/Entities-Delete.html", @@ -322,17 +322,17 @@ "wiki/Entities-Save.html": { "href": "wiki/Entities-Save.html", "title": "Save an entity | MongoDB.Entities", - "keywords": "Save an entity call SaveAsync() on any entity to persist it to the database. var book = new Book { Title = \"The Power Of Now\" }; await book.SaveAsync(); new entities are automatically assigned an ID when saved. saving an entity that has the ID already populated will replace the matching entity in the database if it exists. if an entity with that ID does not exist in the database, a new one will be created. Save multiple entities multiple entities can be saved in a single bulk operation like so: var books = new[] { new Book{ Title = \"Book One\" }, new Book{ Title = \"Book Two\" }, new Book{ Title = \"Book Three\"} }; await books.SaveAsync(); Save via DB static class you can also use the DB static class for saving entities like so: await DB.SaveAsync(book); await DB.SaveAsync(books); Save entities partially the above-mentioned SaveAsync methods will replace the entire document in the database with the values from the entity. if the goal is to only save the values of a subset of the properties, you have two choices to make your life easier. Save only a few specified properties await book.SaveOnlyAsync(x => new { x.Title, x.Price }); this will save only the Title and Price properties and exclude all other properties of the entity. Save all others except for the specified properties await book.SaveExceptAsync(x => new { x.AuthorName }) this will save all other properties of the entity except the AuthorName property. Note you should only specify root level properties with the New expression. i.e. x => x.Author.Name is not valid. Tip if the ID value of the entity being saved is null , a new document will be created in the database. if the ID has a value, then the matching document will be updated instead. Partial save with attributes if you find specifying New expressions everywhere in your code as above tedious when needing to omit properties while saving an entity, you can use the SavePreservingAsync() method together with the use of an attribute. simply decorate the properties you want to omit with the [ Preserve ] attribute and call book.SavePreservingAsync() without having to supply an expression everytime. whatever properties you have decorated with [Preserve] attribute, will not be updated. all other properties of the entity will be updated with the values from your entity. you can also do the opposite with the use of [ DontPreserve ] attribute. if you decorate properties with [DontPreserve] , only the values of those properties are written to the database and all other properties are implicitly ignored when calling SavePreservingAsync() . Note both [DontPreserve] and [Preserve] cannot be used together on the same entity type due to the conflicting nature of what they do. Inserts even though inserts can be handled with the .SaveAsync() methods above, you can also do inserts specifically using the .InsertAsync() methods like below: await author.InsertAsync(); await authors.InsertAsync(); await DB.InsertAsync(author); await DB.InsertAsync(authors); Embed an entity to store an unlinked copy of an entity, call the ToDocument() method. doing so will store an independant duplicate (with a new ID) of the original entity that has no relationship to the original entity. book.Author = author.ToDocument(); book.OtherAuthors = (new Author[] { author2, author3 }).ToDocuments(); await book.SaveAsync();" + "keywords": "Save an entity call SaveAsync() on any entity to persist it to the database. var book = new Book { Title = \"The Power Of Now\" }; await book.SaveAsync(); new entities are automatically assigned an ID when saved. saving an entity that has the ID already populated will replace the matching entity in the database if it exists. if an entity with that ID does not exist in the database, a new one will be created. Save multiple entities multiple entities can be saved in a single bulk operation like so: var books = new[] { new Book{ Title = \"Book One\" }, new Book{ Title = \"Book Two\" }, new Book{ Title = \"Book Three\"} }; await books.SaveAsync(); Save via DB static class you can also use the DB static class for saving entities like so: await DB.SaveAsync(book); await DB.SaveAsync(books); Save entities partially the above-mentioned SaveAsync methods will replace the entire document in the database with the values from the entity. if the goal is to only save the values of a subset of the properties, you have two choices to make your life easier. Save only a few specified properties await book.SaveOnlyAsync(x => new { x.Title, x.Price }); this will save only the Title and Price properties and exclude all other properties of the entity. Save all others except for the specified properties await book.SaveExceptAsync(x => new { x.AuthorName }) this will save all other properties of the entity except the AuthorName property. Note you should only specify root level properties with the New expression. i.e. x => x.Author.Name is not valid. Tip if the ID value of the entity being saved is null, a new document will be created in the database. if the ID has a value, then the matching document will be updated instead. Partial save with attributes if you find specifying New expressions everywhere in your code as above tedious when needing to omit properties while saving an entity, you can use the SavePreservingAsync() method together with the use of an attribute. simply decorate the properties you want to omit with the [Preserve] attribute and call book.SavePreservingAsync() without having to supply an expression everytime. whatever properties you have decorated with [Preserve] attribute, will not be updated. all other properties of the entity will be updated with the values from your entity. you can also do the opposite with the use of [DontPreserve] attribute. if you decorate properties with [DontPreserve], only the values of those properties are written to the database and all other properties are implicitly ignored when calling SavePreservingAsync(). Note both [DontPreserve] and [Preserve] cannot be used together on the same entity type due to the conflicting nature of what they do. Inserts even though inserts can be handled with the .SaveAsync() methods above, you can also do inserts specifically using the .InsertAsync() methods like below: await author.InsertAsync(); await authors.InsertAsync(); await DB.InsertAsync(author); await DB.InsertAsync(authors); Embed an entity to store an unlinked copy of an entity, call the ToDocument() method. doing so will store an independant duplicate (with a new ID) of the original entity that has no relationship to the original entity. book.Author = author.ToDocument(); book.OtherAuthors = (new Author[] { author2, author3 }).ToDocuments(); await book.SaveAsync();" }, "wiki/Entities-Update.html": { "href": "wiki/Entities-Update.html", "title": "Update without retrieving | MongoDB.Entities", - "keywords": "Update without retrieving you can update a single or batch of entities on the mongodb server by supplying a filter criteria and a subset of properties and the data/ values to be set on them as shown below. await DB.Update() .Match(a => a.Surname == \"Stark\") .Modify(a => a.Name, \"Brandon\") .Modify(a => a.Surname, \"The Broken\") .ExecuteAsync(); specify the filter criteria with a lambda expression using the .Match() method to indicate which entities/documents you want to target for the update. then use multiples of the .Modify() method to specify which properties you want updated with what data. finally call the .ExecuteAsync() method to run the update command which will take place remotely on the database server. Update by ID if you'd like to update a single entity, simply target it by ID like below: await DB.Update() .MatchID(\"xxxxxxxxxxx\") .Modify(a => a.Surname, \"The Broken\") .ExecuteAsync(); Update by matching with filters you can use filter definition builder methods to match entities. all of the filters of the official driver are available for use as follows. await DB.Update() .Match(f=> f.Eq(a=>a.Surname,\"Stark\") & f.Gt(a=>a.Age,35)) .Modify(a => a.Name, \"Brandon\") .ExecuteAsync(); Update with builder methods also you can use all the update definition builder methods supplied by the mongodb driver like so: await DB.Update() .Match(a => a.ID == \"xxxxxxx\") .Modify(x => x.Inc(a => a.Age, 10)) .Modify(x => x.Set(a => a.Name, \"Brandon\")) .Modify(x => x.CurrentDate(a => a.ModifiedOn)) .ExecuteAsync(); Update all properties instead of specifying each and every property with .Modify() you can simply supply a complete entity using .ModifyWith() . all properties of the matched documents will be updated with the corresponding property values of the supplied entity instance. await DB.Update() .MatchID(\"xxxxxxxxxxxxx\") .ModifyWith(book) .ExecuteAsync(); Update only a few specified properties you can specify a couple of properties to be updated with the corresponding values from a supplied entity instance like below. await DB.Update() .MatchID(\"xxxxxxxxxxxxx\") .ModifyOnly(b => new { b.Title, b.Price }, book) .ExecuteAsync(); in the above example, only the Title and Price of the matched book will be updated in the database. Update all others except for the specified properties you can update all other properties than the specified properties with the corresponding values from the supplied entity instance like so: await DB.Update() .MatchID(\"xxxxxxxxxxxxx\") .ModifyExcept(b => new { b.Price, b.ISBN }, book) .ExecuteAsync(); in the above example, all other properties except the Price and ISBN are updated with the values from the book instance. Bulk updates var bulkUpdate = DB.Update(); bulkUpdate.Match(a => a.Age > 25) .Modify(a => a.Age, 35) .AddToQueue(); bulkUpdate.Match(a => a.Sex == \"Male\") .Modify(a => a.Sex, \"Female\") .AddToQueue(); await bulkUpdate.ExecuteAsync(); first get a reference to a Update class. then specify matching criteria with Match() method and modifications with Modify() method just like you would with a regular update. then instead of calling ExecuteAsync() , simply call AddToQueue() in order to queue it up for batch execution. when you are ready to commit the updates, call ExecuteAsync() which will issue a single bulkWrite command to the database. Update and retrieve in order to update an entity and retrieve the updated enity, use the .UpdateAndGet() method on the DB class like so: var result = await DB.UpdateAndGet() .Match(b => b.ID == \"xxxxxxxxxxxxx\") .Modify(b => b.Title, \"updated title\") .ExecuteAsync(); Update and retrieve with projection projection of the returned entity is possible using the .Project() method before calling .ExecuteAsync() . var result = await DB.UpdateAndGet() .Match(b => b.ID == \"xxxxxxxxxxxxx\") .Modify(b => b.Title, \"updated title\") .Project(b => new Book { Title = b.Title }) .ExecuteAsync(); you can also project the result to a completely different type using the generic overload like so: var result = await DB.UpdateAndGet() .Match(b => b.ID == \"xxxxxxxxxxxxx\") .Modify(b => b.Title, \"updated title\") .Project(b => b.Price) .ExecuteAsync(); Aggregation pipeline updates starting from mongodb sever v4.2, we can refer to existing fields of the documents when updating as described here . the following example does 3 things. creates a 'FullName' field by concatenating the values from 'FirstName' and 'LastName' fields. creates a 'LowerCaseEmail' field by getting the value from 'Email' field and lower-casing it. removes the Email field. await DB.Update() .Match(_ => true) .WithPipelineStage(\"{ $set: { FullName: { $concat: ['$FirstName',' ','$LastName'] }}}\") .WithPipelineStage(\"{ $set: { LowerCaseEmail: { $toLower: '$Email' } } }\") .WithPipelineStage(\"{ $unset: 'Email'}\") .ExecutePipelineAsync(); note: pipeline updates and regular updates cannot be used together in one command as it's not supported by the official c# driver. Array filter updates await DB.Update() .Match(_ => true) .WithArrayFilter(\"{ 'x.Age' : { $gte : 30 } }\") .Modify(\"{ $set : { 'Authors.$[x].Age' : 25 } }\") .ExecuteAsync(); the above update command will set the age of all authors of books where the age is 30 years or older to 25. refer to this document for more info on array filters." + "keywords": "Update without retrieving you can update a single or batch of entities on the mongodb server by supplying a filter criteria and a subset of properties and the data/ values to be set on them as shown below. await DB.Update() .Match(a => a.Surname == \"Stark\") .Modify(a => a.Name, \"Brandon\") .Modify(a => a.Surname, \"The Broken\") .ExecuteAsync(); specify the filter criteria with a lambda expression using the .Match() method to indicate which entities/documents you want to target for the update. then use multiples of the .Modify() method to specify which properties you want updated with what data. finally call the .ExecuteAsync() method to run the update command which will take place remotely on the database server. Update by ID if you'd like to update a single entity, simply target it by ID like below: await DB.Update() .MatchID(\"xxxxxxxxxxx\") .Modify(a => a.Surname, \"The Broken\") .ExecuteAsync(); Update by matching with filters you can use filter definition builder methods to match entities. all of the filters of the official driver are available for use as follows. await DB.Update() .Match(f=> f.Eq(a=>a.Surname,\"Stark\") & f.Gt(a=>a.Age,35)) .Modify(a => a.Name, \"Brandon\") .ExecuteAsync(); Update with builder methods also you can use all the update definition builder methods supplied by the mongodb driver like so: await DB.Update() .Match(a => a.ID == \"xxxxxxx\") .Modify(x => x.Inc(a => a.Age, 10)) .Modify(x => x.Set(a => a.Name, \"Brandon\")) .Modify(x => x.CurrentDate(a => a.ModifiedOn)) .ExecuteAsync(); Update all properties instead of specifying each and every property with .Modify() you can simply supply a complete entity using .ModifyWith(). all properties of the matched documents will be updated with the corresponding property values of the supplied entity instance. await DB.Update() .MatchID(\"xxxxxxxxxxxxx\") .ModifyWith(book) .ExecuteAsync(); Update only a few specified properties you can specify a couple of properties to be updated with the corresponding values from a supplied entity instance like below. await DB.Update() .MatchID(\"xxxxxxxxxxxxx\") .ModifyOnly(b => new { b.Title, b.Price }, book) .ExecuteAsync(); in the above example, only the Title and Price of the matched book will be updated in the database. Update all others except for the specified properties you can update all other properties than the specified properties with the corresponding values from the supplied entity instance like so: await DB.Update() .MatchID(\"xxxxxxxxxxxxx\") .ModifyExcept(b => new { b.Price, b.ISBN }, book) .ExecuteAsync(); in the above example, all other properties except the Price and ISBN are updated with the values from the book instance. Bulk updates var bulkUpdate = DB.Update(); bulkUpdate.Match(a => a.Age > 25) .Modify(a => a.Age, 35) .AddToQueue(); bulkUpdate.Match(a => a.Sex == \"Male\") .Modify(a => a.Sex, \"Female\") .AddToQueue(); await bulkUpdate.ExecuteAsync(); first get a reference to a Update class. then specify matching criteria with Match() method and modifications with Modify() method just like you would with a regular update. then instead of calling ExecuteAsync(), simply call AddToQueue() in order to queue it up for batch execution. when you are ready to commit the updates, call ExecuteAsync() which will issue a single bulkWrite command to the database. Update and retrieve in order to update an entity and retrieve the updated enity, use the .UpdateAndGet() method on the DB class like so: var result = await DB.UpdateAndGet() .Match(b => b.ID == \"xxxxxxxxxxxxx\") .Modify(b => b.Title, \"updated title\") .ExecuteAsync(); Update and retrieve with projection projection of the returned entity is possible using the .Project() method before calling .ExecuteAsync(). var result = await DB.UpdateAndGet() .Match(b => b.ID == \"xxxxxxxxxxxxx\") .Modify(b => b.Title, \"updated title\") .Project(b => new Book { Title = b.Title }) .ExecuteAsync(); you can also project the result to a completely different type using the generic overload like so: var result = await DB.UpdateAndGet() .Match(b => b.ID == \"xxxxxxxxxxxxx\") .Modify(b => b.Title, \"updated title\") .Project(b => b.Price) .ExecuteAsync(); Aggregation pipeline updates starting from mongodb sever v4.2, we can refer to existing fields of the documents when updating as described here. the following example does 3 things. creates a 'FullName' field by concatenating the values from 'FirstName' and 'LastName' fields. creates a 'LowerCaseEmail' field by getting the value from 'Email' field and lower-casing it. removes the Email field. await DB.Update() .Match(_ => true) .WithPipelineStage(\"{ $set: { FullName: { $concat: ['$FirstName',' ','$LastName'] }}}\") .WithPipelineStage(\"{ $set: { LowerCaseEmail: { $toLower: '$Email' } } }\") .WithPipelineStage(\"{ $unset: 'Email'}\") .ExecutePipelineAsync(); note: pipeline updates and regular updates cannot be used together in one command as it's not supported by the official c# driver. Array filter updates await DB.Update() .Match(_ => true) .WithArrayFilter(\"{ 'x.Age' : { $gte : 30 } }\") .Modify(\"{ $set : { 'Authors.$[x].Age' : 25 } }\") .ExecuteAsync(); the above update command will set the age of all authors of books where the age is 30 years or older to 25. refer to this document for more info on array filters." }, "wiki/Entities.html": { "href": "wiki/Entities.html", "title": "Define entities | MongoDB.Entities", - "keywords": "Define entities add the import statement shown below and create your entities by inheriting the Entity base class. using MongoDB.Entities; public class Book : Entity { public string Title { get; set; } } Ignore properties if there are some properties on entities you don't want persisted to mongodb, simply use the IgnoreAttribute . you can prevent null/default values from being stored with the use of IgnoreDefaultAttribute . public class Book : Entity { [Ignore] public string DontSaveMe { get; set; } [IgnoreDefault] public int SomeNumber { get; set; } } Customize field names you can set the field names of the documents stored in mongodb using the FieldAttribute like so: public class Book { [Field(\"book_name\")] public string Title { get; set; } } Customize collection names by default, mongodb collections will use the names of the entity classes. you can customize the collection names by decorating your entities with the CollectionAttribute as follows: [Collection(\"Writer\")] public class Author : Entity { ... } Optional auto-managed properties there are 2 optional interfaces ICreatedOn & IModifiedOn that you can add to entity class definitions like so: public class Book : Entity, ICreatedOn, IModifiedOn { public string Title { get; set; } public DateTime CreatedOn { get; set; } public DateTime ModifiedOn { get; set; } } if your entity classes implements these interfaces, the library will automatically set the appropriate values so you can use them for sorting operations and other queries. The IEntity interface if for whatever reason, you're unable to inherit the Entity base class, you can simply implement the IEntity interface to make your classes compatible with the library like so: public class Book : IEntity { [BsonId, ObjectId] public string ID { get; set; } public string GenerateNewID() => ObjectId.GenerateNewId().ToString(); } Customizing the ID format the default format of the IDs automatically generated for new entities is ObjectId . if you'd like to change the format of the ID, simply override the GenerateNewID method of the Entity class or implement the IEntity interface and place the logic for generating new IDs inside the GenerateNewID method. if implementing IEntity , don't forget to decorate the ID property with the [BsonId] attribute. public class Book : IEntity { [BsonId] public string ID { get; set; } public string GenerateNewID() => $\"{Guid.NewGuid()}-{DateTime.UtcNow.Ticks}\"; } Note the type of the ID property cannot be changed to something other than string . PRs are welcome for removing this limitation. Warning it is highly recommended that you stick with ObjectId as it's highly unlikely it would generate duplicate IDs due to the way it works . if you choose something like Guid , there's a possibility for duplicates to be generated and data loss could occur when using the partial entity saving operations. reason being, those operations use upserts under the hood and if a new entity is assigned the same ID as one that already exists in the database, the existing entity will get replaced by the new entity. the normal save operations do not have this issue because they use inserts under the hood and if you try to insert a new entity with a duplicate ID, a duplicate key exception would be thrown due to the unique index on the ID property. so you're better off sticking with ObjectId because the only way it could ever generate a duplicate ID is if more than 16 million entities are created at the exact moment on the exact computer with the exact same process. Create a collection explicitly await DB.CreateCollectionAsync(o => { o.Collation = new Collation(\"es\"); o.Capped = true; o.MaxDocuments = 10000; }); typically you don't need to create collections manually as they will be created automatically the first time you save an entity. however, you'd have to create the collection like above if you need to use a custom COLLATION , create a CAPPED , or TIME SERIES collection before you can save any entities. Note if a collection already exists for the specified entity type, an exception will be thrown. Drop a collection await DB.DropCollectionAsync();" + "keywords": "Define entities add the import statement shown below and create your entities by inheriting the Entity base class. using MongoDB.Entities; public class Book : Entity { public string Title { get; set; } } Ignore properties if there are some properties on entities you don't want persisted to mongodb, simply use the IgnoreAttribute. you can prevent null/default values from being stored with the use of IgnoreDefaultAttribute. public class Book : Entity { [Ignore] public string DontSaveMe { get; set; } [IgnoreDefault] public int SomeNumber { get; set; } } Customize field names you can set the field names of the documents stored in mongodb using the FieldAttribute like so: public class Book { [Field(\"book_name\")] public string Title { get; set; } } Customize collection names by default, mongodb collections will use the names of the entity classes. you can customize the collection names by decorating your entities with the CollectionAttribute as follows: [Collection(\"Writer\")] public class Author : Entity { ... } Optional auto-managed properties there are 2 optional interfaces ICreatedOn & IModifiedOn that you can add to entity class definitions like so: public class Book : Entity, ICreatedOn, IModifiedOn { public string Title { get; set; } public DateTime CreatedOn { get; set; } public DateTime ModifiedOn { get; set; } } if your entity classes implements these interfaces, the library will automatically set the appropriate values so you can use them for sorting operations and other queries. The IEntity interface if for whatever reason, you're unable to inherit the Entity base class, you can simply implement the IEntity interface to make your classes compatible with the library like so: public class Book : IEntity { public string ID { get; set; } = null!; public object GenerateNewID() => ObjectId.GenerateNewId().ToString(); public bool HasDefaultID() => string.IsNullOrEmpty(ID); } Customizing the ID format the default format of the IDs automatically generated for new entities is ObjectId. if you'd like to change the type/format of the ID, simply override the GenerateNewID and HasDefaultID methods of the Entity base class or implement the IEntity interface. if implementing IEntity, don't forget to decorate the ID property with the [BsonId] attribute to indicate that it's the primary key. public class Book : IEntity { [BsonId] public Guid Id { get; set; } = Guid.Empty; public object GenerateNewID() => Guid.NewGuid(); public bool HasDefaultID() => Id == Guid.Empty; } Note the type of the ID property can be whatever type you like (given that it can be serialized by the mongo driver). however, due to a technical constraint, only the following types are supported with the referenced relationship functionality: string long ObjectId Warning it is highly recommended that you stick with ObjectId as it's highly unlikely it would generate duplicate IDs due to the way it works. if you choose something like Guid, there's a possibility for duplicates to be generated and data loss could occur when using the partial entity saving operations. reason being, those operations use upserts under the hood and if a new entity is assigned the same ID as one that already exists in the database, the existing entity will get replaced by the new entity. the normal save operations do not have this issue because they use inserts under the hood and if you try to insert a new entity with a duplicate ID, a duplicate key exception would be thrown due to the unique index on the ID property. so you're better off sticking with ObjectId because the only way it could ever generate a duplicate ID is if more than 16 million entities are created at the exact moment on the exact computer with the exact same process. Create a collection explicitly await DB.CreateCollectionAsync(o => { o.Collation = new Collation(\"es\"); o.Capped = true; o.MaxDocuments = 10000; }); typically you don't need to create collections manually as they will be created automatically the first time you save an entity. however, you'd have to create the collection like above if you need to use a custom COLLATION, create a CAPPED, or TIME SERIES collection before you can save any entities. Note if a collection already exists for the specified entity type, an exception will be thrown. Drop a collection await DB.DropCollectionAsync();" }, "wiki/Extras-Date.html": { "href": "wiki/Extras-Date.html", @@ -342,17 +342,17 @@ "wiki/Extras-Prop.html": { "href": "wiki/Extras-Prop.html", "title": "The 'Prop' Class | MongoDB.Entities", - "keywords": "The 'Prop' Class this static class has several handy methods for getting string property paths from lambda expressions. which can help to eliminate magic strings from your code during advanced scenarios. Prop.Path() returns the full dotted path for a given member expression. Authors[0].Books[0].Title > Authors.Books.Title var path = Prop.Path(b => b.Authors[0].Books[0].Title); Prop.Property() returns the last property name for a given member expression. Authors[0].Books[0].Title > Title var propName = Prop.Property(b => b.Authors[0].Books[0].Title); Prop.Collection() returns the collection/entity name for a given entity type. var collectionName = Prop.Collection(); Prop.PosAll() returns a path with the all positional operator $[] for a given expression. Authors[0].Name > Authors.$[].Name var path = Prop.PosAll(b => b.Authors[0].Name); Prop.PosFirst() returns a path with the first positional operator $ for a given expression. Authors[0].Name > Authors.$.Name var path = Prop.PosFirst(b => b.Authors[0].Name); Prop.PosFiltered() returns a path with filtered positional identifiers $[x] for a given expression. Authors[0].Name > Authors.$[a].Name Authors[1].Age > Authors.$[b].Age Authors[2].Books[3].Title > Authors.$[c].Books.$[d].Title index positions start from [0] which is converted to $[a] and so on. var path = Prop.PosFiltered(b => b.Authors[2].Books[3].Title); Prop.Elements(index, expression) returns a path with the filtered positional identifier prepended to the property path. (0, x => x.Rating) > a.Rating (1, x => x.Rating) > b.Rating index positions start from '0' which is converted to 'a' and so on. var res = Prop.Elements(0, x => x.Rating); Prop.Elements() returns a path without any filtered positional identifier prepended to it. b => b.Tags > Tags var path = Prop.Elements(b => b.Tags);" + "keywords": "The 'Prop' Class this static class has several handy methods for getting string property paths from lambda expressions. which can help to eliminate magic strings from your code during advanced scenarios. Prop.Path() returns the full dotted path for a given member expression. Authors[0].Books[0].Title > Authors.Books.Title var path = Prop.Path(b => b.Authors[0].Books[0].Title); Prop.Property() returns the last property name for a given member expression. Authors[0].Books[0].Title > Title var propName = Prop.Property(b => b.Authors[0].Books[0].Title); Prop.Collection() returns the collection/entity name for a given entity type. var collectionName = Prop.Collection(); Prop.PosAll() returns a path with the all positional operator $[] for a given expression. Authors[0].Name > Authors.$[].Name var path = Prop.PosAll(b => b.Authors[0].Name); Prop.PosFirst() returns a path with the first positional operator $ for a given expression. Authors[0].Name > Authors.$.Name var path = Prop.PosFirst(b => b.Authors[0].Name); Prop.PosFiltered() returns a path with filtered positional identifiers $[x] for a given expression. Authors[0].Name > Authors.$[a].Name Authors[1].Age > Authors.$[b].Age Authors[2].Books[3].Title > Authors.\\([c].Books.\\)[d].Title index positions start from [0] which is converted to $[a] and so on. var path = Prop.PosFiltered(b => b.Authors[2].Books[3].Title); Prop.Elements(index, expression) returns a path with the filtered positional identifier prepended to the property path. (0, x => x.Rating) > a.Rating (1, x => x.Rating) > b.Rating index positions start from '0' which is converted to 'a' and so on. var res = Prop.Elements(0, x => x.Rating); Prop.Elements() returns a path without any filtered positional identifier prepended to it. b => b.Tags > Tags var path = Prop.Elements(b => b.Tags);" }, "wiki/Extras-Sequence.html": { "href": "wiki/Extras-Sequence.html", "title": "Sequential number generation | MongoDB.Entities", - "keywords": "Sequential number generation we can get mongodb to return a sequentially incrementing number everytime the method .NextSequentialNumber() on an Entity is called. it can be useful when you need to generate custom IDs like in the example below: public class Person : Entity { public string CustomID { get; set; } } var person = new Person(); var number = await person.NextSequentialNumberAsync(); person.CustomID = $\"PID-{number:00000000}-X\"; person.Save(); the value of CustomID would be PID-0000001-X . the next Person entities you create/save would have PID-0000002-X , PID-0000003-X , PID-0000004-X and so on. Alternative static method if you don't have an instance of an Entity you can simply call the static method on the DB class like so: var number = await DB.NextSequentialNumberAsync(); Generation for any sequence name there's also an overload for generating sequential numbers for any given sequence name like so: var number = await DB.NextSequentialNumberAsync(\"SequenceName\"); Considerations keep in mind that there will be a separate sequence of numbers for each Entity type. calling this method issues a single db call in order to increment a counter document in the database and retrieve the number. concurrent access won't result in duplicate numbers being generated but it would cause write locking and performance could suffer. multi db support and async methods with task cancellation support are also available. there is no transaction support in order to avoid number generation unpredictability. however, you can call this method from within a transaction without any trouble." + "keywords": "Sequential number generation we can get mongodb to return a sequentially incrementing number everytime the method .NextSequentialNumber() on an Entity is called. it can be useful when you need to generate custom IDs like in the example below: public class Person : Entity { public string CustomID { get; set; } } var person = new Person(); var number = await person.NextSequentialNumberAsync(); person.CustomID = $\"PID-{number:00000000}-X\"; person.Save(); the value of CustomID would be PID-0000001-X. the next Person entities you create/save would have PID-0000002-X, PID-0000003-X, PID-0000004-X and so on. Alternative static method if you don't have an instance of an Entity you can simply call the static method on the DB class like so: var number = await DB.NextSequentialNumberAsync(); Generation for any sequence name there's also an overload for generating sequential numbers for any given sequence name like so: var number = await DB.NextSequentialNumberAsync(\"SequenceName\"); Considerations keep in mind that there will be a separate sequence of numbers for each Entity type. calling this method issues a single db call in order to increment a counter document in the database and retrieve the number. concurrent access won't result in duplicate numbers being generated but it would cause write locking and performance could suffer. multi db support and async methods with task cancellation support are also available. there is no transaction support in order to avoid number generation unpredictability. however, you can call this method from within a transaction without any trouble." }, "wiki/File-Storage.html": { "href": "wiki/File-Storage.html", "title": "GridFS alternative | MongoDB.Entities", - "keywords": "GridFS alternative this library features a GridFS alternative where you can stream upload & download files in chunks to keep memory usage at a minimum when dealing with large files. there is no limitation on the size or type of file you can store and the API is designed to be much simpler than GridFS. Define a file entity inherit from FileEntity abstract class instead of the usual Entity class for defining your file entities like below. You can add any other properties you wish to store with it. public class Picture : FileEntity { public string Title { get; set; } public int Width { get; set; } public int Height { get; set; } } the FileEntity is a sub class of Entity class. so all operations supported by the library can be performed with these file entities. Upload data before uploading data for a file entity, you must save the file entity first. then simply call the upload method like below by supplying a stream object for it to read the data from: var kitty = new Picture { Title = \"NiceKitty.jpg\", Width = 4000, Height = 4000 }; await kitty.SaveAsync(); var streamTask = new HttpClient().GetStreamAsync(\"https://placekitten.com/g/4000/4000\"); using (var stream = await streamTask) { await kitty.Data.UploadAsync(stream); } the Data property on the file entity gives you access to a couple of methods for uploading and downloading. with those methods, you can specify upload chunk size , download batch size , operation timeout period , as well as cancellation token for controlling the process. in addition to the properties you added, there will also be FileSize , ChunkCount & UploadSuccessful properties on the file entity. the file size reports how much data has been read from the stream in bytes if the upload is still in progress or the total file size if the upload is complete. chunk count reports how many number of pieces the file has been broken into for storage. UploadSuccessful will only return true if the process completed without any issues. Data integrity verification you have the option of specifying an MD5 hash when uploading and get mongodb to throw an InvalidDataException in case the data stream has got corrupted during the upload/transfer process. typically you'd calculate an MD5 hash value in your front-end/ui app before initiating the file upload and set it as a property value on the file entity like so: var kitty = new Picture { Title = \"NiceKitty.jpg\", Width = 4000, Height = 4000, MD5 = \"cccfa116f0acf41a217cbefbe34cd599\" }; the MD5 property comes from the base FileEntity . if a value has been set before calling .Data.UploadAsync() an MD5 hash will be calculated at the end of the upload process and matched against the MD5 hash you specified. if they don't match, an exception is thrown. so if specifying an MD5 for verification, you should always wrap your upload code in a try/catch block. if verification fails, the uploaded data is discarded and you'll have to re-attempt the upload. Download data var picture = await DB.Find() .Match(p => p.Title == \"NiceKitty.jpg\") .ExecuteSingleAsync(); using (var stream = File.OpenWrite(\"kitty.jpg\")) { await picture.Data.DownloadAsync(stream); } first retrieve the file entity you want to work with and then call the .Data.DownloadAsync() method by supplying it a stream object to write the data to. alternatively, if the ID of the file entity is known, you can avoid fetching the file entity from the database and access the data directly like so: await DB.File(\"FileID\").DownloadAsync(stream); Transaction support uploading & downloading file data within a transaction requires passing in a session to the upload and download methods. see here for an example." + "keywords": "GridFS alternative this library features a GridFS alternative where you can stream upload & download files in chunks to keep memory usage at a minimum when dealing with large files. there is no limitation on the size or type of file you can store and the API is designed to be much simpler than GridFS. Define a file entity inherit from FileEntity abstract class instead of the usual Entity class for defining your file entities like below. You can add any other properties you wish to store with it. public class Picture : FileEntity { public string Title { get; set; } public int Width { get; set; } public int Height { get; set; } } the FileEntity is a sub class of Entity class. so all operations supported by the library can be performed with these file entities. Upload data before uploading data for a file entity, you must save the file entity first. then simply call the upload method like below by supplying a stream object for it to read the data from: var kitty = new Picture { Title = \"NiceKitty.jpg\", Width = 4000, Height = 4000 }; await kitty.SaveAsync(); var streamTask = new HttpClient().GetStreamAsync(\"https://placekitten.com/g/4000/4000\"); using (var stream = await streamTask) { await kitty.Data.UploadAsync(stream); } the Data property on the file entity gives you access to a couple of methods for uploading and downloading. with those methods, you can specify upload chunk size, download batch size, operation timeout period, as well as cancellation token for controlling the process. in addition to the properties you added, there will also be FileSize, ChunkCount & UploadSuccessful properties on the file entity. the file size reports how much data has been read from the stream in bytes if the upload is still in progress or the total file size if the upload is complete. chunk count reports how many number of pieces the file has been broken into for storage. UploadSuccessful will only return true if the process completed without any issues. Data integrity verification you have the option of specifying an MD5 hash when uploading and get mongodb to throw an InvalidDataException in case the data stream has got corrupted during the upload/transfer process. typically you'd calculate an MD5 hash value in your front-end/ui app before initiating the file upload and set it as a property value on the file entity like so: var kitty = new Picture { Title = \"NiceKitty.jpg\", Width = 4000, Height = 4000, MD5 = \"cccfa116f0acf41a217cbefbe34cd599\" }; the MD5 property comes from the base FileEntity. if a value has been set before calling .Data.UploadAsync() an MD5 hash will be calculated at the end of the upload process and matched against the MD5 hash you specified. if they don't match, an exception is thrown. so if specifying an MD5 for verification, you should always wrap your upload code in a try/catch block. if verification fails, the uploaded data is discarded and you'll have to re-attempt the upload. Download data var picture = await DB.Find() .Match(p => p.Title == \"NiceKitty.jpg\") .ExecuteSingleAsync(); using (var stream = File.OpenWrite(\"kitty.jpg\")) { await picture.Data.DownloadAsync(stream); } first retrieve the file entity you want to work with and then call the .Data.DownloadAsync() method by supplying it a stream object to write the data to. alternatively, if the ID of the file entity is known, you can avoid fetching the file entity from the database and access the data directly like so: await DB.File(\"FileID\").DownloadAsync(stream); Transaction support uploading & downloading file data within a transaction requires passing in a session to the upload and download methods. see here for an example." }, "wiki/Get-Started.html": { "href": "wiki/Get-Started.html", @@ -377,12 +377,12 @@ "wiki/Multiple-Databases.html": { "href": "wiki/Multiple-Databases.html", "title": "Multiple database support | MongoDB.Entities", - "keywords": "Multiple database support you can store and retrieve Entities in multiple databases on either a single server or multiple servers. the only requirement is to have unique names for each database. the following example demonstrates how to use multiple databases. Usage example: use the DB.DatabaseFor() method to specify which database you want the Entities of a given type to be stored in. it is only neccessary to do that for the entities you want to store in a non-default database. the default database is the very first database your application initializes. all entities by default are stored in the default database unless specified otherwise using DatabaseFor . as such, the Book entities will be stored in the \"BookShop\" database and the Picture entities are stored in the \"BookShopFILES\" database considering the following code. await DB.InitAsync(\"BookShop\"); await DB.InitAsync(\"BookShopFILES\"); DB.DatabaseFor(\"BookShopFILES\"); var book = new Book { Title = \"Power Of Now\" }; await book.SaveAsync(); //alternative: //// await DB.SaveAsync(book); var pic = new Picture { BookID = book.ID, Name = \"Power Of Now Cover Photo\" }; await pic.SaveAsync(); //alternative: //// await DB.SaveAsync(pic); await DB.Update() .Match(p => p.ID == pic.ID) .Modify(p => p.Name, \"Updated Cover Photo\") .ExecuteAsync(); var result = await DB.Find().OneAsync(pic.ID); Note an entity type is tied to a specific database by calling the DatabaseFor method with the database name on startup. that entity type will always be stored in and retrieved from that specific database only. it is not possible to save a single entity type in multiple databases. if you prefer to keep your database specifications inside the entity classes themselves, you could even call DatabaseFor in the static constructor like so: public class Picture : Entity { static Picture() => DB.DatabaseFor(\"BookShopFILES\"); } Limitations cross-database relationships with Many is not supported. no cross-database joins/ look-ups as the driver doesn't support it. storing a single entity type in multiple datbases is not supported." + "keywords": "Multiple database support you can store and retrieve Entities in multiple databases on either a single server or multiple servers. the only requirement is to have unique names for each database. the following example demonstrates how to use multiple databases. Usage example: use the DB.DatabaseFor() method to specify which database you want the Entities of a given type to be stored in. it is only neccessary to do that for the entities you want to store in a non-default database. the default database is the very first database your application initializes. all entities by default are stored in the default database unless specified otherwise using DatabaseFor. as such, the Book entities will be stored in the \"BookShop\" database and the Picture entities are stored in the \"BookShopFILES\" database considering the following code. await DB.InitAsync(\"BookShop\"); await DB.InitAsync(\"BookShopFILES\"); DB.DatabaseFor(\"BookShopFILES\"); var book = new Book { Title = \"Power Of Now\" }; await book.SaveAsync(); //alternative: //// await DB.SaveAsync(book); var pic = new Picture { BookID = book.ID, Name = \"Power Of Now Cover Photo\" }; await pic.SaveAsync(); //alternative: //// await DB.SaveAsync(pic); await DB.Update() .Match(p => p.ID == pic.ID) .Modify(p => p.Name, \"Updated Cover Photo\") .ExecuteAsync(); var result = await DB.Find().OneAsync(pic.ID); Note an entity type is tied to a specific database by calling the DatabaseFor method with the database name on startup. that entity type will always be stored in and retrieved from that specific database only. it is not possible to save a single entity type in multiple databases. if you prefer to keep your database specifications inside the entity classes themselves, you could even call DatabaseFor in the static constructor like so: public class Picture : Entity { static Picture() => DB.DatabaseFor(\"BookShopFILES\"); } Limitations cross-database relationships with Many is not supported. no cross-database joins/ look-ups as the driver doesn't support it. storing a single entity type in multiple datbases is not supported." }, "wiki/Performance-Benchmarks.html": { "href": "wiki/Performance-Benchmarks.html", "title": "Performance Benchmarks | MongoDB.Entities", - "keywords": "Performance Benchmarks source code of the benchmarks can be found on github . more benchmarks will be added as time permits. please feel free to add your own and submit a PR, or join our discord server and request a particular benchmark you're interested in. Environment OS : Windows 11 CPU : AMD Ryzen 7 3700X SDK : .Net 5.0 Server : MongoDB Community 5 (localhost) Driver : v2.13 Create one entity Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated Official_Driver 235.0 μs 2.82 μs 2.50 μs 1.00 0.00 3.4180 - - 29 KB MongoDB_Entities 259.1 μs 1.69 μs 1.50 μs 1.10 0.02 3.4180 - - 29 KB Bulk create 1000 entities Method Mean Error StdDev Median Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 9.627 ms 0.1034 ms 0.0863 ms 9.620 ms 0.98 0.04 78.1250 31.2500 - 686 KB Official_Driver 10.558 ms 0.2091 ms 0.4546 ms 10.732 ms 1.00 0.00 62.5000 31.2500 - 582 KB Find one entity Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 254.8 μs 2.25 μs 1.76 μs 0.96 0.03 3.4180 - - 31 KB Official_Driver 265.8 μs 5.05 μs 6.01 μs 1.00 0.00 3.4180 - - 31 KB Find single entity Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated Official_Driver 254.1 μs 4.63 μs 4.33 μs 1.00 0.00 3.6621 - - 31 KB MongoDB_Entities 261.1 μs 5.14 μs 4.81 μs 1.03 0.03 3.4180 - - 32 KB Find any entity Method Mean Error StdDev Ratio Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 270.1 μs 4.58 μs 4.29 μs 0.26 3.9063 - - 33 KB Official_Driver 1,026.6 μs 5.27 μs 4.68 μs 1.00 52.7344 13.6719 - 446 KB Find first entity Method Mean Error StdDev Ratio Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 257.0 μs 5.02 μs 6.87 μs 0.26 3.4180 - - 32 KB Official_Driver 1,011.3 μs 7.42 μs 6.94 μs 1.00 54.6875 13.6719 - 446 KB Find 100 entities Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Allocated MongoDB_Entities 1.075 ms 0.0026 ms 0.0023 ms 0.98 0.02 54.6875 13.6719 449 KB Official_Driver 1.098 ms 0.0217 ms 0.0319 ms 1.00 0.00 54.6875 13.6719 448 KB Update one entity Method Mean Error StdDev Ratio Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 234.2 μs 2.47 μs 2.19 μs 0.95 3.6621 - - 31 KB Official_Driver 246.1 μs 1.36 μs 1.13 μs 1.00 3.4180 - - 32 KB Update 100 entities Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated Official_Driver 262.3 μs 5.01 μs 5.57 μs 1.00 0.00 3.4180 - - 32 KB MongoDB_Entities 272.9 μs 5.01 μs 4.68 μs 1.04 0.04 3.9063 - - 33 KB Change-streams Method Mean Error StdDev Ratio RatioSD Allocated MongoDB_Entities 15.68 ms 0.215 ms 0.279 ms 1.00 0.02 107 KB Official_Driver 15.71 ms 0.186 ms 0.155 ms 1.00 0.00 122 KB File storage (write) Method Mean Error StdDev Ratio Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 78.31 ms 0.871 ms 0.772 ms 0.60 285.7143 285.7143 285.7143 37 MB Official_Driver 130.83 ms 2.335 ms 2.184 ms 1.00 500.0000 500.0000 500.0000 36 MB File storage (read) Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 33.26 ms 0.646 ms 0.884 ms 0.92 0.02 812.5000 812.5000 750.0000 33 MB Official_Driver 35.55 ms 0.082 ms 0.073 ms 1.00 0.00 266.6667 266.6667 266.6667 37 MB String templates Method Mean Error StdDev Ratio Gen 0 Allocated MongoDB_Entities_Template 273.5 μs 1.36 μs 1.20 μs 0.92 4.3945 38 KB Driver_Aggregate_Query 298.5 μs 2.58 μs 2.42 μs 1.00 4.8828 41 KB MongoDB_Entities_No_Cache 313.0 μs 4.88 μs 4.07 μs 1.05 5.3711 44 KB Manual update vs. save partial Method Mean Error StdDev Ratio Gen 0 Gen 1 Gen 2 Allocated Update 236.0 μs 2.22 μs 1.85 μs 1.00 3.9063 - - 33 KB SavePartial 392.5 μs 1.47 μs 1.37 μs 1.66 4.8828 1.9531 - 41 KB DBContext vs. DB static save Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated DB_Context 246.2 μs 3.72 μs 3.30 μs 0.94 0.02 2.9297 - - 26 KB DB_Static 262.7 μs 5.24 μs 8.90 μs 1.00 0.00 2.9297 - - 26 KB Relationships Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated Lookup 443.1 μs 2.30 μs 2.15 μs 1.00 0.00 5.3711 - - 44 KB Clientside_Join 555.2 μs 4.10 μs 3.63 μs 1.25 0.01 8.7891 - - 73 KB Children_Fluent 1,265.3 μs 20.58 μs 19.25 μs 2.86 0.05 7.8125 - - 76 KB Children_Queryable 1,547.5 μs 6.18 μs 4.83 μs 3.50 0.02 11.7188 3.9063 - 107 KB" + "keywords": "Performance Benchmarks source code of the benchmarks can be found on github. more benchmarks will be added as time permits. please feel free to add your own and submit a PR, or join our discord server and request a particular benchmark you're interested in. Environment OS : Windows 11 CPU : AMD Ryzen 7 3700X SDK : .Net 5.0 Server : MongoDB Community 5 (localhost) Driver : v2.13 Create one entity Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated Official_Driver 235.0 μs 2.82 μs 2.50 μs 1.00 0.00 3.4180 - - 29 KB MongoDB_Entities 259.1 μs 1.69 μs 1.50 μs 1.10 0.02 3.4180 - - 29 KB Bulk create 1000 entities Method Mean Error StdDev Median Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 9.627 ms 0.1034 ms 0.0863 ms 9.620 ms 0.98 0.04 78.1250 31.2500 - 686 KB Official_Driver 10.558 ms 0.2091 ms 0.4546 ms 10.732 ms 1.00 0.00 62.5000 31.2500 - 582 KB Find one entity Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 254.8 μs 2.25 μs 1.76 μs 0.96 0.03 3.4180 - - 31 KB Official_Driver 265.8 μs 5.05 μs 6.01 μs 1.00 0.00 3.4180 - - 31 KB Find single entity Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated Official_Driver 254.1 μs 4.63 μs 4.33 μs 1.00 0.00 3.6621 - - 31 KB MongoDB_Entities 261.1 μs 5.14 μs 4.81 μs 1.03 0.03 3.4180 - - 32 KB Find any entity Method Mean Error StdDev Ratio Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 270.1 μs 4.58 μs 4.29 μs 0.26 3.9063 - - 33 KB Official_Driver 1,026.6 μs 5.27 μs 4.68 μs 1.00 52.7344 13.6719 - 446 KB Find first entity Method Mean Error StdDev Ratio Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 257.0 μs 5.02 μs 6.87 μs 0.26 3.4180 - - 32 KB Official_Driver 1,011.3 μs 7.42 μs 6.94 μs 1.00 54.6875 13.6719 - 446 KB Find 100 entities Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Allocated MongoDB_Entities 1.075 ms 0.0026 ms 0.0023 ms 0.98 0.02 54.6875 13.6719 449 KB Official_Driver 1.098 ms 0.0217 ms 0.0319 ms 1.00 0.00 54.6875 13.6719 448 KB Update one entity Method Mean Error StdDev Ratio Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 234.2 μs 2.47 μs 2.19 μs 0.95 3.6621 - - 31 KB Official_Driver 246.1 μs 1.36 μs 1.13 μs 1.00 3.4180 - - 32 KB Update 100 entities Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated Official_Driver 262.3 μs 5.01 μs 5.57 μs 1.00 0.00 3.4180 - - 32 KB MongoDB_Entities 272.9 μs 5.01 μs 4.68 μs 1.04 0.04 3.9063 - - 33 KB Change-streams Method Mean Error StdDev Ratio RatioSD Allocated MongoDB_Entities 15.68 ms 0.215 ms 0.279 ms 1.00 0.02 107 KB Official_Driver 15.71 ms 0.186 ms 0.155 ms 1.00 0.00 122 KB File storage (write) Method Mean Error StdDev Ratio Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 78.31 ms 0.871 ms 0.772 ms 0.60 285.7143 285.7143 285.7143 37 MB Official_Driver 130.83 ms 2.335 ms 2.184 ms 1.00 500.0000 500.0000 500.0000 36 MB File storage (read) Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated MongoDB_Entities 33.26 ms 0.646 ms 0.884 ms 0.92 0.02 812.5000 812.5000 750.0000 33 MB Official_Driver 35.55 ms 0.082 ms 0.073 ms 1.00 0.00 266.6667 266.6667 266.6667 37 MB String templates Method Mean Error StdDev Ratio Gen 0 Allocated MongoDB_Entities_Template 273.5 μs 1.36 μs 1.20 μs 0.92 4.3945 38 KB Driver_Aggregate_Query 298.5 μs 2.58 μs 2.42 μs 1.00 4.8828 41 KB MongoDB_Entities_No_Cache 313.0 μs 4.88 μs 4.07 μs 1.05 5.3711 44 KB Manual update vs. save partial Method Mean Error StdDev Ratio Gen 0 Gen 1 Gen 2 Allocated Update 236.0 μs 2.22 μs 1.85 μs 1.00 3.9063 - - 33 KB SavePartial 392.5 μs 1.47 μs 1.37 μs 1.66 4.8828 1.9531 - 41 KB DBContext vs. DB static save Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated DB_Context 246.2 μs 3.72 μs 3.30 μs 0.94 0.02 2.9297 - - 26 KB DB_Static 262.7 μs 5.24 μs 8.90 μs 1.00 0.00 2.9297 - - 26 KB Relationships Method Mean Error StdDev Ratio RatioSD Gen 0 Gen 1 Gen 2 Allocated Lookup 443.1 μs 2.30 μs 2.15 μs 1.00 0.00 5.3711 - - 44 KB Clientside_Join 555.2 μs 4.10 μs 3.63 μs 1.25 0.01 8.7891 - - 73 KB Children_Fluent 1,265.3 μs 20.58 μs 19.25 μs 2.86 0.05 7.8125 - - 76 KB Children_Queryable 1,547.5 μs 6.18 μs 4.83 μs 3.50 0.02 11.7188 3.9063 - 107 KB" }, "wiki/Queries-Count.html": { "href": "wiki/Queries-Count.html", @@ -397,7 +397,7 @@ "wiki/Queries-Find.html": { "href": "wiki/Queries-Find.html", "title": "Find queries | MongoDB.Entities", - "keywords": "Find queries several overloads are available for finding entities as shown below. Find one by ID var author = await DB.Find().OneAsync(\"ID\"); Find many by lambda var authors = await DB.Find().ManyAsync(a => a.Publisher == \"Harper Collins\"); Find many by filter var authors = await DB.Find() .ManyAsync(f=> f.Eq(a=>a.Surname,\"Stark\") & f.Gt(a=>a.Age,35)); Tip all the filter definition builder methods of the official driver are available for use as shown above. Find by 2D coordinates var cafes = await DB.Find() .Match(c => c.Location, new Coordinates2D(48.857908, 2.295243), 1000) .ExecuteAsync() see this tutorial for a detailed walkthrough. Find by aggregation expression ($expr) var authors = await DB.Find() .MatchExpression(\"{$gt:['$TotalSales','$SalesGoal']}\") .ExecuteAsync(); Tip aggregation expressions lets you refer to properties of the same entity using the $ notation as well as enable you to use aggregation framework operators in find queries. Advanced find Sorting, paging and projecting var authors = await DB.Find() .Match(a => a.Age > 30) .Sort(a => a.Age, Order.Descending) .Sort(a => a.Name, Order.Ascending) .Skip(1).Limit(1) .Project(a => new Author { Name = a.Name }) .ExecuteAsync(); the search criteria is specified using .Match() which takes either an ID , lambda expression , filter expression , geospatial , or full/fuzzy text search query . sorting is specified using .Sort() which takes in a lambda for the property to sort by and in which order. .Sort() can be used multiple times in order to specify multiple sorting stages. when doing text queries, you can sort the results by mongodb's 'meta text score' by using the .SortByTextScore() method. how many items to skip and take are specified using .Skip() and .Limit() Projections to avoid the complete entity being returned, you can use .Project() with a lambda expression to get back only the properties you need as shown above. it is also possible to use projection builder methods like so: .Project(p => p.Include(\"Name\").Exclude(\"Surname\")) Tip to be able to chain projection builder methods like above, please add the import statement using MongoDB.Driver; to your class. Projection with exclusions it is also possible to specify an exclusion projection with a new expression like so: var res = await DB.Find() .Match(a => a.ID == \"xxxxxxxxxxx\") .ProjectExcluding(a => new { a.Age, a.Name }) .ExecuteSingleAsync(); doing so will return an Author entity with all the properties populated except for the Age and Name properties. Project to a different type in order to project to a different result type than the input entity type, simply use the generic overload like so: var name = await DB.Find() .Match(a => a.ID == \"xxxxxxxxxxx\") .Project(a => a.FirstName + \" \" + a.LastName) .ExecuteSingleAsync(); Execute no command is sent over the wire to mongodb until you call one of the following Execute*() methods: ExecuteCursorAsync(): gets a cursor you can iterate over instead of a list of entities. ExecuteAsync(): gets a list of matched entities or default value if nothing matched. ExecuteSingleAsync(): gets only 1 matched entity and will throw an exception if more than 1 entity is matched, or default value if nothing matched. ExecuteFirstAsync(): gets the first of the matched entities, or default value if nothing matched. ExecuteAnyAsync(): gets a boolean indicating whether there were any matches." + "keywords": "Find queries several overloads are available for finding entities as shown below. Find one by ID var author = await DB.Find().OneAsync(\"ID\"); Find many by lambda var authors = await DB.Find().ManyAsync(a => a.Publisher == \"Harper Collins\"); Find many by filter var authors = await DB.Find() .ManyAsync(f=> f.Eq(a=>a.Surname,\"Stark\") & f.Gt(a=>a.Age,35)); Tip all the filter definition builder methods of the official driver are available for use as shown above. Find by 2D coordinates var cafes = await DB.Find() .Match(c => c.Location, new Coordinates2D(48.857908, 2.295243), 1000) .ExecuteAsync() see this tutorial for a detailed walkthrough. Find by aggregation expression ($expr) var authors = await DB.Find() .MatchExpression(\"{$gt:['$TotalSales','$SalesGoal']}\") .ExecuteAsync(); Tip aggregation expressions lets you refer to properties of the same entity using the $ notation as well as enable you to use aggregation framework operators in find queries. Advanced find Sorting, paging and projecting var authors = await DB.Find() .Match(a => a.Age > 30) .Sort(a => a.Age, Order.Descending) .Sort(a => a.Name, Order.Ascending) .Skip(1).Limit(1) .Project(a => new Author { Name = a.Name }) .ExecuteAsync(); the search criteria is specified using .Match() which takes either an ID, lambda expression, filter expression, geospatial, or full/fuzzy text search query. sorting is specified using .Sort() which takes in a lambda for the property to sort by and in which order. .Sort() can be used multiple times in order to specify multiple sorting stages. when doing text queries, you can sort the results by mongodb's 'meta text score' by using the .SortByTextScore() method. how many items to skip and take are specified using .Skip() and .Limit() Projections to avoid the complete entity being returned, you can use .Project() with a lambda expression to get back only the properties you need as shown above. it is also possible to use projection builder methods like so: .Project(p => p.Include(\"Name\").Exclude(\"Surname\")) Tip to be able to chain projection builder methods like above, please add the import statement using MongoDB.Driver; to your class. Projection with exclusions it is also possible to specify an exclusion projection with a new expression like so: var res = await DB.Find() .Match(a => a.ID == \"xxxxxxxxxxx\") .ProjectExcluding(a => new { a.Age, a.Name }) .ExecuteSingleAsync(); doing so will return an Author entity with all the properties populated except for the Age and Name properties. Project to a different type in order to project to a different result type than the input entity type, simply use the generic overload like so: var name = await DB.Find() .Match(a => a.ID == \"xxxxxxxxxxx\") .Project(a => a.FirstName + \" \" + a.LastName) .ExecuteSingleAsync(); Execute no command is sent over the wire to mongodb until you call one of the following Execute*() methods: ExecuteCursorAsync(): gets a cursor you can iterate over instead of a list of entities. ExecuteAsync(): gets a list of matched entities or default value if nothing matched. ExecuteSingleAsync(): gets only 1 matched entity and will throw an exception if more than 1 entity is matched, or default value if nothing matched. ExecuteFirstAsync(): gets the first of the matched entities, or default value if nothing matched. ExecuteAnyAsync(): gets a boolean indicating whether there were any matches." }, "wiki/Queries-Linq.html": { "href": "wiki/Queries-Linq.html", @@ -407,7 +407,7 @@ "wiki/Queries-Paged-Search.html": { "href": "wiki/Queries-Paged-Search.html", "title": "Paged search | MongoDB.Entities", - "keywords": "Paged search paging in mongodb driver is typically achieved by running two separate db queries; one for the count and another for the actual entities. it can also be done via a $facet aggregation query, which is cumbersome to do using the driver. this library provides a convenient method for this exact use case via the PagedSearch builder. Example var res = await DB.PagedSearch() .Match(b => b.AuthorName == \"Eckhart Tolle\") .Sort(b => b.Title, Order.Ascending) .PageSize(10) .PageNumber(1) .ExecuteAsync(); IReadOnlyList books = res.Results; long totalMatchCount = res.TotalCount; int totalPageCount = res.PageCount; specify the search criteria with the .Match() method as you'd typically do. specify how to order the result set using the .Sort() method. specify the size of a single page using .PageSize() method. specify which page number to retrieve using PageNumber() method and finally issue the command using ExecuteAsync() to get the result of the facetted aggregation query. the result is a value tuple consisting of the Results , TotalCount , PageCount . Note if you do not specify a matching criteria, all entities will match. the default page size is 100 if not specified and the 1st page is always returned if you omit it. Project results to a different type if you'd like to change the shape of the returned entity list, use the PagedSearch generic overload and add a .Project() method to the chain like so: var res = await DB.PagedSearch() .Sort(b => b.Title, Order.Ascending) .Project(b => new BookListing { BookName = b.Title, AuthorName = b.Author }) .PageSize(25) .PageNumber(1) .ExecuteAsync(); IReadOnlyList listings = res.Results; long totalMatchCount = res.TotalCount; int totalPageCount = res.PageCount; when projecting to different types as above, you may encounter a deserialization error thrown by the driver saying it can't convert ObjectId values to string in which case simply add a .ToString() to the property being projected like so: .Project(b => new BookListing { ... BookID = b.ID.ToString(), ... }) Paging support for any fluent pipeline you can add paged search to any fluent pipeline . the difference is, instead of specifying the search criteria with .Match() , you start off by using the .WithFluent() method like so: var pipeline = DB.Fluent() .Match(a => a.Name == \"Author\") .SortBy(a => a.Name); var res = await DB.PagedSearch() .WithFluent(pipeline) .Sort(a => a.Name, Order.Descending) .PageNumber(1) .PageSize(25) .ExecuteAsync(); alternatively you can use the extension method on any fluent pipeline as well. var res = await pipeline.PagedSearch() .Sort(a => a.Name, Order.Descending) .PageSize(25) .PageNumber(1) .ExecuteAsync(); it's specially useful when you need to page children of a relationship like so: var res = await DB.Entity(\"AuthorID\") .Books .ChildrenFluent() .Match(b => b.Title.Contains(\"The\")) .PagedSearch() .Sort(b => b.Title, Order.Ascending) .PageNumber(1) .PageSize(10) .ExecuteAsync();" + "keywords": "Paged search paging in mongodb driver is typically achieved by running two separate db queries; one for the count and another for the actual entities. it can also be done via a $facet aggregation query, which is cumbersome to do using the driver. this library provides a convenient method for this exact use case via the PagedSearch builder. Example var res = await DB.PagedSearch() .Match(b => b.AuthorName == \"Eckhart Tolle\") .Sort(b => b.Title, Order.Ascending) .PageSize(10) .PageNumber(1) .ExecuteAsync(); IReadOnlyList books = res.Results; long totalMatchCount = res.TotalCount; int totalPageCount = res.PageCount; specify the search criteria with the .Match() method as you'd typically do. specify how to order the result set using the .Sort() method. specify the size of a single page using .PageSize() method. specify which page number to retrieve using PageNumber() method and finally issue the command using ExecuteAsync() to get the result of the facetted aggregation query. the result is a value tuple consisting of the Results,TotalCount,PageCount. Note if you do not specify a matching criteria, all entities will match. the default page size is 100 if not specified and the 1st page is always returned if you omit it. Project results to a different type if you'd like to change the shape of the returned entity list, use the PagedSearch generic overload and add a .Project() method to the chain like so: var res = await DB.PagedSearch() .Sort(b => b.Title, Order.Ascending) .Project(b => new BookListing { BookName = b.Title, AuthorName = b.Author }) .PageSize(25) .PageNumber(1) .ExecuteAsync(); IReadOnlyList listings = res.Results; long totalMatchCount = res.TotalCount; int totalPageCount = res.PageCount; when projecting to different types as above, you may encounter a deserialization error thrown by the driver saying it can't convert ObjectId values to string in which case simply add a .ToString() to the property being projected like so: .Project(b => new BookListing { ... BookID = b.ID.ToString(), ... }) Paging support for any fluent pipeline you can add paged search to any fluent pipeline. the difference is, instead of specifying the search criteria with .Match(), you start off by using the .WithFluent() method like so: var pipeline = DB.Fluent() .Match(a => a.Name == \"Author\") .SortBy(a => a.Name); var res = await DB.PagedSearch() .WithFluent(pipeline) .Sort(a => a.Name, Order.Descending) .PageNumber(1) .PageSize(25) .ExecuteAsync(); alternatively you can use the extension method on any fluent pipeline as well. var res = await pipeline.PagedSearch() .Sort(a => a.Name, Order.Descending) .PageSize(25) .PageNumber(1) .ExecuteAsync(); it's specially useful when you need to page children of a relationship like so: var res = await DB.Entity(\"AuthorID\") .Books .ChildrenFluent() .Match(b => b.Title.Contains(\"The\")) .PagedSearch() .Sort(b => b.Title, Order.Ascending) .PageNumber(1) .PageSize(10) .ExecuteAsync();" }, "wiki/Queries-Pipelines.html": { "href": "wiki/Queries-Pipelines.html", @@ -417,26 +417,26 @@ "wiki/Relationships-Embeded.html": { "href": "wiki/Relationships-Embeded.html", "title": "Embedded Relationships | MongoDB.Entities", - "keywords": "Embedded Relationships Tip If you are going to store more than a handful of entities within another entity, it is best to store them by reference as described in this page . One-to-one var author = new Author { Name = \"Eckhart Tolle\" } await author.SaveAsync(); book.Author = author; await book.SaveAsync() as mentioned earlier, calling SaveAsync() persists author to the \"Authors\" collection in the database. it is also stored in book.Author property. so, the author entity now lives in two locations (in the collection and also inside the book entity) and will have the same ID . if the goal is to embed something as an independant document, it is best to use a class that does not inherit from the Entity class or simply use the .ToDocument() method of an entity as explained earlier. Embed removal to remove the embedded author , simply do: book.Author = null; await book.SaveAsync(); the original author in the Authors collection is unaffected. Entity deletion if you call book.Author.DeleteAsync() , the author entity is deleted from the Authors collection if it was a linked entity (has the same ID ). One-to-many book.OtherAuthors = new Author[] { author1, author2 }; await book.SaveAsync(); Embed removal: book.OtherAuthors = null; await book.SaveAsync(); the original author1, author2 entities in the Authors collection are unaffected. Entity deletion: if you call book.OtherAuthors.DeleteAllAsync() the respective author1, author2 entities are deleted from the Authors collection if they were linked entities (has the same IDs )." + "keywords": "Embedded Relationships Tip If you are going to store more than a handful of entities within another entity, it is best to store them by reference as described in this page. One-to-one var author = new Author { Name = \"Eckhart Tolle\" } await author.SaveAsync(); book.Author = author; await book.SaveAsync() as mentioned earlier, calling SaveAsync() persists author to the \"Authors\" collection in the database. it is also stored in book.Author property. so, the author entity now lives in two locations (in the collection and also inside the book entity) and will have the same ID. if the goal is to embed something as an independant document, it is best to use a class that does not inherit from the Entity class or simply use the .ToDocument() method of an entity as explained earlier. Embed removal to remove the embedded author, simply do: book.Author = null; await book.SaveAsync(); the original author in the Authors collection is unaffected. Entity deletion if you call book.Author.DeleteAsync(), the author entity is deleted from the Authors collection if it was a linked entity (has the same ID). One-to-many book.OtherAuthors = new Author[] { author1, author2 }; await book.SaveAsync(); Embed removal: book.OtherAuthors = null; await book.SaveAsync(); the original author1, author2 entities in the Authors collection are unaffected. Entity deletion: if you call book.OtherAuthors.DeleteAllAsync() the respective author1, author2 entities are deleted from the Authors collection if they were linked entities (has the same IDs)." }, "wiki/Relationships-Referenced.html": { "href": "wiki/Relationships-Referenced.html", "title": "Referenced Relationships | MongoDB.Entities", - "keywords": "Referenced Relationships referenced relationships require a bit of special handling. a one-to-one relationship is defined using the One class and one-to-many as well as many-to-many relationships are defined using the Many class and you have to initialize the Many child properties in the constructor of the parent entity as shown below. public class Book : Entity { public One MainAuthor { get; set; } public Many CoAuthors { get; set; } [OwnerSide] public Many Genres { get; set; } public Book() { this.InitOneToMany(() => CoAuthors); this.InitManyToMany(() => Genres, genre => genre.Books); } } public class Genre : Entity { [InverseSide] public Many Books { get; set; } public Genre() { this.InitManyToMany(() => Books, book => book.Genres); } } notice the parameters of the InitOneToMany and InitManyToMany methods above. the first method only takes one parameter which is just a lambda pointing to the property you want to initialize. the next method takes 2 parameters. first is the property to initialize. second is the property of the other side of the relationship. also note that you specify which side of the relationship a property is using the attributes [OwnerSide] or [InverseSide] for defining many-to-many relationships. One-to-one a reference can be assigned in any of the following two ways: book.MainAuthor = author.ToReference(); //call ToReference on a child book.MainAuthor = new(author); //assign a child instance book.MainAuthor = new(\"AuthorID\"); //assign just the ID value of a child await book.SaveAsync(); //call save on parent to store Reference removal book.MainAuthor = null; await book.SaveAsync(); the original author in the Authors collection is unaffected. Entity deletion if you delete an entity that is referenced as above, all references pointing to that entity would then be invalid. as such, book.MainAuthor.ToEntityAsync() will then return null . the .ToEntityAsync() method is described below. for example: book A has 1:1 relationship with author A book B has 1:1 relationship with author A book C has 1:1 relationship with author A now, if you delete author A, the results would be the following: await bookA.MainAuthor.ToEntityAsync() //returns null await bookB.MainAuthor.ToEntityAsync() //returns null await bookC.MainAuthor.ToEntityAsync() //returns null One-to-many & many-to-many await book.Authors.AddAsync(author); //one-to-many await book.Genres.AddAsync(genre); //many-to-many there's no need to call book.SaveAsync() again because references are automatically saved using special join collections. you can read more about them in the Schema Changes section. however, do note that both the parent entity (book) and child (author/genre) being added has to have been previously saved so that they have their ID values populated. otherwise, you'd get an exception instructing you to save them both before calling AddAsync() . alternatively when you don't have access to the parent entity and you only have the parent ID value, you can use the following to access the relationship: await DB.Entity(\"BookID\").Authors.AddAsync(author); there are other overloads for adding relationships with multiple entities or just the string IDs. click here to see a full example of a referenced one-to-many relationship. Reference removal await book.Authors.RemoveAsync(author); await book.Genres.RemoveAsync(genre); the original author in the Authors collection is unaffected. also the genre entity in the Genres collection is unaffected. only the relationship between entities are deleted. there are other overloads for removing relationships with multiple entities or just the string IDs. Entity deletion when you delete an entity that's in a one-to-many or many-to-many relationship, all the references (join records) for the relationship in concern are automatically deleted from the join collections. for example: | author A has 3 referenced books: |-- book A |-- book B |-- book C | author B has 3 referenced book: |-- book A |-- book B |-- book C now, if you delete book B, the children of authors A and B would look like this: | author A: |-- book A |-- book C | author B: |-- book A |-- book C ToEntityAsync() shortcut a reference can be turned back in to an entity with the ToEntityAsync() method. var author = await book.MainAuthor.ToEntityAsync(); you can also project the properties you need instead of getting back the complete entity like so: var author = await book.MainAuthor .ToEntityAsync(a => new Author { Name = a.Name, Age = a.Age }); Transaction support adding and removing related entities require passing in the session when used within a transaction. see here for an example." + "keywords": "Referenced Relationships referenced relationships require a bit of special handling. a one-to-one relationship is defined using the One class and one-to-many as well as many-to-many relationships are defined using the Many class and you have to initialize the Many child properties in the constructor of the parent entity as shown below. public class Book : Entity { public One MainAuthor { get; set; } public Many CoAuthors { get; set; } [OwnerSide] public Many Genres { get; set; } public Book() { this.InitOneToMany(() => CoAuthors); this.InitManyToMany(() => Genres, genre => genre.Books); } } public class Genre : Entity { [InverseSide] public Many Books { get; set; } public Genre() { this.InitManyToMany(() => Books, book => book.Genres); } } notice the parameters of the InitOneToMany and InitManyToMany methods above. the first method only takes one parameter which is just a lambda pointing to the property you want to initialize. the next method takes 2 parameters. first is the property to initialize. second is the property of the other side of the relationship. also note that you specify which side of the relationship a property is using the attributes [OwnerSide] or [InverseSide] for defining many-to-many relationships. One-to-one a reference can be assigned in any of the following two ways: book.MainAuthor = author.ToReference(); //call ToReference on a child book.MainAuthor = new(author); //assign a child instance book.MainAuthor = new(\"AuthorID\"); //assign just the ID value of a child await book.SaveAsync(); //call save on parent to store Reference removal book.MainAuthor = null; await book.SaveAsync(); the original author in the Authors collection is unaffected. Entity deletion if you delete an entity that is referenced as above, all references pointing to that entity would then be invalid. as such, book.MainAuthor.ToEntityAsync() will then return null. the .ToEntityAsync() method is described below. for example: book A has 1:1 relationship with author A book B has 1:1 relationship with author A book C has 1:1 relationship with author A now, if you delete author A, the results would be the following: await bookA.MainAuthor.ToEntityAsync() //returns null await bookB.MainAuthor.ToEntityAsync() //returns null await bookC.MainAuthor.ToEntityAsync() //returns null One-to-many & many-to-many await book.Authors.AddAsync(author); //one-to-many await book.Genres.AddAsync(genre); //many-to-many there's no need to call book.SaveAsync() again because references are automatically saved using special join collections. you can read more about them in the Schema Changes section. however, do note that both the parent entity (book) and child (author/genre) being added has to have been previously saved so that they have their ID values populated. otherwise, you'd get an exception instructing you to save them both before calling AddAsync(). alternatively when you don't have access to the parent entity and you only have the parent ID value, you can use the following to access the relationship: await DB.Entity(\"BookID\").Authors.AddAsync(author); there are other overloads for adding relationships with multiple entities or just the string IDs. click here to see a full example of a referenced one-to-many relationship. Reference removal await book.Authors.RemoveAsync(author); await book.Genres.RemoveAsync(genre); the original author in the Authors collection is unaffected. also the genre entity in the Genres collection is unaffected. only the relationship between entities are deleted. there are other overloads for removing relationships with multiple entities or just the string IDs. Entity deletion when you delete an entity that's in a one-to-many or many-to-many relationship, all the references (join records) for the relationship in concern are automatically deleted from the join collections. for example: | author A has 3 referenced books: |-- book A |-- book B |-- book C | author B has 3 referenced book: |-- book A |-- book B |-- book C now, if you delete book B, the children of authors A and B would look like this: | author A: |-- book A |-- book C | author B: |-- book A |-- book C ToEntityAsync() shortcut a reference can be turned back in to an entity with the ToEntityAsync() method. var author = await book.MainAuthor.ToEntityAsync(); you can also project the properties you need instead of getting back the complete entity like so: var author = await book.MainAuthor .ToEntityAsync(a => new Author { Name = a.Name, Age = a.Age }); Transaction support adding and removing related entities require passing in the session when used within a transaction. see here for an example." }, "wiki/Schema-Changes.html": { "href": "wiki/Schema-Changes.html", "title": "Schema changes | MongoDB.Entities", - "keywords": "Schema changes be mindful when changing the schema of your entities. the documents/entities stored in mongodb are overwritten with the current schema/ shape of your entities when you call SaveAsync . for example: Old schema public class Book : Entity { public int Price { get; set; } } New schema public class Book : Entity { public int SellingPrice { get; set; } } the data stored in mongodb under Price will be lost upon saving if you do not manually handle the transfer of data from the old property to the new property. Renaming entities if you for example rename the Book entity to Test when you run you app, a new collection called \"Test\" will be created and the old collection called \"Book\" will be orphaned. Any new entities you save will be added to the \"Test\" collection. To avoid that, you can simply rename the collection called \"Book\" to \"Test\" before running your app. or you can tie down the name of the collection using the [Name] attribute Reference collections Reference(Join) collections use the naming format [Parent~Child(PropertyName)] for One-To-Many and [(PropertyName)Parent~Child(PropertyName)] for Many-To-Many . you don't have to pay any attention to these special collections unless you rename your entities or properties. for ex: if you rename the Book entity to AwesomeBook and property holding it to GoodAuthors just rename the corresponding join collection from [Book~Author(Authors)] to [AwesomeBook~Author(GoodAuthors)] in order to get the references working again. if you need to drop a join collection that is no longer needed, you can delete them like so: await DB.Entity().Books.JoinCollection.DropAsync(); Indexes some care is needed to make sure there won't be any orphaned/ redundant indexes in mongodb after changing your schema. Renaming entities if you rename an entity, simply rename the corresponding collection in mongodb before running your app as mentioned in the previous section and all indexes will continue to work because indexes are tied to the collections they're in. or simply tie down the collection name with the [Collection] attribute. Changing entity properties or index definitions after running the app with changed property names or modified index definitions, new indexes will be automatically created to match the current shape of index definitions in your code. you should manually drop indexes that have old schema in order to get rid of redundant/ orphaned indexes. Note the only exception to the above is text indexes. text indexes don't require any manual handling. since there can only be one text index per collection, the library automatically drops and re-creates text indexes when a schema change is detected. Migration system now that you understand how schema changes affect the database, you can automate the needed changes using the newly introduced migration system as explained in the Data Migrations section." + "keywords": "Schema changes be mindful when changing the schema of your entities. the documents/entities stored in mongodb are overwritten with the current schema/ shape of your entities when you call SaveAsync. for example: Old schema public class Book : Entity { public int Price { get; set; } } New schema public class Book : Entity { public int SellingPrice { get; set; } } the data stored in mongodb under Price will be lost upon saving if you do not manually handle the transfer of data from the old property to the new property. Renaming entities if you for example rename the Book entity to Test when you run you app, a new collection called \"Test\" will be created and the old collection called \"Book\" will be orphaned. Any new entities you save will be added to the \"Test\" collection. To avoid that, you can simply rename the collection called \"Book\" to \"Test\" before running your app. or you can tie down the name of the collection using the [Name] attribute Reference collections Reference(Join) collections use the naming format [Parent~Child(PropertyName)] for One-To-Many and [(PropertyName)Parent~Child(PropertyName)] for Many-To-Many. you don't have to pay any attention to these special collections unless you rename your entities or properties. for ex: if you rename the Book entity to AwesomeBook and property holding it to GoodAuthors just rename the corresponding join collection from [Book~Author(Authors)] to [AwesomeBook~Author(GoodAuthors)] in order to get the references working again. if you need to drop a join collection that is no longer needed, you can delete them like so: await DB.Entity().Books.JoinCollection.DropAsync(); Indexes some care is needed to make sure there won't be any orphaned/ redundant indexes in mongodb after changing your schema. Renaming entities if you rename an entity, simply rename the corresponding collection in mongodb before running your app as mentioned in the previous section and all indexes will continue to work because indexes are tied to the collections they're in. or simply tie down the collection name with the [Collection] attribute. Changing entity properties or index definitions after running the app with changed property names or modified index definitions, new indexes will be automatically created to match the current shape of index definitions in your code. you should manually drop indexes that have old schema in order to get rid of redundant/ orphaned indexes. Note the only exception to the above is text indexes. text indexes don't require any manual handling. since there can only be one text index per collection, the library automatically drops and re-creates text indexes when a schema change is detected. Migration system now that you understand how schema changes affect the database, you can automate the needed changes using the newly introduced migration system as explained in the Data Migrations section." }, "wiki/String-Templates.html": { "href": "wiki/String-Templates.html", "title": "String templates | MongoDB.Entities", - "keywords": "String templates the mongodb driver has it's limits and sometimes you need to compose queries either by hand or using a query editor/composer. to be able to run those queries and inject values from your C# code, you're required to compose BsonDocuments or do string concatenation which leads to an ugly, unreadable, magic string infested mess. in order to combat this problem and also to couple your C# entity schema to raw queries, this library offers a templating system based on tag replacements. take the following find query for example: db.Book.find( { Title : 'book_name', Price : book_price } ) to couple this text query to your C# models and pass in the values for title and price, you simply surround the parts you want replaced with < and > in order to turn them in to replacement tags/markers like this: db.Book.find( { : '<book_name>', <Price> : <book_price> } ) the templating system is based on a special class called Template . You simply instantiate a 'Template' object supplying the tagged/marked text query to the constructor. then you chain method calls on the Template object to replace each tag you've marked on the query like so: var query = new Template<Book>(@\" { <Title> : '<book_name>', <Price> : <book_price> }\") .Path(b => b.Title) .Path(b => b.Price) .Tag(\"book_name\",\"The Power Of Now\") .Tag(\"book_price\",\"10.95\"); var result = await DB.Find<Book>() .Match(query) .ExecuteAsync(); the resulting query sent to mongodb is this: db.Book.find( { Title : 'The Power Of Now', Price : 10.95 } ) the .Tag() method simply replaces matching tags on the text query with the supplied value. you don't have to use the < and > characters while using the .Tag() method. infact, avoid it as the tags won't match if you use them. the .Path() method is one of many offered by the Prop class you can use to get the full 'dotted' path of a property by supplying a lambda/member expression. please see the documentation of the 'Prop' class here for the other methods available. notice, that most of these 'Prop' methods only require a single parameter. whatever member expression you supply to them gets converted to a property/field path like this: expression: x => x.Authors[0].Books[0].Title resulting path: Authors.Books.Title if your text query has a tag <Authors.Books.Title> it will get replaced by the resulting path from the 'Prop' class method. the template system will throw an exception in the event of the following 3 scenarios. the input query/text has no tags marked using < and > characters. the input query has tags that you forget to specify replacements for. you have specified replacements that doesn't have a matching tag in the query. this kind of runtime errors are preferable than your code failing silently because the queries didn't produce any results or produced the wrong results. Examples Aggregation pipeline var pipeline = new Template<Book>(@\" [ { $match: { <Title>: '<book_name>' } }, { $sort: { <Price>: 1 } }, { $group: { _id: '$<AuthorId>', product: { $first: '$$ROOT' } } }, { $replaceWith: '$product' } ]\") .Path(b => b.Title) .Path(b => b.Price) .Path(b => b.AuthorId) .Tag(\"book_name\", \"MongoDB Templates\"); var book = await DB.PipelineSingleAsync(pipeline); Aggregation pipeline with different result type var pipeline = new Template<Book, Author>(@\" [ { $match: { _id: <book_id> } }, { $lookup: { from: '<author_collection>', localField: '<AuthorID>', foreignField: '_id', as: 'authors' } }, { $replaceWith: { $arrayElemAt: ['$authors', 0] } }, { $set: { <Age> : 34 } } ]\") .Tag(\"book_id\", \"ObjectId('5e572df44467000021005692')\") .Tag(\"author_collection\", DB.Entity<Author>().CollectionName()) .Path(b => b.AuthorID) .PathOfResult(a => a.Age); var authors = await DB.PipelineAsync(pipeline); Find with match expression var query = new Template<Author>(@\" { $and: [ { $gt: [ '$<Age>', <author_age> ] }, { $eq: [ '$<Surname>', '<author_surname>' ] } ] }\") .Path(a => a.Age) .Path(a => a.Surname) .Tag(\"author_age\", \"54\") .Tag(\"author_surname\", \"Tolle\"); var authors = await DB.Find<Author>() .MatchExpression(query) .ExecuteAsync(); Update with aggregation pipeline var pipeline = new Template<Author>(@\" [ { $set: { <FullName>: { $concat: ['$<Name>',' ','$<Surname>'] } } }, { $unset: '<Age>'} ]\") .Path(a => a.FullName) .Path(a => a.Name) .Path(a => a.Surname) .Path(a => a.Age); await DB.Update<Author>() .Match(a => a.ID == \"xxxxx\") .WithPipeline(pipeline) .ExecutePipelineAsync(); Update with array filters var filters = new Template<Author>(@\" [ { '<a.Age>': { $gte: <age> } }, { '<b.Name>': 'Echkart Tolle' } ]\") .Elements(0, author => author.Age) .Elements(1, author => author.Name); .Tag(\"age\", \"55\") var update = new Template<Book>(@\" { $set: { '<Authors.$[a].Age>': <age>, '<Authors.$[b].Name>': '<name>' } }\") .PosFiltered(book => book.Authors[0].Age) .PosFiltered(book => book.Authors[1].Name) .Tag(\"age\", \"55\") .Tag(\"name\", \"Updated Name\"); await DB.Update<Book>() .Match(book => book.ID == \"xxxxxxxx\") .WithArrayFilters(filters) .Modify(update) .ExecuteAsync(); Dynamically append stages to the pipeline var pipeline = new Template<Book>(\"[{ $match: { <Title>: '<book_name>' }}]\"); if (sortByPrice) { pipeline.AppendStage(\"{ $sort: { <Price>: 1 } }\"); pipeline.Path(b => b.Price); } pipeline .Path(b => b.Title) .Tag(\"book_name\", \"MongoDB Templates\"); var books = await DB.PipelineAsync(pipeline);" + "keywords": "String templates the mongodb driver has it's limits and sometimes you need to compose queries either by hand or using a query editor/composer. to be able to run those queries and inject values from your C# code, you're required to compose BsonDocuments or do string concatenation which leads to an ugly, unreadable, magic string infested mess. in order to combat this problem and also to couple your C# entity schema to raw queries, this library offers a templating system based on tag replacements. take the following find query for example: db.Book.find( { Title : 'book_name', Price : book_price } ) to couple this text query to your C# models and pass in the values for title and price, you simply surround the parts you want replaced with < and > in order to turn them in to replacement tags/markers like this: db.Book.find( { <Title> : '<book_name>', <Price> : <book_price> } ) the templating system is based on a special class called Template. You simply instantiate a 'Template' object supplying the tagged/marked text query to the constructor. then you chain method calls on the Template object to replace each tag you've marked on the query like so: var query = new Template<Book>(@\" { <Title> : '<book_name>', <Price> : <book_price> }\") .Path(b => b.Title) .Path(b => b.Price) .Tag(\"book_name\",\"The Power Of Now\") .Tag(\"book_price\",\"10.95\"); var result = await DB.Find<Book>() .Match(query) .ExecuteAsync(); the resulting query sent to mongodb is this: db.Book.find( { Title : 'The Power Of Now', Price : 10.95 } ) the .Tag() method simply replaces matching tags on the text query with the supplied value. you don't have to use the < and > characters while using the .Tag() method. infact, avoid it as the tags won't match if you use them. the .Path() method is one of many offered by the Prop class you can use to get the full 'dotted' path of a property by supplying a lambda/member expression. please see the documentation of the 'Prop' class here for the other methods available. notice, that most of these 'Prop' methods only require a single parameter. whatever member expression you supply to them gets converted to a property/field path like this: expression: x => x.Authors[0].Books[0].Title resulting path: Authors.Books.Title if your text query has a tag <Authors.Books.Title> it will get replaced by the resulting path from the 'Prop' class method. the template system will throw an exception in the event of the following 3 scenarios. the input query/text has no tags marked using < and > characters. the input query has tags that you forget to specify replacements for. you have specified replacements that doesn't have a matching tag in the query. this kind of runtime errors are preferable than your code failing silently because the queries didn't produce any results or produced the wrong results. Examples Aggregation pipeline var pipeline = new Template<Book>(@\" [ { $match: { <Title>: '<book_name>' } }, { $sort: { <Price>: 1 } }, { $group: { _id: '$<AuthorId>', product: { $first: '$$ROOT' } } }, { $replaceWith: '$product' } ]\") .Path(b => b.Title) .Path(b => b.Price) .Path(b => b.AuthorId) .Tag(\"book_name\", \"MongoDB Templates\"); var book = await DB.PipelineSingleAsync(pipeline); Aggregation pipeline with different result type var pipeline = new Template<Book, Author>(@\" [ { $match: { _id: <book_id> } }, { $lookup: { from: '<author_collection>', localField: '<AuthorID>', foreignField: '_id', as: 'authors' } }, { $replaceWith: { $arrayElemAt: ['$authors', 0] } }, { $set: { <Age> : 34 } } ]\") .Tag(\"book_id\", \"ObjectId('5e572df44467000021005692')\") .Tag(\"author_collection\", DB.Entity<Author>().CollectionName()) .Path(b => b.AuthorID) .PathOfResult(a => a.Age); var authors = await DB.PipelineAsync(pipeline); Find with match expression var query = new Template<Author>(@\" { $and: [ { $gt: [ '$<Age>', <author_age> ] }, { $eq: [ '$<Surname>', '<author_surname>' ] } ] }\") .Path(a => a.Age) .Path(a => a.Surname) .Tag(\"author_age\", \"54\") .Tag(\"author_surname\", \"Tolle\"); var authors = await DB.Find<Author>() .MatchExpression(query) .ExecuteAsync(); Update with aggregation pipeline var pipeline = new Template<Author>(@\" [ { $set: { <FullName>: { $concat: ['$<Name>',' ','$<Surname>'] } } }, { $unset: '<Age>'} ]\") .Path(a => a.FullName) .Path(a => a.Name) .Path(a => a.Surname) .Path(a => a.Age); await DB.Update<Author>() .Match(a => a.ID == \"xxxxx\") .WithPipeline(pipeline) .ExecutePipelineAsync(); Update with array filters var filters = new Template<Author>(@\" [ { '<a.Age>': { $gte: <age> } }, { '<b.Name>': 'Echkart Tolle' } ]\") .Elements(0, author => author.Age) .Elements(1, author => author.Name); .Tag(\"age\", \"55\") var update = new Template<Book>(@\" { $set: { '<Authors.$[a].Age>': <age>, '<Authors.$[b].Name>': '<name>' } }\") .PosFiltered(book => book.Authors[0].Age) .PosFiltered(book => book.Authors[1].Name) .Tag(\"age\", \"55\") .Tag(\"name\", \"Updated Name\"); await DB.Update<Book>() .Match(book => book.ID == \"xxxxxxxx\") .WithArrayFilters(filters) .Modify(update) .ExecuteAsync(); Dynamically append stages to the pipeline var pipeline = new Template<Book>(\"[{ $match: { <Title>: '<book_name>' }}]\"); if (sortByPrice) { pipeline.AppendStage(\"{ $sort: { <Price>: 1 } }\"); pipeline.Path(b => b.Price); } pipeline .Path(b => b.Title) .Tag(\"book_name\", \"MongoDB Templates\"); var books = await DB.PipelineAsync(pipeline);" }, "wiki/Transactions.html": { "href": "wiki/Transactions.html", "title": "ACID compliant transactions | MongoDB.Entities", - "keywords": "ACID compliant transactions multi-document transactions are performed like the following: var book1 = new Book { Title = \"book one\" }; var book2 = new Book { Title = \"book two\" }; await DB.SaveAsync(new[] { book1, book2 }); using (var TN = DB.Transaction()) { var author1 = new Author { Name = \"one\" }; var author2 = new Author { Name = \"two\" }; await TN.SaveAsync(new[] { author1, author2 }); await TN.DeleteAsync<Book>(new[] { book1.ID, book2.ID }); await TN.CommitAsync(); } in the above code, book1 and book2 are saved before the transaction begins. author1 and author2 is created within the transaction and book1 and book2 are deleted within the transaction. a transaction is started when you instantiate a Transaction object either via the factory method DB.Transaction() or new Transaction() . you then perform all transaction logic using the methods supplied by that class such as .SaveAsync() , .DeleteAsync() , .Update() , .Find() instead of the methods supplied by the DB static class like you'd normally do. the methods of the DB class also supports transactions but you would have to supply a session to each method call, which would be less convenient than using the Transaction class. whatever transactional operations you do are only saved to the database once you call the .CommitAsync() method. if you do not call .CommitAsync(), then nothing changes in the database. if an exception occurs before the .CommitAsync() line is reached, all changes are rolled back and the transaction is implicitly terminated. it is best to always wrap the transaction in a using statement because reaching the end of the using statement will automatically end the transaction and dispose the underlying session. if no using statement is used, you will have to manually dispose the transaction object you created in order to finalize things. you can also call .AbortAsync() to abort a transaction prematurely if needed at which point all changes will be rolled back. Relationship Manipulation relationships within a transaction requires passing down the session to the .Add() and .Remove() methods as shown below. using (var TN = DB.Transaction()) { var author = new Author { Name = \"author one\" }; await TN.SaveAsync(author); var book = new Book { Title = \"book one\" }; await TN.SaveAsync(book); await author.Books.AddAsync(book, TN.Session); await author.Books.RemoveAsync(book, TN.Session); await TN.CommitAsync(); } File Storage file storage within a transaction also requires passing down the session like so: using (var TN = DB.Transaction()) { var picture = new Picture { Title = \"my picture\" }; await TN.SaveAsync(picture); var streamTask = new HttpClient() .GetStreamAsync(\"https://placekitten.com/g/4000/4000\"); using (var stream = await streamTask) { await picture.Data.UploadAsync(stream, session: TN.Session); } await TN.CommitAsync(); } Transactions with DBContext instances Transactions can be performed using DBContext instances like so: var db = new DBContext(); using (var session = db.Transaction()) { await db.SaveAsync(new Book { Title = \"test\" }); await db.CommitAsync(); } Note: only one active transaction is allowed per DBContext instance. if you need to start another transaction for the same instance, make sure to first commit your changes -> dispose the session object (if not wrapped in a using statement) -> assign a null to the session before you call db.Transaction() again." + "keywords": "ACID compliant transactions multi-document transactions are performed like the following: var book1 = new Book { Title = \"book one\" }; var book2 = new Book { Title = \"book two\" }; await DB.SaveAsync(new[] { book1, book2 }); using (var TN = DB.Transaction()) { var author1 = new Author { Name = \"one\" }; var author2 = new Author { Name = \"two\" }; await TN.SaveAsync(new[] { author1, author2 }); await TN.DeleteAsync<Book>(new[] { book1.ID, book2.ID }); await TN.CommitAsync(); } in the above code, book1 and book2 are saved before the transaction begins. author1 and author2 is created within the transaction and book1 and book2 are deleted within the transaction. a transaction is started when you instantiate a Transaction object either via the factory method DB.Transaction() or new Transaction(). you then perform all transaction logic using the methods supplied by that class such as .SaveAsync(), .DeleteAsync(), .Update(), .Find() instead of the methods supplied by the DB static class like you'd normally do. the methods of the DB class also supports transactions but you would have to supply a session to each method call, which would be less convenient than using the Transaction class. whatever transactional operations you do are only saved to the database once you call the .CommitAsync() method. if you do not call .CommitAsync(), then nothing changes in the database. if an exception occurs before the .CommitAsync() line is reached, all changes are rolled back and the transaction is implicitly terminated. it is best to always wrap the transaction in a using statement because reaching the end of the using statement will automatically end the transaction and dispose the underlying session. if no using statement is used, you will have to manually dispose the transaction object you created in order to finalize things. you can also call .AbortAsync() to abort a transaction prematurely if needed at which point all changes will be rolled back. Relationship Manipulation relationships within a transaction requires passing down the session to the .Add() and .Remove() methods as shown below. using (var TN = DB.Transaction()) { var author = new Author { Name = \"author one\" }; await TN.SaveAsync(author); var book = new Book { Title = \"book one\" }; await TN.SaveAsync(book); await author.Books.AddAsync(book, TN.Session); await author.Books.RemoveAsync(book, TN.Session); await TN.CommitAsync(); } File Storage file storage within a transaction also requires passing down the session like so: using (var TN = DB.Transaction()) { var picture = new Picture { Title = \"my picture\" }; await TN.SaveAsync(picture); var streamTask = new HttpClient() .GetStreamAsync(\"https://placekitten.com/g/4000/4000\"); using (var stream = await streamTask) { await picture.Data.UploadAsync(stream, session: TN.Session); } await TN.CommitAsync(); } Transactions with DBContext instances Transactions can be performed using DBContext instances like so: var db = new DBContext(); using (var session = db.Transaction()) { await db.SaveAsync(new Book { Title = \"test\" }); await db.CommitAsync(); } Note: only one active transaction is allowed per DBContext instance. if you need to start another transaction for the same instance, make sure to first commit your changes -> dispose the session object (if not wrapped in a using statement) -> assign a null to the session before you call db.Transaction() again." } } \ No newline at end of file diff --git a/docs/logo.svg b/docs/logo.svg index df7cb6832..ccb2d7bc9 100644 --- a/docs/logo.svg +++ b/docs/logo.svg @@ -1,25 +1,25 @@ -<?xml version="1.0" standalone="no"?> -<!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 20010904//EN" - "http://www.w3.org/TR/2001/REC-SVG-20010904/DTD/svg10.dtd"> -<svg version="1.0" xmlns="http://www.w3.org/2000/svg" - width="38.000000pt" height="38.000000pt" viewBox="0 0 172.000000 172.000000" - preserveAspectRatio="xMidYMid meet"> -<metadata> -Created by Docfx -</metadata> -<g transform="translate(0.000000,172.000000) scale(0.100000,-0.100000)" -fill="#dddddd" stroke="none"> -<path d="M230 1359 c0 -18 11 -30 44 -48 80 -42 81 -45 81 -441 0 -400 -1 --404 -79 -436 -36 -15 -46 -24 -46 -43 0 -23 2 -24 61 -17 34 3 88 6 120 6 -l59 0 0 495 0 495 -82 0 c-46 0 -100 3 -120 6 -35 6 -38 5 -38 -17z"/> -<path d="M618 1373 l-118 -4 0 -493 0 -494 154 -7 c181 -9 235 -3 313 34 68 -33 168 130 207 202 75 136 75 384 1 536 -71 145 -234 240 -399 231 -23 -1 -94 --4 -158 -5z m287 -119 c68 -24 144 -101 176 -179 22 -54 24 -75 24 -210 0 --141 -2 -153 -26 -206 -36 -76 -89 -132 -152 -160 -45 -21 -68 -24 -164 -24 --71 0 -116 4 -123 11 -22 22 -31 175 -28 463 2 208 6 293 15 302 32 32 188 33 -278 3z"/> -<path d="M1170 1228 c75 -104 110 -337 76 -508 -21 -100 -56 -178 -105 -233 -l-36 -41 34 20 c75 43 160 133 198 212 37 75 38 78 38 191 -1 129 -18 191 -75 -270 -28 38 -136 131 -153 131 -4 0 6 -19 23 -42z"/> -</g> -</svg> +<?xml version="1.0" standalone="no"?> +<!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 20010904//EN" + "http://www.w3.org/TR/2001/REC-SVG-20010904/DTD/svg10.dtd"> +<svg version="1.0" xmlns="http://www.w3.org/2000/svg" + width="38.000000pt" height="38.000000pt" viewBox="0 0 172.000000 172.000000" + preserveAspectRatio="xMidYMid meet"> +<metadata> +Created by Docfx +</metadata> +<g transform="translate(0.000000,172.000000) scale(0.100000,-0.100000)" +fill="#dddddd" stroke="none"> +<path d="M230 1359 c0 -18 11 -30 44 -48 80 -42 81 -45 81 -441 0 -400 -1 +-404 -79 -436 -36 -15 -46 -24 -46 -43 0 -23 2 -24 61 -17 34 3 88 6 120 6 +l59 0 0 495 0 495 -82 0 c-46 0 -100 3 -120 6 -35 6 -38 5 -38 -17z"/> +<path d="M618 1373 l-118 -4 0 -493 0 -494 154 -7 c181 -9 235 -3 313 34 68 +33 168 130 207 202 75 136 75 384 1 536 -71 145 -234 240 -399 231 -23 -1 -94 +-4 -158 -5z m287 -119 c68 -24 144 -101 176 -179 22 -54 24 -75 24 -210 0 +-141 -2 -153 -26 -206 -36 -76 -89 -132 -152 -160 -45 -21 -68 -24 -164 -24 +-71 0 -116 4 -123 11 -22 22 -31 175 -28 463 2 208 6 293 15 302 32 32 188 33 +278 3z"/> +<path d="M1170 1228 c75 -104 110 -337 76 -508 -21 -100 -56 -178 -105 -233 +l-36 -41 34 20 c75 43 160 133 198 212 37 75 38 78 38 191 -1 129 -18 191 -75 +270 -28 38 -136 131 -153 131 -4 0 6 -19 23 -42z"/> +</g> +</svg> diff --git a/docs/manifest.json b/docs/manifest.json index 8c9242df4..3a361c04d 100644 --- a/docs/manifest.json +++ b/docs/manifest.json @@ -1,5 +1,4 @@ { - "homepages": [], "source_base_path": "D:/SOURCE-CONTROL/MongoDB.Entities/Documentation", "xrefmap": "xrefmap.yml", "files": [ @@ -9,8 +8,7 @@ "resource": { "relative_path": "index.json" } - }, - "is_incremental": false + } }, { "type": "Resource", @@ -20,7 +18,6 @@ "relative_path": "CNAME" } }, - "is_incremental": false, "version": "" }, { @@ -28,11 +25,9 @@ "source_relative_path": "api/MongoDB.Entities.AsObjectIdAttribute.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.AsObjectIdAttribute.html", - "hash": "SbljCj6G/UtDIaoTYMbE73ZaSVQ9dSPQRbTaQ9OKvdA=" + "relative_path": "api/MongoDB.Entities.AsObjectIdAttribute.html" } }, - "is_incremental": false, "version": "" }, { @@ -40,11 +35,9 @@ "source_relative_path": "api/MongoDB.Entities.AsyncEventHandler-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.AsyncEventHandler-1.html", - "hash": "owMGZaHYPYnHtvNAxffDonkTJbWFRTkh8MhoXsW+/MA=" + "relative_path": "api/MongoDB.Entities.AsyncEventHandler-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -52,11 +45,9 @@ "source_relative_path": "api/MongoDB.Entities.AsyncEventHandlerExtensions.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.AsyncEventHandlerExtensions.html", - "hash": "s0ZhThRqXIKKP7aZG+kcf1kjLcJ1gpfpnspX7aS5Vtg=" + "relative_path": "api/MongoDB.Entities.AsyncEventHandlerExtensions.html" } }, - "is_incremental": false, "version": "" }, { @@ -64,11 +55,9 @@ "source_relative_path": "api/MongoDB.Entities.CollectionAttribute.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.CollectionAttribute.html", - "hash": "LdO37zjJFtfVtVr3PaDoWYrcR6tTwMsUMB3MI/tQBzc=" + "relative_path": "api/MongoDB.Entities.CollectionAttribute.html" } }, - "is_incremental": false, "version": "" }, { @@ -76,11 +65,9 @@ "source_relative_path": "api/MongoDB.Entities.Coordinates2D.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Coordinates2D.html", - "hash": "KHLTwYquqUVrKv5cMM5MqYVZbNzfnGX5UN2BqLf1RP8=" + "relative_path": "api/MongoDB.Entities.Coordinates2D.html" } }, - "is_incremental": false, "version": "" }, { @@ -88,11 +75,9 @@ "source_relative_path": "api/MongoDB.Entities.DB.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.DB.html", - "hash": "opWY16PGxP+s+riBfHk1g9dZxHPWul1fubbPcUHowVY=" + "relative_path": "api/MongoDB.Entities.DB.html" } }, - "is_incremental": false, "version": "" }, { @@ -100,11 +85,9 @@ "source_relative_path": "api/MongoDB.Entities.DBContext.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.DBContext.html", - "hash": "M2Azw3mVye4XzShvHMm1uoUXy1ypdjlttPgS7mPA/lw=" + "relative_path": "api/MongoDB.Entities.DBContext.html" } }, - "is_incremental": false, "version": "" }, { @@ -112,11 +95,9 @@ "source_relative_path": "api/MongoDB.Entities.DataStreamer.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.DataStreamer.html", - "hash": "2laK8DzjHwpNkPcvz0opBPH5uSS9JkLf+8Z3uSR73lQ=" + "relative_path": "api/MongoDB.Entities.DataStreamer.html" } }, - "is_incremental": false, "version": "" }, { @@ -124,11 +105,9 @@ "source_relative_path": "api/MongoDB.Entities.Date.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Date.html", - "hash": "HrjvhGdpJREtxu18hxd+wnQNhF1qz1gSwahGKsvr1Pk=" + "relative_path": "api/MongoDB.Entities.Date.html" } }, - "is_incremental": false, "version": "" }, { @@ -136,11 +115,9 @@ "source_relative_path": "api/MongoDB.Entities.Distinct-2.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Distinct-2.html", - "hash": "iQxr354YQuRHfQaXWObt8exaPSpbReWppkdcd+REOR0=" + "relative_path": "api/MongoDB.Entities.Distinct-2.html" } }, - "is_incremental": false, "version": "" }, { @@ -148,11 +125,9 @@ "source_relative_path": "api/MongoDB.Entities.DontPreserveAttribute.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.DontPreserveAttribute.html", - "hash": "ZrTFhURGrAS2WWCNh1SKVSj2Z8KUwexaDFtpLYXQUkw=" + "relative_path": "api/MongoDB.Entities.DontPreserveAttribute.html" } }, - "is_incremental": false, "version": "" }, { @@ -160,11 +135,9 @@ "source_relative_path": "api/MongoDB.Entities.Entity.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Entity.html", - "hash": "zeT1gpJcS+mXrTyhzicZFgWKopEzmIfvr1pNcTfcudE=" + "relative_path": "api/MongoDB.Entities.Entity.html" } }, - "is_incremental": false, "version": "" }, { @@ -172,11 +145,9 @@ "source_relative_path": "api/MongoDB.Entities.EventType.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.EventType.html", - "hash": "doZ+gHB9ShwZqCy+jL4IAIUD/O1IsDMIiL5NzkHV7qI=" + "relative_path": "api/MongoDB.Entities.EventType.html" } }, - "is_incremental": false, "version": "" }, { @@ -184,11 +155,9 @@ "source_relative_path": "api/MongoDB.Entities.Extensions.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Extensions.html", - "hash": "JM1g2d3W5V6RwELguU44X0irPCLPS3UcATteLq3BpMs=" + "relative_path": "api/MongoDB.Entities.Extensions.html" } }, - "is_incremental": false, "version": "" }, { @@ -196,11 +165,9 @@ "source_relative_path": "api/MongoDB.Entities.FieldAttribute.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.FieldAttribute.html", - "hash": "Kbnxm16R36WANUY7fyPqskr5tqVGgTWdhf089jsRwks=" + "relative_path": "api/MongoDB.Entities.FieldAttribute.html" } }, - "is_incremental": false, "version": "" }, { @@ -208,11 +175,9 @@ "source_relative_path": "api/MongoDB.Entities.FileEntity.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.FileEntity.html", - "hash": "6FckUgIY0Il/OP5F7Ygbi+x24aMC5xQpG4ayWdNyL0Q=" + "relative_path": "api/MongoDB.Entities.FileEntity.html" } }, - "is_incremental": false, "version": "" }, { @@ -220,11 +185,9 @@ "source_relative_path": "api/MongoDB.Entities.Find-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Find-1.html", - "hash": "ZCwjJIbMQ1k9dkjn1amlqNS56rgq8XFgFD14aWfNa20=" + "relative_path": "api/MongoDB.Entities.Find-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -232,11 +195,9 @@ "source_relative_path": "api/MongoDB.Entities.Find-2.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Find-2.html", - "hash": "baQ0MCW43O+qvruuIDwPL+jR/zlRI+sziItfJhubAIA=" + "relative_path": "api/MongoDB.Entities.Find-2.html" } }, - "is_incremental": false, "version": "" }, { @@ -244,11 +205,9 @@ "source_relative_path": "api/MongoDB.Entities.FuzzyString.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.FuzzyString.html", - "hash": "7BBakvg0YIzXFVPMoT3gZsQ8Ji3NXHoWwh/G5nr34To=" + "relative_path": "api/MongoDB.Entities.FuzzyString.html" } }, - "is_incremental": false, "version": "" }, { @@ -256,11 +215,9 @@ "source_relative_path": "api/MongoDB.Entities.GeoNear-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.GeoNear-1.html", - "hash": "jGteK37mY1Nq6/8LTc47GGrnonTDkjDOkfI8aYIMWfw=" + "relative_path": "api/MongoDB.Entities.GeoNear-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -268,11 +225,9 @@ "source_relative_path": "api/MongoDB.Entities.ICreatedOn.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.ICreatedOn.html", - "hash": "ZiqpE8LVcw4NEV1u3c341e+C88hOYVup42n76IJfBbU=" + "relative_path": "api/MongoDB.Entities.ICreatedOn.html" } }, - "is_incremental": false, "version": "" }, { @@ -280,11 +235,9 @@ "source_relative_path": "api/MongoDB.Entities.IEntity.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.IEntity.html", - "hash": "EwmPBGWVA99ajrNd+wuEVItWi7hp/9APqZDErAvD0mE=" + "relative_path": "api/MongoDB.Entities.IEntity.html" } }, - "is_incremental": false, "version": "" }, { @@ -292,11 +245,9 @@ "source_relative_path": "api/MongoDB.Entities.IMigration.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.IMigration.html", - "hash": "uhMeCl6x8+QFEbsKyyPhe2grriHoaqKWHWxeHNJ9U68=" + "relative_path": "api/MongoDB.Entities.IMigration.html" } }, - "is_incremental": false, "version": "" }, { @@ -304,11 +255,9 @@ "source_relative_path": "api/MongoDB.Entities.IModifiedOn.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.IModifiedOn.html", - "hash": "E4C0iFsJVpLzP3jA9I2ArcOvxSENCAOv8qFsrrwGBLY=" + "relative_path": "api/MongoDB.Entities.IModifiedOn.html" } }, - "is_incremental": false, "version": "" }, { @@ -316,11 +265,9 @@ "source_relative_path": "api/MongoDB.Entities.IgnoreAttribute.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.IgnoreAttribute.html", - "hash": "pshWYMAoqlMuHUbckCtM9F05BD2Rul3ipmwnakICP1w=" + "relative_path": "api/MongoDB.Entities.IgnoreAttribute.html" } }, - "is_incremental": false, "version": "" }, { @@ -328,11 +275,9 @@ "source_relative_path": "api/MongoDB.Entities.IgnoreDefaultAttribute.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.IgnoreDefaultAttribute.html", - "hash": "MmDyw1Kmk4eBJcFQZzkCwtDmLQNmNHbyTWpKoRtAHLU=" + "relative_path": "api/MongoDB.Entities.IgnoreDefaultAttribute.html" } }, - "is_incremental": false, "version": "" }, { @@ -340,11 +285,9 @@ "source_relative_path": "api/MongoDB.Entities.Index-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Index-1.html", - "hash": "twHmufTUPAqxQWorWTXV1EtK2G9lBL3kOfobnU5GigI=" + "relative_path": "api/MongoDB.Entities.Index-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -352,11 +295,9 @@ "source_relative_path": "api/MongoDB.Entities.InverseSideAttribute.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.InverseSideAttribute.html", - "hash": "Q9lU0u+H2BVBlDw7jPyx1SchC6U+F3duLj8KOVs7WRE=" + "relative_path": "api/MongoDB.Entities.InverseSideAttribute.html" } }, - "is_incremental": false, "version": "" }, { @@ -364,11 +305,9 @@ "source_relative_path": "api/MongoDB.Entities.JoinRecord.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.JoinRecord.html", - "hash": "dvaujtrg4sE8J7+v5BDeNJ2HClOWZvWzIgnVR8jWcmQ=" + "relative_path": "api/MongoDB.Entities.JoinRecord.html" } }, - "is_incremental": false, "version": "" }, { @@ -376,11 +315,9 @@ "source_relative_path": "api/MongoDB.Entities.KeyType.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.KeyType.html", - "hash": "hlBAvfVgX2PlzqdIv+rOV4q+yuzApIrOiYuIGC9MhTs=" + "relative_path": "api/MongoDB.Entities.KeyType.html" } }, - "is_incremental": false, "version": "" }, { @@ -388,11 +325,9 @@ "source_relative_path": "api/MongoDB.Entities.Many-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Many-1.html", - "hash": "2MBGG9fuOwLiFUiTSmC+bAngI3HEwFnMGjXYXu24+Ls=" + "relative_path": "api/MongoDB.Entities.Many-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -400,11 +335,9 @@ "source_relative_path": "api/MongoDB.Entities.ManyBase.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.ManyBase.html", - "hash": "L9n/zfIc+uN2ovUxViS9Xs43hUeubAUh0Rs1dTplw70=" + "relative_path": "api/MongoDB.Entities.ManyBase.html" } }, - "is_incremental": false, "version": "" }, { @@ -412,11 +345,9 @@ "source_relative_path": "api/MongoDB.Entities.Migration.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Migration.html", - "hash": "PwEFVV9BA+r7tLWX7c1KaZ7807btqT2j9erlFTA0oqE=" + "relative_path": "api/MongoDB.Entities.Migration.html" } }, - "is_incremental": false, "version": "" }, { @@ -424,11 +355,9 @@ "source_relative_path": "api/MongoDB.Entities.ModifiedBy.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.ModifiedBy.html", - "hash": "7v/WlonX0QlkJHAKFBFL8sGfzf7TFrp/PiAhQMuZmUc=" + "relative_path": "api/MongoDB.Entities.ModifiedBy.html" } }, - "is_incremental": false, "version": "" }, { @@ -436,11 +365,9 @@ "source_relative_path": "api/MongoDB.Entities.ObjectIdAttribute.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.ObjectIdAttribute.html", - "hash": "3lVtM2XyUFF3A04wVK7D2Ajozt7V+IgA+2TiJaiAba8=" + "relative_path": "api/MongoDB.Entities.ObjectIdAttribute.html" } }, - "is_incremental": false, "version": "" }, { @@ -448,11 +375,9 @@ "source_relative_path": "api/MongoDB.Entities.One-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.One-1.html", - "hash": "uJVmxDbftavDuK9aSBlCtCd4pLLUKRyDDWm7ZBADqc8=" + "relative_path": "api/MongoDB.Entities.One-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -460,11 +385,9 @@ "source_relative_path": "api/MongoDB.Entities.Order.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Order.html", - "hash": "zW9BtxgsF6MQJE1ugsgEovnRFSsxDgxUBT4Ur+jYK/E=" + "relative_path": "api/MongoDB.Entities.Order.html" } }, - "is_incremental": false, "version": "" }, { @@ -472,11 +395,9 @@ "source_relative_path": "api/MongoDB.Entities.OwnerSideAttribute.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.OwnerSideAttribute.html", - "hash": "5qHFlw9KYbdl5Xyg/WKd/jOfihEan7DvOxfVNClT0wE=" + "relative_path": "api/MongoDB.Entities.OwnerSideAttribute.html" } }, - "is_incremental": false, "version": "" }, { @@ -484,11 +405,9 @@ "source_relative_path": "api/MongoDB.Entities.PagedSearch-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.PagedSearch-1.html", - "hash": "fmms+qo2cUSGhZqLjkNsOcHvkd0iZ16Q5ntlLOYDmu8=" + "relative_path": "api/MongoDB.Entities.PagedSearch-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -496,11 +415,9 @@ "source_relative_path": "api/MongoDB.Entities.PagedSearch-2.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.PagedSearch-2.html", - "hash": "xjgrE9H0PyqMcPH2FCVl2aFoeCT9cPIU1QEp6tezo58=" + "relative_path": "api/MongoDB.Entities.PagedSearch-2.html" } }, - "is_incremental": false, "version": "" }, { @@ -508,11 +425,9 @@ "source_relative_path": "api/MongoDB.Entities.PreserveAttribute.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.PreserveAttribute.html", - "hash": "c2AvQyPbHFeW37zAtpGmpFG/ChQMaiZjnGc1MbDzUFc=" + "relative_path": "api/MongoDB.Entities.PreserveAttribute.html" } }, - "is_incremental": false, "version": "" }, { @@ -520,11 +435,9 @@ "source_relative_path": "api/MongoDB.Entities.Prop.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Prop.html", - "hash": "DttNrsk7VGwgnLn7yS8Nj/kWkxmrGvRvHWUUwnzB9EQ=" + "relative_path": "api/MongoDB.Entities.Prop.html" } }, - "is_incremental": false, "version": "" }, { @@ -532,11 +445,9 @@ "source_relative_path": "api/MongoDB.Entities.Replace-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Replace-1.html", - "hash": "tDDvqhJMQO/9dybHK7sD8zPBDiBb/jHkzVaDXIA/fVg=" + "relative_path": "api/MongoDB.Entities.Replace-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -544,11 +455,9 @@ "source_relative_path": "api/MongoDB.Entities.Search.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Search.html", - "hash": "8wGpDCQm0+aENtP3x0k6tFz5j3+BpM39wtTVIfgvd5k=" + "relative_path": "api/MongoDB.Entities.Search.html" } }, - "is_incremental": false, "version": "" }, { @@ -556,11 +465,9 @@ "source_relative_path": "api/MongoDB.Entities.Template-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Template-1.html", - "hash": "bSWEVzgtF0ACybIF6EczxQelNcjOEuxBHo8NWgkUhW8=" + "relative_path": "api/MongoDB.Entities.Template-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -568,11 +475,9 @@ "source_relative_path": "api/MongoDB.Entities.Template-2.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Template-2.html", - "hash": "gggPhOtp9fLrk46gNx2GbBOWEqU9YFaw32cuNerVFX0=" + "relative_path": "api/MongoDB.Entities.Template-2.html" } }, - "is_incremental": false, "version": "" }, { @@ -580,11 +485,9 @@ "source_relative_path": "api/MongoDB.Entities.Template.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Template.html", - "hash": "mFR0Wynppt2w3tYkzB99kMZxZ4OmGltWD6ZNIy5vROM=" + "relative_path": "api/MongoDB.Entities.Template.html" } }, - "is_incremental": false, "version": "" }, { @@ -592,11 +495,9 @@ "source_relative_path": "api/MongoDB.Entities.Transaction.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Transaction.html", - "hash": "g5sxEPbacEHncZNDPt5hf3qjH7B1so7Oeb1sj0EplDw=" + "relative_path": "api/MongoDB.Entities.Transaction.html" } }, - "is_incremental": false, "version": "" }, { @@ -604,11 +505,9 @@ "source_relative_path": "api/MongoDB.Entities.Update-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Update-1.html", - "hash": "EklltLnrPwij/YGJ+xggxBTThyggAgP1LbbsFL0uHm4=" + "relative_path": "api/MongoDB.Entities.Update-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -616,11 +515,9 @@ "source_relative_path": "api/MongoDB.Entities.UpdateAndGet-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.UpdateAndGet-1.html", - "hash": "axS1q64FwfUd76di3XxS5cDxLQWC+BIuEkW/xIK3UUY=" + "relative_path": "api/MongoDB.Entities.UpdateAndGet-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -628,11 +525,9 @@ "source_relative_path": "api/MongoDB.Entities.UpdateAndGet-2.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.UpdateAndGet-2.html", - "hash": "nxDwAIp9z7mH5ckzN05i+kWZBinrL9Nx8eOyCKvEQ+E=" + "relative_path": "api/MongoDB.Entities.UpdateAndGet-2.html" } }, - "is_incremental": false, "version": "" }, { @@ -640,11 +535,9 @@ "source_relative_path": "api/MongoDB.Entities.UpdateBase-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.UpdateBase-1.html", - "hash": "2caZYdWlU5sAuyi+1xgP2YdKCzz34RgQ39YacE6xgp4=" + "relative_path": "api/MongoDB.Entities.UpdateBase-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -652,11 +545,9 @@ "source_relative_path": "api/MongoDB.Entities.Watcher-1.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.Watcher-1.html", - "hash": "U0YyJY5xUewUje0RSJFzoZ5zagtP4WihdlWEu5JL8XU=" + "relative_path": "api/MongoDB.Entities.Watcher-1.html" } }, - "is_incremental": false, "version": "" }, { @@ -664,11 +555,9 @@ "source_relative_path": "api/MongoDB.Entities.yml", "output": { ".html": { - "relative_path": "api/MongoDB.Entities.html", - "hash": "h4oBkxnZleyKZXhkGNfcqe9NpoclxXN/oH9DioP5g80=" + "relative_path": "api/MongoDB.Entities.html" } }, - "is_incremental": false, "version": "" }, { @@ -676,11 +565,12 @@ "source_relative_path": "api/toc.yml", "output": { ".html": { - "relative_path": "api/toc.html", - "hash": "koY8/eDrrG1DvPvomuYRWxwrKlvIntpulBazN/EHvOc=" + "relative_path": "api/toc.html" + }, + ".json": { + "relative_path": "api/toc.json" } }, - "is_incremental": false, "version": "" }, { @@ -691,7 +581,6 @@ "relative_path": "images/artwork.ai" } }, - "is_incremental": false, "version": "" }, { @@ -702,7 +591,6 @@ "relative_path": "images/donate.png" } }, - "is_incremental": false, "version": "" }, { @@ -713,7 +601,6 @@ "relative_path": "images/favicon.ico" } }, - "is_incremental": false, "version": "" }, { @@ -724,7 +611,6 @@ "relative_path": "images/header.svg" } }, - "is_incremental": false, "version": "" }, { @@ -735,7 +621,6 @@ "relative_path": "images/icon.png" } }, - "is_incremental": false, "version": "" }, { @@ -746,7 +631,6 @@ "relative_path": "images/social-square.png" } }, - "is_incremental": false, "version": "" }, { @@ -757,7 +641,6 @@ "relative_path": "images/social.png" } }, - "is_incremental": false, "version": "" }, { @@ -765,11 +648,9 @@ "source_relative_path": "index.md", "output": { ".html": { - "relative_path": "index.html", - "hash": "W29VbcuZt5V9ErDiOlp4Kz5Uk3dyg6+bsLg0XOxNPSw=" + "relative_path": "index.html" } }, - "is_incremental": false, "version": "" }, { @@ -777,11 +658,12 @@ "source_relative_path": "toc.md", "output": { ".html": { - "relative_path": "toc.html", - "hash": "yIiqrHaOZk5GOFRL6cWERO2TNkhNrdCwILMw7vggZ7o=" + "relative_path": "toc.html" + }, + ".json": { + "relative_path": "toc.json" } }, - "is_incremental": false, "version": "" }, { @@ -789,11 +671,9 @@ "source_relative_path": "wiki/Async-Support.md", "output": { ".html": { - "relative_path": "wiki/Async-Support.html", - "hash": "7Wx2kQt9gAGsnb7Hbd389C5Rolt8DLhMygSD8isute8=" + "relative_path": "wiki/Async-Support.html" } }, - "is_incremental": false, "version": "" }, { @@ -801,11 +681,9 @@ "source_relative_path": "wiki/Change-Streams.md", "output": { ".html": { - "relative_path": "wiki/Change-Streams.html", - "hash": "7GVE7ma7xRtW3tk67zbvOooOO5PGGA4tOx0WzRieP64=" + "relative_path": "wiki/Change-Streams.html" } }, - "is_incremental": false, "version": "" }, { @@ -813,11 +691,9 @@ "source_relative_path": "wiki/Code-Samples.md", "output": { ".html": { - "relative_path": "wiki/Code-Samples.html", - "hash": "bf0gIDapYVKOI7qGkPYntL4emf4qYgAHXksuh/nTxfc=" + "relative_path": "wiki/Code-Samples.html" } }, - "is_incremental": false, "version": "" }, { @@ -825,11 +701,9 @@ "source_relative_path": "wiki/DB-Instances-Audit-Fields.md", "output": { ".html": { - "relative_path": "wiki/DB-Instances-Audit-Fields.html", - "hash": "1ufMDqyHQBwoyUMOfeNdLBa9kxDzSCIfBJCPEwFoAWY=" + "relative_path": "wiki/DB-Instances-Audit-Fields.html" } }, - "is_incremental": false, "version": "" }, { @@ -837,11 +711,9 @@ "source_relative_path": "wiki/DB-Instances-Event-Hooks.md", "output": { ".html": { - "relative_path": "wiki/DB-Instances-Event-Hooks.html", - "hash": "3boTcl49KObkjb67KVNWLDMRnedOH9vhJA38pXrFxA8=" + "relative_path": "wiki/DB-Instances-Event-Hooks.html" } }, - "is_incremental": false, "version": "" }, { @@ -849,11 +721,9 @@ "source_relative_path": "wiki/DB-Instances-Global-Filters.md", "output": { ".html": { - "relative_path": "wiki/DB-Instances-Global-Filters.html", - "hash": "m1uU+/9lyzVaK0hQqSKqwgBGeEUD5GwFEE9fU8RV8JU=" + "relative_path": "wiki/DB-Instances-Global-Filters.html" } }, - "is_incremental": false, "version": "" }, { @@ -861,11 +731,9 @@ "source_relative_path": "wiki/DB-Instances.md", "output": { ".html": { - "relative_path": "wiki/DB-Instances.html", - "hash": "31Ej7OT3C83JzG34ks1UM9+RVAlXSH8Uc5PRmLI0fos=" + "relative_path": "wiki/DB-Instances.html" } }, - "is_incremental": false, "version": "" }, { @@ -873,11 +741,9 @@ "source_relative_path": "wiki/Data-Migrations.md", "output": { ".html": { - "relative_path": "wiki/Data-Migrations.html", - "hash": "QLoYXXCnAlZyHIAglttIJq6iLUUAPzpWvBQv426F84Y=" + "relative_path": "wiki/Data-Migrations.html" } }, - "is_incremental": false, "version": "" }, { @@ -885,11 +751,9 @@ "source_relative_path": "wiki/Entities-Delete.md", "output": { ".html": { - "relative_path": "wiki/Entities-Delete.html", - "hash": "k2+wMGPypc/W+HG3uNv3npX1eYkJlVAi1+P8uWIVCiU=" + "relative_path": "wiki/Entities-Delete.html" } }, - "is_incremental": false, "version": "" }, { @@ -897,11 +761,9 @@ "source_relative_path": "wiki/Entities-Save.md", "output": { ".html": { - "relative_path": "wiki/Entities-Save.html", - "hash": "ndt3SzpCU+NWxOOcQ2rK6Z+pLrrHyxolVqY8y4ET4UY=" + "relative_path": "wiki/Entities-Save.html" } }, - "is_incremental": false, "version": "" }, { @@ -909,11 +771,9 @@ "source_relative_path": "wiki/Entities-Update.md", "output": { ".html": { - "relative_path": "wiki/Entities-Update.html", - "hash": "xeaiqZ3aVn+C2fT8mt3L/LvjqgzsDO0OVZtGyriXrLA=" + "relative_path": "wiki/Entities-Update.html" } }, - "is_incremental": false, "version": "" }, { @@ -921,11 +781,9 @@ "source_relative_path": "wiki/Entities.md", "output": { ".html": { - "relative_path": "wiki/Entities.html", - "hash": "Gvj2uTpX66AhY/uBZcUF4XpA837AmW+KzSSojaza8RM=" + "relative_path": "wiki/Entities.html" } }, - "is_incremental": false, "version": "" }, { @@ -933,11 +791,9 @@ "source_relative_path": "wiki/Extras-Date.md", "output": { ".html": { - "relative_path": "wiki/Extras-Date.html", - "hash": "CzPPgL3cibSQFnI8KZGopUzSBy52xO+SQiyqKjH5+M4=" + "relative_path": "wiki/Extras-Date.html" } }, - "is_incremental": false, "version": "" }, { @@ -945,11 +801,9 @@ "source_relative_path": "wiki/Extras-Prop.md", "output": { ".html": { - "relative_path": "wiki/Extras-Prop.html", - "hash": "+89wcsKaOiIf3typdQUDeOSvLJRZBsoOWbwwUCLm4y8=" + "relative_path": "wiki/Extras-Prop.html" } }, - "is_incremental": false, "version": "" }, { @@ -957,11 +811,9 @@ "source_relative_path": "wiki/Extras-Sequence.md", "output": { ".html": { - "relative_path": "wiki/Extras-Sequence.html", - "hash": "gimKYglIfF4JRvC7CSX4dTas2TVKT0W9XuDrGPLlMXA=" + "relative_path": "wiki/Extras-Sequence.html" } }, - "is_incremental": false, "version": "" }, { @@ -969,11 +821,9 @@ "source_relative_path": "wiki/File-Storage.md", "output": { ".html": { - "relative_path": "wiki/File-Storage.html", - "hash": "j87DgBLVuwV+P2dXxVa7LFrQzsl8BHBV5KUxOYM3g0Y=" + "relative_path": "wiki/File-Storage.html" } }, - "is_incremental": false, "version": "" }, { @@ -981,11 +831,9 @@ "source_relative_path": "wiki/Get-Started.md", "output": { ".html": { - "relative_path": "wiki/Get-Started.html", - "hash": "lVdHJKCoF8399t2RnyEnP9y/mILWGOGBSrcxvJL4jm8=" + "relative_path": "wiki/Get-Started.html" } }, - "is_incremental": false, "version": "" }, { @@ -993,11 +841,9 @@ "source_relative_path": "wiki/Indexes-Fuzzy-Text-Search.md", "output": { ".html": { - "relative_path": "wiki/Indexes-Fuzzy-Text-Search.html", - "hash": "JiLBJR3W6qNhRC4ucxkvt4mNFZUZjlCqTItLdvCnfbM=" + "relative_path": "wiki/Indexes-Fuzzy-Text-Search.html" } }, - "is_incremental": false, "version": "" }, { @@ -1005,11 +851,9 @@ "source_relative_path": "wiki/Indexes.md", "output": { ".html": { - "relative_path": "wiki/Indexes.html", - "hash": "irRCiOLop/gHm72US2+Y/SKyvUFBC6UbvrcNGdBUbFs=" + "relative_path": "wiki/Indexes.html" } }, - "is_incremental": false, "version": "" }, { @@ -1017,11 +861,9 @@ "source_relative_path": "wiki/Multiple-Databases-Utility-Methods.md", "output": { ".html": { - "relative_path": "wiki/Multiple-Databases-Utility-Methods.html", - "hash": "JurQH8GpBIg3+j2ZkR+TEp4ZYZXJQmfVrwQb/ECdvdY=" + "relative_path": "wiki/Multiple-Databases-Utility-Methods.html" } }, - "is_incremental": false, "version": "" }, { @@ -1029,11 +871,9 @@ "source_relative_path": "wiki/Multiple-Databases.md", "output": { ".html": { - "relative_path": "wiki/Multiple-Databases.html", - "hash": "H8aMA3Rq57Atrt+pfvuL9dDoAPkw1NSrPutX1llrFBo=" + "relative_path": "wiki/Multiple-Databases.html" } }, - "is_incremental": false, "version": "" }, { @@ -1041,11 +881,9 @@ "source_relative_path": "wiki/Performance-Benchmarks.md", "output": { ".html": { - "relative_path": "wiki/Performance-Benchmarks.html", - "hash": "FWxYIGfu4YR3uSnHMyRtyKxJV1QteDVVNslF1GNP040=" + "relative_path": "wiki/Performance-Benchmarks.html" } }, - "is_incremental": false, "version": "" }, { @@ -1053,11 +891,9 @@ "source_relative_path": "wiki/Queries-Count.md", "output": { ".html": { - "relative_path": "wiki/Queries-Count.html", - "hash": "1ZCuoN9igReLE31d4y2+05YChOO1I44dKXegSa0kX3k=" + "relative_path": "wiki/Queries-Count.html" } }, - "is_incremental": false, "version": "" }, { @@ -1065,11 +901,9 @@ "source_relative_path": "wiki/Queries-Distinct.md", "output": { ".html": { - "relative_path": "wiki/Queries-Distinct.html", - "hash": "sWUW/b+GCw+Wv1SoJQStmgSV/ephlAhF6N5ukSh3GbM=" + "relative_path": "wiki/Queries-Distinct.html" } }, - "is_incremental": false, "version": "" }, { @@ -1077,11 +911,9 @@ "source_relative_path": "wiki/Queries-Find.md", "output": { ".html": { - "relative_path": "wiki/Queries-Find.html", - "hash": "yDSQ1Gy7IwvHEn3gu6Lc2UzujW0fGqQ5Ma+DBVpiv/8=" + "relative_path": "wiki/Queries-Find.html" } }, - "is_incremental": false, "version": "" }, { @@ -1089,11 +921,9 @@ "source_relative_path": "wiki/Queries-Linq.md", "output": { ".html": { - "relative_path": "wiki/Queries-Linq.html", - "hash": "ONZsDUMWMr8CyLbPMRL2b3TWNj4OyCC6gVcRr+fFd14=" + "relative_path": "wiki/Queries-Linq.html" } }, - "is_incremental": false, "version": "" }, { @@ -1101,11 +931,9 @@ "source_relative_path": "wiki/Queries-Paged-Search.md", "output": { ".html": { - "relative_path": "wiki/Queries-Paged-Search.html", - "hash": "+7JFPC3HRHFhRa7wwQCyx8ifQOJmNSts8M5bn7AqWlk=" + "relative_path": "wiki/Queries-Paged-Search.html" } }, - "is_incremental": false, "version": "" }, { @@ -1113,11 +941,9 @@ "source_relative_path": "wiki/Queries-Pipelines.md", "output": { ".html": { - "relative_path": "wiki/Queries-Pipelines.html", - "hash": "81bJVRWoLqgR3jyMHJU+k8g3VWvFCpqV1E/MBpTmvrw=" + "relative_path": "wiki/Queries-Pipelines.html" } }, - "is_incremental": false, "version": "" }, { @@ -1125,11 +951,9 @@ "source_relative_path": "wiki/Relationships-Embeded.md", "output": { ".html": { - "relative_path": "wiki/Relationships-Embeded.html", - "hash": "rcDayATBB3nXv9O/a/naxk3LslInd3AdOt5zit3Wtx0=" + "relative_path": "wiki/Relationships-Embeded.html" } }, - "is_incremental": false, "version": "" }, { @@ -1137,11 +961,9 @@ "source_relative_path": "wiki/Relationships-Referenced.md", "output": { ".html": { - "relative_path": "wiki/Relationships-Referenced.html", - "hash": "wC22D4FeirzCBJaYLzppnDEAmgqwmjDGIqvbYn5F+Xk=" + "relative_path": "wiki/Relationships-Referenced.html" } }, - "is_incremental": false, "version": "" }, { @@ -1149,11 +971,9 @@ "source_relative_path": "wiki/Schema-Changes.md", "output": { ".html": { - "relative_path": "wiki/Schema-Changes.html", - "hash": "SCl4YTYpULX2NqVOfNqCEwnlecubqJQyD8M/UPcR+Cg=" + "relative_path": "wiki/Schema-Changes.html" } }, - "is_incremental": false, "version": "" }, { @@ -1161,11 +981,9 @@ "source_relative_path": "wiki/String-Templates.md", "output": { ".html": { - "relative_path": "wiki/String-Templates.html", - "hash": "1UN7AFY6RDETOqW0OB/edp2gFVbknzPTat+ZNv9KOIQ=" + "relative_path": "wiki/String-Templates.html" } }, - "is_incremental": false, "version": "" }, { @@ -1173,11 +991,9 @@ "source_relative_path": "wiki/Transactions.md", "output": { ".html": { - "relative_path": "wiki/Transactions.html", - "hash": "LbavTjIih03vUn8treLOixRigbHGjYS1Gd+lOqRotMs=" + "relative_path": "wiki/Transactions.html" } }, - "is_incremental": false, "version": "" }, { @@ -1185,65 +1001,15 @@ "source_relative_path": "wiki/toc.md", "output": { ".html": { - "relative_path": "wiki/toc.html", - "hash": "fh4sCn3N0zgBFK3tVuWv7pg9P91jKcm5CzRbE//X7cw=" - } - }, - "is_incremental": false, - "version": "" - } - ], - "incremental_info": [ - { - "status": { - "can_incremental": false, - "details": "Cannot build incrementally because config changed.", - "incrementalPhase": "build", - "total_file_count": 0, - "skipped_file_count": 0, - "full_build_reason_code": "ConfigChanged" - }, - "processors": { - "ConceptualDocumentProcessor": { - "can_incremental": false, - "incrementalPhase": "build", - "total_file_count": 34, - "skipped_file_count": 0 - }, - "ManagedReferenceDocumentProcessor": { - "can_incremental": false, - "incrementalPhase": "build", - "total_file_count": 54, - "skipped_file_count": 0 + "relative_path": "wiki/toc.html" }, - "ResourceDocumentProcessor": { - "can_incremental": false, - "details": "Processor ResourceDocumentProcessor cannot support incremental build because the processor doesn't implement ISupportIncrementalDocumentProcessor interface.", - "incrementalPhase": "build", - "total_file_count": 0, - "skipped_file_count": 0 - }, - "TocDocumentProcessor": { - "can_incremental": false, - "details": "Processor TocDocumentProcessor cannot support incremental build because the processor doesn't implement ISupportIncrementalDocumentProcessor interface.", - "incrementalPhase": "build", - "total_file_count": 0, - "skipped_file_count": 0 + ".json": { + "relative_path": "wiki/toc.json" } - } - }, - { - "status": { - "can_incremental": false, - "details": "Cannot support incremental post processing, the reason is: should not trace intermediate info.", - "incrementalPhase": "postProcessing", - "total_file_count": 0, - "skipped_file_count": 0 }, - "processors": {} + "version": "" } ], - "version_info": {}, "groups": [ { "xrefmap": "xrefmap.yml" diff --git a/docs/search-stopwords.json b/docs/search-stopwords.json index ba9cef20c..0bdcc2c00 100644 --- a/docs/search-stopwords.json +++ b/docs/search-stopwords.json @@ -1,121 +1,121 @@ -[ - "a", - "able", - "about", - "across", - "after", - "all", - "almost", - "also", - "am", - "among", - "an", - "and", - "any", - "are", - "as", - "at", - "be", - "because", - "been", - "but", - "by", - "can", - "cannot", - "could", - "dear", - "did", - "do", - "does", - "either", - "else", - "ever", - "every", - "for", - "from", - "get", - "got", - "had", - "has", - "have", - "he", - "her", - "hers", - "him", - "his", - "how", - "however", - "i", - "if", - "in", - "into", - "is", - "it", - "its", - "just", - "least", - "let", - "like", - "likely", - "may", - "me", - "might", - "most", - "must", - "my", - "neither", - "no", - "nor", - "not", - "of", - "off", - "often", - "on", - "only", - "or", - "other", - "our", - "own", - "rather", - "said", - "say", - "says", - "she", - "should", - "since", - "so", - "some", - "than", - "that", - "the", - "their", - "them", - "then", - "there", - "these", - "they", - "this", - "tis", - "to", - "too", - "twas", - "us", - "wants", - "was", - "we", - "were", - "what", - "when", - "where", - "which", - "while", - "who", - "whom", - "why", - "will", - "with", - "would", - "yet", - "you", - "your" -] +[ + "a", + "able", + "about", + "across", + "after", + "all", + "almost", + "also", + "am", + "among", + "an", + "and", + "any", + "are", + "as", + "at", + "be", + "because", + "been", + "but", + "by", + "can", + "cannot", + "could", + "dear", + "did", + "do", + "does", + "either", + "else", + "ever", + "every", + "for", + "from", + "get", + "got", + "had", + "has", + "have", + "he", + "her", + "hers", + "him", + "his", + "how", + "however", + "i", + "if", + "in", + "into", + "is", + "it", + "its", + "just", + "least", + "let", + "like", + "likely", + "may", + "me", + "might", + "most", + "must", + "my", + "neither", + "no", + "nor", + "not", + "of", + "off", + "often", + "on", + "only", + "or", + "other", + "our", + "own", + "rather", + "said", + "say", + "says", + "she", + "should", + "since", + "so", + "some", + "than", + "that", + "the", + "their", + "them", + "then", + "there", + "these", + "they", + "this", + "tis", + "to", + "too", + "twas", + "us", + "wants", + "was", + "we", + "were", + "what", + "when", + "where", + "which", + "while", + "who", + "whom", + "why", + "will", + "with", + "would", + "yet", + "you", + "your" +] diff --git a/docs/styles/docfx.css b/docs/styles/docfx.css index d66c4d537..7d80d1393 100644 --- a/docs/styles/docfx.css +++ b/docs/styles/docfx.css @@ -1,1032 +1,1041 @@ -/* Copyright (c) Microsoft Corporation. All Rights Reserved. Licensed under the MIT License. See License.txt in the project root for license information. */ -html, -body { - font-family: 'Segoe UI', Tahoma, Helvetica, sans-serif; - height: 100%; -} -button, -a { - color: #337ab7; - cursor: pointer; -} -button:hover, -button:focus, -a:hover, -a:focus { - color: #23527c; - text-decoration: none; -} -a.disable, -a.disable:hover { - text-decoration: none; - cursor: default; - color: #000000; -} - -h1, h2, h3, h4, h5, h6, .text-break { - word-wrap: break-word; - word-break: break-word; -} - -h1 mark, -h2 mark, -h3 mark, -h4 mark, -h5 mark, -h6 mark { - padding: 0; -} - -.inheritance .level0:before, -.inheritance .level1:before, -.inheritance .level2:before, -.inheritance .level3:before, -.inheritance .level4:before, -.inheritance .level5:before, -.inheritance .level6:before, -.inheritance .level7:before, -.inheritance .level8:before, -.inheritance .level9:before { - content: '↳'; - margin-right: 5px; -} - -.inheritance .level0 { - margin-left: 0em; -} - -.inheritance .level1 { - margin-left: 1em; -} - -.inheritance .level2 { - margin-left: 2em; -} - -.inheritance .level3 { - margin-left: 3em; -} - -.inheritance .level4 { - margin-left: 4em; -} - -.inheritance .level5 { - margin-left: 5em; -} - -.inheritance .level6 { - margin-left: 6em; -} - -.inheritance .level7 { - margin-left: 7em; -} - -.inheritance .level8 { - margin-left: 8em; -} - -.inheritance .level9 { - margin-left: 9em; -} - -.level0.summary { - margin: 2em 0 2em 0; -} - -.level1.summary { - margin: 1em 0 1em 0; -} - -span.parametername, -span.paramref, -span.typeparamref { - font-style: italic; -} -span.languagekeyword{ - font-weight: bold; -} - -svg:hover path { - fill: #ffffff; -} - -.hljs { - display: inline; - background-color: inherit; - padding: 0; -} -/* additional spacing fixes */ -.btn + .btn { - margin-left: 10px; -} -.btn.pull-right { - margin-left: 10px; - margin-top: 5px; -} -.table { - margin-bottom: 10px; -} -table p { - margin-bottom: 0; -} -table a { - display: inline-block; -} - -/* Make hidden attribute compatible with old browser.*/ -[hidden] { - display: none !important; -} - -h1, -.h1, -h2, -.h2, -h3, -.h3 { - margin-top: 15px; - margin-bottom: 10px; - font-weight: 400; -} -h4, -.h4, -h5, -.h5, -h6, -.h6 { - margin-top: 10px; - margin-bottom: 5px; -} -.navbar { - margin-bottom: 0; -} -#wrapper { - min-height: 100%; - position: relative; -} -/* blends header footer and content together with gradient effect */ -.grad-top { - /* For Safari 5.1 to 6.0 */ - /* For Opera 11.1 to 12.0 */ - /* For Firefox 3.6 to 15 */ - background: linear-gradient(rgba(0, 0, 0, 0.05), rgba(0, 0, 0, 0)); - /* Standard syntax */ - height: 5px; -} -.grad-bottom { - /* For Safari 5.1 to 6.0 */ - /* For Opera 11.1 to 12.0 */ - /* For Firefox 3.6 to 15 */ - background: linear-gradient(rgba(0, 0, 0, 0), rgba(0, 0, 0, 0.05)); - /* Standard syntax */ - height: 5px; -} -.divider { - margin: 0 5px; - color: #cccccc; -} -hr { - border-color: #cccccc; -} -header { - position: fixed; - top: 0; - left: 0; - right: 0; - z-index: 1000; -} -header .navbar { - border-width: 0 0 1px; - border-radius: 0; -} -.navbar-brand { - font-size: inherit; - padding: 0; -} -.navbar-collapse { - margin: 0 -15px; -} -.subnav { - min-height: 40px; -} - -.inheritance h5, .inheritedMembers h5{ - padding-bottom: 5px; - border-bottom: 1px solid #ccc; -} - -article h1, article h2, article h3, article h4{ - margin-top: 25px; -} - -article h4{ - border: 0; - font-weight: bold; - margin-top: 2em; -} - -article span.small.pull-right{ - margin-top: 20px; -} - -article section { - margin-left: 1em; -} - -/*.expand-all { - padding: 10px 0; -}*/ -.breadcrumb { - margin: 0; - padding: 10px 0; - background-color: inherit; - white-space: nowrap; -} -.breadcrumb > li + li:before { - content: "\00a0/"; -} -#autocollapse.collapsed .navbar-header { - float: none; -} -#autocollapse.collapsed .navbar-toggle { - display: block; -} -#autocollapse.collapsed .navbar-collapse { - border-top: 1px solid transparent; - box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1); -} -#autocollapse.collapsed .navbar-collapse.collapse { - display: none !important; -} -#autocollapse.collapsed .navbar-nav { - float: none !important; - margin: 7.5px -15px; -} -#autocollapse.collapsed .navbar-nav > li { - float: none; -} -#autocollapse.collapsed .navbar-nav > li > a { - padding-top: 10px; - padding-bottom: 10px; -} -#autocollapse.collapsed .collapse.in, -#autocollapse.collapsed .collapsing { - display: block !important; -} -#autocollapse.collapsed .collapse.in .navbar-right, -#autocollapse.collapsed .collapsing .navbar-right { - float: none !important; -} -#autocollapse .form-group { - width: 100%; -} -#autocollapse .form-control { - width: 100%; -} -#autocollapse .navbar-header { - margin-left: 0; - margin-right: 0; -} -#autocollapse .navbar-brand { - margin-left: 0; -} -.collapse.in, -.collapsing { - text-align: center; -} -.collapsing .navbar-form { - margin: 0 auto; - max-width: 400px; - padding: 10px 15px; - box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1); -} -.collapsed .collapse.in .navbar-form { - margin: 0 auto; - max-width: 400px; - padding: 10px 15px; - box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1); -} -.navbar .navbar-nav { - display: inline-block; -} -.docs-search { - background: white; - vertical-align: middle; -} -.docs-search > .search-query { - font-size: 14px; - border: 0; - width: 120%; - color: #555; -} -.docs-search > .search-query:focus { - outline: 0; -} -.search-results-frame { - clear: both; - display: table; - width: 100%; -} -.search-results.ng-hide { - display: none; -} -.search-results-container { - padding-bottom: 1em; - border-top: 1px solid #111; - background: rgba(25, 25, 25, 0.5); -} -.search-results-container .search-results-group { - padding-top: 50px !important; - padding: 10px; -} -.search-results-group-heading { - font-family: "Open Sans"; - padding-left: 10px; - color: white; -} -.search-close { - position: absolute; - left: 50%; - margin-left: -100px; - color: white; - text-align: center; - padding: 5px; - background: #333; - border-top-right-radius: 5px; - border-top-left-radius: 5px; - width: 200px; - box-shadow: 0 0 10px #111; -} -#search { - display: none; -} - -/* Search results display*/ -#search-results { - max-width: 960px !important; - margin-top: 120px; - margin-bottom: 115px; - margin-left: auto; - margin-right: auto; - line-height: 1.8; - display: none; -} - -#search-results>.search-list { - text-align: center; - font-size: 2.5rem; - margin-bottom: 50px; -} - -#search-results p { - text-align: center; -} - -#search-results p .index-loading { - animation: index-loading 1.5s infinite linear; - -webkit-animation: index-loading 1.5s infinite linear; - -o-animation: index-loading 1.5s infinite linear; - font-size: 2.5rem; -} - -@keyframes index-loading { - from { transform: scale(1) rotate(0deg);} - to { transform: scale(1) rotate(360deg);} -} - -@-webkit-keyframes index-loading { - from { -webkit-transform: rotate(0deg);} - to { -webkit-transform: rotate(360deg);} -} - -@-o-keyframes index-loading { - from { -o-transform: rotate(0deg);} - to { -o-transform: rotate(360deg);} -} - -#search-results .sr-items { - font-size: 24px; -} - -.sr-item { - margin-bottom: 25px; -} - -.sr-item>.item-href { - font-size: 14px; - color: #093; -} - -.sr-item>.item-brief { - font-size: 13px; -} - -.pagination>li>a { - color: #47A7A0 -} - -.pagination>.active>a { - background-color: #47A7A0; - border-color: #47A7A0; -} - -.fixed_header { - position: fixed; - width: 100%; - padding-bottom: 10px; - padding-top: 10px; - margin: 0px; - top: 0; - z-index: 9999; - left: 0; -} - -.fixed_header+.toc{ - margin-top: 50px; - margin-left: 0; -} - -.sidenav, .fixed_header, .toc { - background-color: #f1f1f1; -} - -.sidetoc { - position: fixed; - width: 260px; - top: 150px; - bottom: 0; - overflow-x: hidden; - overflow-y: auto; - background-color: #f1f1f1; - border-left: 1px solid #e7e7e7; - border-right: 1px solid #e7e7e7; - z-index: 1; -} - -.sidetoc.shiftup { - bottom: 70px; -} - -body .toc{ - background-color: #f1f1f1; - overflow-x: hidden; -} - -.sidetoggle.ng-hide { - display: block !important; -} -.sidetoc-expand > .caret { - margin-left: 0px; - margin-top: -2px; -} -.sidetoc-expand > .caret-side { - border-left: 4px solid; - border-top: 4px solid transparent; - border-bottom: 4px solid transparent; - margin-left: 4px; - margin-top: -4px; -} -.sidetoc-heading { - font-weight: 500; -} - -.toc { - margin: 0px 0 0 10px; - padding: 0 10px; -} -.expand-stub { - position: absolute; - left: -10px; -} -.toc .nav > li > a.sidetoc-expand { - position: absolute; - top: 0; - left: 0; -} -.toc .nav > li > a { - color: #666666; - margin-left: 5px; - display: block; - padding: 0; -} -.toc .nav > li > a:hover, -.toc .nav > li > a:focus { - color: #000000; - background: none; - text-decoration: inherit; -} -.toc .nav > li.active > a { - color: #337ab7; -} -.toc .nav > li.active > a:hover, -.toc .nav > li.active > a:focus { - color: #23527c; -} - -.toc .nav > li> .expand-stub { - cursor: pointer; -} - -.toc .nav > li.active > .expand-stub::before, -.toc .nav > li.in > .expand-stub::before, -.toc .nav > li.in.active > .expand-stub::before, -.toc .nav > li.filtered > .expand-stub::before { - content: "-"; -} - -.toc .nav > li > .expand-stub::before, -.toc .nav > li.active > .expand-stub::before { - content: "+"; -} - -.toc .nav > li.filtered > ul, -.toc .nav > li.in > ul { - display: block; -} - -.toc .nav > li > ul { - display: none; -} - -.toc ul{ - font-size: 12px; - margin: 0 0 0 3px; -} - -.toc .level1 > li { - font-weight: bold; - margin-top: 10px; - position: relative; - font-size: 16px; -} -.toc .level2 { - font-weight: normal; - margin: 5px 0 0 15px; - font-size: 14px; -} -.toc-toggle { - display: none; - margin: 0 15px 0px 15px; -} -.sidefilter { - position: fixed; - top: 90px; - width: 260px; - background-color: #f1f1f1; - padding: 15px; - border-left: 1px solid #e7e7e7; - border-right: 1px solid #e7e7e7; - z-index: 1; -} -.toc-filter { - border-radius: 5px; - background: #fff; - color: #666666; - padding: 5px; - position: relative; - margin: 0 5px 0 5px; -} -.toc-filter > input { - border: 0; - color: #666666; - padding-left: 20px; - padding-right: 20px; - width: 100%; -} -.toc-filter > input:focus { - outline: 0; -} -.toc-filter > .filter-icon { - position: absolute; - top: 10px; - left: 5px; -} -.toc-filter > .clear-icon { - position: absolute; - top: 10px; - right: 5px; -} -.article { - margin-top: 120px; - margin-bottom: 115px; -} - -#_content>a{ - margin-top: 105px; -} - -.article.grid-right { - margin-left: 280px; -} - -.inheritance hr { - margin-top: 5px; - margin-bottom: 5px; -} -.article img { - max-width: 100%; -} -.sideaffix { - margin-top: 50px; - font-size: 12px; - max-height: 100%; - overflow: hidden; - top: 100px; - bottom: 10px; - position: fixed; -} -.sideaffix.shiftup { - bottom: 70px; -} -.affix { - position: relative; - height: 100%; -} -.sideaffix > div.contribution { - margin-bottom: 20px; -} -.sideaffix > div.contribution > ul > li > a.contribution-link { - padding: 6px 10px; - font-weight: bold; - font-size: 14px; -} -.sideaffix > div.contribution > ul > li > a.contribution-link:hover { - background-color: #ffffff; -} -.sideaffix ul.nav > li > a:focus { - background: none; -} -.affix h5 { - font-weight: bold; - text-transform: uppercase; - padding-left: 10px; - font-size: 12px; -} -.affix > ul.level1 { - overflow: hidden; - padding-bottom: 10px; - height: calc(100% - 100px); -} -.affix ul > li > a:before { - color: #cccccc; - position: absolute; -} -.affix ul > li > a:hover { - background: none; - color: #666666; -} -.affix ul > li.active > a, -.affix ul > li.active > a:before { - color: #337ab7; -} -.affix ul > li > a { - padding: 5px 12px; - color: #666666; -} -.affix > ul > li.active:last-child { - margin-bottom: 50px; -} -.affix > ul > li > a:before { - content: "|"; - font-size: 16px; - top: 1px; - left: 0; -} -.affix > ul > li.active > a, -.affix > ul > li.active > a:before { - color: #337ab7; - font-weight: bold; -} -.affix ul ul > li > a { - padding: 2px 15px; -} -.affix ul ul > li > a:before { - content: ">"; - font-size: 14px; - top: -1px; - left: 5px; -} -.affix ul > li > a:before, -.affix ul ul { - display: none; -} -.affix ul > li.active > ul, -.affix ul > li.active > a:before, -.affix ul > li > a:hover:before { - display: block; - white-space: nowrap; -} -.codewrapper { - position: relative; -} -.trydiv { - height: 0px; -} -.tryspan { - position: absolute; - top: 0px; - right: 0px; - border-style: solid; - border-radius: 0px 4px; - box-sizing: border-box; - border-width: 1px; - border-color: #cccccc; - text-align: center; - padding: 2px 8px; - background-color: white; - font-size: 12px; - cursor: pointer; - z-index: 100; - display: none; - color: #767676; -} -.tryspan:hover { - background-color: #3b8bd0; - color: white; - border-color: #3b8bd0; -} -.codewrapper:hover .tryspan { - display: block; -} -.sample-response .response-content{ - max-height: 200px; -} -footer { - position: absolute; - left: 0; - right: 0; - bottom: 0; - z-index: 1000; -} -.footer { - border-top: 1px solid #e7e7e7; - background-color: #f8f8f8; - padding: 15px 0; -} -@media (min-width: 768px) { - #sidetoggle.collapse { - display: block; - } - .topnav .navbar-nav { - float: none; - white-space: nowrap; - } - .topnav .navbar-nav > li { - float: none; - display: inline-block; - } -} -@media only screen and (max-width: 768px) { - #mobile-indicator { - display: block; - } - /* TOC display for responsive */ - .article { - margin-top: 30px !important; - } - header { - position: static; - } - .topnav { - text-align: center; - } - .sidenav { - padding: 15px 0; - margin-left: -15px; - margin-right: -15px; - } - .sidefilter { - position: static; - width: auto; - float: none; - border: none; - } - .sidetoc { - position: static; - width: auto; - float: none; - padding-bottom: 0px; - border: none; - } - .toc .nav > li, .toc .nav > li >a { - display: inline-block; - } - .toc li:after { - margin-left: -3px; - margin-right: 5px; - content: ", "; - color: #666666; - } - .toc .level1 > li { - display: block; - } - - .toc .level1 > li:after { - display: none; - } - .article.grid-right { - margin-left: 0; - } - .grad-top, - .grad-bottom { - display: none; - } - .toc-toggle { - display: block; - } - .sidetoggle.ng-hide { - display: none !important; - } - /*.expand-all { - display: none; - }*/ - .sideaffix { - display: none; - } - .mobile-hide { - display: none; - } - .breadcrumb { - white-space: inherit; - } - - /* workaround for #hashtag url is no longer needed*/ - h1:before, - h2:before, - h3:before, - h4:before { - content: ''; - display: none; - } -} - -/* For toc iframe */ -@media (max-width: 260px) { - .toc .level2 > li { - display: block; - } - - .toc .level2 > li:after { - display: none; - } -} - -/* Code snippet */ -code { - color: #717374; - background-color: #f1f2f3; -} - -a code { - color: #337ab7; - background-color: #f1f2f3; -} - -a code:hover { - text-decoration: underline; -} - -.hljs-keyword { - color: rgb(86,156,214); -} - -.hljs-string { - color: rgb(214, 157, 133); -} - -pre { - border: 0; -} - -/* For code snippet line highlight */ -pre > code .line-highlight { - background-color: #ffffcc; -} - -/* Alerts */ -.alert h5 { - text-transform: uppercase; - font-weight: bold; - margin-top: 0; -} - -.alert h5:before { - position:relative; - top:1px; - display:inline-block; - font-family:'Glyphicons Halflings'; - line-height:1; - -webkit-font-smoothing:antialiased; - -moz-osx-font-smoothing:grayscale; - margin-right: 5px; - font-weight: normal; -} - -.alert-info h5:before { - content:"\e086" -} - -.alert-warning h5:before { - content:"\e127" -} - -.alert-danger h5:before { - content:"\e107" -} - -/* For Embedded Video */ -div.embeddedvideo { - padding-top: 56.25%; - position: relative; - width: 100%; -} - -div.embeddedvideo iframe { - position: absolute; - top: 0; - left: 0; - right: 0; - bottom: 0; - width: 100%; - height: 100%; -} - -/* For printer */ -@media print{ - .article.grid-right { - margin-top: 0px; - margin-left: 0px; - } - .sideaffix { - display: none; - } - .mobile-hide { - display: none; - } - .footer { - display: none; - } -} - -/* For tabbed content */ - -.tabGroup { - margin-top: 1rem; } - .tabGroup ul[role="tablist"] { - margin: 0; - padding: 0; - list-style: none; } - .tabGroup ul[role="tablist"] > li { - list-style: none; - display: inline-block; } - .tabGroup a[role="tab"] { - color: #6e6e6e; - box-sizing: border-box; - display: inline-block; - padding: 5px 7.5px; - text-decoration: none; - border-bottom: 2px solid #fff; } - .tabGroup a[role="tab"]:hover, .tabGroup a[role="tab"]:focus, .tabGroup a[role="tab"][aria-selected="true"] { - border-bottom: 2px solid #0050C5; } - .tabGroup a[role="tab"][aria-selected="true"] { - color: #222; } - .tabGroup a[role="tab"]:hover, .tabGroup a[role="tab"]:focus { - color: #0050C5; } - .tabGroup a[role="tab"]:focus { - outline: 1px solid #0050C5; - outline-offset: -1px; } - @media (min-width: 768px) { - .tabGroup a[role="tab"] { - padding: 5px 15px; } } - .tabGroup section[role="tabpanel"] { - border: 1px solid #e0e0e0; - padding: 15px; - margin: 0; - overflow: hidden; } - .tabGroup section[role="tabpanel"] > .codeHeader, - .tabGroup section[role="tabpanel"] > pre { - margin-left: -16px; - margin-right: -16px; } - .tabGroup section[role="tabpanel"] > :first-child { - margin-top: 0; } - .tabGroup section[role="tabpanel"] > pre:last-child { - display: block; - margin-bottom: -16px; } - -.mainContainer[dir='rtl'] main ul[role="tablist"] { - margin: 0; } - -/* Color theme */ - -/* These are not important, tune down **/ -.declaration, .fieldValue, .parameters, .returns { - color: #a2a2a2; -} - -/* Major sections, increase visibility **/ -#fields, #properties, #methods, #events { - font-weight: bold; - margin-top: 2em; -} +/** + * Licensed to the .NET Foundation under one or more agreements. + * The .NET Foundation licenses this file to you under the MIT license. + */ +html, +body { + font-family: 'Segoe UI', Tahoma, Helvetica, sans-serif; + height: 100%; +} +button, +a { + color: #337ab7; + cursor: pointer; +} +button:hover, +button:focus, +a:hover, +a:focus { + color: #23527c; + text-decoration: none; +} +a.disable, +a.disable:hover { + text-decoration: none; + cursor: default; + color: #000000; +} + +h1, h2, h3, h4, h5, h6, .text-break { + word-wrap: break-word; + word-break: break-word; +} + +h1 mark, +h2 mark, +h3 mark, +h4 mark, +h5 mark, +h6 mark { + padding: 0; +} + +.inheritance .level0:before, +.inheritance .level1:before, +.inheritance .level2:before, +.inheritance .level3:before, +.inheritance .level4:before, +.inheritance .level5:before, +.inheritance .level6:before, +.inheritance .level7:before, +.inheritance .level8:before, +.inheritance .level9:before { + content: '↳'; + margin-right: 5px; +} + +.inheritance .level0 { + margin-left: 0em; +} + +.inheritance .level1 { + margin-left: 1em; +} + +.inheritance .level2 { + margin-left: 2em; +} + +.inheritance .level3 { + margin-left: 3em; +} + +.inheritance .level4 { + margin-left: 4em; +} + +.inheritance .level5 { + margin-left: 5em; +} + +.inheritance .level6 { + margin-left: 6em; +} + +.inheritance .level7 { + margin-left: 7em; +} + +.inheritance .level8 { + margin-left: 8em; +} + +.inheritance .level9 { + margin-left: 9em; +} + +.level0.summary { + margin: 2em 0 2em 0; +} + +.level1.summary { + margin: 1em 0 1em 0; +} + +span.parametername, +span.paramref, +span.typeparamref { + font-style: italic; +} +span.languagekeyword{ + font-weight: bold; +} + +.hljs { + display: inline; + background-color: inherit; + padding: 0; +} +/* additional spacing fixes */ +.btn + .btn { + margin-left: 10px; +} +.btn.pull-right { + margin-left: 10px; + margin-top: 5px; +} +.table { + margin-bottom: 10px; +} +table p { + margin-bottom: 0; +} +table a { + display: inline-block; +} + +/* Make hidden attribute compatible with old browser.*/ +[hidden] { + display: none !important; +} + +h1, +.h1, +h2, +.h2, +h3, +.h3 { + margin-top: 15px; + margin-bottom: 10px; + font-weight: 400; +} +h4, +.h4, +h5, +.h5, +h6, +.h6 { + margin-top: 10px; + margin-bottom: 5px; +} +.navbar { + margin-bottom: 0; +} +#wrapper { + min-height: 100%; + position: relative; +} +/* blends header footer and content together with gradient effect */ +.grad-top { + /* For Safari 5.1 to 6.0 */ + /* For Opera 11.1 to 12.0 */ + /* For Firefox 3.6 to 15 */ + background: linear-gradient(rgba(0, 0, 0, 0.05), rgba(0, 0, 0, 0)); + /* Standard syntax */ + height: 5px; +} +.grad-bottom { + /* For Safari 5.1 to 6.0 */ + /* For Opera 11.1 to 12.0 */ + /* For Firefox 3.6 to 15 */ + background: linear-gradient(rgba(0, 0, 0, 0), rgba(0, 0, 0, 0.05)); + /* Standard syntax */ + height: 5px; +} +.divider { + margin: 0 5px; + color: #cccccc; +} +hr { + border-color: #cccccc; +} +header { + position: fixed; + top: 0; + left: 0; + right: 0; + z-index: 1000; +} +header .navbar { + border-width: 0 0 1px; + border-radius: 0; +} +.navbar-brand { + font-size: inherit; + padding: 0; +} +.navbar-collapse { + margin: 0 -15px; +} +.subnav { + min-height: 40px; +} + +.inheritance h5, .inheritedMembers h5{ + padding-bottom: 5px; + border-bottom: 1px solid #ccc; +} + +article h1, article h2, article h3, article h4{ + margin-top: 25px; +} + +article h4{ + border: 0; + font-weight: bold; + margin-top: 2em; +} + +article span.small.pull-right{ + margin-top: 20px; +} + +article section { + margin-left: 1em; +} + +/*.expand-all { + padding: 10px 0; +}*/ +.breadcrumb { + margin: 0; + padding: 10px 0; + background-color: inherit; + white-space: nowrap; +} +.breadcrumb > li + li:before { + content: "\00a0/"; +} +#autocollapse.collapsed .navbar-header { + float: none; +} +#autocollapse.collapsed .navbar-toggle { + display: block; +} +#autocollapse.collapsed .navbar-collapse { + border-top: 1px solid transparent; + box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1); +} +#autocollapse.collapsed .navbar-collapse.collapse { + display: none !important; +} +#autocollapse.collapsed .navbar-nav { + float: none !important; + margin: 7.5px -15px; +} +#autocollapse.collapsed .navbar-nav > li { + float: none; +} +#autocollapse.collapsed .navbar-nav > li > a { + padding-top: 10px; + padding-bottom: 10px; +} +#autocollapse.collapsed .collapse.in, +#autocollapse.collapsed .collapsing { + display: block !important; +} +#autocollapse.collapsed .collapse.in .navbar-right, +#autocollapse.collapsed .collapsing .navbar-right { + float: none !important; +} +#autocollapse .form-group { + width: 100%; +} +#autocollapse .form-control { + width: 100%; +} +#autocollapse .navbar-header { + margin-left: 0; + margin-right: 0; +} +#autocollapse .navbar-brand { + margin-left: 0; +} +.collapse.in, +.collapsing { + text-align: center; +} +.collapsing .navbar-form { + margin: 0 auto; + max-width: 400px; + padding: 10px 15px; + box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1); +} +.collapsed .collapse.in .navbar-form { + margin: 0 auto; + max-width: 400px; + padding: 10px 15px; + box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1); +} +.navbar .navbar-nav { + display: inline-block; +} +.docs-search { + background: white; + vertical-align: middle; +} +.docs-search > .search-query { + font-size: 14px; + border: 0; + width: 120%; + color: #555; +} +.docs-search > .search-query:focus { + outline: 0; +} +.search-results-frame { + clear: both; + display: table; + width: 100%; +} +.search-results.ng-hide { + display: none; +} +.search-results-container { + padding-bottom: 1em; + border-top: 1px solid #111; + background: rgba(25, 25, 25, 0.5); +} +.search-results-container .search-results-group { + padding-top: 50px !important; + padding: 10px; +} +.search-results-group-heading { + font-family: "Open Sans"; + padding-left: 10px; + color: white; +} +.search-close { + position: absolute; + left: 50%; + margin-left: -100px; + color: white; + text-align: center; + padding: 5px; + background: #333; + border-top-right-radius: 5px; + border-top-left-radius: 5px; + width: 200px; + box-shadow: 0 0 10px #111; +} +#search { + display: none; +} + +/* Search results display*/ +#search-results { + max-width: 960px !important; + margin-top: 120px; + margin-bottom: 115px; + margin-left: auto; + margin-right: auto; + line-height: 1.8; + display: none; +} + +#search-results>.search-list { + text-align: center; + font-size: 2.5rem; + margin-bottom: 50px; +} + +#search-results p { + text-align: center; +} + +#search-results p .index-loading { + animation: index-loading 1.5s infinite linear; + -webkit-animation: index-loading 1.5s infinite linear; + -o-animation: index-loading 1.5s infinite linear; + font-size: 2.5rem; +} + +@keyframes index-loading { + from { transform: scale(1) rotate(0deg);} + to { transform: scale(1) rotate(360deg);} +} + +@-webkit-keyframes index-loading { + from { -webkit-transform: rotate(0deg);} + to { -webkit-transform: rotate(360deg);} +} + +@-o-keyframes index-loading { + from { -o-transform: rotate(0deg);} + to { -o-transform: rotate(360deg);} +} + +#search-results .sr-items { + font-size: 24px; +} + +.sr-item { + margin-bottom: 25px; +} + +.sr-item>.item-href { + font-size: 14px; + color: #093; +} + +.sr-item>.item-brief { + font-size: 13px; +} + +.pagination>li>a { + color: #47A7A0 +} + +.pagination>.active>a { + background-color: #47A7A0; + border-color: #47A7A0; +} + +.fixed_header { + position: fixed; + width: 100%; + padding-bottom: 10px; + padding-top: 10px; + margin: 0px; + top: 0; + z-index: 9999; + left: 0; +} + +.fixed_header+.toc{ + margin-top: 50px; + margin-left: 0; +} + +.sidenav, .fixed_header, .toc { + background-color: #f1f1f1; +} + +.sidetoc { + position: fixed; + width: 260px; + top: 150px; + bottom: 0; + overflow-x: hidden; + overflow-y: auto; + background-color: #f1f1f1; + border-left: 1px solid #e7e7e7; + border-right: 1px solid #e7e7e7; + z-index: 1; +} + +.sidetoc.shiftup { + bottom: 70px; +} + +body .toc{ + background-color: #f1f1f1; + overflow-x: hidden; +} + +.sidetoggle.ng-hide { + display: block !important; +} +.sidetoc-expand > .caret { + margin-left: 0px; + margin-top: -2px; +} +.sidetoc-expand > .caret-side { + border-left: 4px solid; + border-top: 4px solid transparent; + border-bottom: 4px solid transparent; + margin-left: 4px; + margin-top: -4px; +} +.sidetoc-heading { + font-weight: 500; +} + +.toc { + margin: 0px 0 0 10px; + padding: 0 10px; +} +.expand-stub { + position: absolute; + left: -10px; + font-weight: bold; +} +.expand-stub + a { + font-weight: bold; +} +.toc .nav > li > a.sidetoc-expand { + position: absolute; + top: 0; + left: 0; +} +.toc .nav > li > a { + color: #666666; + margin-left: 5px; + display: block; + padding: 0; +} +.toc .nav > li > a:hover, +.toc .nav > li > a:focus { + color: #000000; + background: none; + text-decoration: inherit; +} +.toc .nav > li.active > a { + color: #337ab7; +} +.toc .nav > li.active > a:hover, +.toc .nav > li.active > a:focus { + color: #23527c; +} + +.toc .nav > li> .expand-stub { + cursor: pointer; +} + +.toc .nav > li.active > .expand-stub::before, +.toc .nav > li.in > .expand-stub::before, +.toc .nav > li.in.active > .expand-stub::before, +.toc .nav > li.filtered > .expand-stub::before { + content: "-"; +} + +.toc .nav > li > .expand-stub::before, +.toc .nav > li.active > .expand-stub::before { + content: "+"; +} + +.toc .nav > li.filtered > ul, +.toc .nav > li.in > ul { + display: block; +} + +.toc .nav > li > ul { + display: none; +} + +.toc ul{ + font-size: 12px; + margin: 0 0 0 3px; +} + +.toc .level1 > li { + font-weight: bold; + margin-top: 10px; + position: relative; + font-size: 16px; +} +.toc .level2 { + font-weight: normal; + margin: 5px 0 0 15px; + font-size: 14px; +} +.toc-toggle { + display: none; + margin: 0 15px 0px 15px; +} +.sidefilter { + position: fixed; + top: 90px; + width: 260px; + background-color: #f1f1f1; + padding: 15px; + border-left: 1px solid #e7e7e7; + border-right: 1px solid #e7e7e7; + z-index: 1; +} +.toc-filter { + border-radius: 5px; + background: #fff; + color: #666666; + padding: 5px; + position: relative; + margin: 0 5px 0 5px; +} +.toc-filter > input { + border: 0; + color: #666666; + padding-left: 20px; + padding-right: 20px; + width: 100%; +} +.toc-filter > input:focus { + outline: 0; +} +.toc-filter > .filter-icon { + position: absolute; + top: 10px; + left: 5px; +} +.toc-filter > .clear-icon { + position: absolute; + top: 10px; + right: 5px; +} +.article { + margin-top: 120px; + margin-bottom: 115px; +} + +#_content>a{ + margin-top: 105px; +} + +.article.grid-right { + margin-left: 280px; +} + +.inheritance hr { + margin-top: 5px; + margin-bottom: 5px; +} +.article img { + max-width: 100%; +} +.sideaffix { + margin-top: 50px; + font-size: 12px; + max-height: 100%; + overflow: hidden; + top: 100px; + bottom: 10px; + position: fixed; +} +.sideaffix.shiftup { + bottom: 70px; +} +.affix { + position: relative; + height: 100%; +} +.sideaffix > div.contribution { + margin-bottom: 20px; +} +.sideaffix > div.contribution > ul > li > a.contribution-link { + padding: 6px 10px; + font-weight: bold; + font-size: 14px; +} +.sideaffix > div.contribution > ul > li > a.contribution-link:hover { + background-color: #ffffff; +} +.sideaffix ul.nav > li > a:focus { + background: none; +} +.affix h5 { + font-weight: bold; + text-transform: uppercase; + padding-left: 10px; + font-size: 12px; +} +.affix > ul.level1 { + overflow: hidden; + padding-bottom: 10px; + height: calc(100% - 100px); +} +.affix ul > li > a:before { + color: #cccccc; + position: absolute; +} +.affix ul > li > a:hover { + background: none; + color: #666666; +} +.affix ul > li.active > a, +.affix ul > li.active > a:before { + color: #337ab7; +} +.affix ul > li > a { + padding: 5px 12px; + color: #666666; +} +.affix > ul > li.active:last-child { + margin-bottom: 50px; +} +.affix > ul > li > a:before { + content: "|"; + font-size: 16px; + top: 1px; + left: 0; +} +.affix > ul > li.active > a, +.affix > ul > li.active > a:before { + color: #337ab7; + font-weight: bold; +} +.affix ul ul > li > a { + padding: 2px 15px; +} +.affix ul ul > li > a:before { + content: ">"; + font-size: 14px; + top: -1px; + left: 5px; +} +.affix ul > li > a:before, +.affix ul ul { + display: none; +} +.affix ul > li.active > ul, +.affix ul > li.active > a:before, +.affix ul > li > a:hover:before { + display: block; + white-space: nowrap; +} +.codewrapper { + position: relative; +} +.trydiv { + height: 0px; +} +.tryspan { + position: absolute; + top: 0px; + right: 0px; + border-style: solid; + border-radius: 0px 4px; + box-sizing: border-box; + border-width: 1px; + border-color: #cccccc; + text-align: center; + padding: 2px 8px; + background-color: white; + font-size: 12px; + cursor: pointer; + z-index: 100; + display: none; + color: #767676; +} +.tryspan:hover { + background-color: #3b8bd0; + color: white; + border-color: #3b8bd0; +} +.codewrapper:hover .tryspan { + display: block; +} +.sample-response .response-content{ + max-height: 200px; +} +footer { + position: absolute; + left: 0; + right: 0; + bottom: 0; + z-index: 1000; +} +.footer { + border-top: 1px solid #e7e7e7; + background-color: #f8f8f8; + padding: 15px 0; +} +@media (min-width: 768px) { + #sidetoggle.collapse { + display: block; + } + .topnav .navbar-nav { + float: none; + white-space: nowrap; + } + .topnav .navbar-nav > li { + float: none; + display: inline-block; + } +} +@media only screen and (max-width: 768px) { + #mobile-indicator { + display: block; + } + /* TOC display for responsive */ + .article { + margin-top: 30px !important; + } + header { + position: static; + } + .topnav { + text-align: center; + } + .sidenav { + padding: 15px 0; + margin-left: -15px; + margin-right: -15px; + } + .sidefilter { + position: static; + width: auto; + float: none; + border: none; + } + .sidetoc { + position: static; + width: auto; + float: none; + padding-bottom: 0px; + border: none; + } + .toc .nav > li, .toc .nav > li >a { + display: inline-block; + } + .toc li:after { + margin-left: -3px; + margin-right: 5px; + content: ", "; + color: #666666; + } + .toc .level1 > li { + display: block; + } + + .toc .level1 > li:after { + display: none; + } + .article.grid-right { + margin-left: 0; + } + .grad-top, + .grad-bottom { + display: none; + } + .toc-toggle { + display: block; + } + .sidetoggle.ng-hide { + display: none !important; + } + /*.expand-all { + display: none; + }*/ + .sideaffix { + display: none; + } + .mobile-hide { + display: none; + } + .breadcrumb { + white-space: inherit; + } + + /* workaround for #hashtag url is no longer needed*/ + h1:before, + h2:before, + h3:before, + h4:before { + content: ''; + display: none; + } +} + +/* For toc iframe */ +@media (max-width: 260px) { + .toc .level2 > li { + display: block; + } + + .toc .level2 > li:after { + display: none; + } +} + +/* Code snippet */ +code { + color: #717374; + background-color: #f1f2f3; +} + +a code { + color: #337ab7; + background-color: #f1f2f3; +} + +a code:hover { + text-decoration: underline; +} + +.hljs-keyword { + color: rgb(86,156,214); +} + +.hljs-string { + color: rgb(214, 157, 133); +} + +pre { + border: 0; +} + +/* For code snippet line highlight */ +pre > code .line-highlight { + background-color: #ffffcc; +} + +/* Alerts */ +.alert h5 { + text-transform: uppercase; + font-weight: bold; + margin-top: 0; +} + +.alert h5:before { + position:relative; + top:1px; + display:inline-block; + font-family:'Glyphicons Halflings'; + line-height:1; + -webkit-font-smoothing:antialiased; + -moz-osx-font-smoothing:grayscale; + margin-right: 5px; + font-weight: normal; +} + +.alert-info h5:before { + content:"\e086" +} + +.alert-warning h5:before { + content:"\e127" +} + +.alert-danger h5:before { + content:"\e107" +} + +/* For Embedded Video */ +div.embeddedvideo { + padding-top: 56.25%; + position: relative; + width: 100%; +} + +div.embeddedvideo iframe { + position: absolute; + top: 0; + left: 0; + right: 0; + bottom: 0; + width: 100%; + height: 100%; +} + +/* For printer */ +@media print{ + .article.grid-right { + margin-top: 0px; + margin-left: 0px; + } + .sideaffix { + display: none; + } + .mobile-hide { + display: none; + } + .footer { + display: none; + } +} + +/* For tabbed content */ + +.tabGroup { + margin-top: 1rem; } + .tabGroup ul[role="tablist"] { + margin: 0; + padding: 0; + list-style: none; } + .tabGroup ul[role="tablist"] > li { + list-style: none; + display: inline-block; } + .tabGroup a[role="tab"] { + color: #6e6e6e; + box-sizing: border-box; + display: inline-block; + padding: 5px 7.5px; + text-decoration: none; + border-bottom: 2px solid #fff; } + .tabGroup a[role="tab"]:hover, .tabGroup a[role="tab"]:focus, .tabGroup a[role="tab"][aria-selected="true"] { + border-bottom: 2px solid #0050C5; } + .tabGroup a[role="tab"][aria-selected="true"] { + color: #222; } + .tabGroup a[role="tab"]:hover, .tabGroup a[role="tab"]:focus { + color: #0050C5; } + .tabGroup a[role="tab"]:focus { + outline: 1px solid #0050C5; + outline-offset: -1px; } + @media (min-width: 768px) { + .tabGroup a[role="tab"] { + padding: 5px 15px; } } + .tabGroup section[role="tabpanel"] { + border: 1px solid #e0e0e0; + padding: 15px; + margin: 0; + overflow: hidden; } + .tabGroup section[role="tabpanel"] > .codeHeader, + .tabGroup section[role="tabpanel"] > pre { + margin-left: -16px; + margin-right: -16px; } + .tabGroup section[role="tabpanel"] > :first-child { + margin-top: 0; } + .tabGroup section[role="tabpanel"] > pre:last-child { + display: block; + margin-bottom: -16px; } + +.mainContainer[dir='rtl'] main ul[role="tablist"] { + margin: 0; } + +/* Color theme */ + +/* These are not important, tune down **/ +.declaration, .fieldValue, .parameters, .returns { + color: #a2a2a2; +} + +/* Major sections, increase visibility **/ +#fields, #properties, #methods, #events { + font-weight: bold; + margin-top: 2em; +} + +@media print { + @page { + margin: .4in; + } +} diff --git a/docs/styles/docfx.js b/docs/styles/docfx.js index dbc902ca4..5bd62e284 100644 --- a/docs/styles/docfx.js +++ b/docs/styles/docfx.js @@ -1,1223 +1,1185 @@ -// Copyright (c) Microsoft. All rights reserved. Licensed under the MIT license. See LICENSE file in the project root for full license information. -$(function () { - var active = 'active'; - var expanded = 'in'; - var collapsed = 'collapsed'; - var filtered = 'filtered'; - var show = 'show'; - var hide = 'hide'; - var util = new utility(); - - workAroundFixedHeaderForAnchors(); - highlight(); - enableSearch(); - - renderTables(); - renderAlerts(); - renderLinks(); - renderNavbar(); - renderSidebar(); - renderAffix(); - renderFooter(); - renderLogo(); - - breakText(); - renderTabs(); - - window.refresh = function (article) { - // Update markup result - if (typeof article == 'undefined' || typeof article.content == 'undefined') - console.error("Null Argument"); - $("article.content").html(article.content); - - highlight(); - renderTables(); - renderAlerts(); - renderAffix(); - renderTabs(); - } - - // Add this event listener when needed - // window.addEventListener('content-update', contentUpdate); - - function breakText() { - $(".xref").addClass("text-break"); - var texts = $(".text-break"); - texts.each(function () { - $(this).breakWord(); - }); - } - - // Styling for tables in conceptual documents using Bootstrap. - // See http://getbootstrap.com/css/#tables - function renderTables() { - $('table').addClass('table table-bordered table-striped table-condensed').wrap('<div class=\"table-responsive\"></div>'); - } - - // Styling for alerts. - function renderAlerts() { - $('.NOTE, .TIP').addClass('alert alert-info'); - $('.WARNING').addClass('alert alert-warning'); - $('.IMPORTANT, .CAUTION').addClass('alert alert-danger'); - } - - // Enable anchors for headings. - (function () { - anchors.options = { - placement: 'left', - visible: 'hover' - }; - anchors.add('article h2:not(.no-anchor), article h3:not(.no-anchor), article h4:not(.no-anchor)'); - })(); - - // Open links to different host in a new window. - function renderLinks() { - if ($("meta[property='docfx:newtab']").attr("content") === "true") { - $(document.links).filter(function () { - return this.hostname !== window.location.hostname; - }).attr('target', '_blank'); - } - } - - // Enable highlight.js - function highlight() { - $('pre code').each(function (i, block) { - hljs.highlightBlock(block); - }); - $('pre code[highlight-lines]').each(function (i, block) { - if (block.innerHTML === "") return; - var lines = block.innerHTML.split('\n'); - - queryString = block.getAttribute('highlight-lines'); - if (!queryString) return; - - var ranges = queryString.split(','); - for (var j = 0, range; range = ranges[j++];) { - var found = range.match(/^(\d+)\-(\d+)?$/); - if (found) { - // consider region as `{startlinenumber}-{endlinenumber}`, in which {endlinenumber} is optional - var start = +found[1]; - var end = +found[2]; - if (isNaN(end) || end > lines.length) { - end = lines.length; - } - } else { - // consider region as a sigine line number - if (isNaN(range)) continue; - var start = +range; - var end = start; - } - if (start <= 0 || end <= 0 || start > end || start > lines.length) { - // skip current region if invalid - continue; - } - lines[start - 1] = '<span class="line-highlight">' + lines[start - 1]; - lines[end - 1] = lines[end - 1] + '</span>'; - } - - block.innerHTML = lines.join('\n'); - }); - } - - // Support full-text-search - function enableSearch() { - var query; - var relHref = $("meta[property='docfx\\:rel']").attr("content"); - if (typeof relHref === 'undefined') { - return; - } - try { - var worker = new Worker(relHref + 'styles/search-worker.js'); - if (!worker && !window.worker) { - localSearch(); - } else { - webWorkerSearch(); - } - - renderSearchBox(); - highlightKeywords(); - addSearchEvent(); - } catch (e) { - console.error(e); - } - - //Adjust the position of search box in navbar - function renderSearchBox() { - autoCollapse(); - $(window).on('resize', autoCollapse); - $(document).on('click', '.navbar-collapse.in', function (e) { - if ($(e.target).is('a')) { - $(this).collapse('hide'); - } - }); - - function autoCollapse() { - var navbar = $('#autocollapse'); - if (navbar.height() === null) { - setTimeout(autoCollapse, 300); - } - navbar.removeClass(collapsed); - if (navbar.height() > 60) { - navbar.addClass(collapsed); - } - } - } - - // Search factory - function localSearch() { - console.log("using local search"); - var lunrIndex = lunr(function () { - this.ref('href'); - this.field('title', { boost: 50 }); - this.field('keywords', { boost: 20 }); - }); - lunr.tokenizer.seperator = /[\s\-\.]+/; - var searchData = {}; - var searchDataRequest = new XMLHttpRequest(); - - var indexPath = relHref + "index.json"; - if (indexPath) { - searchDataRequest.open('GET', indexPath); - searchDataRequest.onload = function () { - if (this.status != 200) { - return; - } - searchData = JSON.parse(this.responseText); - for (var prop in searchData) { - if (searchData.hasOwnProperty(prop)) { - lunrIndex.add(searchData[prop]); - } - } - } - searchDataRequest.send(); - } - - $("body").bind("queryReady", function () { - var hits = lunrIndex.search(query); - var results = []; - hits.forEach(function (hit) { - var item = searchData[hit.ref]; - results.push({ 'href': item.href, 'title': item.title, 'keywords': item.keywords }); - }); - handleSearchResults(results); - }); - } - - function webWorkerSearch() { - console.log("using Web Worker"); - var indexReady = $.Deferred(); - - worker.onmessage = function (oEvent) { - switch (oEvent.data.e) { - case 'index-ready': - indexReady.resolve(); - break; - case 'query-ready': - var hits = oEvent.data.d; - handleSearchResults(hits); - break; - } - } - - indexReady.promise().done(function () { - $("body").bind("queryReady", function () { - worker.postMessage({ q: query }); - }); - if (query && (query.length >= 3)) { - worker.postMessage({ q: query }); - } - }); - } - - // Highlight the searching keywords - function highlightKeywords() { - var q = url('?q'); - if (q) { - var keywords = q.split("%20"); - keywords.forEach(function (keyword) { - if (keyword !== "") { - $('.data-searchable *').mark(keyword); - $('article *').mark(keyword); - } - }); - } - } - - function addSearchEvent() { - $('body').bind("searchEvent", function () { - $('#search-query').keypress(function (e) { - return e.which !== 13; - }); - - $('#search-query').keyup(function () { - query = $(this).val(); - if (query.length < 3) { - flipContents("show"); - } else { - flipContents("hide"); - $("body").trigger("queryReady"); - $('#search-results>.search-list>span').text('"' + query + '"'); - } - }).off("keydown"); - }); - } - - function flipContents(action) { - if (action === "show") { - $('.hide-when-search').show(); - $('#search-results').hide(); - } else { - $('.hide-when-search').hide(); - $('#search-results').show(); - } - } - - function relativeUrlToAbsoluteUrl(currentUrl, relativeUrl) { - var currentItems = currentUrl.split(/\/+/); - var relativeItems = relativeUrl.split(/\/+/); - var depth = currentItems.length - 1; - var items = []; - for (var i = 0; i < relativeItems.length; i++) { - if (relativeItems[i] === '..') { - depth--; - } else if (relativeItems[i] !== '.') { - items.push(relativeItems[i]); - } - } - return currentItems.slice(0, depth).concat(items).join('/'); - } - - function extractContentBrief(content) { - var briefOffset = 512; - var words = query.split(/\s+/g); - var queryIndex = content.indexOf(words[0]); - var briefContent; - if (queryIndex > briefOffset) { - return "..." + content.slice(queryIndex - briefOffset, queryIndex + briefOffset) + "..."; - } else if (queryIndex <= briefOffset) { - return content.slice(0, queryIndex + briefOffset) + "..."; - } - } - - function handleSearchResults(hits) { - var numPerPage = 10; - var pagination = $('#pagination'); - pagination.empty(); - pagination.removeData("twbs-pagination"); - if (hits.length === 0) { - $('#search-results>.sr-items').html('<p>No results found</p>'); - } else { - pagination.twbsPagination({ - first: pagination.data('first'), - prev: pagination.data('prev'), - next: pagination.data('next'), - last: pagination.data('last'), - totalPages: Math.ceil(hits.length / numPerPage), - visiblePages: 5, - onPageClick: function (event, page) { - var start = (page - 1) * numPerPage; - var curHits = hits.slice(start, start + numPerPage); - $('#search-results>.sr-items').empty().append( - curHits.map(function (hit) { - var currentUrl = window.location.href; - var itemRawHref = relativeUrlToAbsoluteUrl(currentUrl, relHref + hit.href); - var itemHref = relHref + hit.href + "?q=" + query; - var itemTitle = hit.title; - var itemBrief = extractContentBrief(hit.keywords); - - var itemNode = $('<div>').attr('class', 'sr-item'); - var itemTitleNode = $('<div>').attr('class', 'item-title').append($('<a>').attr('href', itemHref).attr("target", "_blank").attr("rel", "noopener noreferrer").text(itemTitle)); - var itemHrefNode = $('<div>').attr('class', 'item-href').text(itemRawHref); - var itemBriefNode = $('<div>').attr('class', 'item-brief').text(itemBrief); - itemNode.append(itemTitleNode).append(itemHrefNode).append(itemBriefNode); - return itemNode; - }) - ); - query.split(/\s+/).forEach(function (word) { - if (word !== '') { - $('#search-results>.sr-items *').mark(word); - } - }); - } - }); - } - } - }; - - // Update href in navbar - function renderNavbar() { - var navbar = $('#navbar ul')[0]; - if (typeof (navbar) === 'undefined') { - loadNavbar(); - } else { - $('#navbar ul a.active').parents('li').addClass(active); - renderBreadcrumb(); - showSearch(); - } - - function showSearch() { - if ($('#search-results').length !== 0) { - $('#search').show(); - $('body').trigger("searchEvent"); - } - } - - function loadNavbar() { - var navbarPath = $("meta[property='docfx\\:navrel']").attr("content"); - if (!navbarPath) { - return; - } - navbarPath = navbarPath.replace(/\\/g, '/'); - var tocPath = $("meta[property='docfx\\:tocrel']").attr("content") || ''; - if (tocPath) tocPath = tocPath.replace(/\\/g, '/'); - $.get(navbarPath, function (data) { - $(data).find("#toc>ul").appendTo("#navbar"); - showSearch(); - var index = navbarPath.lastIndexOf('/'); - var navrel = ''; - if (index > -1) { - navrel = navbarPath.substr(0, index + 1); - } - $('#navbar>ul').addClass('navbar-nav'); - var currentAbsPath = util.getCurrentWindowAbsolutePath(); - // set active item - $('#navbar').find('a[href]').each(function (i, e) { - var href = $(e).attr("href"); - if (util.isRelativePath(href)) { - href = navrel + href; - $(e).attr("href", href); - - var isActive = false; - var originalHref = e.name; - if (originalHref) { - originalHref = navrel + originalHref; - if (util.getDirectory(util.getAbsolutePath(originalHref)) === util.getDirectory(util.getAbsolutePath(tocPath))) { - isActive = true; - } - } else { - if (util.getAbsolutePath(href) === currentAbsPath) { - var dropdown = $(e).attr('data-toggle') == "dropdown" - if (!dropdown) { - isActive = true; - } - } - } - if (isActive) { - $(e).addClass(active); - } - } - }); - renderNavbar(); - }); - } - } - - function renderSidebar() { - var sidetoc = $('#sidetoggle .sidetoc')[0]; - if (typeof (sidetoc) === 'undefined') { - loadToc(); - } else { - registerTocEvents(); - if ($('footer').is(':visible')) { - $('.sidetoc').addClass('shiftup'); - } - - // Scroll to active item - var top = 0; - $('#toc a.active').parents('li').each(function (i, e) { - $(e).addClass(active).addClass(expanded); - $(e).children('a').addClass(active); - }) - $('#toc a.active').parents('li').each(function (i, e) { - top += $(e).position().top; - }) - $('.sidetoc').scrollTop(top - 50); - - if ($('footer').is(':visible')) { - $('.sidetoc').addClass('shiftup'); - } - - renderBreadcrumb(); - } - - function registerTocEvents() { - var tocFilterInput = $('#toc_filter_input'); - var tocFilterClearButton = $('#toc_filter_clear'); - - $('.toc .nav > li > .expand-stub').click(function (e) { - $(e.target).parent().toggleClass(expanded); - }); - $('.toc .nav > li > .expand-stub + a:not([href])').click(function (e) { - $(e.target).parent().toggleClass(expanded); - }); - tocFilterInput.on('input', function (e) { - var val = this.value; - //Save filter string to local session storage - if (typeof(Storage) !== "undefined") { - try { - sessionStorage.filterString = val; - } - catch(e) - {} - } - if (val === '') { - // Clear 'filtered' class - $('#toc li').removeClass(filtered).removeClass(hide); - tocFilterClearButton.fadeOut(); - return; - } - tocFilterClearButton.fadeIn(); - - // set all parent nodes status - $('#toc li>a').filter(function (i, e) { - return $(e).siblings().length > 0 - }).each(function (i, anchor) { - var parent = $(anchor).parent(); - parent.addClass(hide); - parent.removeClass(show); - parent.removeClass(filtered); - }) - - // Get leaf nodes - $('#toc li>a').filter(function (i, e) { - return $(e).siblings().length === 0 - }).each(function (i, anchor) { - var text = $(anchor).attr('title'); - var parent = $(anchor).parent(); - var parentNodes = parent.parents('ul>li'); - for (var i = 0; i < parentNodes.length; i++) { - var parentText = $(parentNodes[i]).children('a').attr('title'); - if (parentText) text = parentText + '.' + text; - }; - if (filterNavItem(text, val)) { - parent.addClass(show); - parent.removeClass(hide); - } else { - parent.addClass(hide); - parent.removeClass(show); - } - }); - $('#toc li>a').filter(function (i, e) { - return $(e).siblings().length > 0 - }).each(function (i, anchor) { - var parent = $(anchor).parent(); - if (parent.find('li.show').length > 0) { - parent.addClass(show); - parent.addClass(filtered); - parent.removeClass(hide); - } else { - parent.addClass(hide); - parent.removeClass(show); - parent.removeClass(filtered); - } - }) - - function filterNavItem(name, text) { - if (!text) return true; - if (name && name.toLowerCase().indexOf(text.toLowerCase()) > -1) return true; - return false; - } - }); - - // toc filter clear button - tocFilterClearButton.hide(); - tocFilterClearButton.on("click", function(e){ - tocFilterInput.val(""); - tocFilterInput.trigger('input'); - if (typeof(Storage) !== "undefined") { - try { - sessionStorage.filterString = ""; - } - catch(e) - {} - } - }); - - //Set toc filter from local session storage on page load - if (typeof(Storage) !== "undefined") { - try { - tocFilterInput.val(sessionStorage.filterString); - tocFilterInput.trigger('input'); - } - catch(e) - {} - } - } - - function loadToc() { - var tocPath = $("meta[property='docfx\\:tocrel']").attr("content"); - if (!tocPath) { - return; - } - tocPath = tocPath.replace(/\\/g, '/'); - $('#sidetoc').load(tocPath + " #sidetoggle > div", function () { - var index = tocPath.lastIndexOf('/'); - var tocrel = ''; - if (index > -1) { - tocrel = tocPath.substr(0, index + 1); - } - var currentHref = util.getCurrentWindowAbsolutePath(); - if(!currentHref.endsWith('.html')) { - currentHref += '.html'; - } - $('#sidetoc').find('a[href]').each(function (i, e) { - var href = $(e).attr("href"); - if (util.isRelativePath(href)) { - href = tocrel + href; - $(e).attr("href", href); - } - - if (util.getAbsolutePath(e.href) === currentHref) { - $(e).addClass(active); - } - - $(e).breakWord(); - }); - - renderSidebar(); - }); - } - } - - function renderBreadcrumb() { - var breadcrumb = []; - $('#navbar a.active').each(function (i, e) { - breadcrumb.push({ - href: e.href, - name: e.innerHTML - }); - }) - $('#toc a.active').each(function (i, e) { - breadcrumb.push({ - href: e.href, - name: e.innerHTML - }); - }) - - var html = util.formList(breadcrumb, 'breadcrumb'); - $('#breadcrumb').html(html); - } - - //Setup Affix - function renderAffix() { - var hierarchy = getHierarchy(); - if (!hierarchy || hierarchy.length <= 0) { - $("#affix").hide(); - } - else { - var html = util.formList(hierarchy, ['nav', 'bs-docs-sidenav']); - $("#affix>div").empty().append(html); - if ($('footer').is(':visible')) { - $(".sideaffix").css("bottom", "70px"); - } - $('#affix a').click(function(e) { - var scrollspy = $('[data-spy="scroll"]').data()['bs.scrollspy']; - var target = e.target.hash; - if (scrollspy && target) { - scrollspy.activate(target); - } - }); - } - - function getHierarchy() { - // supported headers are h1, h2, h3, and h4 - var $headers = $($.map(['h1', 'h2', 'h3', 'h4'], function (h) { return ".article article " + h; }).join(", ")); - - // a stack of hierarchy items that are currently being built - var stack = []; - $headers.each(function (i, e) { - if (!e.id) { - return; - } - - var item = { - name: htmlEncode($(e).text()), - href: "#" + e.id, - items: [] - }; - - if (!stack.length) { - stack.push({ type: e.tagName, siblings: [item] }); - return; - } - - var frame = stack[stack.length - 1]; - if (e.tagName === frame.type) { - frame.siblings.push(item); - } else if (e.tagName[1] > frame.type[1]) { - // we are looking at a child of the last element of frame.siblings. - // push a frame onto the stack. After we've finished building this item's children, - // we'll attach it as a child of the last element - stack.push({ type: e.tagName, siblings: [item] }); - } else { // e.tagName[1] < frame.type[1] - // we are looking at a sibling of an ancestor of the current item. - // pop frames from the stack, building items as we go, until we reach the correct level at which to attach this item. - while (e.tagName[1] < stack[stack.length - 1].type[1]) { - buildParent(); - } - if (e.tagName === stack[stack.length - 1].type) { - stack[stack.length - 1].siblings.push(item); - } else { - stack.push({ type: e.tagName, siblings: [item] }); - } - } - }); - while (stack.length > 1) { - buildParent(); - } - - function buildParent() { - var childrenToAttach = stack.pop(); - var parentFrame = stack[stack.length - 1]; - var parent = parentFrame.siblings[parentFrame.siblings.length - 1]; - $.each(childrenToAttach.siblings, function (i, child) { - parent.items.push(child); - }); - } - if (stack.length > 0) { - - var topLevel = stack.pop().siblings; - if (topLevel.length === 1) { // if there's only one topmost header, dump it - return topLevel[0].items; - } - return topLevel; - } - return undefined; - } - - function htmlEncode(str) { - if (!str) return str; - return str - .replace(/&/g, '&') - .replace(/"/g, '"') - .replace(/'/g, ''') - .replace(/</g, '<') - .replace(/>/g, '>'); - } - - function htmlDecode(value) { - if (!str) return str; - return value - .replace(/"/g, '"') - .replace(/'/g, "'") - .replace(/</g, '<') - .replace(/>/g, '>') - .replace(/&/g, '&'); - } - - function cssEscape(str) { - // see: http://stackoverflow.com/questions/2786538/need-to-escape-a-special-character-in-a-jquery-selector-string#answer-2837646 - if (!str) return str; - return str - .replace(/[!"#$%&'()*+,.\/:;<=>?@[\\\]^`{|}~]/g, "\\$&"); - } - } - - // Show footer - function renderFooter() { - initFooter(); - $(window).on("scroll", showFooterCore); - - function initFooter() { - if (needFooter()) { - shiftUpBottomCss(); - $("footer").show(); - } else { - resetBottomCss(); - $("footer").hide(); - } - } - - function showFooterCore() { - if (needFooter()) { - shiftUpBottomCss(); - $("footer").fadeIn(); - } else { - resetBottomCss(); - $("footer").fadeOut(); - } - } - - function needFooter() { - var scrollHeight = $(document).height(); - var scrollPosition = $(window).height() + $(window).scrollTop(); - return (scrollHeight - scrollPosition) < 1; - } - - function resetBottomCss() { - $(".sidetoc").removeClass("shiftup"); - $(".sideaffix").removeClass("shiftup"); - } - - function shiftUpBottomCss() { - $(".sidetoc").addClass("shiftup"); - $(".sideaffix").addClass("shiftup"); - } - } - - function renderLogo() { - // For LOGO SVG - // Replace SVG with inline SVG - // http://stackoverflow.com/questions/11978995/how-to-change-color-of-svg-image-using-css-jquery-svg-image-replacement - jQuery('img.svg').each(function () { - var $img = jQuery(this); - var imgID = $img.attr('id'); - var imgClass = $img.attr('class'); - var imgURL = $img.attr('src'); - - jQuery.get(imgURL, function (data) { - // Get the SVG tag, ignore the rest - var $svg = jQuery(data).find('svg'); - - // Add replaced image's ID to the new SVG - if (typeof imgID !== 'undefined') { - $svg = $svg.attr('id', imgID); - } - // Add replaced image's classes to the new SVG - if (typeof imgClass !== 'undefined') { - $svg = $svg.attr('class', imgClass + ' replaced-svg'); - } - - // Remove any invalid XML tags as per http://validator.w3.org - $svg = $svg.removeAttr('xmlns:a'); - - // Replace image with new SVG - $img.replaceWith($svg); - - }, 'xml'); - }); - } - - function renderTabs() { - var contentAttrs = { - id: 'data-bi-id', - name: 'data-bi-name', - type: 'data-bi-type' - }; - - var Tab = (function () { - function Tab(li, a, section) { - this.li = li; - this.a = a; - this.section = section; - } - Object.defineProperty(Tab.prototype, "tabIds", { - get: function () { return this.a.getAttribute('data-tab').split(' '); }, - enumerable: true, - configurable: true - }); - Object.defineProperty(Tab.prototype, "condition", { - get: function () { return this.a.getAttribute('data-condition'); }, - enumerable: true, - configurable: true - }); - Object.defineProperty(Tab.prototype, "visible", { - get: function () { return !this.li.hasAttribute('hidden'); }, - set: function (value) { - if (value) { - this.li.removeAttribute('hidden'); - this.li.removeAttribute('aria-hidden'); - } - else { - this.li.setAttribute('hidden', 'hidden'); - this.li.setAttribute('aria-hidden', 'true'); - } - }, - enumerable: true, - configurable: true - }); - Object.defineProperty(Tab.prototype, "selected", { - get: function () { return !this.section.hasAttribute('hidden'); }, - set: function (value) { - if (value) { - this.a.setAttribute('aria-selected', 'true'); - this.a.tabIndex = 0; - this.section.removeAttribute('hidden'); - this.section.removeAttribute('aria-hidden'); - } - else { - this.a.setAttribute('aria-selected', 'false'); - this.a.tabIndex = -1; - this.section.setAttribute('hidden', 'hidden'); - this.section.setAttribute('aria-hidden', 'true'); - } - }, - enumerable: true, - configurable: true - }); - Tab.prototype.focus = function () { - this.a.focus(); - }; - return Tab; - }()); - - initTabs(document.body); - - function initTabs(container) { - var queryStringTabs = readTabsQueryStringParam(); - var elements = container.querySelectorAll('.tabGroup'); - var state = { groups: [], selectedTabs: [] }; - for (var i = 0; i < elements.length; i++) { - var group = initTabGroup(elements.item(i)); - if (!group.independent) { - updateVisibilityAndSelection(group, state); - state.groups.push(group); - } - } - container.addEventListener('click', function (event) { return handleClick(event, state); }); - if (state.groups.length === 0) { - return state; - } - selectTabs(queryStringTabs, container); - updateTabsQueryStringParam(state); - notifyContentUpdated(); - return state; - } - - function initTabGroup(element) { - var group = { - independent: element.hasAttribute('data-tab-group-independent'), - tabs: [] - }; - var li = element.firstElementChild.firstElementChild; - while (li) { - var a = li.firstElementChild; - a.setAttribute(contentAttrs.name, 'tab'); - var dataTab = a.getAttribute('data-tab').replace(/\+/g, ' '); - a.setAttribute('data-tab', dataTab); - var section = element.querySelector("[id=\"" + a.getAttribute('aria-controls') + "\"]"); - var tab = new Tab(li, a, section); - group.tabs.push(tab); - li = li.nextElementSibling; - } - element.setAttribute(contentAttrs.name, 'tab-group'); - element.tabGroup = group; - return group; - } - - function updateVisibilityAndSelection(group, state) { - var anySelected = false; - var firstVisibleTab; - for (var _i = 0, _a = group.tabs; _i < _a.length; _i++) { - var tab = _a[_i]; - tab.visible = tab.condition === null || state.selectedTabs.indexOf(tab.condition) !== -1; - if (tab.visible) { - if (!firstVisibleTab) { - firstVisibleTab = tab; - } - } - tab.selected = tab.visible && arraysIntersect(state.selectedTabs, tab.tabIds); - anySelected = anySelected || tab.selected; - } - if (!anySelected) { - for (var _b = 0, _c = group.tabs; _b < _c.length; _b++) { - var tabIds = _c[_b].tabIds; - for (var _d = 0, tabIds_1 = tabIds; _d < tabIds_1.length; _d++) { - var tabId = tabIds_1[_d]; - var index = state.selectedTabs.indexOf(tabId); - if (index === -1) { - continue; - } - state.selectedTabs.splice(index, 1); - } - } - var tab = firstVisibleTab; - tab.selected = true; - state.selectedTabs.push(tab.tabIds[0]); - } - } - - function getTabInfoFromEvent(event) { - if (!(event.target instanceof HTMLElement)) { - return null; - } - var anchor = event.target.closest('a[data-tab]'); - if (anchor === null) { - return null; - } - var tabIds = anchor.getAttribute('data-tab').split(' '); - var group = anchor.parentElement.parentElement.parentElement.tabGroup; - if (group === undefined) { - return null; - } - return { tabIds: tabIds, group: group, anchor: anchor }; - } - - function handleClick(event, state) { - var info = getTabInfoFromEvent(event); - if (info === null) { - return; - } - event.preventDefault(); - info.anchor.href = 'javascript:'; - setTimeout(function () { return info.anchor.href = '#' + info.anchor.getAttribute('aria-controls'); }); - var tabIds = info.tabIds, group = info.group; - var originalTop = info.anchor.getBoundingClientRect().top; - if (group.independent) { - for (var _i = 0, _a = group.tabs; _i < _a.length; _i++) { - var tab = _a[_i]; - tab.selected = arraysIntersect(tab.tabIds, tabIds); - } - } - else { - if (arraysIntersect(state.selectedTabs, tabIds)) { - return; - } - var previousTabId = group.tabs.filter(function (t) { return t.selected; })[0].tabIds[0]; - state.selectedTabs.splice(state.selectedTabs.indexOf(previousTabId), 1, tabIds[0]); - for (var _b = 0, _c = state.groups; _b < _c.length; _b++) { - var group_1 = _c[_b]; - updateVisibilityAndSelection(group_1, state); - } - updateTabsQueryStringParam(state); - } - notifyContentUpdated(); - var top = info.anchor.getBoundingClientRect().top; - if (top !== originalTop && event instanceof MouseEvent) { - window.scrollTo(0, window.pageYOffset + top - originalTop); - } - } - - function selectTabs(tabIds) { - for (var _i = 0, tabIds_1 = tabIds; _i < tabIds_1.length; _i++) { - var tabId = tabIds_1[_i]; - var a = document.querySelector(".tabGroup > ul > li > a[data-tab=\"" + tabId + "\"]:not([hidden])"); - if (a === null) { - return; - } - a.dispatchEvent(new CustomEvent('click', { bubbles: true })); - } - } - - function readTabsQueryStringParam() { - var qs = parseQueryString(window.location.search); - var t = qs.tabs; - if (t === undefined || t === '') { - return []; - } - return t.split(','); - } - - function updateTabsQueryStringParam(state) { - var qs = parseQueryString(window.location.search); - qs.tabs = state.selectedTabs.join(); - var url = location.protocol + "//" + location.host + location.pathname + "?" + toQueryString(qs) + location.hash; - if (location.href === url) { - return; - } - history.replaceState({}, document.title, url); - } - - function toQueryString(args) { - var parts = []; - for (var name_1 in args) { - if (args.hasOwnProperty(name_1) && args[name_1] !== '' && args[name_1] !== null && args[name_1] !== undefined) { - parts.push(encodeURIComponent(name_1) + '=' + encodeURIComponent(args[name_1])); - } - } - return parts.join('&'); - } - - function parseQueryString(queryString) { - var match; - var pl = /\+/g; - var search = /([^&=]+)=?([^&]*)/g; - var decode = function (s) { return decodeURIComponent(s.replace(pl, ' ')); }; - if (queryString === undefined) { - queryString = ''; - } - queryString = queryString.substring(1); - var urlParams = {}; - while (match = search.exec(queryString)) { - urlParams[decode(match[1])] = decode(match[2]); - } - return urlParams; - } - - function arraysIntersect(a, b) { - for (var _i = 0, a_1 = a; _i < a_1.length; _i++) { - var itemA = a_1[_i]; - for (var _a = 0, b_1 = b; _a < b_1.length; _a++) { - var itemB = b_1[_a]; - if (itemA === itemB) { - return true; - } - } - } - return false; - } - - function notifyContentUpdated() { - // Dispatch this event when needed - // window.dispatchEvent(new CustomEvent('content-update')); - } - } - - function utility() { - this.getAbsolutePath = getAbsolutePath; - this.isRelativePath = isRelativePath; - this.isAbsolutePath = isAbsolutePath; - this.getCurrentWindowAbsolutePath = getCurrentWindowAbsolutePath; - this.getDirectory = getDirectory; - this.formList = formList; - - function getAbsolutePath(href) { - if (isAbsolutePath(href)) return href; - var currentAbsPath = getCurrentWindowAbsolutePath(); - var stack = currentAbsPath.split("/"); - stack.pop(); - var parts = href.split("/"); - for (var i=0; i< parts.length; i++) { - if (parts[i] == ".") continue; - if (parts[i] == ".." && stack.length > 0) - stack.pop(); - else - stack.push(parts[i]); - } - var p = stack.join("/"); - return p; - } - - function isRelativePath(href) { - if (href === undefined || href === '' || href[0] === '/') { - return false; - } - return !isAbsolutePath(href); - } - - function isAbsolutePath(href) { - return (/^(?:[a-z]+:)?\/\//i).test(href); - } - - function getCurrentWindowAbsolutePath() { - return window.location.origin + window.location.pathname; - } - function getDirectory(href) { - if (!href) return ''; - var index = href.lastIndexOf('/'); - if (index == -1) return ''; - if (index > -1) { - return href.substr(0, index); - } - } - - function formList(item, classes) { - var level = 1; - var model = { - items: item - }; - var cls = [].concat(classes).join(" "); - return getList(model, cls); - - function getList(model, cls) { - if (!model || !model.items) return null; - var l = model.items.length; - if (l === 0) return null; - var html = '<ul class="level' + level + ' ' + (cls || '') + '">'; - level++; - for (var i = 0; i < l; i++) { - var item = model.items[i]; - var href = item.href; - var name = item.name; - if (!name) continue; - html += href ? '<li><a href="' + href + '">' + name + '</a>' : '<li>' + name; - html += getList(item, cls) || ''; - html += '</li>'; - } - html += '</ul>'; - return html; - } - } - - /** - * Add <wbr> into long word. - * @param {String} text - The word to break. It should be in plain text without HTML tags. - */ - function breakPlainText(text) { - if (!text) return text; - return text.replace(/([a-z])([A-Z])|(\.)(\w)/g, '$1$3<wbr>$2$4') - } - - /** - * Add <wbr> into long word. The jQuery element should contain no html tags. - * If the jQuery element contains tags, this function will not change the element. - */ - $.fn.breakWord = function () { - if (!this.html().match(/(<\w*)((\s\/>)|(.*<\/\w*>))/g)) { - this.html(function (index, text) { - return breakPlainText(text); - }) - } - return this; - } - } - - // adjusted from https://stackoverflow.com/a/13067009/1523776 - function workAroundFixedHeaderForAnchors() { - var HISTORY_SUPPORT = !!(history && history.pushState); - var ANCHOR_REGEX = /^#[^ ]+$/; - - function getFixedOffset() { - return $('header').first().height(); - } - - /** - * If the provided href is an anchor which resolves to an element on the - * page, scroll to it. - * @param {String} href - * @return {Boolean} - Was the href an anchor. - */ - function scrollIfAnchor(href, pushToHistory) { - var match, rect, anchorOffset; - - if (!ANCHOR_REGEX.test(href)) { - return false; - } - - match = document.getElementById(href.slice(1)); - - if (match) { - rect = match.getBoundingClientRect(); - anchorOffset = window.pageYOffset + rect.top - getFixedOffset(); - window.scrollTo(window.pageXOffset, anchorOffset); - - // Add the state to history as-per normal anchor links - if (HISTORY_SUPPORT && pushToHistory) { - history.pushState({}, document.title, location.pathname + href); - } - } - - return !!match; - } - - /** - * Attempt to scroll to the current location's hash. - */ - function scrollToCurrent() { - scrollIfAnchor(window.location.hash); - } - - /** - * If the click event's target was an anchor, fix the scroll position. - */ - function delegateAnchors(e) { - var elem = e.target; - - if (scrollIfAnchor(elem.getAttribute('href'), true)) { - e.preventDefault(); - } - } - - $(window).on('hashchange', scrollToCurrent); - - $(window).on('load', function () { - // scroll to the anchor if present, offset by the header - scrollToCurrent(); - }); - - $(document).ready(function () { - // Exclude tabbed content case - $('a:not([data-tab])').click(function (e) { delegateAnchors(e); }); - }); - } -}); +// Licensed to the .NET Foundation under one or more agreements. +// The .NET Foundation licenses this file to you under the MIT license. +$(function () { + var active = 'active'; + var expanded = 'in'; + var collapsed = 'collapsed'; + var filtered = 'filtered'; + var show = 'show'; + var hide = 'hide'; + var util = new utility(); + + workAroundFixedHeaderForAnchors(); + highlight(); + enableSearch(); + + renderTables(); + renderAlerts(); + renderLinks(); + renderNavbar(); + renderSidebar(); + renderAffix(); + renderFooter(); + renderLogo(); + + breakText(); + renderTabs(); + + window.refresh = function (article) { + // Update markup result + if (typeof article == 'undefined' || typeof article.content == 'undefined') + console.error("Null Argument"); + $("article.content").html(article.content); + + highlight(); + renderTables(); + renderAlerts(); + renderAffix(); + renderTabs(); + } + + // Add this event listener when needed + // window.addEventListener('content-update', contentUpdate); + + function breakText() { + $(".xref").addClass("text-break"); + var texts = $(".text-break"); + texts.each(function () { + $(this).breakWord(); + }); + } + + // Styling for tables in conceptual documents using Bootstrap. + // See http://getbootstrap.com/css/#tables + function renderTables() { + $('table').addClass('table table-bordered table-condensed').wrap('<div class=\"table-responsive\"></div>'); + } + + // Styling for alerts. + function renderAlerts() { + $('.NOTE, .TIP').addClass('alert alert-info'); + $('.WARNING').addClass('alert alert-warning'); + $('.IMPORTANT, .CAUTION').addClass('alert alert-danger'); + } + + // Enable anchors for headings. + (function () { + anchors.options = { + placement: 'left', + visible: 'hover' + }; + anchors.add('article h2:not(.no-anchor), article h3:not(.no-anchor), article h4:not(.no-anchor)'); + })(); + + // Open links to different host in a new window. + function renderLinks() { + if ($("meta[property='docfx:newtab']").attr("content") === "true") { + $(document.links).filter(function () { + return this.hostname !== window.location.hostname; + }).attr('target', '_blank'); + } + } + + // Enable highlight.js + function highlight() { + $('pre code').each(function (i, block) { + hljs.highlightElement(block); + }); + $('pre code[highlight-lines]').each(function (i, block) { + if (block.innerHTML === "") return; + var lines = block.innerHTML.split('\n'); + + queryString = block.getAttribute('highlight-lines'); + if (!queryString) return; + + var ranges = queryString.split(','); + for (var j = 0, range; range = ranges[j++];) { + var found = range.match(/^(\d+)\-(\d+)?$/); + if (found) { + // consider region as `{startlinenumber}-{endlinenumber}`, in which {endlinenumber} is optional + var start = +found[1]; + var end = +found[2]; + if (isNaN(end) || end > lines.length) { + end = lines.length; + } + } else { + // consider region as a sigine line number + if (isNaN(range)) continue; + var start = +range; + var end = start; + } + if (start <= 0 || end <= 0 || start > end || start > lines.length) { + // skip current region if invalid + continue; + } + lines[start - 1] = '<span class="line-highlight">' + lines[start - 1]; + lines[end - 1] = lines[end - 1] + '</span>'; + } + + block.innerHTML = lines.join('\n'); + }); + } + + // Support full-text-search + function enableSearch() { + var query; + var relHref = $("meta[property='docfx\\:rel']").attr("content"); + if (typeof relHref === 'undefined') { + return; + } + try { + if(!window.Worker){ + return; + } + webWorkerSearch(); + renderSearchBox(); + highlightKeywords(); + addSearchEvent(); + } catch (e) { + console.error(e); + } + + //Adjust the position of search box in navbar + function renderSearchBox() { + autoCollapse(); + $(window).on('resize', autoCollapse); + $(document).on('click', '.navbar-collapse.in', function (e) { + if ($(e.target).is('a')) { + $(this).collapse('hide'); + } + }); + + function autoCollapse() { + var navbar = $('#autocollapse'); + if (navbar.height() === null) { + setTimeout(autoCollapse, 300); + } + navbar.removeClass(collapsed); + if (navbar.height() > 60) { + navbar.addClass(collapsed); + } + } + } + + function webWorkerSearch() { + var indexReady = $.Deferred(); + + var worker = new Worker(relHref + 'styles/search-worker.min.js'); + worker.onerror = function (oEvent) { + console.error('Error occurred at search-worker. message: ' + oEvent.message); + } + + worker.onmessage = function (oEvent) { + switch (oEvent.data.e) { + case 'index-ready': + indexReady.resolve(); + break; + case 'query-ready': + var hits = oEvent.data.d; + handleSearchResults(hits); + break; + } + } + + indexReady.promise().done(function () { + $("body").bind("queryReady", function () { + worker.postMessage({ q: query }); + }); + if (query && (query.length >= 3)) { + worker.postMessage({ q: query }); + } + }); + } + + // Highlight the searching keywords + function highlightKeywords() { + var q = url('?q'); + if (q) { + var keywords = q.split("%20"); + keywords.forEach(function (keyword) { + if (keyword !== "") { + $('.data-searchable *').mark(keyword); + $('article *').mark(keyword); + } + }); + } + } + + function addSearchEvent() { + $('body').bind("searchEvent", function () { + $('#search-query').keypress(function (e) { + return e.which !== 13; + }); + + $('#search-query').keyup(function () { + query = $(this).val(); + if (query === '') { + flipContents("show"); + } else { + flipContents("hide"); + $("body").trigger("queryReady"); + $('#search-results>.search-list>span').text('"' + query + '"'); + } + }).off("keydown"); + }); + } + + function flipContents(action) { + if (action === "show") { + $('.hide-when-search').show(); + $('#search-results').hide(); + } else { + $('.hide-when-search').hide(); + $('#search-results').show(); + } + } + + function relativeUrlToAbsoluteUrl(currentUrl, relativeUrl) { + var currentItems = currentUrl.split(/\/+/); + var relativeItems = relativeUrl.split(/\/+/); + var depth = currentItems.length - 1; + var items = []; + for (var i = 0; i < relativeItems.length; i++) { + if (relativeItems[i] === '..') { + depth--; + } else if (relativeItems[i] !== '.') { + items.push(relativeItems[i]); + } + } + return currentItems.slice(0, depth).concat(items).join('/'); + } + + function extractContentBrief(content) { + var briefOffset = 512; + var words = query.split(/\s+/g); + var queryIndex = content.indexOf(words[0]); + var briefContent; + if (queryIndex > briefOffset) { + return "..." + content.slice(queryIndex - briefOffset, queryIndex + briefOffset) + "..."; + } else if (queryIndex <= briefOffset) { + return content.slice(0, queryIndex + briefOffset) + "..."; + } + } + + function handleSearchResults(hits) { + var numPerPage = 10; + var pagination = $('#pagination'); + pagination.empty(); + pagination.removeData("twbs-pagination"); + if (hits.length === 0) { + $('#search-results>.sr-items').html('<p>No results found</p>'); + } else { + pagination.twbsPagination({ + first: pagination.data('first'), + prev: pagination.data('prev'), + next: pagination.data('next'), + last: pagination.data('last'), + totalPages: Math.ceil(hits.length / numPerPage), + visiblePages: 5, + onPageClick: function (event, page) { + var start = (page - 1) * numPerPage; + var curHits = hits.slice(start, start + numPerPage); + $('#search-results>.sr-items').empty().append( + curHits.map(function (hit) { + var currentUrl = window.location.href; + var itemRawHref = relativeUrlToAbsoluteUrl(currentUrl, relHref + hit.href); + var itemHref = relHref + hit.href + "?q=" + query; + var itemTitle = hit.title; + var itemBrief = extractContentBrief(hit.keywords); + + var itemNode = $('<div>').attr('class', 'sr-item'); + var itemTitleNode = $('<div>').attr('class', 'item-title').append($('<a>').attr('href', itemHref).attr("target", "_blank").attr("rel", "noopener noreferrer").text(itemTitle)); + var itemHrefNode = $('<div>').attr('class', 'item-href').text(itemRawHref); + var itemBriefNode = $('<div>').attr('class', 'item-brief').text(itemBrief); + itemNode.append(itemTitleNode).append(itemHrefNode).append(itemBriefNode); + return itemNode; + }) + ); + query.split(/\s+/).forEach(function (word) { + if (word !== '') { + $('#search-results>.sr-items *').mark(word); + } + }); + } + }); + } + } + }; + + // Update href in navbar + function renderNavbar() { + var navbar = $('#navbar ul')[0]; + if (typeof (navbar) === 'undefined') { + loadNavbar(); + } else { + $('#navbar ul a.active').parents('li').addClass(active); + renderBreadcrumb(); + showSearch(); + } + + function showSearch() { + if ($('#search-results').length !== 0) { + $('#search').show(); + $('body').trigger("searchEvent"); + } + } + + function loadNavbar() { + var navbarPath = $("meta[property='docfx\\:navrel']").attr("content"); + if (!navbarPath) { + return; + } + navbarPath = navbarPath.replace(/\\/g, '/'); + var tocPath = $("meta[property='docfx\\:tocrel']").attr("content") || ''; + if (tocPath) tocPath = tocPath.replace(/\\/g, '/'); + $.get(navbarPath, function (data) { + $(data).find("#toc>ul").appendTo("#navbar"); + showSearch(); + var index = navbarPath.lastIndexOf('/'); + var navrel = ''; + if (index > -1) { + navrel = navbarPath.substr(0, index + 1); + } + $('#navbar>ul').addClass('navbar-nav'); + var currentAbsPath = util.getCurrentWindowAbsolutePath(); + // set active item + $('#navbar').find('a[href]').each(function (i, e) { + var href = $(e).attr("href"); + if (util.isRelativePath(href)) { + href = navrel + href; + $(e).attr("href", href); + + var isActive = false; + var originalHref = e.name; + if (originalHref) { + originalHref = navrel + originalHref; + if (util.getDirectory(util.getAbsolutePath(originalHref)) === util.getDirectory(util.getAbsolutePath(tocPath))) { + isActive = true; + } + } else { + if (util.getAbsolutePath(href) === currentAbsPath) { + var dropdown = $(e).attr('data-toggle') == "dropdown" + if (!dropdown) { + isActive = true; + } + } + } + if (isActive) { + $(e).addClass(active); + } + } + }); + renderNavbar(); + }); + } + } + + function renderSidebar() { + var sidetoc = $('#sidetoggle .sidetoc')[0]; + if (typeof (sidetoc) === 'undefined') { + loadToc(); + } else { + registerTocEvents(); + if ($('footer').is(':visible')) { + $('.sidetoc').addClass('shiftup'); + } + + // Scroll to active item + var top = 0; + $('#toc a.active').parents('li').each(function (i, e) { + $(e).addClass(active).addClass(expanded); + $(e).children('a').addClass(active); + }) + $('#toc a.active').parents('li').each(function (i, e) { + top += $(e).position().top; + }) + $('.sidetoc').scrollTop(top - 50); + + if ($('footer').is(':visible')) { + $('.sidetoc').addClass('shiftup'); + } + + renderBreadcrumb(); + } + + function registerTocEvents() { + var tocFilterInput = $('#toc_filter_input'); + var tocFilterClearButton = $('#toc_filter_clear'); + + $('.toc .nav > li > .expand-stub').click(function (e) { + $(e.target).parent().toggleClass(expanded); + }); + $('.toc .nav > li > .expand-stub + a:not([href])').click(function (e) { + $(e.target).parent().toggleClass(expanded); + }); + tocFilterInput.on('input', function (e) { + var val = this.value; + //Save filter string to local session storage + if (typeof(Storage) !== "undefined") { + try { + sessionStorage.filterString = val; + } + catch(e) + {} + } + if (val === '') { + // Clear 'filtered' class + $('#toc li').removeClass(filtered).removeClass(hide); + tocFilterClearButton.fadeOut(); + return; + } + tocFilterClearButton.fadeIn(); + + // set all parent nodes status + $('#toc li>a').filter(function (i, e) { + return $(e).siblings().length > 0 + }).each(function (i, anchor) { + var parent = $(anchor).parent(); + parent.addClass(hide); + parent.removeClass(show); + parent.removeClass(filtered); + }) + + // Get leaf nodes + $('#toc li>a').filter(function (i, e) { + return $(e).siblings().length === 0 + }).each(function (i, anchor) { + var text = $(anchor).attr('title'); + var parent = $(anchor).parent(); + var parentNodes = parent.parents('ul>li'); + for (var i = 0; i < parentNodes.length; i++) { + var parentText = $(parentNodes[i]).children('a').attr('title'); + if (parentText) text = parentText + '.' + text; + }; + if (filterNavItem(text, val)) { + parent.addClass(show); + parent.removeClass(hide); + } else { + parent.addClass(hide); + parent.removeClass(show); + } + }); + $('#toc li>a').filter(function (i, e) { + return $(e).siblings().length > 0 + }).each(function (i, anchor) { + var parent = $(anchor).parent(); + if (parent.find('li.show').length > 0) { + parent.addClass(show); + parent.addClass(filtered); + parent.removeClass(hide); + } else { + parent.addClass(hide); + parent.removeClass(show); + parent.removeClass(filtered); + } + }) + + function filterNavItem(name, text) { + if (!text) return true; + if (name && name.toLowerCase().indexOf(text.toLowerCase()) > -1) return true; + return false; + } + }); + + // toc filter clear button + tocFilterClearButton.hide(); + tocFilterClearButton.on("click", function(e){ + tocFilterInput.val(""); + tocFilterInput.trigger('input'); + if (typeof(Storage) !== "undefined") { + try { + sessionStorage.filterString = ""; + } + catch(e) + {} + } + }); + + //Set toc filter from local session storage on page load + if (typeof(Storage) !== "undefined") { + try { + tocFilterInput.val(sessionStorage.filterString); + tocFilterInput.trigger('input'); + } + catch(e) + {} + } + } + + function loadToc() { + var tocPath = $("meta[property='docfx\\:tocrel']").attr("content"); + if (!tocPath) { + return; + } + tocPath = tocPath.replace(/\\/g, '/'); + $('#sidetoc').load(tocPath + " #sidetoggle > div", function () { + var index = tocPath.lastIndexOf('/'); + var tocrel = ''; + if (index > -1) { + tocrel = tocPath.substr(0, index + 1); + } + var currentHref = util.getCurrentWindowAbsolutePath(); + if(!currentHref.endsWith('.html')) { + currentHref += '.html'; + } + $('#sidetoc').find('a[href]').each(function (i, e) { + var href = $(e).attr("href"); + if (util.isRelativePath(href)) { + href = tocrel + href; + $(e).attr("href", href); + } + + if (util.getAbsolutePath(e.href) === currentHref) { + $(e).addClass(active); + } + + $(e).breakWord(); + }); + + renderSidebar(); + }); + } + } + + function renderBreadcrumb() { + var breadcrumb = []; + $('#navbar a.active').each(function (i, e) { + breadcrumb.push({ + href: e.href, + name: e.innerHTML + }); + }) + $('#toc a.active').each(function (i, e) { + breadcrumb.push({ + href: e.href, + name: e.innerHTML + }); + }) + + var html = util.formList(breadcrumb, 'breadcrumb'); + $('#breadcrumb').html(html); + } + + //Setup Affix + function renderAffix() { + var hierarchy = getHierarchy(); + if (!hierarchy || hierarchy.length <= 0) { + $("#affix").hide(); + } + else { + var html = util.formList(hierarchy, ['nav', 'bs-docs-sidenav']); + $("#affix>div").empty().append(html); + if ($('footer').is(':visible')) { + $(".sideaffix").css("bottom", "70px"); + } + $('#affix a').click(function(e) { + var scrollspy = $('[data-spy="scroll"]').data()['bs.scrollspy']; + var target = e.target.hash; + if (scrollspy && target) { + scrollspy.activate(target); + } + }); + } + + function getHierarchy() { + // supported headers are h1, h2, h3, and h4 + var $headers = $($.map(['h1', 'h2', 'h3', 'h4'], function (h) { return ".article article " + h; }).join(", ")); + + // a stack of hierarchy items that are currently being built + var stack = []; + $headers.each(function (i, e) { + if (!e.id) { + return; + } + + var item = { + name: htmlEncode($(e).text()), + href: "#" + e.id, + items: [] + }; + + if (!stack.length) { + stack.push({ type: e.tagName, siblings: [item] }); + return; + } + + var frame = stack[stack.length - 1]; + if (e.tagName === frame.type) { + frame.siblings.push(item); + } else if (e.tagName[1] > frame.type[1]) { + // we are looking at a child of the last element of frame.siblings. + // push a frame onto the stack. After we've finished building this item's children, + // we'll attach it as a child of the last element + stack.push({ type: e.tagName, siblings: [item] }); + } else { // e.tagName[1] < frame.type[1] + // we are looking at a sibling of an ancestor of the current item. + // pop frames from the stack, building items as we go, until we reach the correct level at which to attach this item. + while (e.tagName[1] < stack[stack.length - 1].type[1]) { + buildParent(); + } + if (e.tagName === stack[stack.length - 1].type) { + stack[stack.length - 1].siblings.push(item); + } else { + stack.push({ type: e.tagName, siblings: [item] }); + } + } + }); + while (stack.length > 1) { + buildParent(); + } + + function buildParent() { + var childrenToAttach = stack.pop(); + var parentFrame = stack[stack.length - 1]; + var parent = parentFrame.siblings[parentFrame.siblings.length - 1]; + $.each(childrenToAttach.siblings, function (i, child) { + parent.items.push(child); + }); + } + if (stack.length > 0) { + + var topLevel = stack.pop().siblings; + if (topLevel.length === 1) { // if there's only one topmost header, dump it + return topLevel[0].items; + } + return topLevel; + } + return undefined; + } + + function htmlEncode(str) { + if (!str) return str; + return str + .replace(/&/g, '&') + .replace(/"/g, '"') + .replace(/'/g, ''') + .replace(/</g, '<') + .replace(/>/g, '>'); + } + + function htmlDecode(value) { + if (!str) return str; + return value + .replace(/"/g, '"') + .replace(/'/g, "'") + .replace(/</g, '<') + .replace(/>/g, '>') + .replace(/&/g, '&'); + } + + function cssEscape(str) { + // see: http://stackoverflow.com/questions/2786538/need-to-escape-a-special-character-in-a-jquery-selector-string#answer-2837646 + if (!str) return str; + return str + .replace(/[!"#$%&'()*+,.\/:;<=>?@[\\\]^`{|}~]/g, "\\$&"); + } + } + + // Show footer + function renderFooter() { + initFooter(); + $(window).on("scroll", showFooterCore); + + function initFooter() { + if (needFooter()) { + shiftUpBottomCss(); + $("footer").show(); + } else { + resetBottomCss(); + $("footer").hide(); + } + } + + function showFooterCore() { + if (needFooter()) { + shiftUpBottomCss(); + $("footer").fadeIn(); + } else { + resetBottomCss(); + $("footer").fadeOut(); + } + } + + function needFooter() { + var scrollHeight = $(document).height(); + var scrollPosition = $(window).height() + $(window).scrollTop(); + return (scrollHeight - scrollPosition) < 1; + } + + function resetBottomCss() { + $(".sidetoc").removeClass("shiftup"); + $(".sideaffix").removeClass("shiftup"); + } + + function shiftUpBottomCss() { + $(".sidetoc").addClass("shiftup"); + $(".sideaffix").addClass("shiftup"); + } + } + + function renderLogo() { + // For LOGO SVG + // Replace SVG with inline SVG + // http://stackoverflow.com/questions/11978995/how-to-change-color-of-svg-image-using-css-jquery-svg-image-replacement + jQuery('img.svg').each(function () { + var $img = jQuery(this); + var imgID = $img.attr('id'); + var imgClass = $img.attr('class'); + var imgURL = $img.attr('src'); + + jQuery.get(imgURL, function (data) { + // Get the SVG tag, ignore the rest + var $svg = jQuery(data).find('svg'); + + // Add replaced image's ID to the new SVG + if (typeof imgID !== 'undefined') { + $svg = $svg.attr('id', imgID); + } + // Add replaced image's classes to the new SVG + if (typeof imgClass !== 'undefined') { + $svg = $svg.attr('class', imgClass + ' replaced-svg'); + } + + // Remove any invalid XML tags as per http://validator.w3.org + $svg = $svg.removeAttr('xmlns:a'); + + // Replace image with new SVG + $img.replaceWith($svg); + + }, 'xml'); + }); + } + + function renderTabs() { + var contentAttrs = { + id: 'data-bi-id', + name: 'data-bi-name', + type: 'data-bi-type' + }; + + var Tab = (function () { + function Tab(li, a, section) { + this.li = li; + this.a = a; + this.section = section; + } + Object.defineProperty(Tab.prototype, "tabIds", { + get: function () { return this.a.getAttribute('data-tab').split(' '); }, + enumerable: true, + configurable: true + }); + Object.defineProperty(Tab.prototype, "condition", { + get: function () { return this.a.getAttribute('data-condition'); }, + enumerable: true, + configurable: true + }); + Object.defineProperty(Tab.prototype, "visible", { + get: function () { return !this.li.hasAttribute('hidden'); }, + set: function (value) { + if (value) { + this.li.removeAttribute('hidden'); + this.li.removeAttribute('aria-hidden'); + } + else { + this.li.setAttribute('hidden', 'hidden'); + this.li.setAttribute('aria-hidden', 'true'); + } + }, + enumerable: true, + configurable: true + }); + Object.defineProperty(Tab.prototype, "selected", { + get: function () { return !this.section.hasAttribute('hidden'); }, + set: function (value) { + if (value) { + this.a.setAttribute('aria-selected', 'true'); + this.a.tabIndex = 0; + this.section.removeAttribute('hidden'); + this.section.removeAttribute('aria-hidden'); + } + else { + this.a.setAttribute('aria-selected', 'false'); + this.a.tabIndex = -1; + this.section.setAttribute('hidden', 'hidden'); + this.section.setAttribute('aria-hidden', 'true'); + } + }, + enumerable: true, + configurable: true + }); + Tab.prototype.focus = function () { + this.a.focus(); + }; + return Tab; + }()); + + initTabs(document.body); + + function initTabs(container) { + var queryStringTabs = readTabsQueryStringParam(); + var elements = container.querySelectorAll('.tabGroup'); + var state = { groups: [], selectedTabs: [] }; + for (var i = 0; i < elements.length; i++) { + var group = initTabGroup(elements.item(i)); + if (!group.independent) { + updateVisibilityAndSelection(group, state); + state.groups.push(group); + } + } + container.addEventListener('click', function (event) { return handleClick(event, state); }); + if (state.groups.length === 0) { + return state; + } + selectTabs(queryStringTabs, container); + updateTabsQueryStringParam(state); + notifyContentUpdated(); + return state; + } + + function initTabGroup(element) { + var group = { + independent: element.hasAttribute('data-tab-group-independent'), + tabs: [] + }; + var li = element.firstElementChild.firstElementChild; + while (li) { + var a = li.firstElementChild; + a.setAttribute(contentAttrs.name, 'tab'); + var dataTab = a.getAttribute('data-tab').replace(/\+/g, ' '); + a.setAttribute('data-tab', dataTab); + var section = element.querySelector("[id=\"" + a.getAttribute('aria-controls') + "\"]"); + var tab = new Tab(li, a, section); + group.tabs.push(tab); + li = li.nextElementSibling; + } + element.setAttribute(contentAttrs.name, 'tab-group'); + element.tabGroup = group; + return group; + } + + function updateVisibilityAndSelection(group, state) { + var anySelected = false; + var firstVisibleTab; + for (var _i = 0, _a = group.tabs; _i < _a.length; _i++) { + var tab = _a[_i]; + tab.visible = tab.condition === null || state.selectedTabs.indexOf(tab.condition) !== -1; + if (tab.visible) { + if (!firstVisibleTab) { + firstVisibleTab = tab; + } + } + tab.selected = tab.visible && arraysIntersect(state.selectedTabs, tab.tabIds); + anySelected = anySelected || tab.selected; + } + if (!anySelected) { + for (var _b = 0, _c = group.tabs; _b < _c.length; _b++) { + var tabIds = _c[_b].tabIds; + for (var _d = 0, tabIds_1 = tabIds; _d < tabIds_1.length; _d++) { + var tabId = tabIds_1[_d]; + var index = state.selectedTabs.indexOf(tabId); + if (index === -1) { + continue; + } + state.selectedTabs.splice(index, 1); + } + } + var tab = firstVisibleTab; + tab.selected = true; + state.selectedTabs.push(tab.tabIds[0]); + } + } + + function getTabInfoFromEvent(event) { + if (!(event.target instanceof HTMLElement)) { + return null; + } + var anchor = event.target.closest('a[data-tab]'); + if (anchor === null) { + return null; + } + var tabIds = anchor.getAttribute('data-tab').split(' '); + var group = anchor.parentElement.parentElement.parentElement.tabGroup; + if (group === undefined) { + return null; + } + return { tabIds: tabIds, group: group, anchor: anchor }; + } + + function handleClick(event, state) { + var info = getTabInfoFromEvent(event); + if (info === null) { + return; + } + event.preventDefault(); + info.anchor.href = 'javascript:'; + setTimeout(function () { return info.anchor.href = '#' + info.anchor.getAttribute('aria-controls'); }); + var tabIds = info.tabIds, group = info.group; + var originalTop = info.anchor.getBoundingClientRect().top; + if (group.independent) { + for (var _i = 0, _a = group.tabs; _i < _a.length; _i++) { + var tab = _a[_i]; + tab.selected = arraysIntersect(tab.tabIds, tabIds); + } + } + else { + if (arraysIntersect(state.selectedTabs, tabIds)) { + return; + } + var previousTabId = group.tabs.filter(function (t) { return t.selected; })[0].tabIds[0]; + state.selectedTabs.splice(state.selectedTabs.indexOf(previousTabId), 1, tabIds[0]); + for (var _b = 0, _c = state.groups; _b < _c.length; _b++) { + var group_1 = _c[_b]; + updateVisibilityAndSelection(group_1, state); + } + updateTabsQueryStringParam(state); + } + notifyContentUpdated(); + var top = info.anchor.getBoundingClientRect().top; + if (top !== originalTop && event instanceof MouseEvent) { + window.scrollTo(0, window.pageYOffset + top - originalTop); + } + } + + function selectTabs(tabIds) { + for (var _i = 0, tabIds_1 = tabIds; _i < tabIds_1.length; _i++) { + var tabId = tabIds_1[_i]; + var a = document.querySelector(".tabGroup > ul > li > a[data-tab=\"" + tabId + "\"]:not([hidden])"); + if (a === null) { + return; + } + a.dispatchEvent(new CustomEvent('click', { bubbles: true })); + } + } + + function readTabsQueryStringParam() { + var qs = parseQueryString(window.location.search); + var t = qs.tabs; + if (t === undefined || t === '') { + return []; + } + return t.split(','); + } + + function updateTabsQueryStringParam(state) { + var qs = parseQueryString(window.location.search); + qs.tabs = state.selectedTabs.join(); + var url = location.protocol + "//" + location.host + location.pathname + "?" + toQueryString(qs) + location.hash; + if (location.href === url) { + return; + } + history.replaceState({}, document.title, url); + } + + function toQueryString(args) { + var parts = []; + for (var name_1 in args) { + if (args.hasOwnProperty(name_1) && args[name_1] !== '' && args[name_1] !== null && args[name_1] !== undefined) { + parts.push(encodeURIComponent(name_1) + '=' + encodeURIComponent(args[name_1])); + } + } + return parts.join('&'); + } + + function parseQueryString(queryString) { + var match; + var pl = /\+/g; + var search = /([^&=]+)=?([^&]*)/g; + var decode = function (s) { return decodeURIComponent(s.replace(pl, ' ')); }; + if (queryString === undefined) { + queryString = ''; + } + queryString = queryString.substring(1); + var urlParams = {}; + while (match = search.exec(queryString)) { + urlParams[decode(match[1])] = decode(match[2]); + } + return urlParams; + } + + function arraysIntersect(a, b) { + for (var _i = 0, a_1 = a; _i < a_1.length; _i++) { + var itemA = a_1[_i]; + for (var _a = 0, b_1 = b; _a < b_1.length; _a++) { + var itemB = b_1[_a]; + if (itemA === itemB) { + return true; + } + } + } + return false; + } + + function notifyContentUpdated() { + // Dispatch this event when needed + // window.dispatchEvent(new CustomEvent('content-update')); + } + } + + function utility() { + this.getAbsolutePath = getAbsolutePath; + this.isRelativePath = isRelativePath; + this.isAbsolutePath = isAbsolutePath; + this.getCurrentWindowAbsolutePath = getCurrentWindowAbsolutePath; + this.getDirectory = getDirectory; + this.formList = formList; + + function getAbsolutePath(href) { + if (isAbsolutePath(href)) return href; + var currentAbsPath = getCurrentWindowAbsolutePath(); + var stack = currentAbsPath.split("/"); + stack.pop(); + var parts = href.split("/"); + for (var i=0; i< parts.length; i++) { + if (parts[i] == ".") continue; + if (parts[i] == ".." && stack.length > 0) + stack.pop(); + else + stack.push(parts[i]); + } + var p = stack.join("/"); + return p; + } + + function isRelativePath(href) { + if (href === undefined || href === '' || href[0] === '/') { + return false; + } + return !isAbsolutePath(href); + } + + function isAbsolutePath(href) { + return (/^(?:[a-z]+:)?\/\//i).test(href); + } + + function getCurrentWindowAbsolutePath() { + return window.location.origin + window.location.pathname; + } + function getDirectory(href) { + if (!href) return ''; + var index = href.lastIndexOf('/'); + if (index == -1) return ''; + if (index > -1) { + return href.substr(0, index); + } + } + + function formList(item, classes) { + var level = 1; + var model = { + items: item + }; + var cls = [].concat(classes).join(" "); + return getList(model, cls); + + function getList(model, cls) { + if (!model || !model.items) return null; + var l = model.items.length; + if (l === 0) return null; + var html = '<ul class="level' + level + ' ' + (cls || '') + '">'; + level++; + for (var i = 0; i < l; i++) { + var item = model.items[i]; + var href = item.href; + var name = item.name; + if (!name) continue; + html += href ? '<li><a href="' + href + '">' + name + '</a>' : '<li>' + name; + html += getList(item, cls) || ''; + html += '</li>'; + } + html += '</ul>'; + return html; + } + } + + /** + * Add <wbr> into long word. + * @param {String} text - The word to break. It should be in plain text without HTML tags. + */ + function breakPlainText(text) { + if (!text) return text; + return text.replace(/([a-z])([A-Z])|(\.)(\w)/g, '$1$3<wbr>$2$4') + } + + /** + * Add <wbr> into long word. The jQuery element should contain no html tags. + * If the jQuery element contains tags, this function will not change the element. + */ + $.fn.breakWord = function () { + if (!this.html().match(/(<\w*)((\s\/>)|(.*<\/\w*>))/g)) { + this.html(function (index, text) { + return breakPlainText(text); + }) + } + return this; + } + } + + // adjusted from https://stackoverflow.com/a/13067009/1523776 + function workAroundFixedHeaderForAnchors() { + var HISTORY_SUPPORT = !!(history && history.pushState); + var ANCHOR_REGEX = /^#[^ ]+$/; + + function getFixedOffset() { + return $('header').first().height(); + } + + /** + * If the provided href is an anchor which resolves to an element on the + * page, scroll to it. + * @param {String} href + * @return {Boolean} - Was the href an anchor. + */ + function scrollIfAnchor(href, pushToHistory) { + var match, rect, anchorOffset; + + if (!ANCHOR_REGEX.test(href)) { + return false; + } + + match = document.getElementById(href.slice(1)); + + if (match) { + rect = match.getBoundingClientRect(); + anchorOffset = window.pageYOffset + rect.top - getFixedOffset(); + window.scrollTo(window.pageXOffset, anchorOffset); + + // Add the state to history as-per normal anchor links + if (HISTORY_SUPPORT && pushToHistory) { + history.pushState({}, document.title, location.pathname + href); + } + } + + return !!match; + } + + /** + * Attempt to scroll to the current location's hash. + */ + function scrollToCurrent() { + scrollIfAnchor(window.location.hash); + } + + /** + * If the click event's target was an anchor, fix the scroll position. + */ + function delegateAnchors(e) { + var elem = e.target; + + if (scrollIfAnchor(elem.getAttribute('href'), true)) { + e.preventDefault(); + } + } + + $(window).on('hashchange', scrollToCurrent); + + $(window).on('load', function () { + // scroll to the anchor if present, offset by the header + scrollToCurrent(); + }); + + $(document).ready(function () { + // Exclude tabbed content case + $('a:not([data-tab])').click(function (e) { delegateAnchors(e); }); + }); + } +}); diff --git a/docs/styles/docfx.vendor.min.css b/docs/styles/docfx.vendor.min.css new file mode 100644 index 000000000..0faa137aa --- /dev/null +++ b/docs/styles/docfx.vendor.min.css @@ -0,0 +1,25 @@ +html{font-family:sans-serif;-ms-text-size-adjust:100%;-webkit-text-size-adjust:100%}body{margin:0}article,aside,details,figcaption,figure,footer,header,hgroup,main,menu,nav,section,summary{display:block}audio,canvas,progress,video{display:inline-block;vertical-align:baseline}audio:not([controls]){display:none;height:0}[hidden],template{display:none}a{background-color:transparent}a:active,a:hover{outline:0}abbr[title]{border-bottom:none;text-decoration:underline;-webkit-text-decoration:underline dotted;-moz-text-decoration:underline dotted;text-decoration:underline dotted}b,strong{font-weight:700}dfn{font-style:italic}h1{font-size:2em;margin:.67em 0}mark{background:#ff0;color:#000}small{font-size:80%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sup{top:-.5em}sub{bottom:-.25em}img{border:0}svg:not(:root){overflow:hidden}figure{margin:1em 40px}hr{-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;height:0}pre{overflow:auto}code,kbd,pre,samp{font-family:monospace,monospace;font-size:1em}button,input,optgroup,select,textarea{color:inherit;font:inherit;margin:0}button{overflow:visible}button,select{text-transform:none}button,html input[type=button],input[type=reset],input[type=submit]{-webkit-appearance:button;cursor:pointer}button[disabled],html input[disabled]{cursor:default}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}input{line-height:normal}input[type=checkbox],input[type=radio]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;padding:0}input[type=number]::-webkit-inner-spin-button,input[type=number]::-webkit-outer-spin-button{height:auto}input[type=search]{-webkit-appearance:textfield;-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box}input[type=search]::-webkit-search-cancel-button,input[type=search]::-webkit-search-decoration{-webkit-appearance:none}fieldset{border:1px solid #c0c0c0;margin:0 2px;padding:.35em .625em .75em}legend{border:0;padding:0}textarea{overflow:auto}optgroup{font-weight:700}table{border-collapse:collapse;border-spacing:0}td,th{padding:0}@media print{*,*:before,*:after{color:#000!important;text-shadow:none!important;background:transparent!important;-webkit-box-shadow:none!important;box-shadow:none!important}a,a:visited{text-decoration:underline}a[href]:after{content:" (" attr(href) ")"}abbr[title]:after{content:" (" attr(title) ")"}a[href^="#"]:after,a[href^="javascript:"]:after{content:""}pre,blockquote{border:1px solid #999;page-break-inside:avoid}thead{display:table-header-group}tr,img{page-break-inside:avoid}img{max-width:100%!important}p,h2,h3{orphans:3;widows:3}h2,h3{page-break-after:avoid}.navbar{display:none}.btn>.caret,.dropup>.btn>.caret{border-top-color:#000!important}.label{border:1px solid #000}.table{border-collapse:collapse!important}.table td,.table th{background-color:#fff!important}.table-bordered th,.table-bordered td{border:1px solid #ddd!important}}@font-face{font-family:Glyphicons Halflings;src:url("./glyphicons-halflings-regular-PIHUWCJO.eot");src:url("./glyphicons-halflings-regular-PIHUWCJO.eot?#iefix") format("embedded-opentype"),url("./glyphicons-halflings-regular-W4DYDFZM.woff2") format("woff2"),url("./glyphicons-halflings-regular-JOUF32XT.woff") format("woff"),url("./glyphicons-halflings-regular-ACNUA6UY.ttf") format("truetype"),url("./glyphicons-halflings-regular-QXYEM3FU.svg#glyphicons_halflingsregular") format("svg")}.glyphicon{position:relative;top:1px;display:inline-block;font-family:Glyphicons Halflings;font-style:normal;font-weight:400;line-height:1;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.glyphicon-asterisk:before{content:"*"}.glyphicon-plus:before{content:"+"}.glyphicon-euro:before,.glyphicon-eur:before{content:"\20ac"}.glyphicon-minus:before{content:"\2212"}.glyphicon-cloud:before{content:"\2601"}.glyphicon-envelope:before{content:"\2709"}.glyphicon-pencil:before{content:"\270f"}.glyphicon-glass:before{content:"\e001"}.glyphicon-music:before{content:"\e002"}.glyphicon-search:before{content:"\e003"}.glyphicon-heart:before{content:"\e005"}.glyphicon-star:before{content:"\e006"}.glyphicon-star-empty:before{content:"\e007"}.glyphicon-user:before{content:"\e008"}.glyphicon-film:before{content:"\e009"}.glyphicon-th-large:before{content:"\e010"}.glyphicon-th:before{content:"\e011"}.glyphicon-th-list:before{content:"\e012"}.glyphicon-ok:before{content:"\e013"}.glyphicon-remove:before{content:"\e014"}.glyphicon-zoom-in:before{content:"\e015"}.glyphicon-zoom-out:before{content:"\e016"}.glyphicon-off:before{content:"\e017"}.glyphicon-signal:before{content:"\e018"}.glyphicon-cog:before{content:"\e019"}.glyphicon-trash:before{content:"\e020"}.glyphicon-home:before{content:"\e021"}.glyphicon-file:before{content:"\e022"}.glyphicon-time:before{content:"\e023"}.glyphicon-road:before{content:"\e024"}.glyphicon-download-alt:before{content:"\e025"}.glyphicon-download:before{content:"\e026"}.glyphicon-upload:before{content:"\e027"}.glyphicon-inbox:before{content:"\e028"}.glyphicon-play-circle:before{content:"\e029"}.glyphicon-repeat:before{content:"\e030"}.glyphicon-refresh:before{content:"\e031"}.glyphicon-list-alt:before{content:"\e032"}.glyphicon-lock:before{content:"\e033"}.glyphicon-flag:before{content:"\e034"}.glyphicon-headphones:before{content:"\e035"}.glyphicon-volume-off:before{content:"\e036"}.glyphicon-volume-down:before{content:"\e037"}.glyphicon-volume-up:before{content:"\e038"}.glyphicon-qrcode:before{content:"\e039"}.glyphicon-barcode:before{content:"\e040"}.glyphicon-tag:before{content:"\e041"}.glyphicon-tags:before{content:"\e042"}.glyphicon-book:before{content:"\e043"}.glyphicon-bookmark:before{content:"\e044"}.glyphicon-print:before{content:"\e045"}.glyphicon-camera:before{content:"\e046"}.glyphicon-font:before{content:"\e047"}.glyphicon-bold:before{content:"\e048"}.glyphicon-italic:before{content:"\e049"}.glyphicon-text-height:before{content:"\e050"}.glyphicon-text-width:before{content:"\e051"}.glyphicon-align-left:before{content:"\e052"}.glyphicon-align-center:before{content:"\e053"}.glyphicon-align-right:before{content:"\e054"}.glyphicon-align-justify:before{content:"\e055"}.glyphicon-list:before{content:"\e056"}.glyphicon-indent-left:before{content:"\e057"}.glyphicon-indent-right:before{content:"\e058"}.glyphicon-facetime-video:before{content:"\e059"}.glyphicon-picture:before{content:"\e060"}.glyphicon-map-marker:before{content:"\e062"}.glyphicon-adjust:before{content:"\e063"}.glyphicon-tint:before{content:"\e064"}.glyphicon-edit:before{content:"\e065"}.glyphicon-share:before{content:"\e066"}.glyphicon-check:before{content:"\e067"}.glyphicon-move:before{content:"\e068"}.glyphicon-step-backward:before{content:"\e069"}.glyphicon-fast-backward:before{content:"\e070"}.glyphicon-backward:before{content:"\e071"}.glyphicon-play:before{content:"\e072"}.glyphicon-pause:before{content:"\e073"}.glyphicon-stop:before{content:"\e074"}.glyphicon-forward:before{content:"\e075"}.glyphicon-fast-forward:before{content:"\e076"}.glyphicon-step-forward:before{content:"\e077"}.glyphicon-eject:before{content:"\e078"}.glyphicon-chevron-left:before{content:"\e079"}.glyphicon-chevron-right:before{content:"\e080"}.glyphicon-plus-sign:before{content:"\e081"}.glyphicon-minus-sign:before{content:"\e082"}.glyphicon-remove-sign:before{content:"\e083"}.glyphicon-ok-sign:before{content:"\e084"}.glyphicon-question-sign:before{content:"\e085"}.glyphicon-info-sign:before{content:"\e086"}.glyphicon-screenshot:before{content:"\e087"}.glyphicon-remove-circle:before{content:"\e088"}.glyphicon-ok-circle:before{content:"\e089"}.glyphicon-ban-circle:before{content:"\e090"}.glyphicon-arrow-left:before{content:"\e091"}.glyphicon-arrow-right:before{content:"\e092"}.glyphicon-arrow-up:before{content:"\e093"}.glyphicon-arrow-down:before{content:"\e094"}.glyphicon-share-alt:before{content:"\e095"}.glyphicon-resize-full:before{content:"\e096"}.glyphicon-resize-small:before{content:"\e097"}.glyphicon-exclamation-sign:before{content:"\e101"}.glyphicon-gift:before{content:"\e102"}.glyphicon-leaf:before{content:"\e103"}.glyphicon-fire:before{content:"\e104"}.glyphicon-eye-open:before{content:"\e105"}.glyphicon-eye-close:before{content:"\e106"}.glyphicon-warning-sign:before{content:"\e107"}.glyphicon-plane:before{content:"\e108"}.glyphicon-calendar:before{content:"\e109"}.glyphicon-random:before{content:"\e110"}.glyphicon-comment:before{content:"\e111"}.glyphicon-magnet:before{content:"\e112"}.glyphicon-chevron-up:before{content:"\e113"}.glyphicon-chevron-down:before{content:"\e114"}.glyphicon-retweet:before{content:"\e115"}.glyphicon-shopping-cart:before{content:"\e116"}.glyphicon-folder-close:before{content:"\e117"}.glyphicon-folder-open:before{content:"\e118"}.glyphicon-resize-vertical:before{content:"\e119"}.glyphicon-resize-horizontal:before{content:"\e120"}.glyphicon-hdd:before{content:"\e121"}.glyphicon-bullhorn:before{content:"\e122"}.glyphicon-bell:before{content:"\e123"}.glyphicon-certificate:before{content:"\e124"}.glyphicon-thumbs-up:before{content:"\e125"}.glyphicon-thumbs-down:before{content:"\e126"}.glyphicon-hand-right:before{content:"\e127"}.glyphicon-hand-left:before{content:"\e128"}.glyphicon-hand-up:before{content:"\e129"}.glyphicon-hand-down:before{content:"\e130"}.glyphicon-circle-arrow-right:before{content:"\e131"}.glyphicon-circle-arrow-left:before{content:"\e132"}.glyphicon-circle-arrow-up:before{content:"\e133"}.glyphicon-circle-arrow-down:before{content:"\e134"}.glyphicon-globe:before{content:"\e135"}.glyphicon-wrench:before{content:"\e136"}.glyphicon-tasks:before{content:"\e137"}.glyphicon-filter:before{content:"\e138"}.glyphicon-briefcase:before{content:"\e139"}.glyphicon-fullscreen:before{content:"\e140"}.glyphicon-dashboard:before{content:"\e141"}.glyphicon-paperclip:before{content:"\e142"}.glyphicon-heart-empty:before{content:"\e143"}.glyphicon-link:before{content:"\e144"}.glyphicon-phone:before{content:"\e145"}.glyphicon-pushpin:before{content:"\e146"}.glyphicon-usd:before{content:"\e148"}.glyphicon-gbp:before{content:"\e149"}.glyphicon-sort:before{content:"\e150"}.glyphicon-sort-by-alphabet:before{content:"\e151"}.glyphicon-sort-by-alphabet-alt:before{content:"\e152"}.glyphicon-sort-by-order:before{content:"\e153"}.glyphicon-sort-by-order-alt:before{content:"\e154"}.glyphicon-sort-by-attributes:before{content:"\e155"}.glyphicon-sort-by-attributes-alt:before{content:"\e156"}.glyphicon-unchecked:before{content:"\e157"}.glyphicon-expand:before{content:"\e158"}.glyphicon-collapse-down:before{content:"\e159"}.glyphicon-collapse-up:before{content:"\e160"}.glyphicon-log-in:before{content:"\e161"}.glyphicon-flash:before{content:"\e162"}.glyphicon-log-out:before{content:"\e163"}.glyphicon-new-window:before{content:"\e164"}.glyphicon-record:before{content:"\e165"}.glyphicon-save:before{content:"\e166"}.glyphicon-open:before{content:"\e167"}.glyphicon-saved:before{content:"\e168"}.glyphicon-import:before{content:"\e169"}.glyphicon-export:before{content:"\e170"}.glyphicon-send:before{content:"\e171"}.glyphicon-floppy-disk:before{content:"\e172"}.glyphicon-floppy-saved:before{content:"\e173"}.glyphicon-floppy-remove:before{content:"\e174"}.glyphicon-floppy-save:before{content:"\e175"}.glyphicon-floppy-open:before{content:"\e176"}.glyphicon-credit-card:before{content:"\e177"}.glyphicon-transfer:before{content:"\e178"}.glyphicon-cutlery:before{content:"\e179"}.glyphicon-header:before{content:"\e180"}.glyphicon-compressed:before{content:"\e181"}.glyphicon-earphone:before{content:"\e182"}.glyphicon-phone-alt:before{content:"\e183"}.glyphicon-tower:before{content:"\e184"}.glyphicon-stats:before{content:"\e185"}.glyphicon-sd-video:before{content:"\e186"}.glyphicon-hd-video:before{content:"\e187"}.glyphicon-subtitles:before{content:"\e188"}.glyphicon-sound-stereo:before{content:"\e189"}.glyphicon-sound-dolby:before{content:"\e190"}.glyphicon-sound-5-1:before{content:"\e191"}.glyphicon-sound-6-1:before{content:"\e192"}.glyphicon-sound-7-1:before{content:"\e193"}.glyphicon-copyright-mark:before{content:"\e194"}.glyphicon-registration-mark:before{content:"\e195"}.glyphicon-cloud-download:before{content:"\e197"}.glyphicon-cloud-upload:before{content:"\e198"}.glyphicon-tree-conifer:before{content:"\e199"}.glyphicon-tree-deciduous:before{content:"\e200"}.glyphicon-cd:before{content:"\e201"}.glyphicon-save-file:before{content:"\e202"}.glyphicon-open-file:before{content:"\e203"}.glyphicon-level-up:before{content:"\e204"}.glyphicon-copy:before{content:"\e205"}.glyphicon-paste:before{content:"\e206"}.glyphicon-alert:before{content:"\e209"}.glyphicon-equalizer:before{content:"\e210"}.glyphicon-king:before{content:"\e211"}.glyphicon-queen:before{content:"\e212"}.glyphicon-pawn:before{content:"\e213"}.glyphicon-bishop:before{content:"\e214"}.glyphicon-knight:before{content:"\e215"}.glyphicon-baby-formula:before{content:"\e216"}.glyphicon-tent:before{content:"\26fa"}.glyphicon-blackboard:before{content:"\e218"}.glyphicon-bed:before{content:"\e219"}.glyphicon-apple:before{content:"\f8ff"}.glyphicon-erase:before{content:"\e221"}.glyphicon-hourglass:before{content:"\231b"}.glyphicon-lamp:before{content:"\e223"}.glyphicon-duplicate:before{content:"\e224"}.glyphicon-piggy-bank:before{content:"\e225"}.glyphicon-scissors:before{content:"\e226"}.glyphicon-bitcoin:before{content:"\e227"}.glyphicon-btc:before{content:"\e227"}.glyphicon-xbt:before{content:"\e227"}.glyphicon-yen:before{content:"\a5"}.glyphicon-jpy:before{content:"\a5"}.glyphicon-ruble:before{content:"\20bd"}.glyphicon-rub:before{content:"\20bd"}.glyphicon-scale:before{content:"\e230"}.glyphicon-ice-lolly:before{content:"\e231"}.glyphicon-ice-lolly-tasted:before{content:"\e232"}.glyphicon-education:before{content:"\e233"}.glyphicon-option-horizontal:before{content:"\e234"}.glyphicon-option-vertical:before{content:"\e235"}.glyphicon-menu-hamburger:before{content:"\e236"}.glyphicon-modal-window:before{content:"\e237"}.glyphicon-oil:before{content:"\e238"}.glyphicon-grain:before{content:"\e239"}.glyphicon-sunglasses:before{content:"\e240"}.glyphicon-text-size:before{content:"\e241"}.glyphicon-text-color:before{content:"\e242"}.glyphicon-text-background:before{content:"\e243"}.glyphicon-object-align-top:before{content:"\e244"}.glyphicon-object-align-bottom:before{content:"\e245"}.glyphicon-object-align-horizontal:before{content:"\e246"}.glyphicon-object-align-left:before{content:"\e247"}.glyphicon-object-align-vertical:before{content:"\e248"}.glyphicon-object-align-right:before{content:"\e249"}.glyphicon-triangle-right:before{content:"\e250"}.glyphicon-triangle-left:before{content:"\e251"}.glyphicon-triangle-bottom:before{content:"\e252"}.glyphicon-triangle-top:before{content:"\e253"}.glyphicon-console:before{content:"\e254"}.glyphicon-superscript:before{content:"\e255"}.glyphicon-subscript:before{content:"\e256"}.glyphicon-menu-left:before{content:"\e257"}.glyphicon-menu-right:before{content:"\e258"}.glyphicon-menu-down:before{content:"\e259"}.glyphicon-menu-up:before{content:"\e260"}*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}*:before,*:after{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}html{font-size:10px;-webkit-tap-highlight-color:rgba(0,0,0,0)}body{font-family:Helvetica Neue,Helvetica,Arial,sans-serif;font-size:14px;line-height:1.42857143;color:#333;background-color:#fff}input,button,select,textarea{font-family:inherit;font-size:inherit;line-height:inherit}a{color:#337ab7;text-decoration:none}a:hover,a:focus{color:#23527c;text-decoration:underline}a:focus{outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}figure{margin:0}img{vertical-align:middle}.img-responsive,.thumbnail>img,.thumbnail a>img,.carousel-inner>.item>img,.carousel-inner>.item>a>img{display:block;max-width:100%;height:auto}.img-rounded{border-radius:6px}.img-thumbnail{padding:4px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:all .2s ease-in-out;-o-transition:all .2s ease-in-out;transition:all .2s ease-in-out;display:inline-block;max-width:100%;height:auto}.img-circle{border-radius:50%}hr{margin-top:20px;margin-bottom:20px;border:0;border-top:1px solid #eeeeee}.sr-only{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}.sr-only-focusable:active,.sr-only-focusable:focus{position:static;width:auto;height:auto;margin:0;overflow:visible;clip:auto}[role=button]{cursor:pointer}h1,h2,h3,h4,h5,h6,.h1,.h2,.h3,.h4,.h5,.h6{font-family:inherit;font-weight:500;line-height:1.1;color:inherit}h1 small,h2 small,h3 small,h4 small,h5 small,h6 small,.h1 small,.h2 small,.h3 small,.h4 small,.h5 small,.h6 small,h1 .small,h2 .small,h3 .small,h4 .small,h5 .small,h6 .small,.h1 .small,.h2 .small,.h3 .small,.h4 .small,.h5 .small,.h6 .small{font-weight:400;line-height:1;color:#777}h1,.h1,h2,.h2,h3,.h3{margin-top:20px;margin-bottom:10px}h1 small,.h1 small,h2 small,.h2 small,h3 small,.h3 small,h1 .small,.h1 .small,h2 .small,.h2 .small,h3 .small,.h3 .small{font-size:65%}h4,.h4,h5,.h5,h6,.h6{margin-top:10px;margin-bottom:10px}h4 small,.h4 small,h5 small,.h5 small,h6 small,.h6 small,h4 .small,.h4 .small,h5 .small,.h5 .small,h6 .small,.h6 .small{font-size:75%}h1,.h1{font-size:36px}h2,.h2{font-size:30px}h3,.h3{font-size:24px}h4,.h4{font-size:18px}h5,.h5{font-size:14px}h6,.h6{font-size:12px}p{margin:0 0 10px}.lead{margin-bottom:20px;font-size:16px;font-weight:300;line-height:1.4}@media (min-width: 768px){.lead{font-size:21px}}small,.small{font-size:85%}mark,.mark{padding:.2em;background-color:#fcf8e3}.text-left{text-align:left}.text-right{text-align:right}.text-center{text-align:center}.text-justify{text-align:justify}.text-nowrap{white-space:nowrap}.text-lowercase{text-transform:lowercase}.text-uppercase{text-transform:uppercase}.text-capitalize{text-transform:capitalize}.text-muted{color:#777}.text-primary{color:#337ab7}a.text-primary:hover,a.text-primary:focus{color:#286090}.text-success{color:#3c763d}a.text-success:hover,a.text-success:focus{color:#2b542c}.text-info{color:#31708f}a.text-info:hover,a.text-info:focus{color:#245269}.text-warning{color:#8a6d3b}a.text-warning:hover,a.text-warning:focus{color:#66512c}.text-danger{color:#a94442}a.text-danger:hover,a.text-danger:focus{color:#843534}.bg-primary{color:#fff;background-color:#337ab7}a.bg-primary:hover,a.bg-primary:focus{background-color:#286090}.bg-success{background-color:#dff0d8}a.bg-success:hover,a.bg-success:focus{background-color:#c1e2b3}.bg-info{background-color:#d9edf7}a.bg-info:hover,a.bg-info:focus{background-color:#afd9ee}.bg-warning{background-color:#fcf8e3}a.bg-warning:hover,a.bg-warning:focus{background-color:#f7ecb5}.bg-danger{background-color:#f2dede}a.bg-danger:hover,a.bg-danger:focus{background-color:#e4b9b9}.page-header{padding-bottom:9px;margin:40px 0 20px;border-bottom:1px solid #eeeeee}ul,ol{margin-top:0;margin-bottom:10px}ul ul,ol ul,ul ol,ol ol{margin-bottom:0}.list-unstyled{padding-left:0;list-style:none}.list-inline{padding-left:0;list-style:none;margin-left:-5px}.list-inline>li{display:inline-block;padding-right:5px;padding-left:5px}dl{margin-top:0;margin-bottom:20px}dt,dd{line-height:1.42857143}dt{font-weight:700}dd{margin-left:0}@media (min-width: 768px){.dl-horizontal dt{float:left;width:160px;clear:left;text-align:right;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.dl-horizontal dd{margin-left:180px}}abbr[title],abbr[data-original-title]{cursor:help}.initialism{font-size:90%;text-transform:uppercase}blockquote{padding:10px 20px;margin:0 0 20px;font-size:17.5px;border-left:5px solid #eeeeee}blockquote p:last-child,blockquote ul:last-child,blockquote ol:last-child{margin-bottom:0}blockquote footer,blockquote small,blockquote .small{display:block;font-size:80%;line-height:1.42857143;color:#777}blockquote footer:before,blockquote small:before,blockquote .small:before{content:"\2014\a0"}.blockquote-reverse,blockquote.pull-right{padding-right:15px;padding-left:0;text-align:right;border-right:5px solid #eeeeee;border-left:0}.blockquote-reverse footer:before,blockquote.pull-right footer:before,.blockquote-reverse small:before,blockquote.pull-right small:before,.blockquote-reverse .small:before,blockquote.pull-right .small:before{content:""}.blockquote-reverse footer:after,blockquote.pull-right footer:after,.blockquote-reverse small:after,blockquote.pull-right small:after,.blockquote-reverse .small:after,blockquote.pull-right .small:after{content:"\a0\2014"}address{margin-bottom:20px;font-style:normal;line-height:1.42857143}code,kbd,pre,samp{font-family:Menlo,Monaco,Consolas,Courier New,monospace}code{padding:2px 4px;font-size:90%;color:#c7254e;background-color:#f9f2f4;border-radius:4px}kbd{padding:2px 4px;font-size:90%;color:#fff;background-color:#333;border-radius:3px;-webkit-box-shadow:inset 0 -1px 0 rgba(0,0,0,.25);box-shadow:inset 0 -1px #00000040}kbd kbd{padding:0;font-size:100%;font-weight:700;-webkit-box-shadow:none;box-shadow:none}pre{display:block;padding:9.5px;margin:0 0 10px;font-size:13px;line-height:1.42857143;color:#333;word-break:break-all;word-wrap:break-word;background-color:#f5f5f5;border:1px solid #ccc;border-radius:4px}pre code{padding:0;font-size:inherit;color:inherit;white-space:pre-wrap;background-color:transparent;border-radius:0}.pre-scrollable{max-height:340px;overflow-y:scroll}.container{padding-right:15px;padding-left:15px;margin-right:auto;margin-left:auto}@media (min-width: 768px){.container{width:750px}}@media (min-width: 992px){.container{width:970px}}@media (min-width: 1200px){.container{width:1170px}}.container-fluid{padding-right:15px;padding-left:15px;margin-right:auto;margin-left:auto}.row{margin-right:-15px;margin-left:-15px}.row-no-gutters{margin-right:0;margin-left:0}.row-no-gutters [class*=col-]{padding-right:0;padding-left:0}.col-xs-1,.col-sm-1,.col-md-1,.col-lg-1,.col-xs-2,.col-sm-2,.col-md-2,.col-lg-2,.col-xs-3,.col-sm-3,.col-md-3,.col-lg-3,.col-xs-4,.col-sm-4,.col-md-4,.col-lg-4,.col-xs-5,.col-sm-5,.col-md-5,.col-lg-5,.col-xs-6,.col-sm-6,.col-md-6,.col-lg-6,.col-xs-7,.col-sm-7,.col-md-7,.col-lg-7,.col-xs-8,.col-sm-8,.col-md-8,.col-lg-8,.col-xs-9,.col-sm-9,.col-md-9,.col-lg-9,.col-xs-10,.col-sm-10,.col-md-10,.col-lg-10,.col-xs-11,.col-sm-11,.col-md-11,.col-lg-11,.col-xs-12,.col-sm-12,.col-md-12,.col-lg-12{position:relative;min-height:1px;padding-right:15px;padding-left:15px}.col-xs-1,.col-xs-2,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7,.col-xs-8,.col-xs-9,.col-xs-10,.col-xs-11,.col-xs-12{float:left}.col-xs-12{width:100%}.col-xs-11{width:91.66666667%}.col-xs-10{width:83.33333333%}.col-xs-9{width:75%}.col-xs-8{width:66.66666667%}.col-xs-7{width:58.33333333%}.col-xs-6{width:50%}.col-xs-5{width:41.66666667%}.col-xs-4{width:33.33333333%}.col-xs-3{width:25%}.col-xs-2{width:16.66666667%}.col-xs-1{width:8.33333333%}.col-xs-pull-12{right:100%}.col-xs-pull-11{right:91.66666667%}.col-xs-pull-10{right:83.33333333%}.col-xs-pull-9{right:75%}.col-xs-pull-8{right:66.66666667%}.col-xs-pull-7{right:58.33333333%}.col-xs-pull-6{right:50%}.col-xs-pull-5{right:41.66666667%}.col-xs-pull-4{right:33.33333333%}.col-xs-pull-3{right:25%}.col-xs-pull-2{right:16.66666667%}.col-xs-pull-1{right:8.33333333%}.col-xs-pull-0{right:auto}.col-xs-push-12{left:100%}.col-xs-push-11{left:91.66666667%}.col-xs-push-10{left:83.33333333%}.col-xs-push-9{left:75%}.col-xs-push-8{left:66.66666667%}.col-xs-push-7{left:58.33333333%}.col-xs-push-6{left:50%}.col-xs-push-5{left:41.66666667%}.col-xs-push-4{left:33.33333333%}.col-xs-push-3{left:25%}.col-xs-push-2{left:16.66666667%}.col-xs-push-1{left:8.33333333%}.col-xs-push-0{left:auto}.col-xs-offset-12{margin-left:100%}.col-xs-offset-11{margin-left:91.66666667%}.col-xs-offset-10{margin-left:83.33333333%}.col-xs-offset-9{margin-left:75%}.col-xs-offset-8{margin-left:66.66666667%}.col-xs-offset-7{margin-left:58.33333333%}.col-xs-offset-6{margin-left:50%}.col-xs-offset-5{margin-left:41.66666667%}.col-xs-offset-4{margin-left:33.33333333%}.col-xs-offset-3{margin-left:25%}.col-xs-offset-2{margin-left:16.66666667%}.col-xs-offset-1{margin-left:8.33333333%}.col-xs-offset-0{margin-left:0%}@media (min-width: 768px){.col-sm-1,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9,.col-sm-10,.col-sm-11,.col-sm-12{float:left}.col-sm-12{width:100%}.col-sm-11{width:91.66666667%}.col-sm-10{width:83.33333333%}.col-sm-9{width:75%}.col-sm-8{width:66.66666667%}.col-sm-7{width:58.33333333%}.col-sm-6{width:50%}.col-sm-5{width:41.66666667%}.col-sm-4{width:33.33333333%}.col-sm-3{width:25%}.col-sm-2{width:16.66666667%}.col-sm-1{width:8.33333333%}.col-sm-pull-12{right:100%}.col-sm-pull-11{right:91.66666667%}.col-sm-pull-10{right:83.33333333%}.col-sm-pull-9{right:75%}.col-sm-pull-8{right:66.66666667%}.col-sm-pull-7{right:58.33333333%}.col-sm-pull-6{right:50%}.col-sm-pull-5{right:41.66666667%}.col-sm-pull-4{right:33.33333333%}.col-sm-pull-3{right:25%}.col-sm-pull-2{right:16.66666667%}.col-sm-pull-1{right:8.33333333%}.col-sm-pull-0{right:auto}.col-sm-push-12{left:100%}.col-sm-push-11{left:91.66666667%}.col-sm-push-10{left:83.33333333%}.col-sm-push-9{left:75%}.col-sm-push-8{left:66.66666667%}.col-sm-push-7{left:58.33333333%}.col-sm-push-6{left:50%}.col-sm-push-5{left:41.66666667%}.col-sm-push-4{left:33.33333333%}.col-sm-push-3{left:25%}.col-sm-push-2{left:16.66666667%}.col-sm-push-1{left:8.33333333%}.col-sm-push-0{left:auto}.col-sm-offset-12{margin-left:100%}.col-sm-offset-11{margin-left:91.66666667%}.col-sm-offset-10{margin-left:83.33333333%}.col-sm-offset-9{margin-left:75%}.col-sm-offset-8{margin-left:66.66666667%}.col-sm-offset-7{margin-left:58.33333333%}.col-sm-offset-6{margin-left:50%}.col-sm-offset-5{margin-left:41.66666667%}.col-sm-offset-4{margin-left:33.33333333%}.col-sm-offset-3{margin-left:25%}.col-sm-offset-2{margin-left:16.66666667%}.col-sm-offset-1{margin-left:8.33333333%}.col-sm-offset-0{margin-left:0%}}@media (min-width: 992px){.col-md-1,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9,.col-md-10,.col-md-11,.col-md-12{float:left}.col-md-12{width:100%}.col-md-11{width:91.66666667%}.col-md-10{width:83.33333333%}.col-md-9{width:75%}.col-md-8{width:66.66666667%}.col-md-7{width:58.33333333%}.col-md-6{width:50%}.col-md-5{width:41.66666667%}.col-md-4{width:33.33333333%}.col-md-3{width:25%}.col-md-2{width:16.66666667%}.col-md-1{width:8.33333333%}.col-md-pull-12{right:100%}.col-md-pull-11{right:91.66666667%}.col-md-pull-10{right:83.33333333%}.col-md-pull-9{right:75%}.col-md-pull-8{right:66.66666667%}.col-md-pull-7{right:58.33333333%}.col-md-pull-6{right:50%}.col-md-pull-5{right:41.66666667%}.col-md-pull-4{right:33.33333333%}.col-md-pull-3{right:25%}.col-md-pull-2{right:16.66666667%}.col-md-pull-1{right:8.33333333%}.col-md-pull-0{right:auto}.col-md-push-12{left:100%}.col-md-push-11{left:91.66666667%}.col-md-push-10{left:83.33333333%}.col-md-push-9{left:75%}.col-md-push-8{left:66.66666667%}.col-md-push-7{left:58.33333333%}.col-md-push-6{left:50%}.col-md-push-5{left:41.66666667%}.col-md-push-4{left:33.33333333%}.col-md-push-3{left:25%}.col-md-push-2{left:16.66666667%}.col-md-push-1{left:8.33333333%}.col-md-push-0{left:auto}.col-md-offset-12{margin-left:100%}.col-md-offset-11{margin-left:91.66666667%}.col-md-offset-10{margin-left:83.33333333%}.col-md-offset-9{margin-left:75%}.col-md-offset-8{margin-left:66.66666667%}.col-md-offset-7{margin-left:58.33333333%}.col-md-offset-6{margin-left:50%}.col-md-offset-5{margin-left:41.66666667%}.col-md-offset-4{margin-left:33.33333333%}.col-md-offset-3{margin-left:25%}.col-md-offset-2{margin-left:16.66666667%}.col-md-offset-1{margin-left:8.33333333%}.col-md-offset-0{margin-left:0%}}@media (min-width: 1200px){.col-lg-1,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9,.col-lg-10,.col-lg-11,.col-lg-12{float:left}.col-lg-12{width:100%}.col-lg-11{width:91.66666667%}.col-lg-10{width:83.33333333%}.col-lg-9{width:75%}.col-lg-8{width:66.66666667%}.col-lg-7{width:58.33333333%}.col-lg-6{width:50%}.col-lg-5{width:41.66666667%}.col-lg-4{width:33.33333333%}.col-lg-3{width:25%}.col-lg-2{width:16.66666667%}.col-lg-1{width:8.33333333%}.col-lg-pull-12{right:100%}.col-lg-pull-11{right:91.66666667%}.col-lg-pull-10{right:83.33333333%}.col-lg-pull-9{right:75%}.col-lg-pull-8{right:66.66666667%}.col-lg-pull-7{right:58.33333333%}.col-lg-pull-6{right:50%}.col-lg-pull-5{right:41.66666667%}.col-lg-pull-4{right:33.33333333%}.col-lg-pull-3{right:25%}.col-lg-pull-2{right:16.66666667%}.col-lg-pull-1{right:8.33333333%}.col-lg-pull-0{right:auto}.col-lg-push-12{left:100%}.col-lg-push-11{left:91.66666667%}.col-lg-push-10{left:83.33333333%}.col-lg-push-9{left:75%}.col-lg-push-8{left:66.66666667%}.col-lg-push-7{left:58.33333333%}.col-lg-push-6{left:50%}.col-lg-push-5{left:41.66666667%}.col-lg-push-4{left:33.33333333%}.col-lg-push-3{left:25%}.col-lg-push-2{left:16.66666667%}.col-lg-push-1{left:8.33333333%}.col-lg-push-0{left:auto}.col-lg-offset-12{margin-left:100%}.col-lg-offset-11{margin-left:91.66666667%}.col-lg-offset-10{margin-left:83.33333333%}.col-lg-offset-9{margin-left:75%}.col-lg-offset-8{margin-left:66.66666667%}.col-lg-offset-7{margin-left:58.33333333%}.col-lg-offset-6{margin-left:50%}.col-lg-offset-5{margin-left:41.66666667%}.col-lg-offset-4{margin-left:33.33333333%}.col-lg-offset-3{margin-left:25%}.col-lg-offset-2{margin-left:16.66666667%}.col-lg-offset-1{margin-left:8.33333333%}.col-lg-offset-0{margin-left:0%}}table{background-color:transparent}table col[class*=col-]{position:static;display:table-column;float:none}table td[class*=col-],table th[class*=col-]{position:static;display:table-cell;float:none}caption{padding-top:8px;padding-bottom:8px;color:#777;text-align:left}th{text-align:left}.table{width:100%;max-width:100%;margin-bottom:20px}.table>thead>tr>th,.table>tbody>tr>th,.table>tfoot>tr>th,.table>thead>tr>td,.table>tbody>tr>td,.table>tfoot>tr>td{padding:8px;line-height:1.42857143;vertical-align:top;border-top:1px solid #ddd}.table>thead>tr>th{vertical-align:bottom;border-bottom:2px solid #ddd}.table>caption+thead>tr:first-child>th,.table>colgroup+thead>tr:first-child>th,.table>thead:first-child>tr:first-child>th,.table>caption+thead>tr:first-child>td,.table>colgroup+thead>tr:first-child>td,.table>thead:first-child>tr:first-child>td{border-top:0}.table>tbody+tbody{border-top:2px solid #ddd}.table .table{background-color:#fff}.table-condensed>thead>tr>th,.table-condensed>tbody>tr>th,.table-condensed>tfoot>tr>th,.table-condensed>thead>tr>td,.table-condensed>tbody>tr>td,.table-condensed>tfoot>tr>td{padding:5px}.table-bordered{border:1px solid #ddd}.table-bordered>thead>tr>th,.table-bordered>tbody>tr>th,.table-bordered>tfoot>tr>th,.table-bordered>thead>tr>td,.table-bordered>tbody>tr>td,.table-bordered>tfoot>tr>td{border:1px solid #ddd}.table-bordered>thead>tr>th,.table-bordered>thead>tr>td{border-bottom-width:2px}.table-striped>tbody>tr:nth-of-type(odd){background-color:#f9f9f9}.table-hover>tbody>tr:hover{background-color:#f5f5f5}.table>thead>tr>td.active,.table>tbody>tr>td.active,.table>tfoot>tr>td.active,.table>thead>tr>th.active,.table>tbody>tr>th.active,.table>tfoot>tr>th.active,.table>thead>tr.active>td,.table>tbody>tr.active>td,.table>tfoot>tr.active>td,.table>thead>tr.active>th,.table>tbody>tr.active>th,.table>tfoot>tr.active>th{background-color:#f5f5f5}.table-hover>tbody>tr>td.active:hover,.table-hover>tbody>tr>th.active:hover,.table-hover>tbody>tr.active:hover>td,.table-hover>tbody>tr:hover>.active,.table-hover>tbody>tr.active:hover>th{background-color:#e8e8e8}.table>thead>tr>td.success,.table>tbody>tr>td.success,.table>tfoot>tr>td.success,.table>thead>tr>th.success,.table>tbody>tr>th.success,.table>tfoot>tr>th.success,.table>thead>tr.success>td,.table>tbody>tr.success>td,.table>tfoot>tr.success>td,.table>thead>tr.success>th,.table>tbody>tr.success>th,.table>tfoot>tr.success>th{background-color:#dff0d8}.table-hover>tbody>tr>td.success:hover,.table-hover>tbody>tr>th.success:hover,.table-hover>tbody>tr.success:hover>td,.table-hover>tbody>tr:hover>.success,.table-hover>tbody>tr.success:hover>th{background-color:#d0e9c6}.table>thead>tr>td.info,.table>tbody>tr>td.info,.table>tfoot>tr>td.info,.table>thead>tr>th.info,.table>tbody>tr>th.info,.table>tfoot>tr>th.info,.table>thead>tr.info>td,.table>tbody>tr.info>td,.table>tfoot>tr.info>td,.table>thead>tr.info>th,.table>tbody>tr.info>th,.table>tfoot>tr.info>th{background-color:#d9edf7}.table-hover>tbody>tr>td.info:hover,.table-hover>tbody>tr>th.info:hover,.table-hover>tbody>tr.info:hover>td,.table-hover>tbody>tr:hover>.info,.table-hover>tbody>tr.info:hover>th{background-color:#c4e3f3}.table>thead>tr>td.warning,.table>tbody>tr>td.warning,.table>tfoot>tr>td.warning,.table>thead>tr>th.warning,.table>tbody>tr>th.warning,.table>tfoot>tr>th.warning,.table>thead>tr.warning>td,.table>tbody>tr.warning>td,.table>tfoot>tr.warning>td,.table>thead>tr.warning>th,.table>tbody>tr.warning>th,.table>tfoot>tr.warning>th{background-color:#fcf8e3}.table-hover>tbody>tr>td.warning:hover,.table-hover>tbody>tr>th.warning:hover,.table-hover>tbody>tr.warning:hover>td,.table-hover>tbody>tr:hover>.warning,.table-hover>tbody>tr.warning:hover>th{background-color:#faf2cc}.table>thead>tr>td.danger,.table>tbody>tr>td.danger,.table>tfoot>tr>td.danger,.table>thead>tr>th.danger,.table>tbody>tr>th.danger,.table>tfoot>tr>th.danger,.table>thead>tr.danger>td,.table>tbody>tr.danger>td,.table>tfoot>tr.danger>td,.table>thead>tr.danger>th,.table>tbody>tr.danger>th,.table>tfoot>tr.danger>th{background-color:#f2dede}.table-hover>tbody>tr>td.danger:hover,.table-hover>tbody>tr>th.danger:hover,.table-hover>tbody>tr.danger:hover>td,.table-hover>tbody>tr:hover>.danger,.table-hover>tbody>tr.danger:hover>th{background-color:#ebcccc}.table-responsive{min-height:.01%;overflow-x:auto}@media screen and (max-width: 767px){.table-responsive{width:100%;margin-bottom:15px;overflow-y:hidden;-ms-overflow-style:-ms-autohiding-scrollbar;border:1px solid #ddd}.table-responsive>.table{margin-bottom:0}.table-responsive>.table>thead>tr>th,.table-responsive>.table>tbody>tr>th,.table-responsive>.table>tfoot>tr>th,.table-responsive>.table>thead>tr>td,.table-responsive>.table>tbody>tr>td,.table-responsive>.table>tfoot>tr>td{white-space:nowrap}.table-responsive>.table-bordered{border:0}.table-responsive>.table-bordered>thead>tr>th:first-child,.table-responsive>.table-bordered>tbody>tr>th:first-child,.table-responsive>.table-bordered>tfoot>tr>th:first-child,.table-responsive>.table-bordered>thead>tr>td:first-child,.table-responsive>.table-bordered>tbody>tr>td:first-child,.table-responsive>.table-bordered>tfoot>tr>td:first-child{border-left:0}.table-responsive>.table-bordered>thead>tr>th:last-child,.table-responsive>.table-bordered>tbody>tr>th:last-child,.table-responsive>.table-bordered>tfoot>tr>th:last-child,.table-responsive>.table-bordered>thead>tr>td:last-child,.table-responsive>.table-bordered>tbody>tr>td:last-child,.table-responsive>.table-bordered>tfoot>tr>td:last-child{border-right:0}.table-responsive>.table-bordered>tbody>tr:last-child>th,.table-responsive>.table-bordered>tfoot>tr:last-child>th,.table-responsive>.table-bordered>tbody>tr:last-child>td,.table-responsive>.table-bordered>tfoot>tr:last-child>td{border-bottom:0}}fieldset{min-width:0;padding:0;margin:0;border:0}legend{display:block;width:100%;padding:0;margin-bottom:20px;font-size:21px;line-height:inherit;color:#333;border:0;border-bottom:1px solid #e5e5e5}label{display:inline-block;max-width:100%;margin-bottom:5px;font-weight:700}input[type=search]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;-webkit-appearance:none;-moz-appearance:none;appearance:none}input[type=radio],input[type=checkbox]{margin:4px 0 0;margin-top:1px \ ;line-height:normal}input[type=radio][disabled],input[type=checkbox][disabled],input[type=radio].disabled,input[type=checkbox].disabled,fieldset[disabled] input[type=radio],fieldset[disabled] input[type=checkbox]{cursor:not-allowed}input[type=file]{display:block}input[type=range]{display:block;width:100%}select[multiple],select[size]{height:auto}input[type=file]:focus,input[type=radio]:focus,input[type=checkbox]:focus{outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}output{display:block;padding-top:7px;font-size:14px;line-height:1.42857143;color:#555}.form-control{display:block;width:100%;height:34px;padding:6px 12px;font-size:14px;line-height:1.42857143;color:#555;background-color:#fff;background-image:none;border:1px solid #ccc;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px #00000013;-webkit-transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;-o-transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;-webkit-transition:border-color ease-in-out .15s,-webkit-box-shadow ease-in-out .15s;transition:border-color ease-in-out .15s,-webkit-box-shadow ease-in-out .15s;transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s,-webkit-box-shadow ease-in-out .15s}.form-control:focus{border-color:#66afe9;outline:0;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 8px rgba(102,175,233,.6);box-shadow:inset 0 1px 1px #00000013,0 0 8px #66afe999}.form-control::-moz-placeholder{color:#999;opacity:1}.form-control:-ms-input-placeholder{color:#999}.form-control::-webkit-input-placeholder{color:#999}.form-control::-ms-expand{background-color:transparent;border:0}.form-control[disabled],.form-control[readonly],fieldset[disabled] .form-control{background-color:#eee;opacity:1}.form-control[disabled],fieldset[disabled] .form-control{cursor:not-allowed}textarea.form-control{height:auto}@media screen and (-webkit-min-device-pixel-ratio: 0){input[type=date].form-control,input[type=time].form-control,input[type=datetime-local].form-control,input[type=month].form-control{line-height:34px}input[type=date].input-sm,input[type=time].input-sm,input[type=datetime-local].input-sm,input[type=month].input-sm,.input-group-sm input[type=date],.input-group-sm input[type=time],.input-group-sm input[type=datetime-local],.input-group-sm input[type=month]{line-height:30px}input[type=date].input-lg,input[type=time].input-lg,input[type=datetime-local].input-lg,input[type=month].input-lg,.input-group-lg input[type=date],.input-group-lg input[type=time],.input-group-lg input[type=datetime-local],.input-group-lg input[type=month]{line-height:46px}}.form-group{margin-bottom:15px}.radio,.checkbox{position:relative;display:block;margin-top:10px;margin-bottom:10px}.radio.disabled label,.checkbox.disabled label,fieldset[disabled] .radio label,fieldset[disabled] .checkbox label{cursor:not-allowed}.radio label,.checkbox label{min-height:20px;padding-left:20px;margin-bottom:0;font-weight:400;cursor:pointer}.radio input[type=radio],.radio-inline input[type=radio],.checkbox input[type=checkbox],.checkbox-inline input[type=checkbox]{position:absolute;margin-top:4px \ ;margin-left:-20px}.radio+.radio,.checkbox+.checkbox{margin-top:-5px}.radio-inline,.checkbox-inline{position:relative;display:inline-block;padding-left:20px;margin-bottom:0;font-weight:400;vertical-align:middle;cursor:pointer}.radio-inline.disabled,.checkbox-inline.disabled,fieldset[disabled] .radio-inline,fieldset[disabled] .checkbox-inline{cursor:not-allowed}.radio-inline+.radio-inline,.checkbox-inline+.checkbox-inline{margin-top:0;margin-left:10px}.form-control-static{min-height:34px;padding-top:7px;padding-bottom:7px;margin-bottom:0}.form-control-static.input-lg,.form-control-static.input-sm{padding-right:0;padding-left:0}.input-sm{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}select.input-sm{height:30px;line-height:30px}textarea.input-sm,select[multiple].input-sm{height:auto}.form-group-sm .form-control{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}.form-group-sm select.form-control{height:30px;line-height:30px}.form-group-sm textarea.form-control,.form-group-sm select[multiple].form-control{height:auto}.form-group-sm .form-control-static{height:30px;min-height:32px;padding:6px 10px;font-size:12px;line-height:1.5}.input-lg{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}select.input-lg{height:46px;line-height:46px}textarea.input-lg,select[multiple].input-lg{height:auto}.form-group-lg .form-control{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}.form-group-lg select.form-control{height:46px;line-height:46px}.form-group-lg textarea.form-control,.form-group-lg select[multiple].form-control{height:auto}.form-group-lg .form-control-static{height:46px;min-height:38px;padding:11px 16px;font-size:18px;line-height:1.3333333}.has-feedback{position:relative}.has-feedback .form-control{padding-right:42.5px}.form-control-feedback{position:absolute;top:0;right:0;z-index:2;display:block;width:34px;height:34px;line-height:34px;text-align:center;pointer-events:none}.input-lg+.form-control-feedback,.input-group-lg+.form-control-feedback,.form-group-lg .form-control+.form-control-feedback{width:46px;height:46px;line-height:46px}.input-sm+.form-control-feedback,.input-group-sm+.form-control-feedback,.form-group-sm .form-control+.form-control-feedback{width:30px;height:30px;line-height:30px}.has-success .help-block,.has-success .control-label,.has-success .radio,.has-success .checkbox,.has-success .radio-inline,.has-success .checkbox-inline,.has-success.radio label,.has-success.checkbox label,.has-success.radio-inline label,.has-success.checkbox-inline label{color:#3c763d}.has-success .form-control{border-color:#3c763d;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px #00000013}.has-success .form-control:focus{border-color:#2b542c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #67b168;box-shadow:inset 0 1px 1px #00000013,0 0 6px #67b168}.has-success .input-group-addon{color:#3c763d;background-color:#dff0d8;border-color:#3c763d}.has-success .form-control-feedback{color:#3c763d}.has-warning .help-block,.has-warning .control-label,.has-warning .radio,.has-warning .checkbox,.has-warning .radio-inline,.has-warning .checkbox-inline,.has-warning.radio label,.has-warning.checkbox label,.has-warning.radio-inline label,.has-warning.checkbox-inline label{color:#8a6d3b}.has-warning .form-control{border-color:#8a6d3b;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px #00000013}.has-warning .form-control:focus{border-color:#66512c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #c0a16b;box-shadow:inset 0 1px 1px #00000013,0 0 6px #c0a16b}.has-warning .input-group-addon{color:#8a6d3b;background-color:#fcf8e3;border-color:#8a6d3b}.has-warning .form-control-feedback{color:#8a6d3b}.has-error .help-block,.has-error .control-label,.has-error .radio,.has-error .checkbox,.has-error .radio-inline,.has-error .checkbox-inline,.has-error.radio label,.has-error.checkbox label,.has-error.radio-inline label,.has-error.checkbox-inline label{color:#a94442}.has-error .form-control{border-color:#a94442;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px #00000013}.has-error .form-control:focus{border-color:#843534;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #ce8483;box-shadow:inset 0 1px 1px #00000013,0 0 6px #ce8483}.has-error .input-group-addon{color:#a94442;background-color:#f2dede;border-color:#a94442}.has-error .form-control-feedback{color:#a94442}.has-feedback label~.form-control-feedback{top:25px}.has-feedback label.sr-only~.form-control-feedback{top:0}.help-block{display:block;margin-top:5px;margin-bottom:10px;color:#737373}@media (min-width: 768px){.form-inline .form-group{display:inline-block;margin-bottom:0;vertical-align:middle}.form-inline .form-control{display:inline-block;width:auto;vertical-align:middle}.form-inline .form-control-static{display:inline-block}.form-inline .input-group{display:inline-table;vertical-align:middle}.form-inline .input-group .input-group-addon,.form-inline .input-group .input-group-btn,.form-inline .input-group .form-control{width:auto}.form-inline .input-group>.form-control{width:100%}.form-inline .control-label{margin-bottom:0;vertical-align:middle}.form-inline .radio,.form-inline .checkbox{display:inline-block;margin-top:0;margin-bottom:0;vertical-align:middle}.form-inline .radio label,.form-inline .checkbox label{padding-left:0}.form-inline .radio input[type=radio],.form-inline .checkbox input[type=checkbox]{position:relative;margin-left:0}.form-inline .has-feedback .form-control-feedback{top:0}}.form-horizontal .radio,.form-horizontal .checkbox,.form-horizontal .radio-inline,.form-horizontal .checkbox-inline{padding-top:7px;margin-top:0;margin-bottom:0}.form-horizontal .radio,.form-horizontal .checkbox{min-height:27px}.form-horizontal .form-group{margin-right:-15px;margin-left:-15px}@media (min-width: 768px){.form-horizontal .control-label{padding-top:7px;margin-bottom:0;text-align:right}}.form-horizontal .has-feedback .form-control-feedback{right:15px}@media (min-width: 768px){.form-horizontal .form-group-lg .control-label{padding-top:11px;font-size:18px}}@media (min-width: 768px){.form-horizontal .form-group-sm .control-label{padding-top:6px;font-size:12px}}.btn{display:inline-block;margin-bottom:0;font-weight:400;text-align:center;white-space:nowrap;vertical-align:middle;-ms-touch-action:manipulation;touch-action:manipulation;cursor:pointer;background-image:none;border:1px solid transparent;padding:6px 12px;font-size:14px;line-height:1.42857143;border-radius:4px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.btn:focus,.btn:active:focus,.btn.active:focus,.btn.focus,.btn:active.focus,.btn.active.focus{outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}.btn:hover,.btn:focus,.btn.focus{color:#333;text-decoration:none}.btn:active,.btn.active{background-image:none;outline:0;-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px #00000020}.btn.disabled,.btn[disabled],fieldset[disabled] .btn{cursor:not-allowed;filter:alpha(opacity=65);opacity:.65;-webkit-box-shadow:none;box-shadow:none}a.btn.disabled,fieldset[disabled] a.btn{pointer-events:none}.btn-default{color:#333;background-color:#fff;border-color:#ccc}.btn-default:focus,.btn-default.focus{color:#333;background-color:#e6e6e6;border-color:#8c8c8c}.btn-default:hover{color:#333;background-color:#e6e6e6;border-color:#adadad}.btn-default:active,.btn-default.active,.open>.dropdown-toggle.btn-default{color:#333;background-color:#e6e6e6;background-image:none;border-color:#adadad}.btn-default:active:hover,.btn-default.active:hover,.open>.dropdown-toggle.btn-default:hover,.btn-default:active:focus,.btn-default.active:focus,.open>.dropdown-toggle.btn-default:focus,.btn-default:active.focus,.btn-default.active.focus,.open>.dropdown-toggle.btn-default.focus{color:#333;background-color:#d4d4d4;border-color:#8c8c8c}.btn-default.disabled:hover,.btn-default[disabled]:hover,fieldset[disabled] .btn-default:hover,.btn-default.disabled:focus,.btn-default[disabled]:focus,fieldset[disabled] .btn-default:focus,.btn-default.disabled.focus,.btn-default[disabled].focus,fieldset[disabled] .btn-default.focus{background-color:#fff;border-color:#ccc}.btn-default .badge{color:#fff;background-color:#333}.btn-primary{color:#fff;background-color:#337ab7;border-color:#2e6da4}.btn-primary:focus,.btn-primary.focus{color:#fff;background-color:#286090;border-color:#122b40}.btn-primary:hover{color:#fff;background-color:#286090;border-color:#204d74}.btn-primary:active,.btn-primary.active,.open>.dropdown-toggle.btn-primary{color:#fff;background-color:#286090;background-image:none;border-color:#204d74}.btn-primary:active:hover,.btn-primary.active:hover,.open>.dropdown-toggle.btn-primary:hover,.btn-primary:active:focus,.btn-primary.active:focus,.open>.dropdown-toggle.btn-primary:focus,.btn-primary:active.focus,.btn-primary.active.focus,.open>.dropdown-toggle.btn-primary.focus{color:#fff;background-color:#204d74;border-color:#122b40}.btn-primary.disabled:hover,.btn-primary[disabled]:hover,fieldset[disabled] .btn-primary:hover,.btn-primary.disabled:focus,.btn-primary[disabled]:focus,fieldset[disabled] .btn-primary:focus,.btn-primary.disabled.focus,.btn-primary[disabled].focus,fieldset[disabled] .btn-primary.focus{background-color:#337ab7;border-color:#2e6da4}.btn-primary .badge{color:#337ab7;background-color:#fff}.btn-success{color:#fff;background-color:#5cb85c;border-color:#4cae4c}.btn-success:focus,.btn-success.focus{color:#fff;background-color:#449d44;border-color:#255625}.btn-success:hover{color:#fff;background-color:#449d44;border-color:#398439}.btn-success:active,.btn-success.active,.open>.dropdown-toggle.btn-success{color:#fff;background-color:#449d44;background-image:none;border-color:#398439}.btn-success:active:hover,.btn-success.active:hover,.open>.dropdown-toggle.btn-success:hover,.btn-success:active:focus,.btn-success.active:focus,.open>.dropdown-toggle.btn-success:focus,.btn-success:active.focus,.btn-success.active.focus,.open>.dropdown-toggle.btn-success.focus{color:#fff;background-color:#398439;border-color:#255625}.btn-success.disabled:hover,.btn-success[disabled]:hover,fieldset[disabled] .btn-success:hover,.btn-success.disabled:focus,.btn-success[disabled]:focus,fieldset[disabled] .btn-success:focus,.btn-success.disabled.focus,.btn-success[disabled].focus,fieldset[disabled] .btn-success.focus{background-color:#5cb85c;border-color:#4cae4c}.btn-success .badge{color:#5cb85c;background-color:#fff}.btn-info{color:#fff;background-color:#5bc0de;border-color:#46b8da}.btn-info:focus,.btn-info.focus{color:#fff;background-color:#31b0d5;border-color:#1b6d85}.btn-info:hover{color:#fff;background-color:#31b0d5;border-color:#269abc}.btn-info:active,.btn-info.active,.open>.dropdown-toggle.btn-info{color:#fff;background-color:#31b0d5;background-image:none;border-color:#269abc}.btn-info:active:hover,.btn-info.active:hover,.open>.dropdown-toggle.btn-info:hover,.btn-info:active:focus,.btn-info.active:focus,.open>.dropdown-toggle.btn-info:focus,.btn-info:active.focus,.btn-info.active.focus,.open>.dropdown-toggle.btn-info.focus{color:#fff;background-color:#269abc;border-color:#1b6d85}.btn-info.disabled:hover,.btn-info[disabled]:hover,fieldset[disabled] .btn-info:hover,.btn-info.disabled:focus,.btn-info[disabled]:focus,fieldset[disabled] .btn-info:focus,.btn-info.disabled.focus,.btn-info[disabled].focus,fieldset[disabled] .btn-info.focus{background-color:#5bc0de;border-color:#46b8da}.btn-info .badge{color:#5bc0de;background-color:#fff}.btn-warning{color:#fff;background-color:#f0ad4e;border-color:#eea236}.btn-warning:focus,.btn-warning.focus{color:#fff;background-color:#ec971f;border-color:#985f0d}.btn-warning:hover{color:#fff;background-color:#ec971f;border-color:#d58512}.btn-warning:active,.btn-warning.active,.open>.dropdown-toggle.btn-warning{color:#fff;background-color:#ec971f;background-image:none;border-color:#d58512}.btn-warning:active:hover,.btn-warning.active:hover,.open>.dropdown-toggle.btn-warning:hover,.btn-warning:active:focus,.btn-warning.active:focus,.open>.dropdown-toggle.btn-warning:focus,.btn-warning:active.focus,.btn-warning.active.focus,.open>.dropdown-toggle.btn-warning.focus{color:#fff;background-color:#d58512;border-color:#985f0d}.btn-warning.disabled:hover,.btn-warning[disabled]:hover,fieldset[disabled] .btn-warning:hover,.btn-warning.disabled:focus,.btn-warning[disabled]:focus,fieldset[disabled] .btn-warning:focus,.btn-warning.disabled.focus,.btn-warning[disabled].focus,fieldset[disabled] .btn-warning.focus{background-color:#f0ad4e;border-color:#eea236}.btn-warning .badge{color:#f0ad4e;background-color:#fff}.btn-danger{color:#fff;background-color:#d9534f;border-color:#d43f3a}.btn-danger:focus,.btn-danger.focus{color:#fff;background-color:#c9302c;border-color:#761c19}.btn-danger:hover{color:#fff;background-color:#c9302c;border-color:#ac2925}.btn-danger:active,.btn-danger.active,.open>.dropdown-toggle.btn-danger{color:#fff;background-color:#c9302c;background-image:none;border-color:#ac2925}.btn-danger:active:hover,.btn-danger.active:hover,.open>.dropdown-toggle.btn-danger:hover,.btn-danger:active:focus,.btn-danger.active:focus,.open>.dropdown-toggle.btn-danger:focus,.btn-danger:active.focus,.btn-danger.active.focus,.open>.dropdown-toggle.btn-danger.focus{color:#fff;background-color:#ac2925;border-color:#761c19}.btn-danger.disabled:hover,.btn-danger[disabled]:hover,fieldset[disabled] .btn-danger:hover,.btn-danger.disabled:focus,.btn-danger[disabled]:focus,fieldset[disabled] .btn-danger:focus,.btn-danger.disabled.focus,.btn-danger[disabled].focus,fieldset[disabled] .btn-danger.focus{background-color:#d9534f;border-color:#d43f3a}.btn-danger .badge{color:#d9534f;background-color:#fff}.btn-link{font-weight:400;color:#337ab7;border-radius:0}.btn-link,.btn-link:active,.btn-link.active,.btn-link[disabled],fieldset[disabled] .btn-link{background-color:transparent;-webkit-box-shadow:none;box-shadow:none}.btn-link,.btn-link:hover,.btn-link:focus,.btn-link:active{border-color:transparent}.btn-link:hover,.btn-link:focus{color:#23527c;text-decoration:underline;background-color:transparent}.btn-link[disabled]:hover,fieldset[disabled] .btn-link:hover,.btn-link[disabled]:focus,fieldset[disabled] .btn-link:focus{color:#777;text-decoration:none}.btn-lg,.btn-group-lg>.btn{padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}.btn-sm,.btn-group-sm>.btn{padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}.btn-xs,.btn-group-xs>.btn{padding:1px 5px;font-size:12px;line-height:1.5;border-radius:3px}.btn-block{display:block;width:100%}.btn-block+.btn-block{margin-top:5px}input[type=submit].btn-block,input[type=reset].btn-block,input[type=button].btn-block{width:100%}.fade{opacity:0;-webkit-transition:opacity .15s linear;-o-transition:opacity .15s linear;transition:opacity .15s linear}.fade.in{opacity:1}.collapse{display:none}.collapse.in{display:block}tr.collapse.in{display:table-row}tbody.collapse.in{display:table-row-group}.collapsing{position:relative;height:0;overflow:hidden;-webkit-transition-property:height,visibility;-o-transition-property:height,visibility;transition-property:height,visibility;-webkit-transition-duration:.35s;-o-transition-duration:.35s;transition-duration:.35s;-webkit-transition-timing-function:ease;-o-transition-timing-function:ease;transition-timing-function:ease}.caret{display:inline-block;width:0;height:0;margin-left:2px;vertical-align:middle;border-top:4px dashed;border-top:4px solid \ ;border-right:4px solid transparent;border-left:4px solid transparent}.dropup,.dropdown{position:relative}.dropdown-toggle:focus{outline:0}.dropdown-menu{position:absolute;top:100%;left:0;z-index:1000;display:none;float:left;min-width:160px;padding:5px 0;margin:2px 0 0;font-size:14px;text-align:left;list-style:none;background-color:#fff;background-clip:padding-box;border:1px solid #ccc;border:1px solid rgba(0,0,0,.15);border-radius:4px;-webkit-box-shadow:0 6px 12px rgba(0,0,0,.175);box-shadow:0 6px 12px #0000002d}.dropdown-menu.pull-right{right:0;left:auto}.dropdown-menu .divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5}.dropdown-menu>li>a{display:block;padding:3px 20px;clear:both;font-weight:400;line-height:1.42857143;color:#333;white-space:nowrap}.dropdown-menu>li>a:hover,.dropdown-menu>li>a:focus{color:#262626;text-decoration:none;background-color:#f5f5f5}.dropdown-menu>.active>a,.dropdown-menu>.active>a:hover,.dropdown-menu>.active>a:focus{color:#fff;text-decoration:none;background-color:#337ab7;outline:0}.dropdown-menu>.disabled>a,.dropdown-menu>.disabled>a:hover,.dropdown-menu>.disabled>a:focus{color:#777}.dropdown-menu>.disabled>a:hover,.dropdown-menu>.disabled>a:focus{text-decoration:none;cursor:not-allowed;background-color:transparent;background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled = false)}.open>.dropdown-menu{display:block}.open>a{outline:0}.dropdown-menu-right{right:0;left:auto}.dropdown-menu-left{right:auto;left:0}.dropdown-header{display:block;padding:3px 20px;font-size:12px;line-height:1.42857143;color:#777;white-space:nowrap}.dropdown-backdrop{position:fixed;inset:0;z-index:990}.pull-right>.dropdown-menu{right:0;left:auto}.dropup .caret,.navbar-fixed-bottom .dropdown .caret{content:"";border-top:0;border-bottom:4px dashed;border-bottom:4px solid \ }.dropup .dropdown-menu,.navbar-fixed-bottom .dropdown .dropdown-menu{top:auto;bottom:100%;margin-bottom:2px}@media (min-width: 768px){.navbar-right .dropdown-menu{right:0;left:auto}.navbar-right .dropdown-menu-left{right:auto;left:0}}.btn-group,.btn-group-vertical{position:relative;display:inline-block;vertical-align:middle}.btn-group>.btn,.btn-group-vertical>.btn{position:relative;float:left}.btn-group>.btn:hover,.btn-group-vertical>.btn:hover,.btn-group>.btn:focus,.btn-group-vertical>.btn:focus,.btn-group>.btn:active,.btn-group-vertical>.btn:active,.btn-group>.btn.active,.btn-group-vertical>.btn.active{z-index:2}.btn-group .btn+.btn,.btn-group .btn+.btn-group,.btn-group .btn-group+.btn,.btn-group .btn-group+.btn-group{margin-left:-1px}.btn-toolbar{margin-left:-5px}.btn-toolbar .btn,.btn-toolbar .btn-group,.btn-toolbar .input-group{float:left}.btn-toolbar>.btn,.btn-toolbar>.btn-group,.btn-toolbar>.input-group{margin-left:5px}.btn-group>.btn:not(:first-child):not(:last-child):not(.dropdown-toggle){border-radius:0}.btn-group>.btn:first-child{margin-left:0}.btn-group>.btn:first-child:not(:last-child):not(.dropdown-toggle){border-top-right-radius:0;border-bottom-right-radius:0}.btn-group>.btn:last-child:not(:first-child),.btn-group>.dropdown-toggle:not(:first-child){border-top-left-radius:0;border-bottom-left-radius:0}.btn-group>.btn-group{float:left}.btn-group>.btn-group:not(:first-child):not(:last-child)>.btn{border-radius:0}.btn-group>.btn-group:first-child:not(:last-child)>.btn:last-child,.btn-group>.btn-group:first-child:not(:last-child)>.dropdown-toggle{border-top-right-radius:0;border-bottom-right-radius:0}.btn-group>.btn-group:last-child:not(:first-child)>.btn:first-child{border-top-left-radius:0;border-bottom-left-radius:0}.btn-group .dropdown-toggle:active,.btn-group.open .dropdown-toggle{outline:0}.btn-group>.btn+.dropdown-toggle{padding-right:8px;padding-left:8px}.btn-group>.btn-lg+.dropdown-toggle{padding-right:12px;padding-left:12px}.btn-group.open .dropdown-toggle{-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px #00000020}.btn-group.open .dropdown-toggle.btn-link{-webkit-box-shadow:none;box-shadow:none}.btn .caret{margin-left:0}.btn-lg .caret{border-width:5px 5px 0;border-bottom-width:0}.dropup .btn-lg .caret{border-width:0 5px 5px}.btn-group-vertical>.btn,.btn-group-vertical>.btn-group,.btn-group-vertical>.btn-group>.btn{display:block;float:none;width:100%;max-width:100%}.btn-group-vertical>.btn-group>.btn{float:none}.btn-group-vertical>.btn+.btn,.btn-group-vertical>.btn+.btn-group,.btn-group-vertical>.btn-group+.btn,.btn-group-vertical>.btn-group+.btn-group{margin-top:-1px;margin-left:0}.btn-group-vertical>.btn:not(:first-child):not(:last-child){border-radius:0}.btn-group-vertical>.btn:first-child:not(:last-child){border-radius:4px 4px 0 0}.btn-group-vertical>.btn:last-child:not(:first-child){border-radius:0 0 4px 4px}.btn-group-vertical>.btn-group:not(:first-child):not(:last-child)>.btn{border-radius:0}.btn-group-vertical>.btn-group:first-child:not(:last-child)>.btn:last-child,.btn-group-vertical>.btn-group:first-child:not(:last-child)>.dropdown-toggle{border-bottom-right-radius:0;border-bottom-left-radius:0}.btn-group-vertical>.btn-group:last-child:not(:first-child)>.btn:first-child{border-top-left-radius:0;border-top-right-radius:0}.btn-group-justified{display:table;width:100%;table-layout:fixed;border-collapse:separate}.btn-group-justified>.btn,.btn-group-justified>.btn-group{display:table-cell;float:none;width:1%}.btn-group-justified>.btn-group .btn{width:100%}.btn-group-justified>.btn-group .dropdown-menu{left:auto}[data-toggle=buttons]>.btn input[type=radio],[data-toggle=buttons]>.btn-group>.btn input[type=radio],[data-toggle=buttons]>.btn input[type=checkbox],[data-toggle=buttons]>.btn-group>.btn input[type=checkbox]{position:absolute;clip:rect(0,0,0,0);pointer-events:none}.input-group{position:relative;display:table;border-collapse:separate}.input-group[class*=col-]{float:none;padding-right:0;padding-left:0}.input-group .form-control{position:relative;z-index:2;float:left;width:100%;margin-bottom:0}.input-group .form-control:focus{z-index:3}.input-group-lg>.form-control,.input-group-lg>.input-group-addon,.input-group-lg>.input-group-btn>.btn{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}select.input-group-lg>.form-control,select.input-group-lg>.input-group-addon,select.input-group-lg>.input-group-btn>.btn{height:46px;line-height:46px}textarea.input-group-lg>.form-control,textarea.input-group-lg>.input-group-addon,textarea.input-group-lg>.input-group-btn>.btn,select[multiple].input-group-lg>.form-control,select[multiple].input-group-lg>.input-group-addon,select[multiple].input-group-lg>.input-group-btn>.btn{height:auto}.input-group-sm>.form-control,.input-group-sm>.input-group-addon,.input-group-sm>.input-group-btn>.btn{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}select.input-group-sm>.form-control,select.input-group-sm>.input-group-addon,select.input-group-sm>.input-group-btn>.btn{height:30px;line-height:30px}textarea.input-group-sm>.form-control,textarea.input-group-sm>.input-group-addon,textarea.input-group-sm>.input-group-btn>.btn,select[multiple].input-group-sm>.form-control,select[multiple].input-group-sm>.input-group-addon,select[multiple].input-group-sm>.input-group-btn>.btn{height:auto}.input-group-addon,.input-group-btn,.input-group .form-control{display:table-cell}.input-group-addon:not(:first-child):not(:last-child),.input-group-btn:not(:first-child):not(:last-child),.input-group .form-control:not(:first-child):not(:last-child){border-radius:0}.input-group-addon,.input-group-btn{width:1%;white-space:nowrap;vertical-align:middle}.input-group-addon{padding:6px 12px;font-size:14px;font-weight:400;line-height:1;color:#555;text-align:center;background-color:#eee;border:1px solid #ccc;border-radius:4px}.input-group-addon.input-sm{padding:5px 10px;font-size:12px;border-radius:3px}.input-group-addon.input-lg{padding:10px 16px;font-size:18px;border-radius:6px}.input-group-addon input[type=radio],.input-group-addon input[type=checkbox]{margin-top:0}.input-group .form-control:first-child,.input-group-addon:first-child,.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group>.btn,.input-group-btn:first-child>.dropdown-toggle,.input-group-btn:last-child>.btn:not(:last-child):not(.dropdown-toggle),.input-group-btn:last-child>.btn-group:not(:last-child)>.btn{border-top-right-radius:0;border-bottom-right-radius:0}.input-group-addon:first-child{border-right:0}.input-group .form-control:last-child,.input-group-addon:last-child,.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group>.btn,.input-group-btn:last-child>.dropdown-toggle,.input-group-btn:first-child>.btn:not(:first-child),.input-group-btn:first-child>.btn-group:not(:first-child)>.btn{border-top-left-radius:0;border-bottom-left-radius:0}.input-group-addon:last-child{border-left:0}.input-group-btn{position:relative;font-size:0;white-space:nowrap}.input-group-btn>.btn{position:relative}.input-group-btn>.btn+.btn{margin-left:-1px}.input-group-btn>.btn:hover,.input-group-btn>.btn:focus,.input-group-btn>.btn:active{z-index:2}.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group{margin-right:-1px}.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group{z-index:2;margin-left:-1px}.nav{padding-left:0;margin-bottom:0;list-style:none}.nav>li{position:relative;display:block}.nav>li>a{position:relative;display:block;padding:10px 15px}.nav>li>a:hover,.nav>li>a:focus{text-decoration:none;background-color:#eee}.nav>li.disabled>a{color:#777}.nav>li.disabled>a:hover,.nav>li.disabled>a:focus{color:#777;text-decoration:none;cursor:not-allowed;background-color:transparent}.nav .open>a,.nav .open>a:hover,.nav .open>a:focus{background-color:#eee;border-color:#337ab7}.nav .nav-divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5}.nav>li>a>img{max-width:none}.nav-tabs{border-bottom:1px solid #ddd}.nav-tabs>li{float:left;margin-bottom:-1px}.nav-tabs>li>a{margin-right:2px;line-height:1.42857143;border:1px solid transparent;border-radius:4px 4px 0 0}.nav-tabs>li>a:hover{border-color:#eeeeee #eeeeee #ddd}.nav-tabs>li.active>a,.nav-tabs>li.active>a:hover,.nav-tabs>li.active>a:focus{color:#555;cursor:default;background-color:#fff;border:1px solid #ddd;border-bottom-color:transparent}.nav-tabs.nav-justified{width:100%;border-bottom:0}.nav-tabs.nav-justified>li{float:none}.nav-tabs.nav-justified>li>a{margin-bottom:5px;text-align:center}.nav-tabs.nav-justified>.dropdown .dropdown-menu{top:auto;left:auto}@media (min-width: 768px){.nav-tabs.nav-justified>li{display:table-cell;width:1%}.nav-tabs.nav-justified>li>a{margin-bottom:0}}.nav-tabs.nav-justified>li>a{margin-right:0;border-radius:4px}.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:hover,.nav-tabs.nav-justified>.active>a:focus{border:1px solid #ddd}@media (min-width: 768px){.nav-tabs.nav-justified>li>a{border-bottom:1px solid #ddd;border-radius:4px 4px 0 0}.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:hover,.nav-tabs.nav-justified>.active>a:focus{border-bottom-color:#fff}}.nav-pills>li{float:left}.nav-pills>li>a{border-radius:4px}.nav-pills>li+li{margin-left:2px}.nav-pills>li.active>a,.nav-pills>li.active>a:hover,.nav-pills>li.active>a:focus{color:#fff;background-color:#337ab7}.nav-stacked>li{float:none}.nav-stacked>li+li{margin-top:2px;margin-left:0}.nav-justified{width:100%}.nav-justified>li{float:none}.nav-justified>li>a{margin-bottom:5px;text-align:center}.nav-justified>.dropdown .dropdown-menu{top:auto;left:auto}@media (min-width: 768px){.nav-justified>li{display:table-cell;width:1%}.nav-justified>li>a{margin-bottom:0}}.nav-tabs-justified{border-bottom:0}.nav-tabs-justified>li>a{margin-right:0;border-radius:4px}.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:hover,.nav-tabs-justified>.active>a:focus{border:1px solid #ddd}@media (min-width: 768px){.nav-tabs-justified>li>a{border-bottom:1px solid #ddd;border-radius:4px 4px 0 0}.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:hover,.nav-tabs-justified>.active>a:focus{border-bottom-color:#fff}}.tab-content>.tab-pane{display:none}.tab-content>.active{display:block}.nav-tabs .dropdown-menu{margin-top:-1px;border-top-left-radius:0;border-top-right-radius:0}.navbar{position:relative;min-height:50px;margin-bottom:20px;border:1px solid transparent}@media (min-width: 768px){.navbar{border-radius:4px}}@media (min-width: 768px){.navbar-header{float:left}}.navbar-collapse{padding-right:15px;padding-left:15px;overflow-x:visible;border-top:1px solid transparent;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px #ffffff1a;-webkit-overflow-scrolling:touch}.navbar-collapse.in{overflow-y:auto}@media (min-width: 768px){.navbar-collapse{width:auto;border-top:0;-webkit-box-shadow:none;box-shadow:none}.navbar-collapse.collapse{display:block!important;height:auto!important;padding-bottom:0;overflow:visible!important}.navbar-collapse.in{overflow-y:visible}.navbar-fixed-top .navbar-collapse,.navbar-static-top .navbar-collapse,.navbar-fixed-bottom .navbar-collapse{padding-right:0;padding-left:0}}.navbar-fixed-top,.navbar-fixed-bottom{position:fixed;right:0;left:0;z-index:1030}.navbar-fixed-top .navbar-collapse,.navbar-fixed-bottom .navbar-collapse{max-height:340px}@media (max-device-width: 480px) and (orientation: landscape){.navbar-fixed-top .navbar-collapse,.navbar-fixed-bottom .navbar-collapse{max-height:200px}}@media (min-width: 768px){.navbar-fixed-top,.navbar-fixed-bottom{border-radius:0}}.navbar-fixed-top{top:0;border-width:0 0 1px}.navbar-fixed-bottom{bottom:0;margin-bottom:0;border-width:1px 0 0}.container>.navbar-header,.container-fluid>.navbar-header,.container>.navbar-collapse,.container-fluid>.navbar-collapse{margin-right:-15px;margin-left:-15px}@media (min-width: 768px){.container>.navbar-header,.container-fluid>.navbar-header,.container>.navbar-collapse,.container-fluid>.navbar-collapse{margin-right:0;margin-left:0}}.navbar-static-top{z-index:1000;border-width:0 0 1px}@media (min-width: 768px){.navbar-static-top{border-radius:0}}.navbar-brand{float:left;height:50px;padding:15px;font-size:18px;line-height:20px}.navbar-brand:hover,.navbar-brand:focus{text-decoration:none}.navbar-brand>img{display:block}@media (min-width: 768px){.navbar>.container .navbar-brand,.navbar>.container-fluid .navbar-brand{margin-left:-15px}}.navbar-toggle{position:relative;float:right;padding:9px 10px;margin-right:15px;margin-top:8px;margin-bottom:8px;background-color:transparent;background-image:none;border:1px solid transparent;border-radius:4px}.navbar-toggle:focus{outline:0}.navbar-toggle .icon-bar{display:block;width:22px;height:2px;border-radius:1px}.navbar-toggle .icon-bar+.icon-bar{margin-top:4px}@media (min-width: 768px){.navbar-toggle{display:none}}.navbar-nav{margin:7.5px -15px}.navbar-nav>li>a{padding-top:10px;padding-bottom:10px;line-height:20px}@media (max-width: 767px){.navbar-nav .open .dropdown-menu{position:static;float:none;width:auto;margin-top:0;background-color:transparent;border:0;-webkit-box-shadow:none;box-shadow:none}.navbar-nav .open .dropdown-menu>li>a,.navbar-nav .open .dropdown-menu .dropdown-header{padding:5px 15px 5px 25px}.navbar-nav .open .dropdown-menu>li>a{line-height:20px}.navbar-nav .open .dropdown-menu>li>a:hover,.navbar-nav .open .dropdown-menu>li>a:focus{background-image:none}}@media (min-width: 768px){.navbar-nav{float:left;margin:0}.navbar-nav>li{float:left}.navbar-nav>li>a{padding-top:15px;padding-bottom:15px}}.navbar-form{padding:10px 15px;margin:8px -15px;border-top:1px solid transparent;border-bottom:1px solid transparent;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.1),0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px #ffffff1a,0 1px #ffffff1a}@media (min-width: 768px){.navbar-form .form-group{display:inline-block;margin-bottom:0;vertical-align:middle}.navbar-form .form-control{display:inline-block;width:auto;vertical-align:middle}.navbar-form .form-control-static{display:inline-block}.navbar-form .input-group{display:inline-table;vertical-align:middle}.navbar-form .input-group .input-group-addon,.navbar-form .input-group .input-group-btn,.navbar-form .input-group .form-control{width:auto}.navbar-form .input-group>.form-control{width:100%}.navbar-form .control-label{margin-bottom:0;vertical-align:middle}.navbar-form .radio,.navbar-form .checkbox{display:inline-block;margin-top:0;margin-bottom:0;vertical-align:middle}.navbar-form .radio label,.navbar-form .checkbox label{padding-left:0}.navbar-form .radio input[type=radio],.navbar-form .checkbox input[type=checkbox]{position:relative;margin-left:0}.navbar-form .has-feedback .form-control-feedback{top:0}}@media (max-width: 767px){.navbar-form .form-group{margin-bottom:5px}.navbar-form .form-group:last-child{margin-bottom:0}}@media (min-width: 768px){.navbar-form{width:auto;padding-top:0;padding-bottom:0;margin-right:0;margin-left:0;border:0;-webkit-box-shadow:none;box-shadow:none}}.navbar-nav>li>.dropdown-menu{margin-top:0;border-top-left-radius:0;border-top-right-radius:0}.navbar-fixed-bottom .navbar-nav>li>.dropdown-menu{margin-bottom:0;border-radius:4px 4px 0 0}.navbar-btn{margin-top:8px;margin-bottom:8px}.navbar-btn.btn-sm{margin-top:10px;margin-bottom:10px}.navbar-btn.btn-xs{margin-top:14px;margin-bottom:14px}.navbar-text{margin-top:15px;margin-bottom:15px}@media (min-width: 768px){.navbar-text{float:left;margin-right:15px;margin-left:15px}}@media (min-width: 768px){.navbar-left{float:left!important}.navbar-right{float:right!important;margin-right:-15px}.navbar-right~.navbar-right{margin-right:0}}.navbar-default{background-color:#f8f8f8;border-color:#e7e7e7}.navbar-default .navbar-brand{color:#777}.navbar-default .navbar-brand:hover,.navbar-default .navbar-brand:focus{color:#5e5e5e;background-color:transparent}.navbar-default .navbar-text{color:#777}.navbar-default .navbar-nav>li>a{color:#777}.navbar-default .navbar-nav>li>a:hover,.navbar-default .navbar-nav>li>a:focus{color:#333;background-color:transparent}.navbar-default .navbar-nav>.active>a,.navbar-default .navbar-nav>.active>a:hover,.navbar-default .navbar-nav>.active>a:focus{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav>.disabled>a,.navbar-default .navbar-nav>.disabled>a:hover,.navbar-default .navbar-nav>.disabled>a:focus{color:#ccc;background-color:transparent}.navbar-default .navbar-nav>.open>a,.navbar-default .navbar-nav>.open>a:hover,.navbar-default .navbar-nav>.open>a:focus{color:#555;background-color:#e7e7e7}@media (max-width: 767px){.navbar-default .navbar-nav .open .dropdown-menu>li>a{color:#777}.navbar-default .navbar-nav .open .dropdown-menu>li>a:hover,.navbar-default .navbar-nav .open .dropdown-menu>li>a:focus{color:#333;background-color:transparent}.navbar-default .navbar-nav .open .dropdown-menu>.active>a,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:hover,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:focus{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:hover,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:focus{color:#ccc;background-color:transparent}}.navbar-default .navbar-toggle{border-color:#ddd}.navbar-default .navbar-toggle:hover,.navbar-default .navbar-toggle:focus{background-color:#ddd}.navbar-default .navbar-toggle .icon-bar{background-color:#888}.navbar-default .navbar-collapse,.navbar-default .navbar-form{border-color:#e7e7e7}.navbar-default .navbar-link{color:#777}.navbar-default .navbar-link:hover{color:#333}.navbar-default .btn-link{color:#777}.navbar-default .btn-link:hover,.navbar-default .btn-link:focus{color:#333}.navbar-default .btn-link[disabled]:hover,fieldset[disabled] .navbar-default .btn-link:hover,.navbar-default .btn-link[disabled]:focus,fieldset[disabled] .navbar-default .btn-link:focus{color:#ccc}.navbar-inverse{background-color:#222;border-color:#080808}.navbar-inverse .navbar-brand{color:#9d9d9d}.navbar-inverse .navbar-brand:hover,.navbar-inverse .navbar-brand:focus{color:#fff;background-color:transparent}.navbar-inverse .navbar-text{color:#9d9d9d}.navbar-inverse .navbar-nav>li>a{color:#9d9d9d}.navbar-inverse .navbar-nav>li>a:hover,.navbar-inverse .navbar-nav>li>a:focus{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav>.active>a,.navbar-inverse .navbar-nav>.active>a:hover,.navbar-inverse .navbar-nav>.active>a:focus{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav>.disabled>a,.navbar-inverse .navbar-nav>.disabled>a:hover,.navbar-inverse .navbar-nav>.disabled>a:focus{color:#444;background-color:transparent}.navbar-inverse .navbar-nav>.open>a,.navbar-inverse .navbar-nav>.open>a:hover,.navbar-inverse .navbar-nav>.open>a:focus{color:#fff;background-color:#080808}@media (max-width: 767px){.navbar-inverse .navbar-nav .open .dropdown-menu>.dropdown-header{border-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu .divider{background-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu>li>a{color:#9d9d9d}.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:hover,.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:focus{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:hover,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:focus{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:hover,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:focus{color:#444;background-color:transparent}}.navbar-inverse .navbar-toggle{border-color:#333}.navbar-inverse .navbar-toggle:hover,.navbar-inverse .navbar-toggle:focus{background-color:#333}.navbar-inverse .navbar-toggle .icon-bar{background-color:#fff}.navbar-inverse .navbar-collapse,.navbar-inverse .navbar-form{border-color:#101010}.navbar-inverse .navbar-link{color:#9d9d9d}.navbar-inverse .navbar-link:hover{color:#fff}.navbar-inverse .btn-link{color:#9d9d9d}.navbar-inverse .btn-link:hover,.navbar-inverse .btn-link:focus{color:#fff}.navbar-inverse .btn-link[disabled]:hover,fieldset[disabled] .navbar-inverse .btn-link:hover,.navbar-inverse .btn-link[disabled]:focus,fieldset[disabled] .navbar-inverse .btn-link:focus{color:#444}.breadcrumb{padding:8px 15px;margin-bottom:20px;list-style:none;background-color:#f5f5f5;border-radius:4px}.breadcrumb>li{display:inline-block}.breadcrumb>li+li:before{padding:0 5px;color:#ccc;content:"/\a0"}.breadcrumb>.active{color:#777}.pagination{display:inline-block;padding-left:0;margin:20px 0;border-radius:4px}.pagination>li{display:inline}.pagination>li>a,.pagination>li>span{position:relative;float:left;padding:6px 12px;margin-left:-1px;line-height:1.42857143;color:#337ab7;text-decoration:none;background-color:#fff;border:1px solid #ddd}.pagination>li>a:hover,.pagination>li>span:hover,.pagination>li>a:focus,.pagination>li>span:focus{z-index:2;color:#23527c;background-color:#eee;border-color:#ddd}.pagination>li:first-child>a,.pagination>li:first-child>span{margin-left:0;border-top-left-radius:4px;border-bottom-left-radius:4px}.pagination>li:last-child>a,.pagination>li:last-child>span{border-top-right-radius:4px;border-bottom-right-radius:4px}.pagination>.active>a,.pagination>.active>span,.pagination>.active>a:hover,.pagination>.active>span:hover,.pagination>.active>a:focus,.pagination>.active>span:focus{z-index:3;color:#fff;cursor:default;background-color:#337ab7;border-color:#337ab7}.pagination>.disabled>span,.pagination>.disabled>span:hover,.pagination>.disabled>span:focus,.pagination>.disabled>a,.pagination>.disabled>a:hover,.pagination>.disabled>a:focus{color:#777;cursor:not-allowed;background-color:#fff;border-color:#ddd}.pagination-lg>li>a,.pagination-lg>li>span{padding:10px 16px;font-size:18px;line-height:1.3333333}.pagination-lg>li:first-child>a,.pagination-lg>li:first-child>span{border-top-left-radius:6px;border-bottom-left-radius:6px}.pagination-lg>li:last-child>a,.pagination-lg>li:last-child>span{border-top-right-radius:6px;border-bottom-right-radius:6px}.pagination-sm>li>a,.pagination-sm>li>span{padding:5px 10px;font-size:12px;line-height:1.5}.pagination-sm>li:first-child>a,.pagination-sm>li:first-child>span{border-top-left-radius:3px;border-bottom-left-radius:3px}.pagination-sm>li:last-child>a,.pagination-sm>li:last-child>span{border-top-right-radius:3px;border-bottom-right-radius:3px}.pager{padding-left:0;margin:20px 0;text-align:center;list-style:none}.pager li{display:inline}.pager li>a,.pager li>span{display:inline-block;padding:5px 14px;background-color:#fff;border:1px solid #ddd;border-radius:15px}.pager li>a:hover,.pager li>a:focus{text-decoration:none;background-color:#eee}.pager .next>a,.pager .next>span{float:right}.pager .previous>a,.pager .previous>span{float:left}.pager .disabled>a,.pager .disabled>a:hover,.pager .disabled>a:focus,.pager .disabled>span{color:#777;cursor:not-allowed;background-color:#fff}.label{display:inline;padding:.2em .6em .3em;font-size:75%;font-weight:700;line-height:1;color:#fff;text-align:center;white-space:nowrap;vertical-align:baseline;border-radius:.25em}a.label:hover,a.label:focus{color:#fff;text-decoration:none;cursor:pointer}.label:empty{display:none}.btn .label{position:relative;top:-1px}.label-default{background-color:#777}.label-default[href]:hover,.label-default[href]:focus{background-color:#5e5e5e}.label-primary{background-color:#337ab7}.label-primary[href]:hover,.label-primary[href]:focus{background-color:#286090}.label-success{background-color:#5cb85c}.label-success[href]:hover,.label-success[href]:focus{background-color:#449d44}.label-info{background-color:#5bc0de}.label-info[href]:hover,.label-info[href]:focus{background-color:#31b0d5}.label-warning{background-color:#f0ad4e}.label-warning[href]:hover,.label-warning[href]:focus{background-color:#ec971f}.label-danger{background-color:#d9534f}.label-danger[href]:hover,.label-danger[href]:focus{background-color:#c9302c}.badge{display:inline-block;min-width:10px;padding:3px 7px;font-size:12px;font-weight:700;line-height:1;color:#fff;text-align:center;white-space:nowrap;vertical-align:middle;background-color:#777;border-radius:10px}.badge:empty{display:none}.btn .badge{position:relative;top:-1px}.btn-xs .badge,.btn-group-xs>.btn .badge{top:0;padding:1px 5px}a.badge:hover,a.badge:focus{color:#fff;text-decoration:none;cursor:pointer}.list-group-item.active>.badge,.nav-pills>.active>a>.badge{color:#337ab7;background-color:#fff}.list-group-item>.badge{float:right}.list-group-item>.badge+.badge{margin-right:5px}.nav-pills>li>a>.badge{margin-left:3px}.jumbotron{padding-top:30px;padding-bottom:30px;margin-bottom:30px;color:inherit;background-color:#eee}.jumbotron h1,.jumbotron .h1{color:inherit}.jumbotron p{margin-bottom:15px;font-size:21px;font-weight:200}.jumbotron>hr{border-top-color:#d5d5d5}.container .jumbotron,.container-fluid .jumbotron{padding-right:15px;padding-left:15px;border-radius:6px}.jumbotron .container{max-width:100%}@media screen and (min-width: 768px){.jumbotron{padding-top:48px;padding-bottom:48px}.container .jumbotron,.container-fluid .jumbotron{padding-right:60px;padding-left:60px}.jumbotron h1,.jumbotron .h1{font-size:63px}}.thumbnail{display:block;padding:4px;margin-bottom:20px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:border .2s ease-in-out;-o-transition:border .2s ease-in-out;transition:border .2s ease-in-out}.thumbnail>img,.thumbnail a>img{margin-right:auto;margin-left:auto}a.thumbnail:hover,a.thumbnail:focus,a.thumbnail.active{border-color:#337ab7}.thumbnail .caption{padding:9px;color:#333}.alert{padding:15px;margin-bottom:20px;border:1px solid transparent;border-radius:4px}.alert h4{margin-top:0;color:inherit}.alert .alert-link{font-weight:700}.alert>p,.alert>ul{margin-bottom:0}.alert>p+p{margin-top:5px}.alert-dismissable,.alert-dismissible{padding-right:35px}.alert-dismissable .close,.alert-dismissible .close{position:relative;top:-2px;right:-21px;color:inherit}.alert-success{color:#3c763d;background-color:#dff0d8;border-color:#d6e9c6}.alert-success hr{border-top-color:#c9e2b3}.alert-success .alert-link{color:#2b542c}.alert-info{color:#31708f;background-color:#d9edf7;border-color:#bce8f1}.alert-info hr{border-top-color:#a6e1ec}.alert-info .alert-link{color:#245269}.alert-warning{color:#8a6d3b;background-color:#fcf8e3;border-color:#faebcc}.alert-warning hr{border-top-color:#f7e1b5}.alert-warning .alert-link{color:#66512c}.alert-danger{color:#a94442;background-color:#f2dede;border-color:#ebccd1}.alert-danger hr{border-top-color:#e4b9c0}.alert-danger .alert-link{color:#843534}@-webkit-keyframes progress-bar-stripes{0%{background-position:40px 0}to{background-position:0 0}}@-o-keyframes progress-bar-stripes{0%{background-position:40px 0}to{background-position:0 0}}@keyframes progress-bar-stripes{0%{background-position:40px 0}to{background-position:0 0}}.progress{height:20px;margin-bottom:20px;overflow:hidden;background-color:#f5f5f5;border-radius:4px;-webkit-box-shadow:inset 0 1px 2px rgba(0,0,0,.1);box-shadow:inset 0 1px 2px #0000001a}.progress-bar{float:left;width:0%;height:100%;font-size:12px;line-height:20px;color:#fff;text-align:center;background-color:#337ab7;-webkit-box-shadow:inset 0 -1px 0 rgba(0,0,0,.15);box-shadow:inset 0 -1px #00000026;-webkit-transition:width .6s ease;-o-transition:width .6s ease;transition:width .6s ease}.progress-striped .progress-bar,.progress-bar-striped{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);-webkit-background-size:40px 40px;background-size:40px 40px}.progress.active .progress-bar,.progress-bar.active{-webkit-animation:progress-bar-stripes 2s linear infinite;-o-animation:progress-bar-stripes 2s linear infinite;animation:progress-bar-stripes 2s linear infinite}.progress-bar-success{background-color:#5cb85c}.progress-striped .progress-bar-success{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-info{background-color:#5bc0de}.progress-striped .progress-bar-info{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-warning{background-color:#f0ad4e}.progress-striped .progress-bar-warning{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-danger{background-color:#d9534f}.progress-striped .progress-bar-danger{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.media{margin-top:15px}.media:first-child{margin-top:0}.media,.media-body{overflow:hidden;zoom:1}.media-body{width:10000px}.media-object{display:block}.media-object.img-thumbnail{max-width:none}.media-right,.media>.pull-right{padding-left:10px}.media-left,.media>.pull-left{padding-right:10px}.media-left,.media-right,.media-body{display:table-cell;vertical-align:top}.media-middle{vertical-align:middle}.media-bottom{vertical-align:bottom}.media-heading{margin-top:0;margin-bottom:5px}.media-list{padding-left:0;list-style:none}.list-group{padding-left:0;margin-bottom:20px}.list-group-item{position:relative;display:block;padding:10px 15px;margin-bottom:-1px;background-color:#fff;border:1px solid #ddd}.list-group-item:first-child{border-top-left-radius:4px;border-top-right-radius:4px}.list-group-item:last-child{margin-bottom:0;border-bottom-right-radius:4px;border-bottom-left-radius:4px}.list-group-item.disabled,.list-group-item.disabled:hover,.list-group-item.disabled:focus{color:#777;cursor:not-allowed;background-color:#eee}.list-group-item.disabled .list-group-item-heading,.list-group-item.disabled:hover .list-group-item-heading,.list-group-item.disabled:focus .list-group-item-heading{color:inherit}.list-group-item.disabled .list-group-item-text,.list-group-item.disabled:hover .list-group-item-text,.list-group-item.disabled:focus .list-group-item-text{color:#777}.list-group-item.active,.list-group-item.active:hover,.list-group-item.active:focus{z-index:2;color:#fff;background-color:#337ab7;border-color:#337ab7}.list-group-item.active .list-group-item-heading,.list-group-item.active:hover .list-group-item-heading,.list-group-item.active:focus .list-group-item-heading,.list-group-item.active .list-group-item-heading>small,.list-group-item.active:hover .list-group-item-heading>small,.list-group-item.active:focus .list-group-item-heading>small,.list-group-item.active .list-group-item-heading>.small,.list-group-item.active:hover .list-group-item-heading>.small,.list-group-item.active:focus .list-group-item-heading>.small{color:inherit}.list-group-item.active .list-group-item-text,.list-group-item.active:hover .list-group-item-text,.list-group-item.active:focus .list-group-item-text{color:#c7ddef}a.list-group-item,button.list-group-item{color:#555}a.list-group-item .list-group-item-heading,button.list-group-item .list-group-item-heading{color:#333}a.list-group-item:hover,button.list-group-item:hover,a.list-group-item:focus,button.list-group-item:focus{color:#555;text-decoration:none;background-color:#f5f5f5}button.list-group-item{width:100%;text-align:left}.list-group-item-success{color:#3c763d;background-color:#dff0d8}a.list-group-item-success,button.list-group-item-success{color:#3c763d}a.list-group-item-success .list-group-item-heading,button.list-group-item-success .list-group-item-heading{color:inherit}a.list-group-item-success:hover,button.list-group-item-success:hover,a.list-group-item-success:focus,button.list-group-item-success:focus{color:#3c763d;background-color:#d0e9c6}a.list-group-item-success.active,button.list-group-item-success.active,a.list-group-item-success.active:hover,button.list-group-item-success.active:hover,a.list-group-item-success.active:focus,button.list-group-item-success.active:focus{color:#fff;background-color:#3c763d;border-color:#3c763d}.list-group-item-info{color:#31708f;background-color:#d9edf7}a.list-group-item-info,button.list-group-item-info{color:#31708f}a.list-group-item-info .list-group-item-heading,button.list-group-item-info .list-group-item-heading{color:inherit}a.list-group-item-info:hover,button.list-group-item-info:hover,a.list-group-item-info:focus,button.list-group-item-info:focus{color:#31708f;background-color:#c4e3f3}a.list-group-item-info.active,button.list-group-item-info.active,a.list-group-item-info.active:hover,button.list-group-item-info.active:hover,a.list-group-item-info.active:focus,button.list-group-item-info.active:focus{color:#fff;background-color:#31708f;border-color:#31708f}.list-group-item-warning{color:#8a6d3b;background-color:#fcf8e3}a.list-group-item-warning,button.list-group-item-warning{color:#8a6d3b}a.list-group-item-warning .list-group-item-heading,button.list-group-item-warning .list-group-item-heading{color:inherit}a.list-group-item-warning:hover,button.list-group-item-warning:hover,a.list-group-item-warning:focus,button.list-group-item-warning:focus{color:#8a6d3b;background-color:#faf2cc}a.list-group-item-warning.active,button.list-group-item-warning.active,a.list-group-item-warning.active:hover,button.list-group-item-warning.active:hover,a.list-group-item-warning.active:focus,button.list-group-item-warning.active:focus{color:#fff;background-color:#8a6d3b;border-color:#8a6d3b}.list-group-item-danger{color:#a94442;background-color:#f2dede}a.list-group-item-danger,button.list-group-item-danger{color:#a94442}a.list-group-item-danger .list-group-item-heading,button.list-group-item-danger .list-group-item-heading{color:inherit}a.list-group-item-danger:hover,button.list-group-item-danger:hover,a.list-group-item-danger:focus,button.list-group-item-danger:focus{color:#a94442;background-color:#ebcccc}a.list-group-item-danger.active,button.list-group-item-danger.active,a.list-group-item-danger.active:hover,button.list-group-item-danger.active:hover,a.list-group-item-danger.active:focus,button.list-group-item-danger.active:focus{color:#fff;background-color:#a94442;border-color:#a94442}.list-group-item-heading{margin-top:0;margin-bottom:5px}.list-group-item-text{margin-bottom:0;line-height:1.3}.panel{margin-bottom:20px;background-color:#fff;border:1px solid transparent;border-radius:4px;-webkit-box-shadow:0 1px 1px rgba(0,0,0,.05);box-shadow:0 1px 1px #0000000d}.panel-body{padding:15px}.panel-heading{padding:10px 15px;border-bottom:1px solid transparent;border-top-left-radius:3px;border-top-right-radius:3px}.panel-heading>.dropdown .dropdown-toggle{color:inherit}.panel-title{margin-top:0;margin-bottom:0;font-size:16px;color:inherit}.panel-title>a,.panel-title>small,.panel-title>.small,.panel-title>small>a,.panel-title>.small>a{color:inherit}.panel-footer{padding:10px 15px;background-color:#f5f5f5;border-top:1px solid #ddd;border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.list-group,.panel>.panel-collapse>.list-group{margin-bottom:0}.panel>.list-group .list-group-item,.panel>.panel-collapse>.list-group .list-group-item{border-width:1px 0;border-radius:0}.panel>.list-group:first-child .list-group-item:first-child,.panel>.panel-collapse>.list-group:first-child .list-group-item:first-child{border-top:0;border-top-left-radius:3px;border-top-right-radius:3px}.panel>.list-group:last-child .list-group-item:last-child,.panel>.panel-collapse>.list-group:last-child .list-group-item:last-child{border-bottom:0;border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.panel-heading+.panel-collapse>.list-group .list-group-item:first-child{border-top-left-radius:0;border-top-right-radius:0}.panel-heading+.list-group .list-group-item:first-child{border-top-width:0}.list-group+.panel-footer{border-top-width:0}.panel>.table,.panel>.table-responsive>.table,.panel>.panel-collapse>.table{margin-bottom:0}.panel>.table caption,.panel>.table-responsive>.table caption,.panel>.panel-collapse>.table caption{padding-right:15px;padding-left:15px}.panel>.table:first-child,.panel>.table-responsive:first-child>.table:first-child{border-top-left-radius:3px;border-top-right-radius:3px}.panel>.table:first-child>thead:first-child>tr:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child{border-top-left-radius:3px;border-top-right-radius:3px}.panel>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table:first-child>thead:first-child>tr:first-child th:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:first-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:first-child{border-top-left-radius:3px}.panel>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table:first-child>thead:first-child>tr:first-child th:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:last-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:last-child{border-top-right-radius:3px}.panel>.table:last-child,.panel>.table-responsive:last-child>.table:last-child{border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.table:last-child>tbody:last-child>tr:last-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child{border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:first-child{border-bottom-left-radius:3px}.panel>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:last-child{border-bottom-right-radius:3px}.panel>.panel-body+.table,.panel>.panel-body+.table-responsive,.panel>.table+.panel-body,.panel>.table-responsive+.panel-body{border-top:1px solid #ddd}.panel>.table>tbody:first-child>tr:first-child th,.panel>.table>tbody:first-child>tr:first-child td{border-top:0}.panel>.table-bordered,.panel>.table-responsive>.table-bordered{border:0}.panel>.table-bordered>thead>tr>th:first-child,.panel>.table-responsive>.table-bordered>thead>tr>th:first-child,.panel>.table-bordered>tbody>tr>th:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:first-child,.panel>.table-bordered>tfoot>tr>th:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:first-child,.panel>.table-bordered>thead>tr>td:first-child,.panel>.table-responsive>.table-bordered>thead>tr>td:first-child,.panel>.table-bordered>tbody>tr>td:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:first-child,.panel>.table-bordered>tfoot>tr>td:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:first-child{border-left:0}.panel>.table-bordered>thead>tr>th:last-child,.panel>.table-responsive>.table-bordered>thead>tr>th:last-child,.panel>.table-bordered>tbody>tr>th:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:last-child,.panel>.table-bordered>tfoot>tr>th:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:last-child,.panel>.table-bordered>thead>tr>td:last-child,.panel>.table-responsive>.table-bordered>thead>tr>td:last-child,.panel>.table-bordered>tbody>tr>td:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:last-child,.panel>.table-bordered>tfoot>tr>td:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:last-child{border-right:0}.panel>.table-bordered>thead>tr:first-child>td,.panel>.table-responsive>.table-bordered>thead>tr:first-child>td,.panel>.table-bordered>tbody>tr:first-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>td,.panel>.table-bordered>thead>tr:first-child>th,.panel>.table-responsive>.table-bordered>thead>tr:first-child>th,.panel>.table-bordered>tbody>tr:first-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>th{border-bottom:0}.panel>.table-bordered>tbody>tr:last-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>td,.panel>.table-bordered>tfoot>tr:last-child>td,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>td,.panel>.table-bordered>tbody>tr:last-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>th,.panel>.table-bordered>tfoot>tr:last-child>th,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>th{border-bottom:0}.panel>.table-responsive{margin-bottom:0;border:0}.panel-group{margin-bottom:20px}.panel-group .panel{margin-bottom:0;border-radius:4px}.panel-group .panel+.panel{margin-top:5px}.panel-group .panel-heading{border-bottom:0}.panel-group .panel-heading+.panel-collapse>.panel-body,.panel-group .panel-heading+.panel-collapse>.list-group{border-top:1px solid #ddd}.panel-group .panel-footer{border-top:0}.panel-group .panel-footer+.panel-collapse .panel-body{border-bottom:1px solid #ddd}.panel-default{border-color:#ddd}.panel-default>.panel-heading{color:#333;background-color:#f5f5f5;border-color:#ddd}.panel-default>.panel-heading+.panel-collapse>.panel-body{border-top-color:#ddd}.panel-default>.panel-heading .badge{color:#f5f5f5;background-color:#333}.panel-default>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#ddd}.panel-primary{border-color:#337ab7}.panel-primary>.panel-heading{color:#fff;background-color:#337ab7;border-color:#337ab7}.panel-primary>.panel-heading+.panel-collapse>.panel-body{border-top-color:#337ab7}.panel-primary>.panel-heading .badge{color:#337ab7;background-color:#fff}.panel-primary>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#337ab7}.panel-success{border-color:#d6e9c6}.panel-success>.panel-heading{color:#3c763d;background-color:#dff0d8;border-color:#d6e9c6}.panel-success>.panel-heading+.panel-collapse>.panel-body{border-top-color:#d6e9c6}.panel-success>.panel-heading .badge{color:#dff0d8;background-color:#3c763d}.panel-success>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#d6e9c6}.panel-info{border-color:#bce8f1}.panel-info>.panel-heading{color:#31708f;background-color:#d9edf7;border-color:#bce8f1}.panel-info>.panel-heading+.panel-collapse>.panel-body{border-top-color:#bce8f1}.panel-info>.panel-heading .badge{color:#d9edf7;background-color:#31708f}.panel-info>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#bce8f1}.panel-warning{border-color:#faebcc}.panel-warning>.panel-heading{color:#8a6d3b;background-color:#fcf8e3;border-color:#faebcc}.panel-warning>.panel-heading+.panel-collapse>.panel-body{border-top-color:#faebcc}.panel-warning>.panel-heading .badge{color:#fcf8e3;background-color:#8a6d3b}.panel-warning>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#faebcc}.panel-danger{border-color:#ebccd1}.panel-danger>.panel-heading{color:#a94442;background-color:#f2dede;border-color:#ebccd1}.panel-danger>.panel-heading+.panel-collapse>.panel-body{border-top-color:#ebccd1}.panel-danger>.panel-heading .badge{color:#f2dede;background-color:#a94442}.panel-danger>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#ebccd1}.embed-responsive{position:relative;display:block;height:0;padding:0;overflow:hidden}.embed-responsive .embed-responsive-item,.embed-responsive iframe,.embed-responsive embed,.embed-responsive object,.embed-responsive video{position:absolute;top:0;bottom:0;left:0;width:100%;height:100%;border:0}.embed-responsive-16by9{padding-bottom:56.25%}.embed-responsive-4by3{padding-bottom:75%}.well{min-height:20px;padding:19px;margin-bottom:20px;background-color:#f5f5f5;border:1px solid #e3e3e3;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.05);box-shadow:inset 0 1px 1px #0000000d}.well blockquote{border-color:#ddd;border-color:#00000026}.well-lg{padding:24px;border-radius:6px}.well-sm{padding:9px;border-radius:3px}.close{float:right;font-size:21px;font-weight:700;line-height:1;color:#000;text-shadow:0 1px 0 #fff;filter:alpha(opacity=20);opacity:.2}.close:hover,.close:focus{color:#000;text-decoration:none;cursor:pointer;filter:alpha(opacity=50);opacity:.5}button.close{padding:0;cursor:pointer;background:transparent;border:0;-webkit-appearance:none;-moz-appearance:none;appearance:none}.modal-open{overflow:hidden}.modal{position:fixed;inset:0;z-index:1050;display:none;overflow:hidden;-webkit-overflow-scrolling:touch;outline:0}.modal.fade .modal-dialog{-webkit-transform:translate(0,-25%);-ms-transform:translate(0,-25%);-o-transform:translate(0,-25%);transform:translateY(-25%);-webkit-transition:-webkit-transform .3s ease-out;-o-transition:-o-transform .3s ease-out;transition:-webkit-transform .3s ease-out;transition:transform .3s ease-out;transition:transform .3s ease-out,-webkit-transform .3s ease-out,-o-transform .3s ease-out}.modal.in .modal-dialog{-webkit-transform:translate(0,0);-ms-transform:translate(0,0);-o-transform:translate(0,0);transform:translate(0)}.modal-open .modal{overflow-x:hidden;overflow-y:auto}.modal-dialog{position:relative;width:auto;margin:10px}.modal-content{position:relative;background-color:#fff;background-clip:padding-box;border:1px solid #999;border:1px solid rgba(0,0,0,.2);border-radius:6px;-webkit-box-shadow:0 3px 9px rgba(0,0,0,.5);box-shadow:0 3px 9px #00000080;outline:0}.modal-backdrop{position:fixed;inset:0;z-index:1040;background-color:#000}.modal-backdrop.fade{filter:alpha(opacity=0);opacity:0}.modal-backdrop.in{filter:alpha(opacity=50);opacity:.5}.modal-header{padding:15px;border-bottom:1px solid #e5e5e5}.modal-header .close{margin-top:-2px}.modal-title{margin:0;line-height:1.42857143}.modal-body{position:relative;padding:15px}.modal-footer{padding:15px;text-align:right;border-top:1px solid #e5e5e5}.modal-footer .btn+.btn{margin-bottom:0;margin-left:5px}.modal-footer .btn-group .btn+.btn{margin-left:-1px}.modal-footer .btn-block+.btn-block{margin-left:0}.modal-scrollbar-measure{position:absolute;top:-9999px;width:50px;height:50px;overflow:scroll}@media (min-width: 768px){.modal-dialog{width:600px;margin:30px auto}.modal-content{-webkit-box-shadow:0 5px 15px rgba(0,0,0,.5);box-shadow:0 5px 15px #00000080}.modal-sm{width:300px}}@media (min-width: 992px){.modal-lg{width:900px}}.tooltip{position:absolute;z-index:1070;display:block;font-family:Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-weight:400;line-height:1.42857143;line-break:auto;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;letter-spacing:normal;word-break:normal;word-spacing:normal;word-wrap:normal;white-space:normal;font-size:12px;filter:alpha(opacity=0);opacity:0}.tooltip.in{filter:alpha(opacity=90);opacity:.9}.tooltip.top{padding:5px 0;margin-top:-3px}.tooltip.right{padding:0 5px;margin-left:3px}.tooltip.bottom{padding:5px 0;margin-top:3px}.tooltip.left{padding:0 5px;margin-left:-3px}.tooltip.top .tooltip-arrow{bottom:0;left:50%;margin-left:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.top-left .tooltip-arrow{right:5px;bottom:0;margin-bottom:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.top-right .tooltip-arrow{bottom:0;left:5px;margin-bottom:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.right .tooltip-arrow{top:50%;left:0;margin-top:-5px;border-width:5px 5px 5px 0;border-right-color:#000}.tooltip.left .tooltip-arrow{top:50%;right:0;margin-top:-5px;border-width:5px 0 5px 5px;border-left-color:#000}.tooltip.bottom .tooltip-arrow{top:0;left:50%;margin-left:-5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip.bottom-left .tooltip-arrow{top:0;right:5px;margin-top:-5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip.bottom-right .tooltip-arrow{top:0;left:5px;margin-top:-5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip-inner{max-width:200px;padding:3px 8px;color:#fff;text-align:center;background-color:#000;border-radius:4px}.tooltip-arrow{position:absolute;width:0;height:0;border-color:transparent;border-style:solid}.popover{position:absolute;top:0;left:0;z-index:1060;display:none;max-width:276px;padding:1px;font-family:Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-weight:400;line-height:1.42857143;line-break:auto;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;letter-spacing:normal;word-break:normal;word-spacing:normal;word-wrap:normal;white-space:normal;font-size:14px;background-color:#fff;background-clip:padding-box;border:1px solid #ccc;border:1px solid rgba(0,0,0,.2);border-radius:6px;-webkit-box-shadow:0 5px 10px rgba(0,0,0,.2);box-shadow:0 5px 10px #0003}.popover.top{margin-top:-10px}.popover.right{margin-left:10px}.popover.bottom{margin-top:10px}.popover.left{margin-left:-10px}.popover>.arrow{border-width:11px}.popover>.arrow,.popover>.arrow:after{position:absolute;display:block;width:0;height:0;border-color:transparent;border-style:solid}.popover>.arrow:after{content:"";border-width:10px}.popover.top>.arrow{bottom:-11px;left:50%;margin-left:-11px;border-top-color:#999;border-top-color:#00000040;border-bottom-width:0}.popover.top>.arrow:after{bottom:1px;margin-left:-10px;content:" ";border-top-color:#fff;border-bottom-width:0}.popover.right>.arrow{top:50%;left:-11px;margin-top:-11px;border-right-color:#999;border-right-color:#00000040;border-left-width:0}.popover.right>.arrow:after{bottom:-10px;left:1px;content:" ";border-right-color:#fff;border-left-width:0}.popover.bottom>.arrow{top:-11px;left:50%;margin-left:-11px;border-top-width:0;border-bottom-color:#999;border-bottom-color:#00000040}.popover.bottom>.arrow:after{top:1px;margin-left:-10px;content:" ";border-top-width:0;border-bottom-color:#fff}.popover.left>.arrow{top:50%;right:-11px;margin-top:-11px;border-right-width:0;border-left-color:#999;border-left-color:#00000040}.popover.left>.arrow:after{right:1px;bottom:-10px;content:" ";border-right-width:0;border-left-color:#fff}.popover-title{padding:8px 14px;margin:0;font-size:14px;background-color:#f7f7f7;border-bottom:1px solid #ebebeb;border-radius:5px 5px 0 0}.popover-content{padding:9px 14px}.carousel{position:relative}.carousel-inner{position:relative;width:100%;overflow:hidden}.carousel-inner>.item{position:relative;display:none;-webkit-transition:.6s ease-in-out left;-o-transition:.6s ease-in-out left;transition:.6s ease-in-out left}.carousel-inner>.item>img,.carousel-inner>.item>a>img{line-height:1}@media all and (transform-3d),(-webkit-transform-3d){.carousel-inner>.item{-webkit-transition:-webkit-transform .6s ease-in-out;-o-transition:-o-transform .6s ease-in-out;transition:-webkit-transform .6s ease-in-out;transition:transform .6s ease-in-out;transition:transform .6s ease-in-out,-webkit-transform .6s ease-in-out,-o-transform .6s ease-in-out;-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-perspective:1000px;perspective:1000px}.carousel-inner>.item.next,.carousel-inner>.item.active.right{-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0);left:0}.carousel-inner>.item.prev,.carousel-inner>.item.active.left{-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0);left:0}.carousel-inner>.item.next.left,.carousel-inner>.item.prev.right,.carousel-inner>.item.active{-webkit-transform:translate3d(0,0,0);transform:translateZ(0);left:0}}.carousel-inner>.active,.carousel-inner>.next,.carousel-inner>.prev{display:block}.carousel-inner>.active{left:0}.carousel-inner>.next,.carousel-inner>.prev{position:absolute;top:0;width:100%}.carousel-inner>.next{left:100%}.carousel-inner>.prev{left:-100%}.carousel-inner>.next.left,.carousel-inner>.prev.right{left:0}.carousel-inner>.active.left{left:-100%}.carousel-inner>.active.right{left:100%}.carousel-control{position:absolute;top:0;bottom:0;left:0;width:15%;font-size:20px;color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6);background-color:#0000;filter:alpha(opacity=50);opacity:.5}.carousel-control.left{background-image:-webkit-linear-gradient(left,rgba(0,0,0,.5) 0%,rgba(0,0,0,.0001) 100%);background-image:-o-linear-gradient(left,rgba(0,0,0,.5) 0%,rgba(0,0,0,.0001) 100%);background-image:-webkit-gradient(linear,left top,right top,from(rgba(0,0,0,.5)),to(rgba(0,0,0,.0001)));background-image:linear-gradient(to right,rgba(0,0,0,.5) 0%,rgba(0,0,0,.0001) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr="#80000000",endColorstr="#00000000",GradientType=1);background-repeat:repeat-x}.carousel-control.right{right:0;left:auto;background-image:-webkit-linear-gradient(left,rgba(0,0,0,.0001) 0%,rgba(0,0,0,.5) 100%);background-image:-o-linear-gradient(left,rgba(0,0,0,.0001) 0%,rgba(0,0,0,.5) 100%);background-image:-webkit-gradient(linear,left top,right top,from(rgba(0,0,0,.0001)),to(rgba(0,0,0,.5)));background-image:linear-gradient(to right,rgba(0,0,0,.0001) 0%,rgba(0,0,0,.5) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr="#00000000",endColorstr="#80000000",GradientType=1);background-repeat:repeat-x}.carousel-control:hover,.carousel-control:focus{color:#fff;text-decoration:none;outline:0;filter:alpha(opacity=90);opacity:.9}.carousel-control .icon-prev,.carousel-control .icon-next,.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right{position:absolute;top:50%;z-index:5;display:inline-block;margin-top:-10px}.carousel-control .icon-prev,.carousel-control .glyphicon-chevron-left{left:50%;margin-left:-10px}.carousel-control .icon-next,.carousel-control .glyphicon-chevron-right{right:50%;margin-right:-10px}.carousel-control .icon-prev,.carousel-control .icon-next{width:20px;height:20px;font-family:serif;line-height:1}.carousel-control .icon-prev:before{content:"\2039"}.carousel-control .icon-next:before{content:"\203a"}.carousel-indicators{position:absolute;bottom:10px;left:50%;z-index:15;width:60%;padding-left:0;margin-left:-30%;text-align:center;list-style:none}.carousel-indicators li{display:inline-block;width:10px;height:10px;margin:1px;text-indent:-999px;cursor:pointer;background-color:#000 \ ;background-color:#0000;border:1px solid #fff;border-radius:10px}.carousel-indicators .active{width:12px;height:12px;margin:0;background-color:#fff}.carousel-caption{position:absolute;right:15%;bottom:20px;left:15%;z-index:10;padding-top:20px;padding-bottom:20px;color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6)}.carousel-caption .btn{text-shadow:none}@media screen and (min-width: 768px){.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right,.carousel-control .icon-prev,.carousel-control .icon-next{width:30px;height:30px;margin-top:-10px;font-size:30px}.carousel-control .glyphicon-chevron-left,.carousel-control .icon-prev{margin-left:-10px}.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next{margin-right:-10px}.carousel-caption{right:20%;left:20%;padding-bottom:30px}.carousel-indicators{bottom:20px}}.clearfix:before,.clearfix:after,.dl-horizontal dd:before,.dl-horizontal dd:after,.container:before,.container:after,.container-fluid:before,.container-fluid:after,.row:before,.row:after,.form-horizontal .form-group:before,.form-horizontal .form-group:after,.btn-toolbar:before,.btn-toolbar:after,.btn-group-vertical>.btn-group:before,.btn-group-vertical>.btn-group:after,.nav:before,.nav:after,.navbar:before,.navbar:after,.navbar-header:before,.navbar-header:after,.navbar-collapse:before,.navbar-collapse:after,.pager:before,.pager:after,.panel-body:before,.panel-body:after,.modal-header:before,.modal-header:after,.modal-footer:before,.modal-footer:after{display:table;content:" "}.clearfix:after,.dl-horizontal dd:after,.container:after,.container-fluid:after,.row:after,.form-horizontal .form-group:after,.btn-toolbar:after,.btn-group-vertical>.btn-group:after,.nav:after,.navbar:after,.navbar-header:after,.navbar-collapse:after,.pager:after,.panel-body:after,.modal-header:after,.modal-footer:after{clear:both}.center-block{display:block;margin-right:auto;margin-left:auto}.pull-right{float:right!important}.pull-left{float:left!important}.hide{display:none!important}.show{display:block!important}.invisible{visibility:hidden}.text-hide{font:0/0 a;color:transparent;text-shadow:none;background-color:transparent;border:0}.hidden{display:none!important}.affix{position:fixed}@-ms-viewport{width:device-width}.visible-xs,.visible-sm,.visible-md,.visible-lg,.visible-xs-block,.visible-xs-inline,.visible-xs-inline-block,.visible-sm-block,.visible-sm-inline,.visible-sm-inline-block,.visible-md-block,.visible-md-inline,.visible-md-inline-block,.visible-lg-block,.visible-lg-inline,.visible-lg-inline-block{display:none!important}@media (max-width: 767px){.visible-xs{display:block!important}table.visible-xs{display:table!important}tr.visible-xs{display:table-row!important}th.visible-xs,td.visible-xs{display:table-cell!important}}@media (max-width: 767px){.visible-xs-block{display:block!important}}@media (max-width: 767px){.visible-xs-inline{display:inline!important}}@media (max-width: 767px){.visible-xs-inline-block{display:inline-block!important}}@media (min-width: 768px) and (max-width: 991px){.visible-sm{display:block!important}table.visible-sm{display:table!important}tr.visible-sm{display:table-row!important}th.visible-sm,td.visible-sm{display:table-cell!important}}@media (min-width: 768px) and (max-width: 991px){.visible-sm-block{display:block!important}}@media (min-width: 768px) and (max-width: 991px){.visible-sm-inline{display:inline!important}}@media (min-width: 768px) and (max-width: 991px){.visible-sm-inline-block{display:inline-block!important}}@media (min-width: 992px) and (max-width: 1199px){.visible-md{display:block!important}table.visible-md{display:table!important}tr.visible-md{display:table-row!important}th.visible-md,td.visible-md{display:table-cell!important}}@media (min-width: 992px) and (max-width: 1199px){.visible-md-block{display:block!important}}@media (min-width: 992px) and (max-width: 1199px){.visible-md-inline{display:inline!important}}@media (min-width: 992px) and (max-width: 1199px){.visible-md-inline-block{display:inline-block!important}}@media (min-width: 1200px){.visible-lg{display:block!important}table.visible-lg{display:table!important}tr.visible-lg{display:table-row!important}th.visible-lg,td.visible-lg{display:table-cell!important}}@media (min-width: 1200px){.visible-lg-block{display:block!important}}@media (min-width: 1200px){.visible-lg-inline{display:inline!important}}@media (min-width: 1200px){.visible-lg-inline-block{display:inline-block!important}}@media (max-width: 767px){.hidden-xs{display:none!important}}@media (min-width: 768px) and (max-width: 991px){.hidden-sm{display:none!important}}@media (min-width: 992px) and (max-width: 1199px){.hidden-md{display:none!important}}@media (min-width: 1200px){.hidden-lg{display:none!important}}.visible-print{display:none!important}@media print{.visible-print{display:block!important}table.visible-print{display:table!important}tr.visible-print{display:table-row!important}th.visible-print,td.visible-print{display:table-cell!important}}.visible-print-block{display:none!important}@media print{.visible-print-block{display:block!important}}.visible-print-inline{display:none!important}@media print{.visible-print-inline{display:inline!important}}.visible-print-inline-block{display:none!important}@media print{.visible-print-inline-block{display:inline-block!important}}@media print{.hidden-print{display:none!important}}pre code.hljs{display:block;overflow-x:auto;padding:1em}code.hljs{padding:3px 5px}.hljs{color:#24292e;background:#fff}.hljs-doctag,.hljs-keyword,.hljs-meta .hljs-keyword,.hljs-template-tag,.hljs-template-variable,.hljs-type,.hljs-variable.language_{color:#d73a49}.hljs-title,.hljs-title.class_,.hljs-title.class_.inherited__,.hljs-title.function_{color:#6f42c1}.hljs-attr,.hljs-attribute,.hljs-literal,.hljs-meta,.hljs-number,.hljs-operator,.hljs-selector-attr,.hljs-selector-class,.hljs-selector-id,.hljs-variable{color:#005cc5}.hljs-meta .hljs-string,.hljs-regexp,.hljs-string{color:#032f62}.hljs-built_in,.hljs-symbol{color:#e36209}.hljs-code,.hljs-comment,.hljs-formula{color:#6a737d}.hljs-name,.hljs-quote,.hljs-selector-pseudo,.hljs-selector-tag{color:#22863a}.hljs-subst{color:#24292e}.hljs-section{color:#005cc5;font-weight:700}.hljs-bullet{color:#735c0f}.hljs-emphasis{color:#24292e;font-style:italic}.hljs-strong{color:#24292e;font-weight:700}.hljs-addition{color:#22863a;background-color:#f0fff4}.hljs-deletion{color:#b31d28;background-color:#ffeef0} +/*! Bundled license information: + +@default/bootstrap/dist/css/bootstrap.css: + (*! + * Bootstrap v3.4.1 (https://getbootstrap.com/) + * Copyright 2011-2019 Twitter, Inc. + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) + *) + (*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css *) + (*! Source: https://github.com/h5bp/html5-boilerplate/blob/master/src/css/main.css *) + +@default/highlight.js/styles/github.css: + (*! + Theme: GitHub + Description: Light theme as seen on github.com + Author: github.com + Maintainer: @Hirse + Updated: 2021-05-15 + + Outdated base version: https://github.com/primer/github-syntax-light + Current colors taken from GitHub's CSS + *) +*/ +/*# sourceMappingURL=docfx.vendor.min.css.map */ diff --git a/docs/styles/docfx.vendor.min.css.map b/docs/styles/docfx.vendor.min.css.map new file mode 100644 index 000000000..ddb7afeff --- /dev/null +++ b/docs/styles/docfx.vendor.min.css.map @@ -0,0 +1,7 @@ +{ + "version": 3, + "sources": ["../../node_modules/@default/bootstrap/dist/css/bootstrap.css", "../../node_modules/@default/bootstrap/dist/css/less/normalize.less", "../../node_modules/@default/bootstrap/dist/css/less/print.less", "../../node_modules/@default/bootstrap/dist/css/less/glyphicons.less", "../../node_modules/@default/bootstrap/dist/css/less/scaffolding.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/vendor-prefixes.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/tab-focus.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/image.less", "../../node_modules/@default/bootstrap/dist/css/less/type.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/text-emphasis.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/background-variant.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/text-overflow.less", "../../node_modules/@default/bootstrap/dist/css/less/code.less", "../../node_modules/@default/bootstrap/dist/css/less/grid.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/grid.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/grid-framework.less", "../../node_modules/@default/bootstrap/dist/css/less/tables.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/table-row.less", "../../node_modules/@default/bootstrap/dist/css/less/forms.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/forms.less", "../../node_modules/@default/bootstrap/dist/css/less/buttons.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/buttons.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/opacity.less", "../../node_modules/@default/bootstrap/dist/css/less/component-animations.less", "../../node_modules/@default/bootstrap/dist/css/less/dropdowns.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/nav-divider.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/reset-filter.less", "../../node_modules/@default/bootstrap/dist/css/less/button-groups.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/border-radius.less", "../../node_modules/@default/bootstrap/dist/css/less/input-groups.less", "../../node_modules/@default/bootstrap/dist/css/less/navs.less", "../../node_modules/@default/bootstrap/dist/css/less/navbar.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/nav-vertical-align.less", "../../node_modules/@default/bootstrap/dist/css/less/utilities.less", "../../node_modules/@default/bootstrap/dist/css/less/breadcrumbs.less", "../../node_modules/@default/bootstrap/dist/css/less/pagination.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/pagination.less", "../../node_modules/@default/bootstrap/dist/css/less/pager.less", "../../node_modules/@default/bootstrap/dist/css/less/labels.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/labels.less", "../../node_modules/@default/bootstrap/dist/css/less/badges.less", "../../node_modules/@default/bootstrap/dist/css/less/jumbotron.less", "../../node_modules/@default/bootstrap/dist/css/less/thumbnails.less", "../../node_modules/@default/bootstrap/dist/css/less/alerts.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/alerts.less", "../../node_modules/@default/bootstrap/dist/css/less/progress-bars.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/gradients.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/progress-bar.less", "../../node_modules/@default/bootstrap/dist/css/less/media.less", "../../node_modules/@default/bootstrap/dist/css/less/list-group.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/list-group.less", "../../node_modules/@default/bootstrap/dist/css/less/panels.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/panels.less", "../../node_modules/@default/bootstrap/dist/css/less/responsive-embed.less", "../../node_modules/@default/bootstrap/dist/css/less/wells.less", "../../node_modules/@default/bootstrap/dist/css/less/close.less", "../../node_modules/@default/bootstrap/dist/css/less/modals.less", "../../node_modules/@default/bootstrap/dist/css/less/tooltip.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/reset-text.less", "../../node_modules/@default/bootstrap/dist/css/less/popovers.less", "../../node_modules/@default/bootstrap/dist/css/less/carousel.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/clearfix.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/center-block.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/hide-text.less", "../../node_modules/@default/bootstrap/dist/css/less/responsive-utilities.less", "../../node_modules/@default/bootstrap/dist/css/less/mixins/responsive-visibility.less", "../../node_modules/@default/highlight.js/styles/github.css"], + "sourcesContent": ["/*!\n * Bootstrap v3.4.1 (https://getbootstrap.com/)\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n */\n/*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css */\nhtml {\n font-family: sans-serif;\n -ms-text-size-adjust: 100%;\n -webkit-text-size-adjust: 100%;\n}\nbody {\n margin: 0;\n}\narticle,\naside,\ndetails,\nfigcaption,\nfigure,\nfooter,\nheader,\nhgroup,\nmain,\nmenu,\nnav,\nsection,\nsummary {\n display: block;\n}\naudio,\ncanvas,\nprogress,\nvideo {\n display: inline-block;\n vertical-align: baseline;\n}\naudio:not([controls]) {\n display: none;\n height: 0;\n}\n[hidden],\ntemplate {\n display: none;\n}\na {\n background-color: transparent;\n}\na:active,\na:hover {\n outline: 0;\n}\nabbr[title] {\n border-bottom: none;\n text-decoration: underline;\n text-decoration: underline dotted;\n}\nb,\nstrong {\n font-weight: bold;\n}\ndfn {\n font-style: italic;\n}\nh1 {\n font-size: 2em;\n margin: 0.67em 0;\n}\nmark {\n background: #ff0;\n color: #000;\n}\nsmall {\n font-size: 80%;\n}\nsub,\nsup {\n font-size: 75%;\n line-height: 0;\n position: relative;\n vertical-align: baseline;\n}\nsup {\n top: -0.5em;\n}\nsub {\n bottom: -0.25em;\n}\nimg {\n border: 0;\n}\nsvg:not(:root) {\n overflow: hidden;\n}\nfigure {\n margin: 1em 40px;\n}\nhr {\n box-sizing: content-box;\n height: 0;\n}\npre {\n overflow: auto;\n}\ncode,\nkbd,\npre,\nsamp {\n font-family: monospace, monospace;\n font-size: 1em;\n}\nbutton,\ninput,\noptgroup,\nselect,\ntextarea {\n color: inherit;\n font: inherit;\n margin: 0;\n}\nbutton {\n overflow: visible;\n}\nbutton,\nselect {\n text-transform: none;\n}\nbutton,\nhtml input[type=\"button\"],\ninput[type=\"reset\"],\ninput[type=\"submit\"] {\n -webkit-appearance: button;\n cursor: pointer;\n}\nbutton[disabled],\nhtml input[disabled] {\n cursor: default;\n}\nbutton::-moz-focus-inner,\ninput::-moz-focus-inner {\n border: 0;\n padding: 0;\n}\ninput {\n line-height: normal;\n}\ninput[type=\"checkbox\"],\ninput[type=\"radio\"] {\n box-sizing: border-box;\n padding: 0;\n}\ninput[type=\"number\"]::-webkit-inner-spin-button,\ninput[type=\"number\"]::-webkit-outer-spin-button {\n height: auto;\n}\ninput[type=\"search\"] {\n -webkit-appearance: textfield;\n box-sizing: content-box;\n}\ninput[type=\"search\"]::-webkit-search-cancel-button,\ninput[type=\"search\"]::-webkit-search-decoration {\n -webkit-appearance: none;\n}\nfieldset {\n border: 1px solid #c0c0c0;\n margin: 0 2px;\n padding: 0.35em 0.625em 0.75em;\n}\nlegend {\n border: 0;\n padding: 0;\n}\ntextarea {\n overflow: auto;\n}\noptgroup {\n font-weight: bold;\n}\ntable {\n border-collapse: collapse;\n border-spacing: 0;\n}\ntd,\nth {\n padding: 0;\n}\n/*! Source: https://github.com/h5bp/html5-boilerplate/blob/master/src/css/main.css */\n@media print {\n *,\n *:before,\n *:after {\n color: #000 !important;\n text-shadow: none !important;\n background: transparent !important;\n box-shadow: none !important;\n }\n a,\n a:visited {\n text-decoration: underline;\n }\n a[href]:after {\n content: \" (\" attr(href) \")\";\n }\n abbr[title]:after {\n content: \" (\" attr(title) \")\";\n }\n a[href^=\"#\"]:after,\n a[href^=\"javascript:\"]:after {\n content: \"\";\n }\n pre,\n blockquote {\n border: 1px solid #999;\n page-break-inside: avoid;\n }\n thead {\n display: table-header-group;\n }\n tr,\n img {\n page-break-inside: avoid;\n }\n img {\n max-width: 100% !important;\n }\n p,\n h2,\n h3 {\n orphans: 3;\n widows: 3;\n }\n h2,\n h3 {\n page-break-after: avoid;\n }\n .navbar {\n display: none;\n }\n .btn > .caret,\n .dropup > .btn > .caret {\n border-top-color: #000 !important;\n }\n .label {\n border: 1px solid #000;\n }\n .table {\n border-collapse: collapse !important;\n }\n .table td,\n .table th {\n background-color: #fff !important;\n }\n .table-bordered th,\n .table-bordered td {\n border: 1px solid #ddd !important;\n }\n}\n@font-face {\n font-family: \"Glyphicons Halflings\";\n src: url(\"../fonts/glyphicons-halflings-regular.eot\");\n src: url(\"../fonts/glyphicons-halflings-regular.eot?#iefix\") format(\"embedded-opentype\"), url(\"../fonts/glyphicons-halflings-regular.woff2\") format(\"woff2\"), url(\"../fonts/glyphicons-halflings-regular.woff\") format(\"woff\"), url(\"../fonts/glyphicons-halflings-regular.ttf\") format(\"truetype\"), url(\"../fonts/glyphicons-halflings-regular.svg#glyphicons_halflingsregular\") format(\"svg\");\n}\n.glyphicon {\n position: relative;\n top: 1px;\n display: inline-block;\n font-family: \"Glyphicons Halflings\";\n font-style: normal;\n font-weight: 400;\n line-height: 1;\n -webkit-font-smoothing: antialiased;\n -moz-osx-font-smoothing: grayscale;\n}\n.glyphicon-asterisk:before {\n content: \"\\002a\";\n}\n.glyphicon-plus:before {\n content: \"\\002b\";\n}\n.glyphicon-euro:before,\n.glyphicon-eur:before {\n content: \"\\20ac\";\n}\n.glyphicon-minus:before {\n content: \"\\2212\";\n}\n.glyphicon-cloud:before {\n content: \"\\2601\";\n}\n.glyphicon-envelope:before {\n content: \"\\2709\";\n}\n.glyphicon-pencil:before {\n content: \"\\270f\";\n}\n.glyphicon-glass:before {\n content: \"\\e001\";\n}\n.glyphicon-music:before {\n content: \"\\e002\";\n}\n.glyphicon-search:before {\n content: \"\\e003\";\n}\n.glyphicon-heart:before {\n content: \"\\e005\";\n}\n.glyphicon-star:before {\n content: \"\\e006\";\n}\n.glyphicon-star-empty:before {\n content: \"\\e007\";\n}\n.glyphicon-user:before {\n content: \"\\e008\";\n}\n.glyphicon-film:before {\n content: \"\\e009\";\n}\n.glyphicon-th-large:before {\n content: \"\\e010\";\n}\n.glyphicon-th:before {\n content: \"\\e011\";\n}\n.glyphicon-th-list:before {\n content: \"\\e012\";\n}\n.glyphicon-ok:before {\n content: \"\\e013\";\n}\n.glyphicon-remove:before {\n content: \"\\e014\";\n}\n.glyphicon-zoom-in:before {\n content: \"\\e015\";\n}\n.glyphicon-zoom-out:before {\n content: \"\\e016\";\n}\n.glyphicon-off:before {\n content: \"\\e017\";\n}\n.glyphicon-signal:before {\n content: \"\\e018\";\n}\n.glyphicon-cog:before {\n content: \"\\e019\";\n}\n.glyphicon-trash:before {\n content: \"\\e020\";\n}\n.glyphicon-home:before {\n content: \"\\e021\";\n}\n.glyphicon-file:before {\n content: \"\\e022\";\n}\n.glyphicon-time:before {\n content: \"\\e023\";\n}\n.glyphicon-road:before {\n content: \"\\e024\";\n}\n.glyphicon-download-alt:before {\n content: \"\\e025\";\n}\n.glyphicon-download:before {\n content: \"\\e026\";\n}\n.glyphicon-upload:before {\n content: \"\\e027\";\n}\n.glyphicon-inbox:before {\n content: \"\\e028\";\n}\n.glyphicon-play-circle:before {\n content: \"\\e029\";\n}\n.glyphicon-repeat:before {\n content: \"\\e030\";\n}\n.glyphicon-refresh:before {\n content: \"\\e031\";\n}\n.glyphicon-list-alt:before {\n content: \"\\e032\";\n}\n.glyphicon-lock:before {\n content: \"\\e033\";\n}\n.glyphicon-flag:before {\n content: \"\\e034\";\n}\n.glyphicon-headphones:before {\n content: \"\\e035\";\n}\n.glyphicon-volume-off:before {\n content: \"\\e036\";\n}\n.glyphicon-volume-down:before {\n content: \"\\e037\";\n}\n.glyphicon-volume-up:before {\n content: \"\\e038\";\n}\n.glyphicon-qrcode:before {\n content: \"\\e039\";\n}\n.glyphicon-barcode:before {\n content: \"\\e040\";\n}\n.glyphicon-tag:before {\n content: \"\\e041\";\n}\n.glyphicon-tags:before {\n content: \"\\e042\";\n}\n.glyphicon-book:before {\n content: \"\\e043\";\n}\n.glyphicon-bookmark:before {\n content: \"\\e044\";\n}\n.glyphicon-print:before {\n content: \"\\e045\";\n}\n.glyphicon-camera:before {\n content: \"\\e046\";\n}\n.glyphicon-font:before {\n content: \"\\e047\";\n}\n.glyphicon-bold:before {\n content: \"\\e048\";\n}\n.glyphicon-italic:before {\n content: \"\\e049\";\n}\n.glyphicon-text-height:before {\n content: \"\\e050\";\n}\n.glyphicon-text-width:before {\n content: \"\\e051\";\n}\n.glyphicon-align-left:before {\n content: \"\\e052\";\n}\n.glyphicon-align-center:before {\n content: \"\\e053\";\n}\n.glyphicon-align-right:before {\n content: \"\\e054\";\n}\n.glyphicon-align-justify:before {\n content: \"\\e055\";\n}\n.glyphicon-list:before {\n content: \"\\e056\";\n}\n.glyphicon-indent-left:before {\n content: \"\\e057\";\n}\n.glyphicon-indent-right:before {\n content: \"\\e058\";\n}\n.glyphicon-facetime-video:before {\n content: \"\\e059\";\n}\n.glyphicon-picture:before {\n content: \"\\e060\";\n}\n.glyphicon-map-marker:before {\n content: \"\\e062\";\n}\n.glyphicon-adjust:before {\n content: \"\\e063\";\n}\n.glyphicon-tint:before {\n content: \"\\e064\";\n}\n.glyphicon-edit:before {\n content: \"\\e065\";\n}\n.glyphicon-share:before {\n content: \"\\e066\";\n}\n.glyphicon-check:before {\n content: \"\\e067\";\n}\n.glyphicon-move:before {\n content: \"\\e068\";\n}\n.glyphicon-step-backward:before {\n content: \"\\e069\";\n}\n.glyphicon-fast-backward:before {\n content: \"\\e070\";\n}\n.glyphicon-backward:before {\n content: \"\\e071\";\n}\n.glyphicon-play:before {\n content: \"\\e072\";\n}\n.glyphicon-pause:before {\n content: \"\\e073\";\n}\n.glyphicon-stop:before {\n content: \"\\e074\";\n}\n.glyphicon-forward:before {\n content: \"\\e075\";\n}\n.glyphicon-fast-forward:before {\n content: \"\\e076\";\n}\n.glyphicon-step-forward:before {\n content: \"\\e077\";\n}\n.glyphicon-eject:before {\n content: \"\\e078\";\n}\n.glyphicon-chevron-left:before {\n content: \"\\e079\";\n}\n.glyphicon-chevron-right:before {\n content: \"\\e080\";\n}\n.glyphicon-plus-sign:before {\n content: \"\\e081\";\n}\n.glyphicon-minus-sign:before {\n content: \"\\e082\";\n}\n.glyphicon-remove-sign:before {\n content: \"\\e083\";\n}\n.glyphicon-ok-sign:before {\n content: \"\\e084\";\n}\n.glyphicon-question-sign:before {\n content: \"\\e085\";\n}\n.glyphicon-info-sign:before {\n content: \"\\e086\";\n}\n.glyphicon-screenshot:before {\n content: \"\\e087\";\n}\n.glyphicon-remove-circle:before {\n content: \"\\e088\";\n}\n.glyphicon-ok-circle:before {\n content: \"\\e089\";\n}\n.glyphicon-ban-circle:before {\n content: \"\\e090\";\n}\n.glyphicon-arrow-left:before {\n content: \"\\e091\";\n}\n.glyphicon-arrow-right:before {\n content: \"\\e092\";\n}\n.glyphicon-arrow-up:before {\n content: \"\\e093\";\n}\n.glyphicon-arrow-down:before {\n content: \"\\e094\";\n}\n.glyphicon-share-alt:before {\n content: \"\\e095\";\n}\n.glyphicon-resize-full:before {\n content: \"\\e096\";\n}\n.glyphicon-resize-small:before {\n content: \"\\e097\";\n}\n.glyphicon-exclamation-sign:before {\n content: \"\\e101\";\n}\n.glyphicon-gift:before {\n content: \"\\e102\";\n}\n.glyphicon-leaf:before {\n content: \"\\e103\";\n}\n.glyphicon-fire:before {\n content: \"\\e104\";\n}\n.glyphicon-eye-open:before {\n content: \"\\e105\";\n}\n.glyphicon-eye-close:before {\n content: \"\\e106\";\n}\n.glyphicon-warning-sign:before {\n content: \"\\e107\";\n}\n.glyphicon-plane:before {\n content: \"\\e108\";\n}\n.glyphicon-calendar:before {\n content: \"\\e109\";\n}\n.glyphicon-random:before {\n content: \"\\e110\";\n}\n.glyphicon-comment:before {\n content: \"\\e111\";\n}\n.glyphicon-magnet:before {\n content: \"\\e112\";\n}\n.glyphicon-chevron-up:before {\n content: \"\\e113\";\n}\n.glyphicon-chevron-down:before {\n content: \"\\e114\";\n}\n.glyphicon-retweet:before {\n content: \"\\e115\";\n}\n.glyphicon-shopping-cart:before {\n content: \"\\e116\";\n}\n.glyphicon-folder-close:before {\n content: \"\\e117\";\n}\n.glyphicon-folder-open:before {\n content: \"\\e118\";\n}\n.glyphicon-resize-vertical:before {\n content: \"\\e119\";\n}\n.glyphicon-resize-horizontal:before {\n content: \"\\e120\";\n}\n.glyphicon-hdd:before {\n content: \"\\e121\";\n}\n.glyphicon-bullhorn:before {\n content: \"\\e122\";\n}\n.glyphicon-bell:before {\n content: \"\\e123\";\n}\n.glyphicon-certificate:before {\n content: \"\\e124\";\n}\n.glyphicon-thumbs-up:before {\n content: \"\\e125\";\n}\n.glyphicon-thumbs-down:before {\n content: \"\\e126\";\n}\n.glyphicon-hand-right:before {\n content: \"\\e127\";\n}\n.glyphicon-hand-left:before {\n content: \"\\e128\";\n}\n.glyphicon-hand-up:before {\n content: \"\\e129\";\n}\n.glyphicon-hand-down:before {\n content: \"\\e130\";\n}\n.glyphicon-circle-arrow-right:before {\n content: \"\\e131\";\n}\n.glyphicon-circle-arrow-left:before {\n content: \"\\e132\";\n}\n.glyphicon-circle-arrow-up:before {\n content: \"\\e133\";\n}\n.glyphicon-circle-arrow-down:before {\n content: \"\\e134\";\n}\n.glyphicon-globe:before {\n content: \"\\e135\";\n}\n.glyphicon-wrench:before {\n content: \"\\e136\";\n}\n.glyphicon-tasks:before {\n content: \"\\e137\";\n}\n.glyphicon-filter:before {\n content: \"\\e138\";\n}\n.glyphicon-briefcase:before {\n content: \"\\e139\";\n}\n.glyphicon-fullscreen:before {\n content: \"\\e140\";\n}\n.glyphicon-dashboard:before {\n content: \"\\e141\";\n}\n.glyphicon-paperclip:before {\n content: \"\\e142\";\n}\n.glyphicon-heart-empty:before {\n content: \"\\e143\";\n}\n.glyphicon-link:before {\n content: \"\\e144\";\n}\n.glyphicon-phone:before {\n content: \"\\e145\";\n}\n.glyphicon-pushpin:before {\n content: \"\\e146\";\n}\n.glyphicon-usd:before {\n content: \"\\e148\";\n}\n.glyphicon-gbp:before {\n content: \"\\e149\";\n}\n.glyphicon-sort:before {\n content: \"\\e150\";\n}\n.glyphicon-sort-by-alphabet:before {\n content: \"\\e151\";\n}\n.glyphicon-sort-by-alphabet-alt:before {\n content: \"\\e152\";\n}\n.glyphicon-sort-by-order:before {\n content: \"\\e153\";\n}\n.glyphicon-sort-by-order-alt:before {\n content: \"\\e154\";\n}\n.glyphicon-sort-by-attributes:before {\n content: \"\\e155\";\n}\n.glyphicon-sort-by-attributes-alt:before {\n content: \"\\e156\";\n}\n.glyphicon-unchecked:before {\n content: \"\\e157\";\n}\n.glyphicon-expand:before {\n content: \"\\e158\";\n}\n.glyphicon-collapse-down:before {\n content: \"\\e159\";\n}\n.glyphicon-collapse-up:before {\n content: \"\\e160\";\n}\n.glyphicon-log-in:before {\n content: \"\\e161\";\n}\n.glyphicon-flash:before {\n content: \"\\e162\";\n}\n.glyphicon-log-out:before {\n content: \"\\e163\";\n}\n.glyphicon-new-window:before {\n content: \"\\e164\";\n}\n.glyphicon-record:before {\n content: \"\\e165\";\n}\n.glyphicon-save:before {\n content: \"\\e166\";\n}\n.glyphicon-open:before {\n content: \"\\e167\";\n}\n.glyphicon-saved:before {\n content: \"\\e168\";\n}\n.glyphicon-import:before {\n content: \"\\e169\";\n}\n.glyphicon-export:before {\n content: \"\\e170\";\n}\n.glyphicon-send:before {\n content: \"\\e171\";\n}\n.glyphicon-floppy-disk:before {\n content: \"\\e172\";\n}\n.glyphicon-floppy-saved:before {\n content: \"\\e173\";\n}\n.glyphicon-floppy-remove:before {\n content: \"\\e174\";\n}\n.glyphicon-floppy-save:before {\n content: \"\\e175\";\n}\n.glyphicon-floppy-open:before {\n content: \"\\e176\";\n}\n.glyphicon-credit-card:before {\n content: \"\\e177\";\n}\n.glyphicon-transfer:before {\n content: \"\\e178\";\n}\n.glyphicon-cutlery:before {\n content: \"\\e179\";\n}\n.glyphicon-header:before {\n content: \"\\e180\";\n}\n.glyphicon-compressed:before {\n content: \"\\e181\";\n}\n.glyphicon-earphone:before {\n content: \"\\e182\";\n}\n.glyphicon-phone-alt:before {\n content: \"\\e183\";\n}\n.glyphicon-tower:before {\n content: \"\\e184\";\n}\n.glyphicon-stats:before {\n content: \"\\e185\";\n}\n.glyphicon-sd-video:before {\n content: \"\\e186\";\n}\n.glyphicon-hd-video:before {\n content: \"\\e187\";\n}\n.glyphicon-subtitles:before {\n content: \"\\e188\";\n}\n.glyphicon-sound-stereo:before {\n content: \"\\e189\";\n}\n.glyphicon-sound-dolby:before {\n content: \"\\e190\";\n}\n.glyphicon-sound-5-1:before {\n content: \"\\e191\";\n}\n.glyphicon-sound-6-1:before {\n content: \"\\e192\";\n}\n.glyphicon-sound-7-1:before {\n content: \"\\e193\";\n}\n.glyphicon-copyright-mark:before {\n content: \"\\e194\";\n}\n.glyphicon-registration-mark:before {\n content: \"\\e195\";\n}\n.glyphicon-cloud-download:before {\n content: \"\\e197\";\n}\n.glyphicon-cloud-upload:before {\n content: \"\\e198\";\n}\n.glyphicon-tree-conifer:before {\n content: \"\\e199\";\n}\n.glyphicon-tree-deciduous:before {\n content: \"\\e200\";\n}\n.glyphicon-cd:before {\n content: \"\\e201\";\n}\n.glyphicon-save-file:before {\n content: \"\\e202\";\n}\n.glyphicon-open-file:before {\n content: \"\\e203\";\n}\n.glyphicon-level-up:before {\n content: \"\\e204\";\n}\n.glyphicon-copy:before {\n content: \"\\e205\";\n}\n.glyphicon-paste:before {\n content: \"\\e206\";\n}\n.glyphicon-alert:before {\n content: \"\\e209\";\n}\n.glyphicon-equalizer:before {\n content: \"\\e210\";\n}\n.glyphicon-king:before {\n content: \"\\e211\";\n}\n.glyphicon-queen:before {\n content: \"\\e212\";\n}\n.glyphicon-pawn:before {\n content: \"\\e213\";\n}\n.glyphicon-bishop:before {\n content: \"\\e214\";\n}\n.glyphicon-knight:before {\n content: \"\\e215\";\n}\n.glyphicon-baby-formula:before {\n content: \"\\e216\";\n}\n.glyphicon-tent:before {\n content: \"\\26fa\";\n}\n.glyphicon-blackboard:before {\n content: \"\\e218\";\n}\n.glyphicon-bed:before {\n content: \"\\e219\";\n}\n.glyphicon-apple:before {\n content: \"\\f8ff\";\n}\n.glyphicon-erase:before {\n content: \"\\e221\";\n}\n.glyphicon-hourglass:before {\n content: \"\\231b\";\n}\n.glyphicon-lamp:before {\n content: \"\\e223\";\n}\n.glyphicon-duplicate:before {\n content: \"\\e224\";\n}\n.glyphicon-piggy-bank:before {\n content: \"\\e225\";\n}\n.glyphicon-scissors:before {\n content: \"\\e226\";\n}\n.glyphicon-bitcoin:before {\n content: \"\\e227\";\n}\n.glyphicon-btc:before {\n content: \"\\e227\";\n}\n.glyphicon-xbt:before {\n content: \"\\e227\";\n}\n.glyphicon-yen:before {\n content: \"\\00a5\";\n}\n.glyphicon-jpy:before {\n content: \"\\00a5\";\n}\n.glyphicon-ruble:before {\n content: \"\\20bd\";\n}\n.glyphicon-rub:before {\n content: \"\\20bd\";\n}\n.glyphicon-scale:before {\n content: \"\\e230\";\n}\n.glyphicon-ice-lolly:before {\n content: \"\\e231\";\n}\n.glyphicon-ice-lolly-tasted:before {\n content: \"\\e232\";\n}\n.glyphicon-education:before {\n content: \"\\e233\";\n}\n.glyphicon-option-horizontal:before {\n content: \"\\e234\";\n}\n.glyphicon-option-vertical:before {\n content: \"\\e235\";\n}\n.glyphicon-menu-hamburger:before {\n content: \"\\e236\";\n}\n.glyphicon-modal-window:before {\n content: \"\\e237\";\n}\n.glyphicon-oil:before {\n content: \"\\e238\";\n}\n.glyphicon-grain:before {\n content: \"\\e239\";\n}\n.glyphicon-sunglasses:before {\n content: \"\\e240\";\n}\n.glyphicon-text-size:before {\n content: \"\\e241\";\n}\n.glyphicon-text-color:before {\n content: \"\\e242\";\n}\n.glyphicon-text-background:before {\n content: \"\\e243\";\n}\n.glyphicon-object-align-top:before {\n content: \"\\e244\";\n}\n.glyphicon-object-align-bottom:before {\n content: \"\\e245\";\n}\n.glyphicon-object-align-horizontal:before {\n content: \"\\e246\";\n}\n.glyphicon-object-align-left:before {\n content: \"\\e247\";\n}\n.glyphicon-object-align-vertical:before {\n content: \"\\e248\";\n}\n.glyphicon-object-align-right:before {\n content: \"\\e249\";\n}\n.glyphicon-triangle-right:before {\n content: \"\\e250\";\n}\n.glyphicon-triangle-left:before {\n content: \"\\e251\";\n}\n.glyphicon-triangle-bottom:before {\n content: \"\\e252\";\n}\n.glyphicon-triangle-top:before {\n content: \"\\e253\";\n}\n.glyphicon-console:before {\n content: \"\\e254\";\n}\n.glyphicon-superscript:before {\n content: \"\\e255\";\n}\n.glyphicon-subscript:before {\n content: \"\\e256\";\n}\n.glyphicon-menu-left:before {\n content: \"\\e257\";\n}\n.glyphicon-menu-right:before {\n content: \"\\e258\";\n}\n.glyphicon-menu-down:before {\n content: \"\\e259\";\n}\n.glyphicon-menu-up:before {\n content: \"\\e260\";\n}\n* {\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n}\n*:before,\n*:after {\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n}\nhtml {\n font-size: 10px;\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\n}\nbody {\n font-family: \"Helvetica Neue\", Helvetica, Arial, sans-serif;\n font-size: 14px;\n line-height: 1.42857143;\n color: #333333;\n background-color: #fff;\n}\ninput,\nbutton,\nselect,\ntextarea {\n font-family: inherit;\n font-size: inherit;\n line-height: inherit;\n}\na {\n color: #337ab7;\n text-decoration: none;\n}\na:hover,\na:focus {\n color: #23527c;\n text-decoration: underline;\n}\na:focus {\n outline: 5px auto -webkit-focus-ring-color;\n outline-offset: -2px;\n}\nfigure {\n margin: 0;\n}\nimg {\n vertical-align: middle;\n}\n.img-responsive,\n.thumbnail > img,\n.thumbnail a > img,\n.carousel-inner > .item > img,\n.carousel-inner > .item > a > img {\n display: block;\n max-width: 100%;\n height: auto;\n}\n.img-rounded {\n border-radius: 6px;\n}\n.img-thumbnail {\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 0.2s ease-in-out;\n -o-transition: all 0.2s ease-in-out;\n transition: all 0.2s ease-in-out;\n display: inline-block;\n max-width: 100%;\n height: auto;\n}\n.img-circle {\n border-radius: 50%;\n}\nhr {\n margin-top: 20px;\n margin-bottom: 20px;\n border: 0;\n border-top: 1px solid #eeeeee;\n}\n.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.sr-only-focusable:active,\n.sr-only-focusable:focus {\n position: static;\n width: auto;\n height: auto;\n margin: 0;\n overflow: visible;\n clip: auto;\n}\n[role=\"button\"] {\n cursor: pointer;\n}\nh1,\nh2,\nh3,\nh4,\nh5,\nh6,\n.h1,\n.h2,\n.h3,\n.h4,\n.h5,\n.h6 {\n font-family: inherit;\n font-weight: 500;\n line-height: 1.1;\n color: inherit;\n}\nh1 small,\nh2 small,\nh3 small,\nh4 small,\nh5 small,\nh6 small,\n.h1 small,\n.h2 small,\n.h3 small,\n.h4 small,\n.h5 small,\n.h6 small,\nh1 .small,\nh2 .small,\nh3 .small,\nh4 .small,\nh5 .small,\nh6 .small,\n.h1 .small,\n.h2 .small,\n.h3 .small,\n.h4 .small,\n.h5 .small,\n.h6 .small {\n font-weight: 400;\n line-height: 1;\n color: #777777;\n}\nh1,\n.h1,\nh2,\n.h2,\nh3,\n.h3 {\n margin-top: 20px;\n margin-bottom: 10px;\n}\nh1 small,\n.h1 small,\nh2 small,\n.h2 small,\nh3 small,\n.h3 small,\nh1 .small,\n.h1 .small,\nh2 .small,\n.h2 .small,\nh3 .small,\n.h3 .small {\n font-size: 65%;\n}\nh4,\n.h4,\nh5,\n.h5,\nh6,\n.h6 {\n margin-top: 10px;\n margin-bottom: 10px;\n}\nh4 small,\n.h4 small,\nh5 small,\n.h5 small,\nh6 small,\n.h6 small,\nh4 .small,\n.h4 .small,\nh5 .small,\n.h5 .small,\nh6 .small,\n.h6 .small {\n font-size: 75%;\n}\nh1,\n.h1 {\n font-size: 36px;\n}\nh2,\n.h2 {\n font-size: 30px;\n}\nh3,\n.h3 {\n font-size: 24px;\n}\nh4,\n.h4 {\n font-size: 18px;\n}\nh5,\n.h5 {\n font-size: 14px;\n}\nh6,\n.h6 {\n font-size: 12px;\n}\np {\n margin: 0 0 10px;\n}\n.lead {\n margin-bottom: 20px;\n font-size: 16px;\n font-weight: 300;\n line-height: 1.4;\n}\n@media (min-width: 768px) {\n .lead {\n font-size: 21px;\n }\n}\nsmall,\n.small {\n font-size: 85%;\n}\nmark,\n.mark {\n padding: 0.2em;\n background-color: #fcf8e3;\n}\n.text-left {\n text-align: left;\n}\n.text-right {\n text-align: right;\n}\n.text-center {\n text-align: center;\n}\n.text-justify {\n text-align: justify;\n}\n.text-nowrap {\n white-space: nowrap;\n}\n.text-lowercase {\n text-transform: lowercase;\n}\n.text-uppercase {\n text-transform: uppercase;\n}\n.text-capitalize {\n text-transform: capitalize;\n}\n.text-muted {\n color: #777777;\n}\n.text-primary {\n color: #337ab7;\n}\na.text-primary:hover,\na.text-primary:focus {\n color: #286090;\n}\n.text-success {\n color: #3c763d;\n}\na.text-success:hover,\na.text-success:focus {\n color: #2b542c;\n}\n.text-info {\n color: #31708f;\n}\na.text-info:hover,\na.text-info:focus {\n color: #245269;\n}\n.text-warning {\n color: #8a6d3b;\n}\na.text-warning:hover,\na.text-warning:focus {\n color: #66512c;\n}\n.text-danger {\n color: #a94442;\n}\na.text-danger:hover,\na.text-danger:focus {\n color: #843534;\n}\n.bg-primary {\n color: #fff;\n background-color: #337ab7;\n}\na.bg-primary:hover,\na.bg-primary:focus {\n background-color: #286090;\n}\n.bg-success {\n background-color: #dff0d8;\n}\na.bg-success:hover,\na.bg-success:focus {\n background-color: #c1e2b3;\n}\n.bg-info {\n background-color: #d9edf7;\n}\na.bg-info:hover,\na.bg-info:focus {\n background-color: #afd9ee;\n}\n.bg-warning {\n background-color: #fcf8e3;\n}\na.bg-warning:hover,\na.bg-warning:focus {\n background-color: #f7ecb5;\n}\n.bg-danger {\n background-color: #f2dede;\n}\na.bg-danger:hover,\na.bg-danger:focus {\n background-color: #e4b9b9;\n}\n.page-header {\n padding-bottom: 9px;\n margin: 40px 0 20px;\n border-bottom: 1px solid #eeeeee;\n}\nul,\nol {\n margin-top: 0;\n margin-bottom: 10px;\n}\nul ul,\nol ul,\nul ol,\nol ol {\n margin-bottom: 0;\n}\n.list-unstyled {\n padding-left: 0;\n list-style: none;\n}\n.list-inline {\n padding-left: 0;\n list-style: none;\n margin-left: -5px;\n}\n.list-inline > li {\n display: inline-block;\n padding-right: 5px;\n padding-left: 5px;\n}\ndl {\n margin-top: 0;\n margin-bottom: 20px;\n}\ndt,\ndd {\n line-height: 1.42857143;\n}\ndt {\n font-weight: 700;\n}\ndd {\n margin-left: 0;\n}\n@media (min-width: 768px) {\n .dl-horizontal dt {\n float: left;\n width: 160px;\n clear: left;\n text-align: right;\n overflow: hidden;\n text-overflow: ellipsis;\n white-space: nowrap;\n }\n .dl-horizontal dd {\n margin-left: 180px;\n }\n}\nabbr[title],\nabbr[data-original-title] {\n cursor: help;\n}\n.initialism {\n font-size: 90%;\n text-transform: uppercase;\n}\nblockquote {\n padding: 10px 20px;\n margin: 0 0 20px;\n font-size: 17.5px;\n border-left: 5px solid #eeeeee;\n}\nblockquote p:last-child,\nblockquote ul:last-child,\nblockquote ol:last-child {\n margin-bottom: 0;\n}\nblockquote footer,\nblockquote small,\nblockquote .small {\n display: block;\n font-size: 80%;\n line-height: 1.42857143;\n color: #777777;\n}\nblockquote footer:before,\nblockquote small:before,\nblockquote .small:before {\n content: \"\\2014 \\00A0\";\n}\n.blockquote-reverse,\nblockquote.pull-right {\n padding-right: 15px;\n padding-left: 0;\n text-align: right;\n border-right: 5px solid #eeeeee;\n border-left: 0;\n}\n.blockquote-reverse footer:before,\nblockquote.pull-right footer:before,\n.blockquote-reverse small:before,\nblockquote.pull-right small:before,\n.blockquote-reverse .small:before,\nblockquote.pull-right .small:before {\n content: \"\";\n}\n.blockquote-reverse footer:after,\nblockquote.pull-right footer:after,\n.blockquote-reverse small:after,\nblockquote.pull-right small:after,\n.blockquote-reverse .small:after,\nblockquote.pull-right .small:after {\n content: \"\\00A0 \\2014\";\n}\naddress {\n margin-bottom: 20px;\n font-style: normal;\n line-height: 1.42857143;\n}\ncode,\nkbd,\npre,\nsamp {\n font-family: Menlo, Monaco, Consolas, \"Courier New\", monospace;\n}\ncode {\n padding: 2px 4px;\n font-size: 90%;\n color: #c7254e;\n background-color: #f9f2f4;\n border-radius: 4px;\n}\nkbd {\n padding: 2px 4px;\n font-size: 90%;\n color: #fff;\n background-color: #333;\n border-radius: 3px;\n box-shadow: inset 0 -1px 0 rgba(0, 0, 0, 0.25);\n}\nkbd kbd {\n padding: 0;\n font-size: 100%;\n font-weight: 700;\n box-shadow: none;\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: #333333;\n word-break: break-all;\n word-wrap: break-word;\n background-color: #f5f5f5;\n border: 1px solid #ccc;\n border-radius: 4px;\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.pre-scrollable {\n max-height: 340px;\n overflow-y: scroll;\n}\n.container {\n padding-right: 15px;\n padding-left: 15px;\n margin-right: auto;\n margin-left: auto;\n}\n@media (min-width: 768px) {\n .container {\n width: 750px;\n }\n}\n@media (min-width: 992px) {\n .container {\n width: 970px;\n }\n}\n@media (min-width: 1200px) {\n .container {\n width: 1170px;\n }\n}\n.container-fluid {\n padding-right: 15px;\n padding-left: 15px;\n margin-right: auto;\n margin-left: auto;\n}\n.row {\n margin-right: -15px;\n margin-left: -15px;\n}\n.row-no-gutters {\n margin-right: 0;\n margin-left: 0;\n}\n.row-no-gutters [class*=\"col-\"] {\n padding-right: 0;\n padding-left: 0;\n}\n.col-xs-1,\n.col-sm-1,\n.col-md-1,\n.col-lg-1,\n.col-xs-2,\n.col-sm-2,\n.col-md-2,\n.col-lg-2,\n.col-xs-3,\n.col-sm-3,\n.col-md-3,\n.col-lg-3,\n.col-xs-4,\n.col-sm-4,\n.col-md-4,\n.col-lg-4,\n.col-xs-5,\n.col-sm-5,\n.col-md-5,\n.col-lg-5,\n.col-xs-6,\n.col-sm-6,\n.col-md-6,\n.col-lg-6,\n.col-xs-7,\n.col-sm-7,\n.col-md-7,\n.col-lg-7,\n.col-xs-8,\n.col-sm-8,\n.col-md-8,\n.col-lg-8,\n.col-xs-9,\n.col-sm-9,\n.col-md-9,\n.col-lg-9,\n.col-xs-10,\n.col-sm-10,\n.col-md-10,\n.col-lg-10,\n.col-xs-11,\n.col-sm-11,\n.col-md-11,\n.col-lg-11,\n.col-xs-12,\n.col-sm-12,\n.col-md-12,\n.col-lg-12 {\n position: relative;\n min-height: 1px;\n padding-right: 15px;\n padding-left: 15px;\n}\n.col-xs-1,\n.col-xs-2,\n.col-xs-3,\n.col-xs-4,\n.col-xs-5,\n.col-xs-6,\n.col-xs-7,\n.col-xs-8,\n.col-xs-9,\n.col-xs-10,\n.col-xs-11,\n.col-xs-12 {\n float: left;\n}\n.col-xs-12 {\n width: 100%;\n}\n.col-xs-11 {\n width: 91.66666667%;\n}\n.col-xs-10 {\n width: 83.33333333%;\n}\n.col-xs-9 {\n width: 75%;\n}\n.col-xs-8 {\n width: 66.66666667%;\n}\n.col-xs-7 {\n width: 58.33333333%;\n}\n.col-xs-6 {\n width: 50%;\n}\n.col-xs-5 {\n width: 41.66666667%;\n}\n.col-xs-4 {\n width: 33.33333333%;\n}\n.col-xs-3 {\n width: 25%;\n}\n.col-xs-2 {\n width: 16.66666667%;\n}\n.col-xs-1 {\n width: 8.33333333%;\n}\n.col-xs-pull-12 {\n right: 100%;\n}\n.col-xs-pull-11 {\n right: 91.66666667%;\n}\n.col-xs-pull-10 {\n right: 83.33333333%;\n}\n.col-xs-pull-9 {\n right: 75%;\n}\n.col-xs-pull-8 {\n right: 66.66666667%;\n}\n.col-xs-pull-7 {\n right: 58.33333333%;\n}\n.col-xs-pull-6 {\n right: 50%;\n}\n.col-xs-pull-5 {\n right: 41.66666667%;\n}\n.col-xs-pull-4 {\n right: 33.33333333%;\n}\n.col-xs-pull-3 {\n right: 25%;\n}\n.col-xs-pull-2 {\n right: 16.66666667%;\n}\n.col-xs-pull-1 {\n right: 8.33333333%;\n}\n.col-xs-pull-0 {\n right: auto;\n}\n.col-xs-push-12 {\n left: 100%;\n}\n.col-xs-push-11 {\n left: 91.66666667%;\n}\n.col-xs-push-10 {\n left: 83.33333333%;\n}\n.col-xs-push-9 {\n left: 75%;\n}\n.col-xs-push-8 {\n left: 66.66666667%;\n}\n.col-xs-push-7 {\n left: 58.33333333%;\n}\n.col-xs-push-6 {\n left: 50%;\n}\n.col-xs-push-5 {\n left: 41.66666667%;\n}\n.col-xs-push-4 {\n left: 33.33333333%;\n}\n.col-xs-push-3 {\n left: 25%;\n}\n.col-xs-push-2 {\n left: 16.66666667%;\n}\n.col-xs-push-1 {\n left: 8.33333333%;\n}\n.col-xs-push-0 {\n left: auto;\n}\n.col-xs-offset-12 {\n margin-left: 100%;\n}\n.col-xs-offset-11 {\n margin-left: 91.66666667%;\n}\n.col-xs-offset-10 {\n margin-left: 83.33333333%;\n}\n.col-xs-offset-9 {\n margin-left: 75%;\n}\n.col-xs-offset-8 {\n margin-left: 66.66666667%;\n}\n.col-xs-offset-7 {\n margin-left: 58.33333333%;\n}\n.col-xs-offset-6 {\n margin-left: 50%;\n}\n.col-xs-offset-5 {\n margin-left: 41.66666667%;\n}\n.col-xs-offset-4 {\n margin-left: 33.33333333%;\n}\n.col-xs-offset-3 {\n margin-left: 25%;\n}\n.col-xs-offset-2 {\n margin-left: 16.66666667%;\n}\n.col-xs-offset-1 {\n margin-left: 8.33333333%;\n}\n.col-xs-offset-0 {\n margin-left: 0%;\n}\n@media (min-width: 768px) {\n .col-sm-1,\n .col-sm-2,\n .col-sm-3,\n .col-sm-4,\n .col-sm-5,\n .col-sm-6,\n .col-sm-7,\n .col-sm-8,\n .col-sm-9,\n .col-sm-10,\n .col-sm-11,\n .col-sm-12 {\n float: left;\n }\n .col-sm-12 {\n width: 100%;\n }\n .col-sm-11 {\n width: 91.66666667%;\n }\n .col-sm-10 {\n width: 83.33333333%;\n }\n .col-sm-9 {\n width: 75%;\n }\n .col-sm-8 {\n width: 66.66666667%;\n }\n .col-sm-7 {\n width: 58.33333333%;\n }\n .col-sm-6 {\n width: 50%;\n }\n .col-sm-5 {\n width: 41.66666667%;\n }\n .col-sm-4 {\n width: 33.33333333%;\n }\n .col-sm-3 {\n width: 25%;\n }\n .col-sm-2 {\n width: 16.66666667%;\n }\n .col-sm-1 {\n width: 8.33333333%;\n }\n .col-sm-pull-12 {\n right: 100%;\n }\n .col-sm-pull-11 {\n right: 91.66666667%;\n }\n .col-sm-pull-10 {\n right: 83.33333333%;\n }\n .col-sm-pull-9 {\n right: 75%;\n }\n .col-sm-pull-8 {\n right: 66.66666667%;\n }\n .col-sm-pull-7 {\n right: 58.33333333%;\n }\n .col-sm-pull-6 {\n right: 50%;\n }\n .col-sm-pull-5 {\n right: 41.66666667%;\n }\n .col-sm-pull-4 {\n right: 33.33333333%;\n }\n .col-sm-pull-3 {\n right: 25%;\n }\n .col-sm-pull-2 {\n right: 16.66666667%;\n }\n .col-sm-pull-1 {\n right: 8.33333333%;\n }\n .col-sm-pull-0 {\n right: auto;\n }\n .col-sm-push-12 {\n left: 100%;\n }\n .col-sm-push-11 {\n left: 91.66666667%;\n }\n .col-sm-push-10 {\n left: 83.33333333%;\n }\n .col-sm-push-9 {\n left: 75%;\n }\n .col-sm-push-8 {\n left: 66.66666667%;\n }\n .col-sm-push-7 {\n left: 58.33333333%;\n }\n .col-sm-push-6 {\n left: 50%;\n }\n .col-sm-push-5 {\n left: 41.66666667%;\n }\n .col-sm-push-4 {\n left: 33.33333333%;\n }\n .col-sm-push-3 {\n left: 25%;\n }\n .col-sm-push-2 {\n left: 16.66666667%;\n }\n .col-sm-push-1 {\n left: 8.33333333%;\n }\n .col-sm-push-0 {\n left: auto;\n }\n .col-sm-offset-12 {\n margin-left: 100%;\n }\n .col-sm-offset-11 {\n margin-left: 91.66666667%;\n }\n .col-sm-offset-10 {\n margin-left: 83.33333333%;\n }\n .col-sm-offset-9 {\n margin-left: 75%;\n }\n .col-sm-offset-8 {\n margin-left: 66.66666667%;\n }\n .col-sm-offset-7 {\n margin-left: 58.33333333%;\n }\n .col-sm-offset-6 {\n margin-left: 50%;\n }\n .col-sm-offset-5 {\n margin-left: 41.66666667%;\n }\n .col-sm-offset-4 {\n margin-left: 33.33333333%;\n }\n .col-sm-offset-3 {\n margin-left: 25%;\n }\n .col-sm-offset-2 {\n margin-left: 16.66666667%;\n }\n .col-sm-offset-1 {\n margin-left: 8.33333333%;\n }\n .col-sm-offset-0 {\n margin-left: 0%;\n }\n}\n@media (min-width: 992px) {\n .col-md-1,\n .col-md-2,\n .col-md-3,\n .col-md-4,\n .col-md-5,\n .col-md-6,\n .col-md-7,\n .col-md-8,\n .col-md-9,\n .col-md-10,\n .col-md-11,\n .col-md-12 {\n float: left;\n }\n .col-md-12 {\n width: 100%;\n }\n .col-md-11 {\n width: 91.66666667%;\n }\n .col-md-10 {\n width: 83.33333333%;\n }\n .col-md-9 {\n width: 75%;\n }\n .col-md-8 {\n width: 66.66666667%;\n }\n .col-md-7 {\n width: 58.33333333%;\n }\n .col-md-6 {\n width: 50%;\n }\n .col-md-5 {\n width: 41.66666667%;\n }\n .col-md-4 {\n width: 33.33333333%;\n }\n .col-md-3 {\n width: 25%;\n }\n .col-md-2 {\n width: 16.66666667%;\n }\n .col-md-1 {\n width: 8.33333333%;\n }\n .col-md-pull-12 {\n right: 100%;\n }\n .col-md-pull-11 {\n right: 91.66666667%;\n }\n .col-md-pull-10 {\n right: 83.33333333%;\n }\n .col-md-pull-9 {\n right: 75%;\n }\n .col-md-pull-8 {\n right: 66.66666667%;\n }\n .col-md-pull-7 {\n right: 58.33333333%;\n }\n .col-md-pull-6 {\n right: 50%;\n }\n .col-md-pull-5 {\n right: 41.66666667%;\n }\n .col-md-pull-4 {\n right: 33.33333333%;\n }\n .col-md-pull-3 {\n right: 25%;\n }\n .col-md-pull-2 {\n right: 16.66666667%;\n }\n .col-md-pull-1 {\n right: 8.33333333%;\n }\n .col-md-pull-0 {\n right: auto;\n }\n .col-md-push-12 {\n left: 100%;\n }\n .col-md-push-11 {\n left: 91.66666667%;\n }\n .col-md-push-10 {\n left: 83.33333333%;\n }\n .col-md-push-9 {\n left: 75%;\n }\n .col-md-push-8 {\n left: 66.66666667%;\n }\n .col-md-push-7 {\n left: 58.33333333%;\n }\n .col-md-push-6 {\n left: 50%;\n }\n .col-md-push-5 {\n left: 41.66666667%;\n }\n .col-md-push-4 {\n left: 33.33333333%;\n }\n .col-md-push-3 {\n left: 25%;\n }\n .col-md-push-2 {\n left: 16.66666667%;\n }\n .col-md-push-1 {\n left: 8.33333333%;\n }\n .col-md-push-0 {\n left: auto;\n }\n .col-md-offset-12 {\n margin-left: 100%;\n }\n .col-md-offset-11 {\n margin-left: 91.66666667%;\n }\n .col-md-offset-10 {\n margin-left: 83.33333333%;\n }\n .col-md-offset-9 {\n margin-left: 75%;\n }\n .col-md-offset-8 {\n margin-left: 66.66666667%;\n }\n .col-md-offset-7 {\n margin-left: 58.33333333%;\n }\n .col-md-offset-6 {\n margin-left: 50%;\n }\n .col-md-offset-5 {\n margin-left: 41.66666667%;\n }\n .col-md-offset-4 {\n margin-left: 33.33333333%;\n }\n .col-md-offset-3 {\n margin-left: 25%;\n }\n .col-md-offset-2 {\n margin-left: 16.66666667%;\n }\n .col-md-offset-1 {\n margin-left: 8.33333333%;\n }\n .col-md-offset-0 {\n margin-left: 0%;\n }\n}\n@media (min-width: 1200px) {\n .col-lg-1,\n .col-lg-2,\n .col-lg-3,\n .col-lg-4,\n .col-lg-5,\n .col-lg-6,\n .col-lg-7,\n .col-lg-8,\n .col-lg-9,\n .col-lg-10,\n .col-lg-11,\n .col-lg-12 {\n float: left;\n }\n .col-lg-12 {\n width: 100%;\n }\n .col-lg-11 {\n width: 91.66666667%;\n }\n .col-lg-10 {\n width: 83.33333333%;\n }\n .col-lg-9 {\n width: 75%;\n }\n .col-lg-8 {\n width: 66.66666667%;\n }\n .col-lg-7 {\n width: 58.33333333%;\n }\n .col-lg-6 {\n width: 50%;\n }\n .col-lg-5 {\n width: 41.66666667%;\n }\n .col-lg-4 {\n width: 33.33333333%;\n }\n .col-lg-3 {\n width: 25%;\n }\n .col-lg-2 {\n width: 16.66666667%;\n }\n .col-lg-1 {\n width: 8.33333333%;\n }\n .col-lg-pull-12 {\n right: 100%;\n }\n .col-lg-pull-11 {\n right: 91.66666667%;\n }\n .col-lg-pull-10 {\n right: 83.33333333%;\n }\n .col-lg-pull-9 {\n right: 75%;\n }\n .col-lg-pull-8 {\n right: 66.66666667%;\n }\n .col-lg-pull-7 {\n right: 58.33333333%;\n }\n .col-lg-pull-6 {\n right: 50%;\n }\n .col-lg-pull-5 {\n right: 41.66666667%;\n }\n .col-lg-pull-4 {\n right: 33.33333333%;\n }\n .col-lg-pull-3 {\n right: 25%;\n }\n .col-lg-pull-2 {\n right: 16.66666667%;\n }\n .col-lg-pull-1 {\n right: 8.33333333%;\n }\n .col-lg-pull-0 {\n right: auto;\n }\n .col-lg-push-12 {\n left: 100%;\n }\n .col-lg-push-11 {\n left: 91.66666667%;\n }\n .col-lg-push-10 {\n left: 83.33333333%;\n }\n .col-lg-push-9 {\n left: 75%;\n }\n .col-lg-push-8 {\n left: 66.66666667%;\n }\n .col-lg-push-7 {\n left: 58.33333333%;\n }\n .col-lg-push-6 {\n left: 50%;\n }\n .col-lg-push-5 {\n left: 41.66666667%;\n }\n .col-lg-push-4 {\n left: 33.33333333%;\n }\n .col-lg-push-3 {\n left: 25%;\n }\n .col-lg-push-2 {\n left: 16.66666667%;\n }\n .col-lg-push-1 {\n left: 8.33333333%;\n }\n .col-lg-push-0 {\n left: auto;\n }\n .col-lg-offset-12 {\n margin-left: 100%;\n }\n .col-lg-offset-11 {\n margin-left: 91.66666667%;\n }\n .col-lg-offset-10 {\n margin-left: 83.33333333%;\n }\n .col-lg-offset-9 {\n margin-left: 75%;\n }\n .col-lg-offset-8 {\n margin-left: 66.66666667%;\n }\n .col-lg-offset-7 {\n margin-left: 58.33333333%;\n }\n .col-lg-offset-6 {\n margin-left: 50%;\n }\n .col-lg-offset-5 {\n margin-left: 41.66666667%;\n }\n .col-lg-offset-4 {\n margin-left: 33.33333333%;\n }\n .col-lg-offset-3 {\n margin-left: 25%;\n }\n .col-lg-offset-2 {\n margin-left: 16.66666667%;\n }\n .col-lg-offset-1 {\n margin-left: 8.33333333%;\n }\n .col-lg-offset-0 {\n margin-left: 0%;\n }\n}\ntable {\n background-color: transparent;\n}\ntable col[class*=\"col-\"] {\n position: static;\n display: table-column;\n float: none;\n}\ntable td[class*=\"col-\"],\ntable th[class*=\"col-\"] {\n position: static;\n display: table-cell;\n float: none;\n}\ncaption {\n padding-top: 8px;\n padding-bottom: 8px;\n color: #777777;\n text-align: left;\n}\nth {\n text-align: left;\n}\n.table {\n width: 100%;\n max-width: 100%;\n margin-bottom: 20px;\n}\n.table > thead > tr > th,\n.table > tbody > tr > th,\n.table > tfoot > tr > th,\n.table > thead > tr > td,\n.table > tbody > tr > td,\n.table > tfoot > tr > td {\n padding: 8px;\n line-height: 1.42857143;\n vertical-align: top;\n border-top: 1px solid #ddd;\n}\n.table > thead > tr > th {\n vertical-align: bottom;\n border-bottom: 2px solid #ddd;\n}\n.table > caption + thead > tr:first-child > th,\n.table > colgroup + thead > tr:first-child > th,\n.table > thead:first-child > tr:first-child > th,\n.table > caption + thead > tr:first-child > td,\n.table > colgroup + thead > tr:first-child > td,\n.table > thead:first-child > tr:first-child > td {\n border-top: 0;\n}\n.table > tbody + tbody {\n border-top: 2px solid #ddd;\n}\n.table .table {\n background-color: #fff;\n}\n.table-condensed > thead > tr > th,\n.table-condensed > tbody > tr > th,\n.table-condensed > tfoot > tr > th,\n.table-condensed > thead > tr > td,\n.table-condensed > tbody > tr > td,\n.table-condensed > tfoot > tr > td {\n padding: 5px;\n}\n.table-bordered {\n border: 1px solid #ddd;\n}\n.table-bordered > thead > tr > th,\n.table-bordered > tbody > tr > th,\n.table-bordered > tfoot > tr > th,\n.table-bordered > thead > tr > td,\n.table-bordered > tbody > tr > td,\n.table-bordered > tfoot > tr > td {\n border: 1px solid #ddd;\n}\n.table-bordered > thead > tr > th,\n.table-bordered > thead > tr > td {\n border-bottom-width: 2px;\n}\n.table-striped > tbody > tr:nth-of-type(odd) {\n background-color: #f9f9f9;\n}\n.table-hover > tbody > tr:hover {\n background-color: #f5f5f5;\n}\n.table > thead > tr > td.active,\n.table > tbody > tr > td.active,\n.table > tfoot > tr > td.active,\n.table > thead > tr > th.active,\n.table > tbody > tr > th.active,\n.table > tfoot > tr > th.active,\n.table > thead > tr.active > td,\n.table > tbody > tr.active > td,\n.table > tfoot > tr.active > td,\n.table > thead > tr.active > th,\n.table > tbody > tr.active > th,\n.table > tfoot > tr.active > th {\n background-color: #f5f5f5;\n}\n.table-hover > tbody > tr > td.active:hover,\n.table-hover > tbody > tr > th.active:hover,\n.table-hover > tbody > tr.active:hover > td,\n.table-hover > tbody > tr:hover > .active,\n.table-hover > tbody > tr.active:hover > th {\n background-color: #e8e8e8;\n}\n.table > thead > tr > td.success,\n.table > tbody > tr > td.success,\n.table > tfoot > tr > td.success,\n.table > thead > tr > th.success,\n.table > tbody > tr > th.success,\n.table > tfoot > tr > th.success,\n.table > thead > tr.success > td,\n.table > tbody > tr.success > td,\n.table > tfoot > tr.success > td,\n.table > thead > tr.success > th,\n.table > tbody > tr.success > th,\n.table > tfoot > tr.success > th {\n background-color: #dff0d8;\n}\n.table-hover > tbody > tr > td.success:hover,\n.table-hover > tbody > tr > th.success:hover,\n.table-hover > tbody > tr.success:hover > td,\n.table-hover > tbody > tr:hover > .success,\n.table-hover > tbody > tr.success:hover > th {\n background-color: #d0e9c6;\n}\n.table > thead > tr > td.info,\n.table > tbody > tr > td.info,\n.table > tfoot > tr > td.info,\n.table > thead > tr > th.info,\n.table > tbody > tr > th.info,\n.table > tfoot > tr > th.info,\n.table > thead > tr.info > td,\n.table > tbody > tr.info > td,\n.table > tfoot > tr.info > td,\n.table > thead > tr.info > th,\n.table > tbody > tr.info > th,\n.table > tfoot > tr.info > th {\n background-color: #d9edf7;\n}\n.table-hover > tbody > tr > td.info:hover,\n.table-hover > tbody > tr > th.info:hover,\n.table-hover > tbody > tr.info:hover > td,\n.table-hover > tbody > tr:hover > .info,\n.table-hover > tbody > tr.info:hover > th {\n background-color: #c4e3f3;\n}\n.table > thead > tr > td.warning,\n.table > tbody > tr > td.warning,\n.table > tfoot > tr > td.warning,\n.table > thead > tr > th.warning,\n.table > tbody > tr > th.warning,\n.table > tfoot > tr > th.warning,\n.table > thead > tr.warning > td,\n.table > tbody > tr.warning > td,\n.table > tfoot > tr.warning > td,\n.table > thead > tr.warning > th,\n.table > tbody > tr.warning > th,\n.table > tfoot > tr.warning > th {\n background-color: #fcf8e3;\n}\n.table-hover > tbody > tr > td.warning:hover,\n.table-hover > tbody > tr > th.warning:hover,\n.table-hover > tbody > tr.warning:hover > td,\n.table-hover > tbody > tr:hover > .warning,\n.table-hover > tbody > tr.warning:hover > th {\n background-color: #faf2cc;\n}\n.table > thead > tr > td.danger,\n.table > tbody > tr > td.danger,\n.table > tfoot > tr > td.danger,\n.table > thead > tr > th.danger,\n.table > tbody > tr > th.danger,\n.table > tfoot > tr > th.danger,\n.table > thead > tr.danger > td,\n.table > tbody > tr.danger > td,\n.table > tfoot > tr.danger > td,\n.table > thead > tr.danger > th,\n.table > tbody > tr.danger > th,\n.table > tfoot > tr.danger > th {\n background-color: #f2dede;\n}\n.table-hover > tbody > tr > td.danger:hover,\n.table-hover > tbody > tr > th.danger:hover,\n.table-hover > tbody > tr.danger:hover > td,\n.table-hover > tbody > tr:hover > .danger,\n.table-hover > tbody > tr.danger:hover > th {\n background-color: #ebcccc;\n}\n.table-responsive {\n min-height: 0.01%;\n overflow-x: auto;\n}\n@media screen and (max-width: 767px) {\n .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 .table-responsive > .table {\n margin-bottom: 0;\n }\n .table-responsive > .table > thead > tr > th,\n .table-responsive > .table > tbody > tr > th,\n .table-responsive > .table > tfoot > tr > th,\n .table-responsive > .table > thead > tr > td,\n .table-responsive > .table > tbody > tr > td,\n .table-responsive > .table > tfoot > tr > td {\n white-space: nowrap;\n }\n .table-responsive > .table-bordered {\n border: 0;\n }\n .table-responsive > .table-bordered > thead > tr > th:first-child,\n .table-responsive > .table-bordered > tbody > tr > th:first-child,\n .table-responsive > .table-bordered > tfoot > tr > th:first-child,\n .table-responsive > .table-bordered > thead > tr > td:first-child,\n .table-responsive > .table-bordered > tbody > tr > td:first-child,\n .table-responsive > .table-bordered > tfoot > tr > td:first-child {\n border-left: 0;\n }\n .table-responsive > .table-bordered > thead > tr > th:last-child,\n .table-responsive > .table-bordered > tbody > tr > th:last-child,\n .table-responsive > .table-bordered > tfoot > tr > th:last-child,\n .table-responsive > .table-bordered > thead > tr > td:last-child,\n .table-responsive > .table-bordered > tbody > tr > td:last-child,\n .table-responsive > .table-bordered > tfoot > tr > td:last-child {\n border-right: 0;\n }\n .table-responsive > .table-bordered > tbody > tr:last-child > th,\n .table-responsive > .table-bordered > tfoot > tr:last-child > th,\n .table-responsive > .table-bordered > tbody > tr:last-child > td,\n .table-responsive > .table-bordered > tfoot > tr:last-child > td {\n border-bottom: 0;\n }\n}\nfieldset {\n min-width: 0;\n padding: 0;\n margin: 0;\n border: 0;\n}\nlegend {\n display: block;\n width: 100%;\n padding: 0;\n margin-bottom: 20px;\n font-size: 21px;\n line-height: inherit;\n color: #333333;\n border: 0;\n border-bottom: 1px solid #e5e5e5;\n}\nlabel {\n display: inline-block;\n max-width: 100%;\n margin-bottom: 5px;\n font-weight: 700;\n}\ninput[type=\"search\"] {\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n -webkit-appearance: none;\n appearance: none;\n}\ninput[type=\"radio\"],\ninput[type=\"checkbox\"] {\n margin: 4px 0 0;\n margin-top: 1px \\9;\n line-height: normal;\n}\ninput[type=\"radio\"][disabled],\ninput[type=\"checkbox\"][disabled],\ninput[type=\"radio\"].disabled,\ninput[type=\"checkbox\"].disabled,\nfieldset[disabled] input[type=\"radio\"],\nfieldset[disabled] input[type=\"checkbox\"] {\n cursor: not-allowed;\n}\ninput[type=\"file\"] {\n display: block;\n}\ninput[type=\"range\"] {\n display: block;\n width: 100%;\n}\nselect[multiple],\nselect[size] {\n height: auto;\n}\ninput[type=\"file\"]:focus,\ninput[type=\"radio\"]:focus,\ninput[type=\"checkbox\"]:focus {\n outline: 5px auto -webkit-focus-ring-color;\n outline-offset: -2px;\n}\noutput {\n display: block;\n padding-top: 7px;\n font-size: 14px;\n line-height: 1.42857143;\n color: #555555;\n}\n.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: #555555;\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, 0.075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n -webkit-transition: border-color ease-in-out .15s, 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.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, 0.6);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 8px rgba(102, 175, 233, 0.6);\n}\n.form-control::-moz-placeholder {\n color: #999;\n opacity: 1;\n}\n.form-control:-ms-input-placeholder {\n color: #999;\n}\n.form-control::-webkit-input-placeholder {\n color: #999;\n}\n.form-control::-ms-expand {\n background-color: transparent;\n border: 0;\n}\n.form-control[disabled],\n.form-control[readonly],\nfieldset[disabled] .form-control {\n background-color: #eeeeee;\n opacity: 1;\n}\n.form-control[disabled],\nfieldset[disabled] .form-control {\n cursor: not-allowed;\n}\ntextarea.form-control {\n height: auto;\n}\n@media screen and (-webkit-min-device-pixel-ratio: 0) {\n input[type=\"date\"].form-control,\n input[type=\"time\"].form-control,\n input[type=\"datetime-local\"].form-control,\n input[type=\"month\"].form-control {\n line-height: 34px;\n }\n input[type=\"date\"].input-sm,\n input[type=\"time\"].input-sm,\n input[type=\"datetime-local\"].input-sm,\n input[type=\"month\"].input-sm,\n .input-group-sm input[type=\"date\"],\n .input-group-sm input[type=\"time\"],\n .input-group-sm input[type=\"datetime-local\"],\n .input-group-sm input[type=\"month\"] {\n line-height: 30px;\n }\n input[type=\"date\"].input-lg,\n input[type=\"time\"].input-lg,\n input[type=\"datetime-local\"].input-lg,\n input[type=\"month\"].input-lg,\n .input-group-lg input[type=\"date\"],\n .input-group-lg input[type=\"time\"],\n .input-group-lg input[type=\"datetime-local\"],\n .input-group-lg input[type=\"month\"] {\n line-height: 46px;\n }\n}\n.form-group {\n margin-bottom: 15px;\n}\n.radio,\n.checkbox {\n position: relative;\n display: block;\n margin-top: 10px;\n margin-bottom: 10px;\n}\n.radio.disabled label,\n.checkbox.disabled label,\nfieldset[disabled] .radio label,\nfieldset[disabled] .checkbox label {\n cursor: not-allowed;\n}\n.radio label,\n.checkbox label {\n min-height: 20px;\n padding-left: 20px;\n margin-bottom: 0;\n font-weight: 400;\n cursor: pointer;\n}\n.radio input[type=\"radio\"],\n.radio-inline input[type=\"radio\"],\n.checkbox input[type=\"checkbox\"],\n.checkbox-inline input[type=\"checkbox\"] {\n position: absolute;\n margin-top: 4px \\9;\n margin-left: -20px;\n}\n.radio + .radio,\n.checkbox + .checkbox {\n margin-top: -5px;\n}\n.radio-inline,\n.checkbox-inline {\n position: relative;\n display: inline-block;\n padding-left: 20px;\n margin-bottom: 0;\n font-weight: 400;\n vertical-align: middle;\n cursor: pointer;\n}\n.radio-inline.disabled,\n.checkbox-inline.disabled,\nfieldset[disabled] .radio-inline,\nfieldset[disabled] .checkbox-inline {\n cursor: not-allowed;\n}\n.radio-inline + .radio-inline,\n.checkbox-inline + .checkbox-inline {\n margin-top: 0;\n margin-left: 10px;\n}\n.form-control-static {\n min-height: 34px;\n padding-top: 7px;\n padding-bottom: 7px;\n margin-bottom: 0;\n}\n.form-control-static.input-lg,\n.form-control-static.input-sm {\n padding-right: 0;\n padding-left: 0;\n}\n.input-sm {\n height: 30px;\n padding: 5px 10px;\n font-size: 12px;\n line-height: 1.5;\n border-radius: 3px;\n}\nselect.input-sm {\n height: 30px;\n line-height: 30px;\n}\ntextarea.input-sm,\nselect[multiple].input-sm {\n height: auto;\n}\n.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.form-group-sm select.form-control {\n height: 30px;\n line-height: 30px;\n}\n.form-group-sm textarea.form-control,\n.form-group-sm select[multiple].form-control {\n height: auto;\n}\n.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.input-lg {\n height: 46px;\n padding: 10px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n border-radius: 6px;\n}\nselect.input-lg {\n height: 46px;\n line-height: 46px;\n}\ntextarea.input-lg,\nselect[multiple].input-lg {\n height: auto;\n}\n.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.form-group-lg select.form-control {\n height: 46px;\n line-height: 46px;\n}\n.form-group-lg textarea.form-control,\n.form-group-lg select[multiple].form-control {\n height: auto;\n}\n.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.has-feedback {\n position: relative;\n}\n.has-feedback .form-control {\n padding-right: 42.5px;\n}\n.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.input-lg + .form-control-feedback,\n.input-group-lg + .form-control-feedback,\n.form-group-lg .form-control + .form-control-feedback {\n width: 46px;\n height: 46px;\n line-height: 46px;\n}\n.input-sm + .form-control-feedback,\n.input-group-sm + .form-control-feedback,\n.form-group-sm .form-control + .form-control-feedback {\n width: 30px;\n height: 30px;\n line-height: 30px;\n}\n.has-success .help-block,\n.has-success .control-label,\n.has-success .radio,\n.has-success .checkbox,\n.has-success .radio-inline,\n.has-success .checkbox-inline,\n.has-success.radio label,\n.has-success.checkbox label,\n.has-success.radio-inline label,\n.has-success.checkbox-inline label {\n color: #3c763d;\n}\n.has-success .form-control {\n border-color: #3c763d;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n}\n.has-success .form-control:focus {\n border-color: #2b542c;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #67b168;\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #67b168;\n}\n.has-success .input-group-addon {\n color: #3c763d;\n background-color: #dff0d8;\n border-color: #3c763d;\n}\n.has-success .form-control-feedback {\n color: #3c763d;\n}\n.has-warning .help-block,\n.has-warning .control-label,\n.has-warning .radio,\n.has-warning .checkbox,\n.has-warning .radio-inline,\n.has-warning .checkbox-inline,\n.has-warning.radio label,\n.has-warning.checkbox label,\n.has-warning.radio-inline label,\n.has-warning.checkbox-inline label {\n color: #8a6d3b;\n}\n.has-warning .form-control {\n border-color: #8a6d3b;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n}\n.has-warning .form-control:focus {\n border-color: #66512c;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #c0a16b;\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #c0a16b;\n}\n.has-warning .input-group-addon {\n color: #8a6d3b;\n background-color: #fcf8e3;\n border-color: #8a6d3b;\n}\n.has-warning .form-control-feedback {\n color: #8a6d3b;\n}\n.has-error .help-block,\n.has-error .control-label,\n.has-error .radio,\n.has-error .checkbox,\n.has-error .radio-inline,\n.has-error .checkbox-inline,\n.has-error.radio label,\n.has-error.checkbox label,\n.has-error.radio-inline label,\n.has-error.checkbox-inline label {\n color: #a94442;\n}\n.has-error .form-control {\n border-color: #a94442;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n}\n.has-error .form-control:focus {\n border-color: #843534;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #ce8483;\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #ce8483;\n}\n.has-error .input-group-addon {\n color: #a94442;\n background-color: #f2dede;\n border-color: #a94442;\n}\n.has-error .form-control-feedback {\n color: #a94442;\n}\n.has-feedback label ~ .form-control-feedback {\n top: 25px;\n}\n.has-feedback label.sr-only ~ .form-control-feedback {\n top: 0;\n}\n.help-block {\n display: block;\n margin-top: 5px;\n margin-bottom: 10px;\n color: #737373;\n}\n@media (min-width: 768px) {\n .form-inline .form-group {\n display: inline-block;\n margin-bottom: 0;\n vertical-align: middle;\n }\n .form-inline .form-control {\n display: inline-block;\n width: auto;\n vertical-align: middle;\n }\n .form-inline .form-control-static {\n display: inline-block;\n }\n .form-inline .input-group {\n display: inline-table;\n vertical-align: middle;\n }\n .form-inline .input-group .input-group-addon,\n .form-inline .input-group .input-group-btn,\n .form-inline .input-group .form-control {\n width: auto;\n }\n .form-inline .input-group > .form-control {\n width: 100%;\n }\n .form-inline .control-label {\n margin-bottom: 0;\n vertical-align: middle;\n }\n .form-inline .radio,\n .form-inline .checkbox {\n display: inline-block;\n margin-top: 0;\n margin-bottom: 0;\n vertical-align: middle;\n }\n .form-inline .radio label,\n .form-inline .checkbox label {\n padding-left: 0;\n }\n .form-inline .radio input[type=\"radio\"],\n .form-inline .checkbox input[type=\"checkbox\"] {\n position: relative;\n margin-left: 0;\n }\n .form-inline .has-feedback .form-control-feedback {\n top: 0;\n }\n}\n.form-horizontal .radio,\n.form-horizontal .checkbox,\n.form-horizontal .radio-inline,\n.form-horizontal .checkbox-inline {\n padding-top: 7px;\n margin-top: 0;\n margin-bottom: 0;\n}\n.form-horizontal .radio,\n.form-horizontal .checkbox {\n min-height: 27px;\n}\n.form-horizontal .form-group {\n margin-right: -15px;\n margin-left: -15px;\n}\n@media (min-width: 768px) {\n .form-horizontal .control-label {\n padding-top: 7px;\n margin-bottom: 0;\n text-align: right;\n }\n}\n.form-horizontal .has-feedback .form-control-feedback {\n right: 15px;\n}\n@media (min-width: 768px) {\n .form-horizontal .form-group-lg .control-label {\n padding-top: 11px;\n font-size: 18px;\n }\n}\n@media (min-width: 768px) {\n .form-horizontal .form-group-sm .control-label {\n padding-top: 6px;\n font-size: 12px;\n }\n}\n.btn {\n display: inline-block;\n margin-bottom: 0;\n font-weight: normal;\n text-align: center;\n white-space: nowrap;\n vertical-align: middle;\n touch-action: manipulation;\n cursor: pointer;\n background-image: none;\n border: 1px solid transparent;\n padding: 6px 12px;\n font-size: 14px;\n line-height: 1.42857143;\n border-radius: 4px;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n.btn:focus,\n.btn:active:focus,\n.btn.active:focus,\n.btn.focus,\n.btn:active.focus,\n.btn.active.focus {\n outline: 5px auto -webkit-focus-ring-color;\n outline-offset: -2px;\n}\n.btn:hover,\n.btn:focus,\n.btn.focus {\n color: #333;\n text-decoration: none;\n}\n.btn:active,\n.btn.active {\n background-image: none;\n outline: 0;\n -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n}\n.btn.disabled,\n.btn[disabled],\nfieldset[disabled] .btn {\n cursor: not-allowed;\n filter: alpha(opacity=65);\n opacity: 0.65;\n -webkit-box-shadow: none;\n box-shadow: none;\n}\na.btn.disabled,\nfieldset[disabled] a.btn {\n pointer-events: none;\n}\n.btn-default {\n color: #333;\n background-color: #fff;\n border-color: #ccc;\n}\n.btn-default:focus,\n.btn-default.focus {\n color: #333;\n background-color: #e6e6e6;\n border-color: #8c8c8c;\n}\n.btn-default:hover {\n color: #333;\n background-color: #e6e6e6;\n border-color: #adadad;\n}\n.btn-default:active,\n.btn-default.active,\n.open > .dropdown-toggle.btn-default {\n color: #333;\n background-color: #e6e6e6;\n background-image: none;\n border-color: #adadad;\n}\n.btn-default:active:hover,\n.btn-default.active:hover,\n.open > .dropdown-toggle.btn-default:hover,\n.btn-default:active:focus,\n.btn-default.active:focus,\n.open > .dropdown-toggle.btn-default:focus,\n.btn-default:active.focus,\n.btn-default.active.focus,\n.open > .dropdown-toggle.btn-default.focus {\n color: #333;\n background-color: #d4d4d4;\n border-color: #8c8c8c;\n}\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 background-color: #fff;\n border-color: #ccc;\n}\n.btn-default .badge {\n color: #fff;\n background-color: #333;\n}\n.btn-primary {\n color: #fff;\n background-color: #337ab7;\n border-color: #2e6da4;\n}\n.btn-primary:focus,\n.btn-primary.focus {\n color: #fff;\n background-color: #286090;\n border-color: #122b40;\n}\n.btn-primary:hover {\n color: #fff;\n background-color: #286090;\n border-color: #204d74;\n}\n.btn-primary:active,\n.btn-primary.active,\n.open > .dropdown-toggle.btn-primary {\n color: #fff;\n background-color: #286090;\n background-image: none;\n border-color: #204d74;\n}\n.btn-primary:active:hover,\n.btn-primary.active:hover,\n.open > .dropdown-toggle.btn-primary:hover,\n.btn-primary:active:focus,\n.btn-primary.active:focus,\n.open > .dropdown-toggle.btn-primary:focus,\n.btn-primary:active.focus,\n.btn-primary.active.focus,\n.open > .dropdown-toggle.btn-primary.focus {\n color: #fff;\n background-color: #204d74;\n border-color: #122b40;\n}\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 background-color: #337ab7;\n border-color: #2e6da4;\n}\n.btn-primary .badge {\n color: #337ab7;\n background-color: #fff;\n}\n.btn-success {\n color: #fff;\n background-color: #5cb85c;\n border-color: #4cae4c;\n}\n.btn-success:focus,\n.btn-success.focus {\n color: #fff;\n background-color: #449d44;\n border-color: #255625;\n}\n.btn-success:hover {\n color: #fff;\n background-color: #449d44;\n border-color: #398439;\n}\n.btn-success:active,\n.btn-success.active,\n.open > .dropdown-toggle.btn-success {\n color: #fff;\n background-color: #449d44;\n background-image: none;\n border-color: #398439;\n}\n.btn-success:active:hover,\n.btn-success.active:hover,\n.open > .dropdown-toggle.btn-success:hover,\n.btn-success:active:focus,\n.btn-success.active:focus,\n.open > .dropdown-toggle.btn-success:focus,\n.btn-success:active.focus,\n.btn-success.active.focus,\n.open > .dropdown-toggle.btn-success.focus {\n color: #fff;\n background-color: #398439;\n border-color: #255625;\n}\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 background-color: #5cb85c;\n border-color: #4cae4c;\n}\n.btn-success .badge {\n color: #5cb85c;\n background-color: #fff;\n}\n.btn-info {\n color: #fff;\n background-color: #5bc0de;\n border-color: #46b8da;\n}\n.btn-info:focus,\n.btn-info.focus {\n color: #fff;\n background-color: #31b0d5;\n border-color: #1b6d85;\n}\n.btn-info:hover {\n color: #fff;\n background-color: #31b0d5;\n border-color: #269abc;\n}\n.btn-info:active,\n.btn-info.active,\n.open > .dropdown-toggle.btn-info {\n color: #fff;\n background-color: #31b0d5;\n background-image: none;\n border-color: #269abc;\n}\n.btn-info:active:hover,\n.btn-info.active:hover,\n.open > .dropdown-toggle.btn-info:hover,\n.btn-info:active:focus,\n.btn-info.active:focus,\n.open > .dropdown-toggle.btn-info:focus,\n.btn-info:active.focus,\n.btn-info.active.focus,\n.open > .dropdown-toggle.btn-info.focus {\n color: #fff;\n background-color: #269abc;\n border-color: #1b6d85;\n}\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 background-color: #5bc0de;\n border-color: #46b8da;\n}\n.btn-info .badge {\n color: #5bc0de;\n background-color: #fff;\n}\n.btn-warning {\n color: #fff;\n background-color: #f0ad4e;\n border-color: #eea236;\n}\n.btn-warning:focus,\n.btn-warning.focus {\n color: #fff;\n background-color: #ec971f;\n border-color: #985f0d;\n}\n.btn-warning:hover {\n color: #fff;\n background-color: #ec971f;\n border-color: #d58512;\n}\n.btn-warning:active,\n.btn-warning.active,\n.open > .dropdown-toggle.btn-warning {\n color: #fff;\n background-color: #ec971f;\n background-image: none;\n border-color: #d58512;\n}\n.btn-warning:active:hover,\n.btn-warning.active:hover,\n.open > .dropdown-toggle.btn-warning:hover,\n.btn-warning:active:focus,\n.btn-warning.active:focus,\n.open > .dropdown-toggle.btn-warning:focus,\n.btn-warning:active.focus,\n.btn-warning.active.focus,\n.open > .dropdown-toggle.btn-warning.focus {\n color: #fff;\n background-color: #d58512;\n border-color: #985f0d;\n}\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 background-color: #f0ad4e;\n border-color: #eea236;\n}\n.btn-warning .badge {\n color: #f0ad4e;\n background-color: #fff;\n}\n.btn-danger {\n color: #fff;\n background-color: #d9534f;\n border-color: #d43f3a;\n}\n.btn-danger:focus,\n.btn-danger.focus {\n color: #fff;\n background-color: #c9302c;\n border-color: #761c19;\n}\n.btn-danger:hover {\n color: #fff;\n background-color: #c9302c;\n border-color: #ac2925;\n}\n.btn-danger:active,\n.btn-danger.active,\n.open > .dropdown-toggle.btn-danger {\n color: #fff;\n background-color: #c9302c;\n background-image: none;\n border-color: #ac2925;\n}\n.btn-danger:active:hover,\n.btn-danger.active:hover,\n.open > .dropdown-toggle.btn-danger:hover,\n.btn-danger:active:focus,\n.btn-danger.active:focus,\n.open > .dropdown-toggle.btn-danger:focus,\n.btn-danger:active.focus,\n.btn-danger.active.focus,\n.open > .dropdown-toggle.btn-danger.focus {\n color: #fff;\n background-color: #ac2925;\n border-color: #761c19;\n}\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 background-color: #d9534f;\n border-color: #d43f3a;\n}\n.btn-danger .badge {\n color: #d9534f;\n background-color: #fff;\n}\n.btn-link {\n font-weight: 400;\n color: #337ab7;\n border-radius: 0;\n}\n.btn-link,\n.btn-link:active,\n.btn-link.active,\n.btn-link[disabled],\nfieldset[disabled] .btn-link {\n background-color: transparent;\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n.btn-link,\n.btn-link:hover,\n.btn-link:focus,\n.btn-link:active {\n border-color: transparent;\n}\n.btn-link:hover,\n.btn-link:focus {\n color: #23527c;\n text-decoration: underline;\n background-color: transparent;\n}\n.btn-link[disabled]:hover,\nfieldset[disabled] .btn-link:hover,\n.btn-link[disabled]:focus,\nfieldset[disabled] .btn-link:focus {\n color: #777777;\n text-decoration: none;\n}\n.btn-lg,\n.btn-group-lg > .btn {\n padding: 10px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n border-radius: 6px;\n}\n.btn-sm,\n.btn-group-sm > .btn {\n padding: 5px 10px;\n font-size: 12px;\n line-height: 1.5;\n border-radius: 3px;\n}\n.btn-xs,\n.btn-group-xs > .btn {\n padding: 1px 5px;\n font-size: 12px;\n line-height: 1.5;\n border-radius: 3px;\n}\n.btn-block {\n display: block;\n width: 100%;\n}\n.btn-block + .btn-block {\n margin-top: 5px;\n}\ninput[type=\"submit\"].btn-block,\ninput[type=\"reset\"].btn-block,\ninput[type=\"button\"].btn-block {\n width: 100%;\n}\n.fade {\n opacity: 0;\n -webkit-transition: opacity 0.15s linear;\n -o-transition: opacity 0.15s linear;\n transition: opacity 0.15s linear;\n}\n.fade.in {\n opacity: 1;\n}\n.collapse {\n display: none;\n}\n.collapse.in {\n display: block;\n}\ntr.collapse.in {\n display: table-row;\n}\ntbody.collapse.in {\n display: table-row-group;\n}\n.collapsing {\n position: relative;\n height: 0;\n overflow: hidden;\n -webkit-transition-property: height, visibility;\n transition-property: height, visibility;\n -webkit-transition-duration: 0.35s;\n transition-duration: 0.35s;\n -webkit-transition-timing-function: ease;\n transition-timing-function: ease;\n}\n.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.dropup,\n.dropdown {\n position: relative;\n}\n.dropdown-toggle:focus {\n outline: 0;\n}\n.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 background-clip: padding-box;\n border: 1px solid #ccc;\n border: 1px solid rgba(0, 0, 0, 0.15);\n border-radius: 4px;\n -webkit-box-shadow: 0 6px 12px rgba(0, 0, 0, 0.175);\n box-shadow: 0 6px 12px rgba(0, 0, 0, 0.175);\n}\n.dropdown-menu.pull-right {\n right: 0;\n left: auto;\n}\n.dropdown-menu .divider {\n height: 1px;\n margin: 9px 0;\n overflow: hidden;\n background-color: #e5e5e5;\n}\n.dropdown-menu > li > a {\n display: block;\n padding: 3px 20px;\n clear: both;\n font-weight: 400;\n line-height: 1.42857143;\n color: #333333;\n white-space: nowrap;\n}\n.dropdown-menu > li > a:hover,\n.dropdown-menu > li > a:focus {\n color: #262626;\n text-decoration: none;\n background-color: #f5f5f5;\n}\n.dropdown-menu > .active > a,\n.dropdown-menu > .active > a:hover,\n.dropdown-menu > .active > a:focus {\n color: #fff;\n text-decoration: none;\n background-color: #337ab7;\n outline: 0;\n}\n.dropdown-menu > .disabled > a,\n.dropdown-menu > .disabled > a:hover,\n.dropdown-menu > .disabled > a:focus {\n color: #777777;\n}\n.dropdown-menu > .disabled > a:hover,\n.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.open > .dropdown-menu {\n display: block;\n}\n.open > a {\n outline: 0;\n}\n.dropdown-menu-right {\n right: 0;\n left: auto;\n}\n.dropdown-menu-left {\n right: auto;\n left: 0;\n}\n.dropdown-header {\n display: block;\n padding: 3px 20px;\n font-size: 12px;\n line-height: 1.42857143;\n color: #777777;\n white-space: nowrap;\n}\n.dropdown-backdrop {\n position: fixed;\n top: 0;\n right: 0;\n bottom: 0;\n left: 0;\n z-index: 990;\n}\n.pull-right > .dropdown-menu {\n right: 0;\n left: auto;\n}\n.dropup .caret,\n.navbar-fixed-bottom .dropdown .caret {\n content: \"\";\n border-top: 0;\n border-bottom: 4px dashed;\n border-bottom: 4px solid \\9;\n}\n.dropup .dropdown-menu,\n.navbar-fixed-bottom .dropdown .dropdown-menu {\n top: auto;\n bottom: 100%;\n margin-bottom: 2px;\n}\n@media (min-width: 768px) {\n .navbar-right .dropdown-menu {\n right: 0;\n left: auto;\n }\n .navbar-right .dropdown-menu-left {\n right: auto;\n left: 0;\n }\n}\n.btn-group,\n.btn-group-vertical {\n position: relative;\n display: inline-block;\n vertical-align: middle;\n}\n.btn-group > .btn,\n.btn-group-vertical > .btn {\n position: relative;\n float: left;\n}\n.btn-group > .btn:hover,\n.btn-group-vertical > .btn:hover,\n.btn-group > .btn:focus,\n.btn-group-vertical > .btn:focus,\n.btn-group > .btn:active,\n.btn-group-vertical > .btn:active,\n.btn-group > .btn.active,\n.btn-group-vertical > .btn.active {\n z-index: 2;\n}\n.btn-group .btn + .btn,\n.btn-group .btn + .btn-group,\n.btn-group .btn-group + .btn,\n.btn-group .btn-group + .btn-group {\n margin-left: -1px;\n}\n.btn-toolbar {\n margin-left: -5px;\n}\n.btn-toolbar .btn,\n.btn-toolbar .btn-group,\n.btn-toolbar .input-group {\n float: left;\n}\n.btn-toolbar > .btn,\n.btn-toolbar > .btn-group,\n.btn-toolbar > .input-group {\n margin-left: 5px;\n}\n.btn-group > .btn:not(:first-child):not(:last-child):not(.dropdown-toggle) {\n border-radius: 0;\n}\n.btn-group > .btn:first-child {\n margin-left: 0;\n}\n.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.btn-group > .btn:last-child:not(:first-child),\n.btn-group > .dropdown-toggle:not(:first-child) {\n border-top-left-radius: 0;\n border-bottom-left-radius: 0;\n}\n.btn-group > .btn-group {\n float: left;\n}\n.btn-group > .btn-group:not(:first-child):not(:last-child) > .btn {\n border-radius: 0;\n}\n.btn-group > .btn-group:first-child:not(:last-child) > .btn:last-child,\n.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.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.btn-group .dropdown-toggle:active,\n.btn-group.open .dropdown-toggle {\n outline: 0;\n}\n.btn-group > .btn + .dropdown-toggle {\n padding-right: 8px;\n padding-left: 8px;\n}\n.btn-group > .btn-lg + .dropdown-toggle {\n padding-right: 12px;\n padding-left: 12px;\n}\n.btn-group.open .dropdown-toggle {\n -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n}\n.btn-group.open .dropdown-toggle.btn-link {\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n.btn .caret {\n margin-left: 0;\n}\n.btn-lg .caret {\n border-width: 5px 5px 0;\n border-bottom-width: 0;\n}\n.dropup .btn-lg .caret {\n border-width: 0 5px 5px;\n}\n.btn-group-vertical > .btn,\n.btn-group-vertical > .btn-group,\n.btn-group-vertical > .btn-group > .btn {\n display: block;\n float: none;\n width: 100%;\n max-width: 100%;\n}\n.btn-group-vertical > .btn-group > .btn {\n float: none;\n}\n.btn-group-vertical > .btn + .btn,\n.btn-group-vertical > .btn + .btn-group,\n.btn-group-vertical > .btn-group + .btn,\n.btn-group-vertical > .btn-group + .btn-group {\n margin-top: -1px;\n margin-left: 0;\n}\n.btn-group-vertical > .btn:not(:first-child):not(:last-child) {\n border-radius: 0;\n}\n.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.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.btn-group-vertical > .btn-group:not(:first-child):not(:last-child) > .btn {\n border-radius: 0;\n}\n.btn-group-vertical > .btn-group:first-child:not(:last-child) > .btn:last-child,\n.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.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.btn-group-justified {\n display: table;\n width: 100%;\n table-layout: fixed;\n border-collapse: separate;\n}\n.btn-group-justified > .btn,\n.btn-group-justified > .btn-group {\n display: table-cell;\n float: none;\n width: 1%;\n}\n.btn-group-justified > .btn-group .btn {\n width: 100%;\n}\n.btn-group-justified > .btn-group .dropdown-menu {\n left: auto;\n}\n[data-toggle=\"buttons\"] > .btn input[type=\"radio\"],\n[data-toggle=\"buttons\"] > .btn-group > .btn input[type=\"radio\"],\n[data-toggle=\"buttons\"] > .btn input[type=\"checkbox\"],\n[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.input-group {\n position: relative;\n display: table;\n border-collapse: separate;\n}\n.input-group[class*=\"col-\"] {\n float: none;\n padding-right: 0;\n padding-left: 0;\n}\n.input-group .form-control {\n position: relative;\n z-index: 2;\n float: left;\n width: 100%;\n margin-bottom: 0;\n}\n.input-group .form-control:focus {\n z-index: 3;\n}\n.input-group-lg > .form-control,\n.input-group-lg > .input-group-addon,\n.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}\nselect.input-group-lg > .form-control,\nselect.input-group-lg > .input-group-addon,\nselect.input-group-lg > .input-group-btn > .btn {\n height: 46px;\n line-height: 46px;\n}\ntextarea.input-group-lg > .form-control,\ntextarea.input-group-lg > .input-group-addon,\ntextarea.input-group-lg > .input-group-btn > .btn,\nselect[multiple].input-group-lg > .form-control,\nselect[multiple].input-group-lg > .input-group-addon,\nselect[multiple].input-group-lg > .input-group-btn > .btn {\n height: auto;\n}\n.input-group-sm > .form-control,\n.input-group-sm > .input-group-addon,\n.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}\nselect.input-group-sm > .form-control,\nselect.input-group-sm > .input-group-addon,\nselect.input-group-sm > .input-group-btn > .btn {\n height: 30px;\n line-height: 30px;\n}\ntextarea.input-group-sm > .form-control,\ntextarea.input-group-sm > .input-group-addon,\ntextarea.input-group-sm > .input-group-btn > .btn,\nselect[multiple].input-group-sm > .form-control,\nselect[multiple].input-group-sm > .input-group-addon,\nselect[multiple].input-group-sm > .input-group-btn > .btn {\n height: auto;\n}\n.input-group-addon,\n.input-group-btn,\n.input-group .form-control {\n display: table-cell;\n}\n.input-group-addon:not(:first-child):not(:last-child),\n.input-group-btn:not(:first-child):not(:last-child),\n.input-group .form-control:not(:first-child):not(:last-child) {\n border-radius: 0;\n}\n.input-group-addon,\n.input-group-btn {\n width: 1%;\n white-space: nowrap;\n vertical-align: middle;\n}\n.input-group-addon {\n padding: 6px 12px;\n font-size: 14px;\n font-weight: 400;\n line-height: 1;\n color: #555555;\n text-align: center;\n background-color: #eeeeee;\n border: 1px solid #ccc;\n border-radius: 4px;\n}\n.input-group-addon.input-sm {\n padding: 5px 10px;\n font-size: 12px;\n border-radius: 3px;\n}\n.input-group-addon.input-lg {\n padding: 10px 16px;\n font-size: 18px;\n border-radius: 6px;\n}\n.input-group-addon input[type=\"radio\"],\n.input-group-addon input[type=\"checkbox\"] {\n margin-top: 0;\n}\n.input-group .form-control:first-child,\n.input-group-addon:first-child,\n.input-group-btn:first-child > .btn,\n.input-group-btn:first-child > .btn-group > .btn,\n.input-group-btn:first-child > .dropdown-toggle,\n.input-group-btn:last-child > .btn:not(:last-child):not(.dropdown-toggle),\n.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.input-group-addon:first-child {\n border-right: 0;\n}\n.input-group .form-control:last-child,\n.input-group-addon:last-child,\n.input-group-btn:last-child > .btn,\n.input-group-btn:last-child > .btn-group > .btn,\n.input-group-btn:last-child > .dropdown-toggle,\n.input-group-btn:first-child > .btn:not(:first-child),\n.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.input-group-addon:last-child {\n border-left: 0;\n}\n.input-group-btn {\n position: relative;\n font-size: 0;\n white-space: nowrap;\n}\n.input-group-btn > .btn {\n position: relative;\n}\n.input-group-btn > .btn + .btn {\n margin-left: -1px;\n}\n.input-group-btn > .btn:hover,\n.input-group-btn > .btn:focus,\n.input-group-btn > .btn:active {\n z-index: 2;\n}\n.input-group-btn:first-child > .btn,\n.input-group-btn:first-child > .btn-group {\n margin-right: -1px;\n}\n.input-group-btn:last-child > .btn,\n.input-group-btn:last-child > .btn-group {\n z-index: 2;\n margin-left: -1px;\n}\n.nav {\n padding-left: 0;\n margin-bottom: 0;\n list-style: none;\n}\n.nav > li {\n position: relative;\n display: block;\n}\n.nav > li > a {\n position: relative;\n display: block;\n padding: 10px 15px;\n}\n.nav > li > a:hover,\n.nav > li > a:focus {\n text-decoration: none;\n background-color: #eeeeee;\n}\n.nav > li.disabled > a {\n color: #777777;\n}\n.nav > li.disabled > a:hover,\n.nav > li.disabled > a:focus {\n color: #777777;\n text-decoration: none;\n cursor: not-allowed;\n background-color: transparent;\n}\n.nav .open > a,\n.nav .open > a:hover,\n.nav .open > a:focus {\n background-color: #eeeeee;\n border-color: #337ab7;\n}\n.nav .nav-divider {\n height: 1px;\n margin: 9px 0;\n overflow: hidden;\n background-color: #e5e5e5;\n}\n.nav > li > a > img {\n max-width: none;\n}\n.nav-tabs {\n border-bottom: 1px solid #ddd;\n}\n.nav-tabs > li {\n float: left;\n margin-bottom: -1px;\n}\n.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.nav-tabs > li > a:hover {\n border-color: #eeeeee #eeeeee #ddd;\n}\n.nav-tabs > li.active > a,\n.nav-tabs > li.active > a:hover,\n.nav-tabs > li.active > a:focus {\n color: #555555;\n cursor: default;\n background-color: #fff;\n border: 1px solid #ddd;\n border-bottom-color: transparent;\n}\n.nav-tabs.nav-justified {\n width: 100%;\n border-bottom: 0;\n}\n.nav-tabs.nav-justified > li {\n float: none;\n}\n.nav-tabs.nav-justified > li > a {\n margin-bottom: 5px;\n text-align: center;\n}\n.nav-tabs.nav-justified > .dropdown .dropdown-menu {\n top: auto;\n left: auto;\n}\n@media (min-width: 768px) {\n .nav-tabs.nav-justified > li {\n display: table-cell;\n width: 1%;\n }\n .nav-tabs.nav-justified > li > a {\n margin-bottom: 0;\n }\n}\n.nav-tabs.nav-justified > li > a {\n margin-right: 0;\n border-radius: 4px;\n}\n.nav-tabs.nav-justified > .active > a,\n.nav-tabs.nav-justified > .active > a:hover,\n.nav-tabs.nav-justified > .active > a:focus {\n border: 1px solid #ddd;\n}\n@media (min-width: 768px) {\n .nav-tabs.nav-justified > li > a {\n border-bottom: 1px solid #ddd;\n border-radius: 4px 4px 0 0;\n }\n .nav-tabs.nav-justified > .active > a,\n .nav-tabs.nav-justified > .active > a:hover,\n .nav-tabs.nav-justified > .active > a:focus {\n border-bottom-color: #fff;\n }\n}\n.nav-pills > li {\n float: left;\n}\n.nav-pills > li > a {\n border-radius: 4px;\n}\n.nav-pills > li + li {\n margin-left: 2px;\n}\n.nav-pills > li.active > a,\n.nav-pills > li.active > a:hover,\n.nav-pills > li.active > a:focus {\n color: #fff;\n background-color: #337ab7;\n}\n.nav-stacked > li {\n float: none;\n}\n.nav-stacked > li + li {\n margin-top: 2px;\n margin-left: 0;\n}\n.nav-justified {\n width: 100%;\n}\n.nav-justified > li {\n float: none;\n}\n.nav-justified > li > a {\n margin-bottom: 5px;\n text-align: center;\n}\n.nav-justified > .dropdown .dropdown-menu {\n top: auto;\n left: auto;\n}\n@media (min-width: 768px) {\n .nav-justified > li {\n display: table-cell;\n width: 1%;\n }\n .nav-justified > li > a {\n margin-bottom: 0;\n }\n}\n.nav-tabs-justified {\n border-bottom: 0;\n}\n.nav-tabs-justified > li > a {\n margin-right: 0;\n border-radius: 4px;\n}\n.nav-tabs-justified > .active > a,\n.nav-tabs-justified > .active > a:hover,\n.nav-tabs-justified > .active > a:focus {\n border: 1px solid #ddd;\n}\n@media (min-width: 768px) {\n .nav-tabs-justified > li > a {\n border-bottom: 1px solid #ddd;\n border-radius: 4px 4px 0 0;\n }\n .nav-tabs-justified > .active > a,\n .nav-tabs-justified > .active > a:hover,\n .nav-tabs-justified > .active > a:focus {\n border-bottom-color: #fff;\n }\n}\n.tab-content > .tab-pane {\n display: none;\n}\n.tab-content > .active {\n display: block;\n}\n.nav-tabs .dropdown-menu {\n margin-top: -1px;\n border-top-left-radius: 0;\n border-top-right-radius: 0;\n}\n.navbar {\n position: relative;\n min-height: 50px;\n margin-bottom: 20px;\n border: 1px solid transparent;\n}\n@media (min-width: 768px) {\n .navbar {\n border-radius: 4px;\n }\n}\n@media (min-width: 768px) {\n .navbar-header {\n float: left;\n }\n}\n.navbar-collapse {\n padding-right: 15px;\n padding-left: 15px;\n overflow-x: visible;\n border-top: 1px solid transparent;\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1);\n -webkit-overflow-scrolling: touch;\n}\n.navbar-collapse.in {\n overflow-y: auto;\n}\n@media (min-width: 768px) {\n .navbar-collapse {\n width: auto;\n border-top: 0;\n box-shadow: none;\n }\n .navbar-collapse.collapse {\n display: block !important;\n height: auto !important;\n padding-bottom: 0;\n overflow: visible !important;\n }\n .navbar-collapse.in {\n overflow-y: visible;\n }\n .navbar-fixed-top .navbar-collapse,\n .navbar-static-top .navbar-collapse,\n .navbar-fixed-bottom .navbar-collapse {\n padding-right: 0;\n padding-left: 0;\n }\n}\n.navbar-fixed-top,\n.navbar-fixed-bottom {\n position: fixed;\n right: 0;\n left: 0;\n z-index: 1030;\n}\n.navbar-fixed-top .navbar-collapse,\n.navbar-fixed-bottom .navbar-collapse {\n max-height: 340px;\n}\n@media (max-device-width: 480px) and (orientation: landscape) {\n .navbar-fixed-top .navbar-collapse,\n .navbar-fixed-bottom .navbar-collapse {\n max-height: 200px;\n }\n}\n@media (min-width: 768px) {\n .navbar-fixed-top,\n .navbar-fixed-bottom {\n border-radius: 0;\n }\n}\n.navbar-fixed-top {\n top: 0;\n border-width: 0 0 1px;\n}\n.navbar-fixed-bottom {\n bottom: 0;\n margin-bottom: 0;\n border-width: 1px 0 0;\n}\n.container > .navbar-header,\n.container-fluid > .navbar-header,\n.container > .navbar-collapse,\n.container-fluid > .navbar-collapse {\n margin-right: -15px;\n margin-left: -15px;\n}\n@media (min-width: 768px) {\n .container > .navbar-header,\n .container-fluid > .navbar-header,\n .container > .navbar-collapse,\n .container-fluid > .navbar-collapse {\n margin-right: 0;\n margin-left: 0;\n }\n}\n.navbar-static-top {\n z-index: 1000;\n border-width: 0 0 1px;\n}\n@media (min-width: 768px) {\n .navbar-static-top {\n border-radius: 0;\n }\n}\n.navbar-brand {\n float: left;\n height: 50px;\n padding: 15px 15px;\n font-size: 18px;\n line-height: 20px;\n}\n.navbar-brand:hover,\n.navbar-brand:focus {\n text-decoration: none;\n}\n.navbar-brand > img {\n display: block;\n}\n@media (min-width: 768px) {\n .navbar > .container .navbar-brand,\n .navbar > .container-fluid .navbar-brand {\n margin-left: -15px;\n }\n}\n.navbar-toggle {\n position: relative;\n float: right;\n padding: 9px 10px;\n margin-right: 15px;\n margin-top: 8px;\n margin-bottom: 8px;\n background-color: transparent;\n background-image: none;\n border: 1px solid transparent;\n border-radius: 4px;\n}\n.navbar-toggle:focus {\n outline: 0;\n}\n.navbar-toggle .icon-bar {\n display: block;\n width: 22px;\n height: 2px;\n border-radius: 1px;\n}\n.navbar-toggle .icon-bar + .icon-bar {\n margin-top: 4px;\n}\n@media (min-width: 768px) {\n .navbar-toggle {\n display: none;\n }\n}\n.navbar-nav {\n margin: 7.5px -15px;\n}\n.navbar-nav > li > a {\n padding-top: 10px;\n padding-bottom: 10px;\n line-height: 20px;\n}\n@media (max-width: 767px) {\n .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 box-shadow: none;\n }\n .navbar-nav .open .dropdown-menu > li > a,\n .navbar-nav .open .dropdown-menu .dropdown-header {\n padding: 5px 15px 5px 25px;\n }\n .navbar-nav .open .dropdown-menu > li > a {\n line-height: 20px;\n }\n .navbar-nav .open .dropdown-menu > li > a:hover,\n .navbar-nav .open .dropdown-menu > li > a:focus {\n background-image: none;\n }\n}\n@media (min-width: 768px) {\n .navbar-nav {\n float: left;\n margin: 0;\n }\n .navbar-nav > li {\n float: left;\n }\n .navbar-nav > li > a {\n padding-top: 15px;\n padding-bottom: 15px;\n }\n}\n.navbar-form {\n padding: 10px 15px;\n margin-right: -15px;\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, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1);\n margin-top: 8px;\n margin-bottom: 8px;\n}\n@media (min-width: 768px) {\n .navbar-form .form-group {\n display: inline-block;\n margin-bottom: 0;\n vertical-align: middle;\n }\n .navbar-form .form-control {\n display: inline-block;\n width: auto;\n vertical-align: middle;\n }\n .navbar-form .form-control-static {\n display: inline-block;\n }\n .navbar-form .input-group {\n display: inline-table;\n vertical-align: middle;\n }\n .navbar-form .input-group .input-group-addon,\n .navbar-form .input-group .input-group-btn,\n .navbar-form .input-group .form-control {\n width: auto;\n }\n .navbar-form .input-group > .form-control {\n width: 100%;\n }\n .navbar-form .control-label {\n margin-bottom: 0;\n vertical-align: middle;\n }\n .navbar-form .radio,\n .navbar-form .checkbox {\n display: inline-block;\n margin-top: 0;\n margin-bottom: 0;\n vertical-align: middle;\n }\n .navbar-form .radio label,\n .navbar-form .checkbox label {\n padding-left: 0;\n }\n .navbar-form .radio input[type=\"radio\"],\n .navbar-form .checkbox input[type=\"checkbox\"] {\n position: relative;\n margin-left: 0;\n }\n .navbar-form .has-feedback .form-control-feedback {\n top: 0;\n }\n}\n@media (max-width: 767px) {\n .navbar-form .form-group {\n margin-bottom: 5px;\n }\n .navbar-form .form-group:last-child {\n margin-bottom: 0;\n }\n}\n@media (min-width: 768px) {\n .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.navbar-nav > li > .dropdown-menu {\n margin-top: 0;\n border-top-left-radius: 0;\n border-top-right-radius: 0;\n}\n.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.navbar-btn {\n margin-top: 8px;\n margin-bottom: 8px;\n}\n.navbar-btn.btn-sm {\n margin-top: 10px;\n margin-bottom: 10px;\n}\n.navbar-btn.btn-xs {\n margin-top: 14px;\n margin-bottom: 14px;\n}\n.navbar-text {\n margin-top: 15px;\n margin-bottom: 15px;\n}\n@media (min-width: 768px) {\n .navbar-text {\n float: left;\n margin-right: 15px;\n margin-left: 15px;\n }\n}\n@media (min-width: 768px) {\n .navbar-left {\n float: left !important;\n }\n .navbar-right {\n float: right !important;\n margin-right: -15px;\n }\n .navbar-right ~ .navbar-right {\n margin-right: 0;\n }\n}\n.navbar-default {\n background-color: #f8f8f8;\n border-color: #e7e7e7;\n}\n.navbar-default .navbar-brand {\n color: #777;\n}\n.navbar-default .navbar-brand:hover,\n.navbar-default .navbar-brand:focus {\n color: #5e5e5e;\n background-color: transparent;\n}\n.navbar-default .navbar-text {\n color: #777;\n}\n.navbar-default .navbar-nav > li > a {\n color: #777;\n}\n.navbar-default .navbar-nav > li > a:hover,\n.navbar-default .navbar-nav > li > a:focus {\n color: #333;\n background-color: transparent;\n}\n.navbar-default .navbar-nav > .active > a,\n.navbar-default .navbar-nav > .active > a:hover,\n.navbar-default .navbar-nav > .active > a:focus {\n color: #555;\n background-color: #e7e7e7;\n}\n.navbar-default .navbar-nav > .disabled > a,\n.navbar-default .navbar-nav > .disabled > a:hover,\n.navbar-default .navbar-nav > .disabled > a:focus {\n color: #ccc;\n background-color: transparent;\n}\n.navbar-default .navbar-nav > .open > a,\n.navbar-default .navbar-nav > .open > a:hover,\n.navbar-default .navbar-nav > .open > a:focus {\n color: #555;\n background-color: #e7e7e7;\n}\n@media (max-width: 767px) {\n .navbar-default .navbar-nav .open .dropdown-menu > li > a {\n color: #777;\n }\n .navbar-default .navbar-nav .open .dropdown-menu > li > a:hover,\n .navbar-default .navbar-nav .open .dropdown-menu > li > a:focus {\n color: #333;\n background-color: transparent;\n }\n .navbar-default .navbar-nav .open .dropdown-menu > .active > a,\n .navbar-default .navbar-nav .open .dropdown-menu > .active > a:hover,\n .navbar-default .navbar-nav .open .dropdown-menu > .active > a:focus {\n color: #555;\n background-color: #e7e7e7;\n }\n .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a,\n .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a:hover,\n .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a:focus {\n color: #ccc;\n background-color: transparent;\n }\n}\n.navbar-default .navbar-toggle {\n border-color: #ddd;\n}\n.navbar-default .navbar-toggle:hover,\n.navbar-default .navbar-toggle:focus {\n background-color: #ddd;\n}\n.navbar-default .navbar-toggle .icon-bar {\n background-color: #888;\n}\n.navbar-default .navbar-collapse,\n.navbar-default .navbar-form {\n border-color: #e7e7e7;\n}\n.navbar-default .navbar-link {\n color: #777;\n}\n.navbar-default .navbar-link:hover {\n color: #333;\n}\n.navbar-default .btn-link {\n color: #777;\n}\n.navbar-default .btn-link:hover,\n.navbar-default .btn-link:focus {\n color: #333;\n}\n.navbar-default .btn-link[disabled]:hover,\nfieldset[disabled] .navbar-default .btn-link:hover,\n.navbar-default .btn-link[disabled]:focus,\nfieldset[disabled] .navbar-default .btn-link:focus {\n color: #ccc;\n}\n.navbar-inverse {\n background-color: #222;\n border-color: #080808;\n}\n.navbar-inverse .navbar-brand {\n color: #9d9d9d;\n}\n.navbar-inverse .navbar-brand:hover,\n.navbar-inverse .navbar-brand:focus {\n color: #fff;\n background-color: transparent;\n}\n.navbar-inverse .navbar-text {\n color: #9d9d9d;\n}\n.navbar-inverse .navbar-nav > li > a {\n color: #9d9d9d;\n}\n.navbar-inverse .navbar-nav > li > a:hover,\n.navbar-inverse .navbar-nav > li > a:focus {\n color: #fff;\n background-color: transparent;\n}\n.navbar-inverse .navbar-nav > .active > a,\n.navbar-inverse .navbar-nav > .active > a:hover,\n.navbar-inverse .navbar-nav > .active > a:focus {\n color: #fff;\n background-color: #080808;\n}\n.navbar-inverse .navbar-nav > .disabled > a,\n.navbar-inverse .navbar-nav > .disabled > a:hover,\n.navbar-inverse .navbar-nav > .disabled > a:focus {\n color: #444;\n background-color: transparent;\n}\n.navbar-inverse .navbar-nav > .open > a,\n.navbar-inverse .navbar-nav > .open > a:hover,\n.navbar-inverse .navbar-nav > .open > a:focus {\n color: #fff;\n background-color: #080808;\n}\n@media (max-width: 767px) {\n .navbar-inverse .navbar-nav .open .dropdown-menu > .dropdown-header {\n border-color: #080808;\n }\n .navbar-inverse .navbar-nav .open .dropdown-menu .divider {\n background-color: #080808;\n }\n .navbar-inverse .navbar-nav .open .dropdown-menu > li > a {\n color: #9d9d9d;\n }\n .navbar-inverse .navbar-nav .open .dropdown-menu > li > a:hover,\n .navbar-inverse .navbar-nav .open .dropdown-menu > li > a:focus {\n color: #fff;\n background-color: transparent;\n }\n .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a,\n .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a:hover,\n .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a:focus {\n color: #fff;\n background-color: #080808;\n }\n .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a,\n .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a:hover,\n .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a:focus {\n color: #444;\n background-color: transparent;\n }\n}\n.navbar-inverse .navbar-toggle {\n border-color: #333;\n}\n.navbar-inverse .navbar-toggle:hover,\n.navbar-inverse .navbar-toggle:focus {\n background-color: #333;\n}\n.navbar-inverse .navbar-toggle .icon-bar {\n background-color: #fff;\n}\n.navbar-inverse .navbar-collapse,\n.navbar-inverse .navbar-form {\n border-color: #101010;\n}\n.navbar-inverse .navbar-link {\n color: #9d9d9d;\n}\n.navbar-inverse .navbar-link:hover {\n color: #fff;\n}\n.navbar-inverse .btn-link {\n color: #9d9d9d;\n}\n.navbar-inverse .btn-link:hover,\n.navbar-inverse .btn-link:focus {\n color: #fff;\n}\n.navbar-inverse .btn-link[disabled]:hover,\nfieldset[disabled] .navbar-inverse .btn-link:hover,\n.navbar-inverse .btn-link[disabled]:focus,\nfieldset[disabled] .navbar-inverse .btn-link:focus {\n color: #444;\n}\n.breadcrumb {\n padding: 8px 15px;\n margin-bottom: 20px;\n list-style: none;\n background-color: #f5f5f5;\n border-radius: 4px;\n}\n.breadcrumb > li {\n display: inline-block;\n}\n.breadcrumb > li + li:before {\n padding: 0 5px;\n color: #ccc;\n content: \"/\\00a0\";\n}\n.breadcrumb > .active {\n color: #777777;\n}\n.pagination {\n display: inline-block;\n padding-left: 0;\n margin: 20px 0;\n border-radius: 4px;\n}\n.pagination > li {\n display: inline;\n}\n.pagination > li > a,\n.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.pagination > li > a:hover,\n.pagination > li > span:hover,\n.pagination > li > a:focus,\n.pagination > li > span:focus {\n z-index: 2;\n color: #23527c;\n background-color: #eeeeee;\n border-color: #ddd;\n}\n.pagination > li:first-child > a,\n.pagination > li:first-child > span {\n margin-left: 0;\n border-top-left-radius: 4px;\n border-bottom-left-radius: 4px;\n}\n.pagination > li:last-child > a,\n.pagination > li:last-child > span {\n border-top-right-radius: 4px;\n border-bottom-right-radius: 4px;\n}\n.pagination > .active > a,\n.pagination > .active > span,\n.pagination > .active > a:hover,\n.pagination > .active > span:hover,\n.pagination > .active > a:focus,\n.pagination > .active > span:focus {\n z-index: 3;\n color: #fff;\n cursor: default;\n background-color: #337ab7;\n border-color: #337ab7;\n}\n.pagination > .disabled > span,\n.pagination > .disabled > span:hover,\n.pagination > .disabled > span:focus,\n.pagination > .disabled > a,\n.pagination > .disabled > a:hover,\n.pagination > .disabled > a:focus {\n color: #777777;\n cursor: not-allowed;\n background-color: #fff;\n border-color: #ddd;\n}\n.pagination-lg > li > a,\n.pagination-lg > li > span {\n padding: 10px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n}\n.pagination-lg > li:first-child > a,\n.pagination-lg > li:first-child > span {\n border-top-left-radius: 6px;\n border-bottom-left-radius: 6px;\n}\n.pagination-lg > li:last-child > a,\n.pagination-lg > li:last-child > span {\n border-top-right-radius: 6px;\n border-bottom-right-radius: 6px;\n}\n.pagination-sm > li > a,\n.pagination-sm > li > span {\n padding: 5px 10px;\n font-size: 12px;\n line-height: 1.5;\n}\n.pagination-sm > li:first-child > a,\n.pagination-sm > li:first-child > span {\n border-top-left-radius: 3px;\n border-bottom-left-radius: 3px;\n}\n.pagination-sm > li:last-child > a,\n.pagination-sm > li:last-child > span {\n border-top-right-radius: 3px;\n border-bottom-right-radius: 3px;\n}\n.pager {\n padding-left: 0;\n margin: 20px 0;\n text-align: center;\n list-style: none;\n}\n.pager li {\n display: inline;\n}\n.pager li > a,\n.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.pager li > a:hover,\n.pager li > a:focus {\n text-decoration: none;\n background-color: #eeeeee;\n}\n.pager .next > a,\n.pager .next > span {\n float: right;\n}\n.pager .previous > a,\n.pager .previous > span {\n float: left;\n}\n.pager .disabled > a,\n.pager .disabled > a:hover,\n.pager .disabled > a:focus,\n.pager .disabled > span {\n color: #777777;\n cursor: not-allowed;\n background-color: #fff;\n}\n.label {\n display: inline;\n padding: 0.2em 0.6em 0.3em;\n font-size: 75%;\n font-weight: 700;\n line-height: 1;\n color: #fff;\n text-align: center;\n white-space: nowrap;\n vertical-align: baseline;\n border-radius: 0.25em;\n}\na.label:hover,\na.label:focus {\n color: #fff;\n text-decoration: none;\n cursor: pointer;\n}\n.label:empty {\n display: none;\n}\n.btn .label {\n position: relative;\n top: -1px;\n}\n.label-default {\n background-color: #777777;\n}\n.label-default[href]:hover,\n.label-default[href]:focus {\n background-color: #5e5e5e;\n}\n.label-primary {\n background-color: #337ab7;\n}\n.label-primary[href]:hover,\n.label-primary[href]:focus {\n background-color: #286090;\n}\n.label-success {\n background-color: #5cb85c;\n}\n.label-success[href]:hover,\n.label-success[href]:focus {\n background-color: #449d44;\n}\n.label-info {\n background-color: #5bc0de;\n}\n.label-info[href]:hover,\n.label-info[href]:focus {\n background-color: #31b0d5;\n}\n.label-warning {\n background-color: #f0ad4e;\n}\n.label-warning[href]:hover,\n.label-warning[href]:focus {\n background-color: #ec971f;\n}\n.label-danger {\n background-color: #d9534f;\n}\n.label-danger[href]:hover,\n.label-danger[href]:focus {\n background-color: #c9302c;\n}\n.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: #777777;\n border-radius: 10px;\n}\n.badge:empty {\n display: none;\n}\n.btn .badge {\n position: relative;\n top: -1px;\n}\n.btn-xs .badge,\n.btn-group-xs > .btn .badge {\n top: 0;\n padding: 1px 5px;\n}\na.badge:hover,\na.badge:focus {\n color: #fff;\n text-decoration: none;\n cursor: pointer;\n}\n.list-group-item.active > .badge,\n.nav-pills > .active > a > .badge {\n color: #337ab7;\n background-color: #fff;\n}\n.list-group-item > .badge {\n float: right;\n}\n.list-group-item > .badge + .badge {\n margin-right: 5px;\n}\n.nav-pills > li > a > .badge {\n margin-left: 3px;\n}\n.jumbotron {\n padding-top: 30px;\n padding-bottom: 30px;\n margin-bottom: 30px;\n color: inherit;\n background-color: #eeeeee;\n}\n.jumbotron h1,\n.jumbotron .h1 {\n color: inherit;\n}\n.jumbotron p {\n margin-bottom: 15px;\n font-size: 21px;\n font-weight: 200;\n}\n.jumbotron > hr {\n border-top-color: #d5d5d5;\n}\n.container .jumbotron,\n.container-fluid .jumbotron {\n padding-right: 15px;\n padding-left: 15px;\n border-radius: 6px;\n}\n.jumbotron .container {\n max-width: 100%;\n}\n@media screen and (min-width: 768px) {\n .jumbotron {\n padding-top: 48px;\n padding-bottom: 48px;\n }\n .container .jumbotron,\n .container-fluid .jumbotron {\n padding-right: 60px;\n padding-left: 60px;\n }\n .jumbotron h1,\n .jumbotron .h1 {\n font-size: 63px;\n }\n}\n.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 0.2s ease-in-out;\n -o-transition: border 0.2s ease-in-out;\n transition: border 0.2s ease-in-out;\n}\n.thumbnail > img,\n.thumbnail a > img {\n margin-right: auto;\n margin-left: auto;\n}\na.thumbnail:hover,\na.thumbnail:focus,\na.thumbnail.active {\n border-color: #337ab7;\n}\n.thumbnail .caption {\n padding: 9px;\n color: #333333;\n}\n.alert {\n padding: 15px;\n margin-bottom: 20px;\n border: 1px solid transparent;\n border-radius: 4px;\n}\n.alert h4 {\n margin-top: 0;\n color: inherit;\n}\n.alert .alert-link {\n font-weight: bold;\n}\n.alert > p,\n.alert > ul {\n margin-bottom: 0;\n}\n.alert > p + p {\n margin-top: 5px;\n}\n.alert-dismissable,\n.alert-dismissible {\n padding-right: 35px;\n}\n.alert-dismissable .close,\n.alert-dismissible .close {\n position: relative;\n top: -2px;\n right: -21px;\n color: inherit;\n}\n.alert-success {\n color: #3c763d;\n background-color: #dff0d8;\n border-color: #d6e9c6;\n}\n.alert-success hr {\n border-top-color: #c9e2b3;\n}\n.alert-success .alert-link {\n color: #2b542c;\n}\n.alert-info {\n color: #31708f;\n background-color: #d9edf7;\n border-color: #bce8f1;\n}\n.alert-info hr {\n border-top-color: #a6e1ec;\n}\n.alert-info .alert-link {\n color: #245269;\n}\n.alert-warning {\n color: #8a6d3b;\n background-color: #fcf8e3;\n border-color: #faebcc;\n}\n.alert-warning hr {\n border-top-color: #f7e1b5;\n}\n.alert-warning .alert-link {\n color: #66512c;\n}\n.alert-danger {\n color: #a94442;\n background-color: #f2dede;\n border-color: #ebccd1;\n}\n.alert-danger hr {\n border-top-color: #e4b9c0;\n}\n.alert-danger .alert-link {\n color: #843534;\n}\n@-webkit-keyframes progress-bar-stripes {\n from {\n background-position: 40px 0;\n }\n to {\n background-position: 0 0;\n }\n}\n@keyframes progress-bar-stripes {\n from {\n background-position: 40px 0;\n }\n to {\n background-position: 0 0;\n }\n}\n.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, 0.1);\n box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.1);\n}\n.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, 0.15);\n box-shadow: inset 0 -1px 0 rgba(0, 0, 0, 0.15);\n -webkit-transition: width 0.6s ease;\n -o-transition: width 0.6s ease;\n transition: width 0.6s ease;\n}\n.progress-striped .progress-bar,\n.progress-bar-striped {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-size: 40px 40px;\n}\n.progress.active .progress-bar,\n.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.progress-bar-success {\n background-color: #5cb85c;\n}\n.progress-striped .progress-bar-success {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n}\n.progress-bar-info {\n background-color: #5bc0de;\n}\n.progress-striped .progress-bar-info {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n}\n.progress-bar-warning {\n background-color: #f0ad4e;\n}\n.progress-striped .progress-bar-warning {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n}\n.progress-bar-danger {\n background-color: #d9534f;\n}\n.progress-striped .progress-bar-danger {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n}\n.media {\n margin-top: 15px;\n}\n.media:first-child {\n margin-top: 0;\n}\n.media,\n.media-body {\n overflow: hidden;\n zoom: 1;\n}\n.media-body {\n width: 10000px;\n}\n.media-object {\n display: block;\n}\n.media-object.img-thumbnail {\n max-width: none;\n}\n.media-right,\n.media > .pull-right {\n padding-left: 10px;\n}\n.media-left,\n.media > .pull-left {\n padding-right: 10px;\n}\n.media-left,\n.media-right,\n.media-body {\n display: table-cell;\n vertical-align: top;\n}\n.media-middle {\n vertical-align: middle;\n}\n.media-bottom {\n vertical-align: bottom;\n}\n.media-heading {\n margin-top: 0;\n margin-bottom: 5px;\n}\n.media-list {\n padding-left: 0;\n list-style: none;\n}\n.list-group {\n padding-left: 0;\n margin-bottom: 20px;\n}\n.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.list-group-item:first-child {\n border-top-left-radius: 4px;\n border-top-right-radius: 4px;\n}\n.list-group-item:last-child {\n margin-bottom: 0;\n border-bottom-right-radius: 4px;\n border-bottom-left-radius: 4px;\n}\n.list-group-item.disabled,\n.list-group-item.disabled:hover,\n.list-group-item.disabled:focus {\n color: #777777;\n cursor: not-allowed;\n background-color: #eeeeee;\n}\n.list-group-item.disabled .list-group-item-heading,\n.list-group-item.disabled:hover .list-group-item-heading,\n.list-group-item.disabled:focus .list-group-item-heading {\n color: inherit;\n}\n.list-group-item.disabled .list-group-item-text,\n.list-group-item.disabled:hover .list-group-item-text,\n.list-group-item.disabled:focus .list-group-item-text {\n color: #777777;\n}\n.list-group-item.active,\n.list-group-item.active:hover,\n.list-group-item.active:focus {\n z-index: 2;\n color: #fff;\n background-color: #337ab7;\n border-color: #337ab7;\n}\n.list-group-item.active .list-group-item-heading,\n.list-group-item.active:hover .list-group-item-heading,\n.list-group-item.active:focus .list-group-item-heading,\n.list-group-item.active .list-group-item-heading > small,\n.list-group-item.active:hover .list-group-item-heading > small,\n.list-group-item.active:focus .list-group-item-heading > small,\n.list-group-item.active .list-group-item-heading > .small,\n.list-group-item.active:hover .list-group-item-heading > .small,\n.list-group-item.active:focus .list-group-item-heading > .small {\n color: inherit;\n}\n.list-group-item.active .list-group-item-text,\n.list-group-item.active:hover .list-group-item-text,\n.list-group-item.active:focus .list-group-item-text {\n color: #c7ddef;\n}\na.list-group-item,\nbutton.list-group-item {\n color: #555;\n}\na.list-group-item .list-group-item-heading,\nbutton.list-group-item .list-group-item-heading {\n color: #333;\n}\na.list-group-item:hover,\nbutton.list-group-item:hover,\na.list-group-item:focus,\nbutton.list-group-item:focus {\n color: #555;\n text-decoration: none;\n background-color: #f5f5f5;\n}\nbutton.list-group-item {\n width: 100%;\n text-align: left;\n}\n.list-group-item-success {\n color: #3c763d;\n background-color: #dff0d8;\n}\na.list-group-item-success,\nbutton.list-group-item-success {\n color: #3c763d;\n}\na.list-group-item-success .list-group-item-heading,\nbutton.list-group-item-success .list-group-item-heading {\n color: inherit;\n}\na.list-group-item-success:hover,\nbutton.list-group-item-success:hover,\na.list-group-item-success:focus,\nbutton.list-group-item-success:focus {\n color: #3c763d;\n background-color: #d0e9c6;\n}\na.list-group-item-success.active,\nbutton.list-group-item-success.active,\na.list-group-item-success.active:hover,\nbutton.list-group-item-success.active:hover,\na.list-group-item-success.active:focus,\nbutton.list-group-item-success.active:focus {\n color: #fff;\n background-color: #3c763d;\n border-color: #3c763d;\n}\n.list-group-item-info {\n color: #31708f;\n background-color: #d9edf7;\n}\na.list-group-item-info,\nbutton.list-group-item-info {\n color: #31708f;\n}\na.list-group-item-info .list-group-item-heading,\nbutton.list-group-item-info .list-group-item-heading {\n color: inherit;\n}\na.list-group-item-info:hover,\nbutton.list-group-item-info:hover,\na.list-group-item-info:focus,\nbutton.list-group-item-info:focus {\n color: #31708f;\n background-color: #c4e3f3;\n}\na.list-group-item-info.active,\nbutton.list-group-item-info.active,\na.list-group-item-info.active:hover,\nbutton.list-group-item-info.active:hover,\na.list-group-item-info.active:focus,\nbutton.list-group-item-info.active:focus {\n color: #fff;\n background-color: #31708f;\n border-color: #31708f;\n}\n.list-group-item-warning {\n color: #8a6d3b;\n background-color: #fcf8e3;\n}\na.list-group-item-warning,\nbutton.list-group-item-warning {\n color: #8a6d3b;\n}\na.list-group-item-warning .list-group-item-heading,\nbutton.list-group-item-warning .list-group-item-heading {\n color: inherit;\n}\na.list-group-item-warning:hover,\nbutton.list-group-item-warning:hover,\na.list-group-item-warning:focus,\nbutton.list-group-item-warning:focus {\n color: #8a6d3b;\n background-color: #faf2cc;\n}\na.list-group-item-warning.active,\nbutton.list-group-item-warning.active,\na.list-group-item-warning.active:hover,\nbutton.list-group-item-warning.active:hover,\na.list-group-item-warning.active:focus,\nbutton.list-group-item-warning.active:focus {\n color: #fff;\n background-color: #8a6d3b;\n border-color: #8a6d3b;\n}\n.list-group-item-danger {\n color: #a94442;\n background-color: #f2dede;\n}\na.list-group-item-danger,\nbutton.list-group-item-danger {\n color: #a94442;\n}\na.list-group-item-danger .list-group-item-heading,\nbutton.list-group-item-danger .list-group-item-heading {\n color: inherit;\n}\na.list-group-item-danger:hover,\nbutton.list-group-item-danger:hover,\na.list-group-item-danger:focus,\nbutton.list-group-item-danger:focus {\n color: #a94442;\n background-color: #ebcccc;\n}\na.list-group-item-danger.active,\nbutton.list-group-item-danger.active,\na.list-group-item-danger.active:hover,\nbutton.list-group-item-danger.active:hover,\na.list-group-item-danger.active:focus,\nbutton.list-group-item-danger.active:focus {\n color: #fff;\n background-color: #a94442;\n border-color: #a94442;\n}\n.list-group-item-heading {\n margin-top: 0;\n margin-bottom: 5px;\n}\n.list-group-item-text {\n margin-bottom: 0;\n line-height: 1.3;\n}\n.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, 0.05);\n box-shadow: 0 1px 1px rgba(0, 0, 0, 0.05);\n}\n.panel-body {\n padding: 15px;\n}\n.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.panel-heading > .dropdown .dropdown-toggle {\n color: inherit;\n}\n.panel-title {\n margin-top: 0;\n margin-bottom: 0;\n font-size: 16px;\n color: inherit;\n}\n.panel-title > a,\n.panel-title > small,\n.panel-title > .small,\n.panel-title > small > a,\n.panel-title > .small > a {\n color: inherit;\n}\n.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.panel > .list-group,\n.panel > .panel-collapse > .list-group {\n margin-bottom: 0;\n}\n.panel > .list-group .list-group-item,\n.panel > .panel-collapse > .list-group .list-group-item {\n border-width: 1px 0;\n border-radius: 0;\n}\n.panel > .list-group:first-child .list-group-item:first-child,\n.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.panel > .list-group:last-child .list-group-item:last-child,\n.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.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.panel-heading + .list-group .list-group-item:first-child {\n border-top-width: 0;\n}\n.list-group + .panel-footer {\n border-top-width: 0;\n}\n.panel > .table,\n.panel > .table-responsive > .table,\n.panel > .panel-collapse > .table {\n margin-bottom: 0;\n}\n.panel > .table caption,\n.panel > .table-responsive > .table caption,\n.panel > .panel-collapse > .table caption {\n padding-right: 15px;\n padding-left: 15px;\n}\n.panel > .table:first-child,\n.panel > .table-responsive:first-child > .table:first-child {\n border-top-left-radius: 3px;\n border-top-right-radius: 3px;\n}\n.panel > .table:first-child > thead:first-child > tr:first-child,\n.panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child,\n.panel > .table:first-child > tbody:first-child > tr:first-child,\n.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.panel > .table:first-child > thead:first-child > tr:first-child td:first-child,\n.panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child td:first-child,\n.panel > .table:first-child > tbody:first-child > tr:first-child td:first-child,\n.panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child td:first-child,\n.panel > .table:first-child > thead:first-child > tr:first-child th:first-child,\n.panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child th:first-child,\n.panel > .table:first-child > tbody:first-child > tr:first-child th:first-child,\n.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.panel > .table:first-child > thead:first-child > tr:first-child td:last-child,\n.panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child td:last-child,\n.panel > .table:first-child > tbody:first-child > tr:first-child td:last-child,\n.panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child td:last-child,\n.panel > .table:first-child > thead:first-child > tr:first-child th:last-child,\n.panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child th:last-child,\n.panel > .table:first-child > tbody:first-child > tr:first-child th:last-child,\n.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.panel > .table:last-child,\n.panel > .table-responsive:last-child > .table:last-child {\n border-bottom-right-radius: 3px;\n border-bottom-left-radius: 3px;\n}\n.panel > .table:last-child > tbody:last-child > tr:last-child,\n.panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child,\n.panel > .table:last-child > tfoot:last-child > tr:last-child,\n.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.panel > .table:last-child > tbody:last-child > tr:last-child td:first-child,\n.panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child td:first-child,\n.panel > .table:last-child > tfoot:last-child > tr:last-child td:first-child,\n.panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child td:first-child,\n.panel > .table:last-child > tbody:last-child > tr:last-child th:first-child,\n.panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child th:first-child,\n.panel > .table:last-child > tfoot:last-child > tr:last-child th:first-child,\n.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.panel > .table:last-child > tbody:last-child > tr:last-child td:last-child,\n.panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child td:last-child,\n.panel > .table:last-child > tfoot:last-child > tr:last-child td:last-child,\n.panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child td:last-child,\n.panel > .table:last-child > tbody:last-child > tr:last-child th:last-child,\n.panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child th:last-child,\n.panel > .table:last-child > tfoot:last-child > tr:last-child th:last-child,\n.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.panel > .panel-body + .table,\n.panel > .panel-body + .table-responsive,\n.panel > .table + .panel-body,\n.panel > .table-responsive + .panel-body {\n border-top: 1px solid #ddd;\n}\n.panel > .table > tbody:first-child > tr:first-child th,\n.panel > .table > tbody:first-child > tr:first-child td {\n border-top: 0;\n}\n.panel > .table-bordered,\n.panel > .table-responsive > .table-bordered {\n border: 0;\n}\n.panel > .table-bordered > thead > tr > th:first-child,\n.panel > .table-responsive > .table-bordered > thead > tr > th:first-child,\n.panel > .table-bordered > tbody > tr > th:first-child,\n.panel > .table-responsive > .table-bordered > tbody > tr > th:first-child,\n.panel > .table-bordered > tfoot > tr > th:first-child,\n.panel > .table-responsive > .table-bordered > tfoot > tr > th:first-child,\n.panel > .table-bordered > thead > tr > td:first-child,\n.panel > .table-responsive > .table-bordered > thead > tr > td:first-child,\n.panel > .table-bordered > tbody > tr > td:first-child,\n.panel > .table-responsive > .table-bordered > tbody > tr > td:first-child,\n.panel > .table-bordered > tfoot > tr > td:first-child,\n.panel > .table-responsive > .table-bordered > tfoot > tr > td:first-child {\n border-left: 0;\n}\n.panel > .table-bordered > thead > tr > th:last-child,\n.panel > .table-responsive > .table-bordered > thead > tr > th:last-child,\n.panel > .table-bordered > tbody > tr > th:last-child,\n.panel > .table-responsive > .table-bordered > tbody > tr > th:last-child,\n.panel > .table-bordered > tfoot > tr > th:last-child,\n.panel > .table-responsive > .table-bordered > tfoot > tr > th:last-child,\n.panel > .table-bordered > thead > tr > td:last-child,\n.panel > .table-responsive > .table-bordered > thead > tr > td:last-child,\n.panel > .table-bordered > tbody > tr > td:last-child,\n.panel > .table-responsive > .table-bordered > tbody > tr > td:last-child,\n.panel > .table-bordered > tfoot > tr > td:last-child,\n.panel > .table-responsive > .table-bordered > tfoot > tr > td:last-child {\n border-right: 0;\n}\n.panel > .table-bordered > thead > tr:first-child > td,\n.panel > .table-responsive > .table-bordered > thead > tr:first-child > td,\n.panel > .table-bordered > tbody > tr:first-child > td,\n.panel > .table-responsive > .table-bordered > tbody > tr:first-child > td,\n.panel > .table-bordered > thead > tr:first-child > th,\n.panel > .table-responsive > .table-bordered > thead > tr:first-child > th,\n.panel > .table-bordered > tbody > tr:first-child > th,\n.panel > .table-responsive > .table-bordered > tbody > tr:first-child > th {\n border-bottom: 0;\n}\n.panel > .table-bordered > tbody > tr:last-child > td,\n.panel > .table-responsive > .table-bordered > tbody > tr:last-child > td,\n.panel > .table-bordered > tfoot > tr:last-child > td,\n.panel > .table-responsive > .table-bordered > tfoot > tr:last-child > td,\n.panel > .table-bordered > tbody > tr:last-child > th,\n.panel > .table-responsive > .table-bordered > tbody > tr:last-child > th,\n.panel > .table-bordered > tfoot > tr:last-child > th,\n.panel > .table-responsive > .table-bordered > tfoot > tr:last-child > th {\n border-bottom: 0;\n}\n.panel > .table-responsive {\n margin-bottom: 0;\n border: 0;\n}\n.panel-group {\n margin-bottom: 20px;\n}\n.panel-group .panel {\n margin-bottom: 0;\n border-radius: 4px;\n}\n.panel-group .panel + .panel {\n margin-top: 5px;\n}\n.panel-group .panel-heading {\n border-bottom: 0;\n}\n.panel-group .panel-heading + .panel-collapse > .panel-body,\n.panel-group .panel-heading + .panel-collapse > .list-group {\n border-top: 1px solid #ddd;\n}\n.panel-group .panel-footer {\n border-top: 0;\n}\n.panel-group .panel-footer + .panel-collapse .panel-body {\n border-bottom: 1px solid #ddd;\n}\n.panel-default {\n border-color: #ddd;\n}\n.panel-default > .panel-heading {\n color: #333333;\n background-color: #f5f5f5;\n border-color: #ddd;\n}\n.panel-default > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #ddd;\n}\n.panel-default > .panel-heading .badge {\n color: #f5f5f5;\n background-color: #333333;\n}\n.panel-default > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #ddd;\n}\n.panel-primary {\n border-color: #337ab7;\n}\n.panel-primary > .panel-heading {\n color: #fff;\n background-color: #337ab7;\n border-color: #337ab7;\n}\n.panel-primary > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #337ab7;\n}\n.panel-primary > .panel-heading .badge {\n color: #337ab7;\n background-color: #fff;\n}\n.panel-primary > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #337ab7;\n}\n.panel-success {\n border-color: #d6e9c6;\n}\n.panel-success > .panel-heading {\n color: #3c763d;\n background-color: #dff0d8;\n border-color: #d6e9c6;\n}\n.panel-success > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #d6e9c6;\n}\n.panel-success > .panel-heading .badge {\n color: #dff0d8;\n background-color: #3c763d;\n}\n.panel-success > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #d6e9c6;\n}\n.panel-info {\n border-color: #bce8f1;\n}\n.panel-info > .panel-heading {\n color: #31708f;\n background-color: #d9edf7;\n border-color: #bce8f1;\n}\n.panel-info > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #bce8f1;\n}\n.panel-info > .panel-heading .badge {\n color: #d9edf7;\n background-color: #31708f;\n}\n.panel-info > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #bce8f1;\n}\n.panel-warning {\n border-color: #faebcc;\n}\n.panel-warning > .panel-heading {\n color: #8a6d3b;\n background-color: #fcf8e3;\n border-color: #faebcc;\n}\n.panel-warning > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #faebcc;\n}\n.panel-warning > .panel-heading .badge {\n color: #fcf8e3;\n background-color: #8a6d3b;\n}\n.panel-warning > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #faebcc;\n}\n.panel-danger {\n border-color: #ebccd1;\n}\n.panel-danger > .panel-heading {\n color: #a94442;\n background-color: #f2dede;\n border-color: #ebccd1;\n}\n.panel-danger > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #ebccd1;\n}\n.panel-danger > .panel-heading .badge {\n color: #f2dede;\n background-color: #a94442;\n}\n.panel-danger > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #ebccd1;\n}\n.embed-responsive {\n position: relative;\n display: block;\n height: 0;\n padding: 0;\n overflow: hidden;\n}\n.embed-responsive .embed-responsive-item,\n.embed-responsive iframe,\n.embed-responsive embed,\n.embed-responsive object,\n.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.embed-responsive-16by9 {\n padding-bottom: 56.25%;\n}\n.embed-responsive-4by3 {\n padding-bottom: 75%;\n}\n.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, 0.05);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.05);\n}\n.well blockquote {\n border-color: #ddd;\n border-color: rgba(0, 0, 0, 0.15);\n}\n.well-lg {\n padding: 24px;\n border-radius: 6px;\n}\n.well-sm {\n padding: 9px;\n border-radius: 3px;\n}\n.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: 0.2;\n}\n.close:hover,\n.close:focus {\n color: #000;\n text-decoration: none;\n cursor: pointer;\n filter: alpha(opacity=50);\n opacity: 0.5;\n}\nbutton.close {\n padding: 0;\n cursor: pointer;\n background: transparent;\n border: 0;\n -webkit-appearance: none;\n appearance: none;\n}\n.modal-open {\n overflow: hidden;\n}\n.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.modal.fade .modal-dialog {\n -webkit-transform: translate(0, -25%);\n -ms-transform: translate(0, -25%);\n -o-transform: translate(0, -25%);\n transform: translate(0, -25%);\n -webkit-transition: -webkit-transform 0.3s ease-out;\n -moz-transition: -moz-transform 0.3s ease-out;\n -o-transition: -o-transform 0.3s ease-out;\n transition: transform 0.3s ease-out;\n}\n.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.modal-open .modal {\n overflow-x: hidden;\n overflow-y: auto;\n}\n.modal-dialog {\n position: relative;\n width: auto;\n margin: 10px;\n}\n.modal-content {\n position: relative;\n background-color: #fff;\n background-clip: padding-box;\n border: 1px solid #999;\n border: 1px solid rgba(0, 0, 0, 0.2);\n border-radius: 6px;\n -webkit-box-shadow: 0 3px 9px rgba(0, 0, 0, 0.5);\n box-shadow: 0 3px 9px rgba(0, 0, 0, 0.5);\n outline: 0;\n}\n.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.modal-backdrop.fade {\n filter: alpha(opacity=0);\n opacity: 0;\n}\n.modal-backdrop.in {\n filter: alpha(opacity=50);\n opacity: 0.5;\n}\n.modal-header {\n padding: 15px;\n border-bottom: 1px solid #e5e5e5;\n}\n.modal-header .close {\n margin-top: -2px;\n}\n.modal-title {\n margin: 0;\n line-height: 1.42857143;\n}\n.modal-body {\n position: relative;\n padding: 15px;\n}\n.modal-footer {\n padding: 15px;\n text-align: right;\n border-top: 1px solid #e5e5e5;\n}\n.modal-footer .btn + .btn {\n margin-bottom: 0;\n margin-left: 5px;\n}\n.modal-footer .btn-group .btn + .btn {\n margin-left: -1px;\n}\n.modal-footer .btn-block + .btn-block {\n margin-left: 0;\n}\n.modal-scrollbar-measure {\n position: absolute;\n top: -9999px;\n width: 50px;\n height: 50px;\n overflow: scroll;\n}\n@media (min-width: 768px) {\n .modal-dialog {\n width: 600px;\n margin: 30px auto;\n }\n .modal-content {\n -webkit-box-shadow: 0 5px 15px rgba(0, 0, 0, 0.5);\n box-shadow: 0 5px 15px rgba(0, 0, 0, 0.5);\n }\n .modal-sm {\n width: 300px;\n }\n}\n@media (min-width: 992px) {\n .modal-lg {\n width: 900px;\n }\n}\n.tooltip {\n position: absolute;\n z-index: 1070;\n display: block;\n font-family: \"Helvetica Neue\", Helvetica, Arial, sans-serif;\n font-style: normal;\n font-weight: 400;\n line-height: 1.42857143;\n line-break: auto;\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 font-size: 12px;\n filter: alpha(opacity=0);\n opacity: 0;\n}\n.tooltip.in {\n filter: alpha(opacity=90);\n opacity: 0.9;\n}\n.tooltip.top {\n padding: 5px 0;\n margin-top: -3px;\n}\n.tooltip.right {\n padding: 0 5px;\n margin-left: 3px;\n}\n.tooltip.bottom {\n padding: 5px 0;\n margin-top: 3px;\n}\n.tooltip.left {\n padding: 0 5px;\n margin-left: -3px;\n}\n.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.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.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.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.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.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.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.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.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.tooltip-arrow {\n position: absolute;\n width: 0;\n height: 0;\n border-color: transparent;\n border-style: solid;\n}\n.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-style: normal;\n font-weight: 400;\n line-height: 1.42857143;\n line-break: auto;\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 font-size: 14px;\n background-color: #fff;\n background-clip: padding-box;\n border: 1px solid #ccc;\n border: 1px solid rgba(0, 0, 0, 0.2);\n border-radius: 6px;\n -webkit-box-shadow: 0 5px 10px rgba(0, 0, 0, 0.2);\n box-shadow: 0 5px 10px rgba(0, 0, 0, 0.2);\n}\n.popover.top {\n margin-top: -10px;\n}\n.popover.right {\n margin-left: 10px;\n}\n.popover.bottom {\n margin-top: 10px;\n}\n.popover.left {\n margin-left: -10px;\n}\n.popover > .arrow {\n border-width: 11px;\n}\n.popover > .arrow,\n.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.popover > .arrow:after {\n content: \"\";\n border-width: 10px;\n}\n.popover.top > .arrow {\n bottom: -11px;\n left: 50%;\n margin-left: -11px;\n border-top-color: #999999;\n border-top-color: rgba(0, 0, 0, 0.25);\n border-bottom-width: 0;\n}\n.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.popover.right > .arrow {\n top: 50%;\n left: -11px;\n margin-top: -11px;\n border-right-color: #999999;\n border-right-color: rgba(0, 0, 0, 0.25);\n border-left-width: 0;\n}\n.popover.right > .arrow:after {\n bottom: -10px;\n left: 1px;\n content: \" \";\n border-right-color: #fff;\n border-left-width: 0;\n}\n.popover.bottom > .arrow {\n top: -11px;\n left: 50%;\n margin-left: -11px;\n border-top-width: 0;\n border-bottom-color: #999999;\n border-bottom-color: rgba(0, 0, 0, 0.25);\n}\n.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.popover.left > .arrow {\n top: 50%;\n right: -11px;\n margin-top: -11px;\n border-right-width: 0;\n border-left-color: #999999;\n border-left-color: rgba(0, 0, 0, 0.25);\n}\n.popover.left > .arrow:after {\n right: 1px;\n bottom: -10px;\n content: \" \";\n border-right-width: 0;\n border-left-color: #fff;\n}\n.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.popover-content {\n padding: 9px 14px;\n}\n.carousel {\n position: relative;\n}\n.carousel-inner {\n position: relative;\n width: 100%;\n overflow: hidden;\n}\n.carousel-inner > .item {\n position: relative;\n display: none;\n -webkit-transition: 0.6s ease-in-out left;\n -o-transition: 0.6s ease-in-out left;\n transition: 0.6s ease-in-out left;\n}\n.carousel-inner > .item > img,\n.carousel-inner > .item > a > img {\n line-height: 1;\n}\n@media all and (transform-3d), (-webkit-transform-3d) {\n .carousel-inner > .item {\n -webkit-transition: -webkit-transform 0.6s ease-in-out;\n -moz-transition: -moz-transform 0.6s ease-in-out;\n -o-transition: -o-transform 0.6s ease-in-out;\n transition: transform 0.6s ease-in-out;\n -webkit-backface-visibility: hidden;\n -moz-backface-visibility: hidden;\n backface-visibility: hidden;\n -webkit-perspective: 1000px;\n -moz-perspective: 1000px;\n perspective: 1000px;\n }\n .carousel-inner > .item.next,\n .carousel-inner > .item.active.right {\n -webkit-transform: translate3d(100%, 0, 0);\n transform: translate3d(100%, 0, 0);\n left: 0;\n }\n .carousel-inner > .item.prev,\n .carousel-inner > .item.active.left {\n -webkit-transform: translate3d(-100%, 0, 0);\n transform: translate3d(-100%, 0, 0);\n left: 0;\n }\n .carousel-inner > .item.next.left,\n .carousel-inner > .item.prev.right,\n .carousel-inner > .item.active {\n -webkit-transform: translate3d(0, 0, 0);\n transform: translate3d(0, 0, 0);\n left: 0;\n }\n}\n.carousel-inner > .active,\n.carousel-inner > .next,\n.carousel-inner > .prev {\n display: block;\n}\n.carousel-inner > .active {\n left: 0;\n}\n.carousel-inner > .next,\n.carousel-inner > .prev {\n position: absolute;\n top: 0;\n width: 100%;\n}\n.carousel-inner > .next {\n left: 100%;\n}\n.carousel-inner > .prev {\n left: -100%;\n}\n.carousel-inner > .next.left,\n.carousel-inner > .prev.right {\n left: 0;\n}\n.carousel-inner > .active.left {\n left: -100%;\n}\n.carousel-inner > .active.right {\n left: 100%;\n}\n.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, 0.6);\n background-color: rgba(0, 0, 0, 0);\n filter: alpha(opacity=50);\n opacity: 0.5;\n}\n.carousel-control.left {\n background-image: -webkit-linear-gradient(left, rgba(0, 0, 0, 0.5) 0%, rgba(0, 0, 0, 0.0001) 100%);\n background-image: -o-linear-gradient(left, rgba(0, 0, 0, 0.5) 0%, rgba(0, 0, 0, 0.0001) 100%);\n background-image: linear-gradient(to right, rgba(0, 0, 0, 0.5) 0%, rgba(0, 0, 0, 0.0001) 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#80000000', endColorstr='#00000000', GradientType=1);\n background-repeat: repeat-x;\n}\n.carousel-control.right {\n right: 0;\n left: auto;\n background-image: -webkit-linear-gradient(left, rgba(0, 0, 0, 0.0001) 0%, rgba(0, 0, 0, 0.5) 100%);\n background-image: -o-linear-gradient(left, rgba(0, 0, 0, 0.0001) 0%, rgba(0, 0, 0, 0.5) 100%);\n background-image: linear-gradient(to right, rgba(0, 0, 0, 0.0001) 0%, rgba(0, 0, 0, 0.5) 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#80000000', GradientType=1);\n background-repeat: repeat-x;\n}\n.carousel-control:hover,\n.carousel-control:focus {\n color: #fff;\n text-decoration: none;\n outline: 0;\n filter: alpha(opacity=90);\n opacity: 0.9;\n}\n.carousel-control .icon-prev,\n.carousel-control .icon-next,\n.carousel-control .glyphicon-chevron-left,\n.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.carousel-control .icon-prev,\n.carousel-control .glyphicon-chevron-left {\n left: 50%;\n margin-left: -10px;\n}\n.carousel-control .icon-next,\n.carousel-control .glyphicon-chevron-right {\n right: 50%;\n margin-right: -10px;\n}\n.carousel-control .icon-prev,\n.carousel-control .icon-next {\n width: 20px;\n height: 20px;\n font-family: serif;\n line-height: 1;\n}\n.carousel-control .icon-prev:before {\n content: \"\\2039\";\n}\n.carousel-control .icon-next:before {\n content: \"\\203a\";\n}\n.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.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.carousel-indicators .active {\n width: 12px;\n height: 12px;\n margin: 0;\n background-color: #fff;\n}\n.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, 0.6);\n}\n.carousel-caption .btn {\n text-shadow: none;\n}\n@media screen and (min-width: 768px) {\n .carousel-control .glyphicon-chevron-left,\n .carousel-control .glyphicon-chevron-right,\n .carousel-control .icon-prev,\n .carousel-control .icon-next {\n width: 30px;\n height: 30px;\n margin-top: -10px;\n font-size: 30px;\n }\n .carousel-control .glyphicon-chevron-left,\n .carousel-control .icon-prev {\n margin-left: -10px;\n }\n .carousel-control .glyphicon-chevron-right,\n .carousel-control .icon-next {\n margin-right: -10px;\n }\n .carousel-caption {\n right: 20%;\n left: 20%;\n padding-bottom: 30px;\n }\n .carousel-indicators {\n bottom: 20px;\n }\n}\n.clearfix:before,\n.clearfix:after,\n.dl-horizontal dd:before,\n.dl-horizontal dd:after,\n.container:before,\n.container:after,\n.container-fluid:before,\n.container-fluid:after,\n.row:before,\n.row:after,\n.form-horizontal .form-group:before,\n.form-horizontal .form-group:after,\n.btn-toolbar:before,\n.btn-toolbar:after,\n.btn-group-vertical > .btn-group:before,\n.btn-group-vertical > .btn-group:after,\n.nav:before,\n.nav:after,\n.navbar:before,\n.navbar:after,\n.navbar-header:before,\n.navbar-header:after,\n.navbar-collapse:before,\n.navbar-collapse:after,\n.pager:before,\n.pager:after,\n.panel-body:before,\n.panel-body:after,\n.modal-header:before,\n.modal-header:after,\n.modal-footer:before,\n.modal-footer:after {\n display: table;\n content: \" \";\n}\n.clearfix:after,\n.dl-horizontal dd:after,\n.container:after,\n.container-fluid:after,\n.row:after,\n.form-horizontal .form-group:after,\n.btn-toolbar:after,\n.btn-group-vertical > .btn-group:after,\n.nav:after,\n.navbar:after,\n.navbar-header:after,\n.navbar-collapse:after,\n.pager:after,\n.panel-body:after,\n.modal-header:after,\n.modal-footer:after {\n clear: both;\n}\n.center-block {\n display: block;\n margin-right: auto;\n margin-left: auto;\n}\n.pull-right {\n float: right !important;\n}\n.pull-left {\n float: left !important;\n}\n.hide {\n display: none !important;\n}\n.show {\n display: block !important;\n}\n.invisible {\n visibility: hidden;\n}\n.text-hide {\n font: 0/0 a;\n color: transparent;\n text-shadow: none;\n background-color: transparent;\n border: 0;\n}\n.hidden {\n display: none !important;\n}\n.affix {\n position: fixed;\n}\n@-ms-viewport {\n width: device-width;\n}\n.visible-xs,\n.visible-sm,\n.visible-md,\n.visible-lg {\n display: none !important;\n}\n.visible-xs-block,\n.visible-xs-inline,\n.visible-xs-inline-block,\n.visible-sm-block,\n.visible-sm-inline,\n.visible-sm-inline-block,\n.visible-md-block,\n.visible-md-inline,\n.visible-md-inline-block,\n.visible-lg-block,\n.visible-lg-inline,\n.visible-lg-inline-block {\n display: none !important;\n}\n@media (max-width: 767px) {\n .visible-xs {\n display: block !important;\n }\n table.visible-xs {\n display: table !important;\n }\n tr.visible-xs {\n display: table-row !important;\n }\n th.visible-xs,\n td.visible-xs {\n display: table-cell !important;\n }\n}\n@media (max-width: 767px) {\n .visible-xs-block {\n display: block !important;\n }\n}\n@media (max-width: 767px) {\n .visible-xs-inline {\n display: inline !important;\n }\n}\n@media (max-width: 767px) {\n .visible-xs-inline-block {\n display: inline-block !important;\n }\n}\n@media (min-width: 768px) and (max-width: 991px) {\n .visible-sm {\n display: block !important;\n }\n table.visible-sm {\n display: table !important;\n }\n tr.visible-sm {\n display: table-row !important;\n }\n th.visible-sm,\n td.visible-sm {\n display: table-cell !important;\n }\n}\n@media (min-width: 768px) and (max-width: 991px) {\n .visible-sm-block {\n display: block !important;\n }\n}\n@media (min-width: 768px) and (max-width: 991px) {\n .visible-sm-inline {\n display: inline !important;\n }\n}\n@media (min-width: 768px) and (max-width: 991px) {\n .visible-sm-inline-block {\n display: inline-block !important;\n }\n}\n@media (min-width: 992px) and (max-width: 1199px) {\n .visible-md {\n display: block !important;\n }\n table.visible-md {\n display: table !important;\n }\n tr.visible-md {\n display: table-row !important;\n }\n th.visible-md,\n td.visible-md {\n display: table-cell !important;\n }\n}\n@media (min-width: 992px) and (max-width: 1199px) {\n .visible-md-block {\n display: block !important;\n }\n}\n@media (min-width: 992px) and (max-width: 1199px) {\n .visible-md-inline {\n display: inline !important;\n }\n}\n@media (min-width: 992px) and (max-width: 1199px) {\n .visible-md-inline-block {\n display: inline-block !important;\n }\n}\n@media (min-width: 1200px) {\n .visible-lg {\n display: block !important;\n }\n table.visible-lg {\n display: table !important;\n }\n tr.visible-lg {\n display: table-row !important;\n }\n th.visible-lg,\n td.visible-lg {\n display: table-cell !important;\n }\n}\n@media (min-width: 1200px) {\n .visible-lg-block {\n display: block !important;\n }\n}\n@media (min-width: 1200px) {\n .visible-lg-inline {\n display: inline !important;\n }\n}\n@media (min-width: 1200px) {\n .visible-lg-inline-block {\n display: inline-block !important;\n }\n}\n@media (max-width: 767px) {\n .hidden-xs {\n display: none !important;\n }\n}\n@media (min-width: 768px) and (max-width: 991px) {\n .hidden-sm {\n display: none !important;\n }\n}\n@media (min-width: 992px) and (max-width: 1199px) {\n .hidden-md {\n display: none !important;\n }\n}\n@media (min-width: 1200px) {\n .hidden-lg {\n display: none !important;\n }\n}\n.visible-print {\n display: none !important;\n}\n@media print {\n .visible-print {\n display: block !important;\n }\n table.visible-print {\n display: table !important;\n }\n tr.visible-print {\n display: table-row !important;\n }\n th.visible-print,\n td.visible-print {\n display: table-cell !important;\n }\n}\n.visible-print-block {\n display: none !important;\n}\n@media print {\n .visible-print-block {\n display: block !important;\n }\n}\n.visible-print-inline {\n display: none !important;\n}\n@media print {\n .visible-print-inline {\n display: inline !important;\n }\n}\n.visible-print-inline-block {\n display: none !important;\n}\n@media print {\n .visible-print-inline-block {\n display: inline-block !important;\n }\n}\n@media print {\n .hidden-print {\n display: none !important;\n }\n}\n/*# sourceMappingURL=bootstrap.css.map */", "// stylelint-disable\n\n/*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css */\n\n//\n// 1. Set default font family to sans-serif.\n// 2. Prevent iOS and IE text size adjust after device orientation change,\n// without disabling user zoom.\n//\n\nhtml {\n font-family: sans-serif; // 1\n -ms-text-size-adjust: 100%; // 2\n -webkit-text-size-adjust: 100%; // 2\n}\n\n//\n// Remove default margin.\n//\n\nbody {\n margin: 0;\n}\n\n// HTML5 display definitions\n// ==========================================================================\n\n//\n// Correct `block` display not defined for any HTML5 element in IE 8/9.\n// Correct `block` display not defined for `details` or `summary` in IE 10/11\n// and Firefox.\n// Correct `block` display not defined for `main` in IE 11.\n//\n\narticle,\naside,\ndetails,\nfigcaption,\nfigure,\nfooter,\nheader,\nhgroup,\nmain,\nmenu,\nnav,\nsection,\nsummary {\n display: block;\n}\n\n//\n// 1. Correct `inline-block` display not defined in IE 8/9.\n// 2. Normalize vertical alignment of `progress` in Chrome, Firefox, and Opera.\n//\n\naudio,\ncanvas,\nprogress,\nvideo {\n display: inline-block; // 1\n vertical-align: baseline; // 2\n}\n\n//\n// Prevent modern browsers from displaying `audio` without controls.\n// Remove excess height in iOS 5 devices.\n//\n\naudio:not([controls]) {\n display: none;\n height: 0;\n}\n\n//\n// Address `[hidden]` styling not present in IE 8/9/10.\n// Hide the `template` element in IE 8/9/10/11, Safari, and Firefox < 22.\n//\n\n[hidden],\ntemplate {\n display: none;\n}\n\n// Links\n// ==========================================================================\n\n//\n// Remove the gray background color from active links in IE 10.\n//\n\na {\n background-color: transparent;\n}\n\n//\n// Improve readability of focused elements when they are also in an\n// active/hover state.\n//\n\na:active,\na:hover {\n outline: 0;\n}\n\n// Text-level semantics\n// ==========================================================================\n\n//\n// 1. Remove the bottom border in Chrome 57- and Firefox 39-.\n// 2. Add the correct text decoration in Chrome, Edge, IE, Opera, and Safari.\n//\n\nabbr[title] {\n border-bottom: none; // 1\n text-decoration: underline; // 2\n text-decoration: underline dotted; // 2\n}\n\n//\n// Address style set to `bolder` in Firefox 4+, Safari, and Chrome.\n//\n\nb,\nstrong {\n font-weight: bold;\n}\n\n//\n// Address styling not present in Safari and Chrome.\n//\n\ndfn {\n font-style: italic;\n}\n\n//\n// Address variable `h1` font-size and margin within `section` and `article`\n// contexts in Firefox 4+, Safari, and Chrome.\n//\n\nh1 {\n font-size: 2em;\n margin: 0.67em 0;\n}\n\n//\n// Address styling not present in IE 8/9.\n//\n\nmark {\n background: #ff0;\n color: #000;\n}\n\n//\n// Address inconsistent and variable font size in all browsers.\n//\n\nsmall {\n font-size: 80%;\n}\n\n//\n// Prevent `sub` and `sup` affecting `line-height` in all browsers.\n//\n\nsub,\nsup {\n font-size: 75%;\n line-height: 0;\n position: relative;\n vertical-align: baseline;\n}\n\nsup {\n top: -0.5em;\n}\n\nsub {\n bottom: -0.25em;\n}\n\n// Embedded content\n// ==========================================================================\n\n//\n// Remove border when inside `a` element in IE 8/9/10.\n//\n\nimg {\n border: 0;\n}\n\n//\n// Correct overflow not hidden in IE 9/10/11.\n//\n\nsvg:not(:root) {\n overflow: hidden;\n}\n\n// Grouping content\n// ==========================================================================\n\n//\n// Address margin not present in IE 8/9 and Safari.\n//\n\nfigure {\n margin: 1em 40px;\n}\n\n//\n// Address differences between Firefox and other browsers.\n//\n\nhr {\n box-sizing: content-box;\n height: 0;\n}\n\n//\n// Contain overflow in all browsers.\n//\n\npre {\n overflow: auto;\n}\n\n//\n// Address odd `em`-unit font size rendering in all browsers.\n//\n\ncode,\nkbd,\npre,\nsamp {\n font-family: monospace, monospace;\n font-size: 1em;\n}\n\n// Forms\n// ==========================================================================\n\n//\n// Known limitation: by default, Chrome and Safari on OS X allow very limited\n// styling of `select`, unless a `border` property is set.\n//\n\n//\n// 1. Correct color not being inherited.\n// Known issue: affects color of disabled elements.\n// 2. Correct font properties not being inherited.\n// 3. Address margins set differently in Firefox 4+, Safari, and Chrome.\n//\n\nbutton,\ninput,\noptgroup,\nselect,\ntextarea {\n color: inherit; // 1\n font: inherit; // 2\n margin: 0; // 3\n}\n\n//\n// Address `overflow` set to `hidden` in IE 8/9/10/11.\n//\n\nbutton {\n overflow: visible;\n}\n\n//\n// Address inconsistent `text-transform` inheritance for `button` and `select`.\n// All other form control elements do not inherit `text-transform` values.\n// Correct `button` style inheritance in Firefox, IE 8/9/10/11, and Opera.\n// Correct `select` style inheritance in Firefox.\n//\n\nbutton,\nselect {\n text-transform: none;\n}\n\n//\n// 1. Avoid the WebKit bug in Android 4.0.* where (2) destroys native `audio`\n// and `video` controls.\n// 2. Correct inability to style clickable `input` types in iOS.\n// 3. Improve usability and consistency of cursor style between image-type\n// `input` and others.\n//\n\nbutton,\nhtml input[type=\"button\"], // 1\ninput[type=\"reset\"],\ninput[type=\"submit\"] {\n -webkit-appearance: button; // 2\n cursor: pointer; // 3\n}\n\n//\n// Re-set default cursor for disabled elements.\n//\n\nbutton[disabled],\nhtml input[disabled] {\n cursor: default;\n}\n\n//\n// Remove inner padding and border in Firefox 4+.\n//\n\nbutton::-moz-focus-inner,\ninput::-moz-focus-inner {\n border: 0;\n padding: 0;\n}\n\n//\n// Address Firefox 4+ setting `line-height` on `input` using `!important` in\n// the UA stylesheet.\n//\n\ninput {\n line-height: normal;\n}\n\n//\n// It's recommended that you don't attempt to style these elements.\n// Firefox's implementation doesn't respect box-sizing, padding, or width.\n//\n// 1. Address box sizing set to `content-box` in IE 8/9/10.\n// 2. Remove excess padding in IE 8/9/10.\n//\n\ninput[type=\"checkbox\"],\ninput[type=\"radio\"] {\n box-sizing: border-box; // 1\n padding: 0; // 2\n}\n\n//\n// Fix the cursor style for Chrome's increment/decrement buttons. For certain\n// `font-size` values of the `input`, it causes the cursor style of the\n// decrement button to change from `default` to `text`.\n//\n\ninput[type=\"number\"]::-webkit-inner-spin-button,\ninput[type=\"number\"]::-webkit-outer-spin-button {\n height: auto;\n}\n\n//\n// 1. Address `appearance` set to `searchfield` in Safari and Chrome.\n// 2. Address `box-sizing` set to `border-box` in Safari and Chrome.\n//\n\ninput[type=\"search\"] {\n -webkit-appearance: textfield; // 1\n box-sizing: content-box; //2\n}\n\n//\n// Remove inner padding and search cancel button in Safari and Chrome on OS X.\n// Safari (but not Chrome) clips the cancel button when the search input has\n// padding (and `textfield` appearance).\n//\n\ninput[type=\"search\"]::-webkit-search-cancel-button,\ninput[type=\"search\"]::-webkit-search-decoration {\n -webkit-appearance: none;\n}\n\n//\n// Define consistent border, margin, and padding.\n//\n\nfieldset {\n border: 1px solid #c0c0c0;\n margin: 0 2px;\n padding: 0.35em 0.625em 0.75em;\n}\n\n//\n// 1. Correct `color` not being inherited in IE 8/9/10/11.\n// 2. Remove padding so people aren't caught out if they zero out fieldsets.\n//\n\nlegend {\n border: 0; // 1\n padding: 0; // 2\n}\n\n//\n// Remove default vertical scrollbar in IE 8/9/10/11.\n//\n\ntextarea {\n overflow: auto;\n}\n\n//\n// Don't inherit the `font-weight` (applied by a rule above).\n// NOTE: the default cannot safely be changed in Chrome and Safari on OS X.\n//\n\noptgroup {\n font-weight: bold;\n}\n\n// Tables\n// ==========================================================================\n\n//\n// Remove most spacing between table cells.\n//\n\ntable {\n border-collapse: collapse;\n border-spacing: 0;\n}\n\ntd,\nth {\n padding: 0;\n}\n", "// stylelint-disable declaration-no-important, selector-no-qualifying-type\n\n/*! Source: https://github.com/h5bp/html5-boilerplate/blob/master/src/css/main.css */\n\n// ==========================================================================\n// Print styles.\n// Inlined to avoid the additional HTTP request: h5bp.com/r\n// ==========================================================================\n\n@media print {\n *,\n *:before,\n *:after {\n color: #000 !important; // Black prints faster: h5bp.com/s\n text-shadow: none !important;\n background: transparent !important;\n box-shadow: none !important;\n }\n\n a,\n a:visited {\n text-decoration: underline;\n }\n\n a[href]:after {\n content: \" (\" attr(href) \")\";\n }\n\n abbr[title]:after {\n content: \" (\" attr(title) \")\";\n }\n\n // Don't show links that are fragment identifiers,\n // or use the `javascript:` pseudo protocol\n a[href^=\"#\"]:after,\n a[href^=\"javascript:\"]:after {\n content: \"\";\n }\n\n pre,\n blockquote {\n border: 1px solid #999;\n page-break-inside: avoid;\n }\n\n thead {\n display: table-header-group; // h5bp.com/t\n }\n\n tr,\n img {\n page-break-inside: avoid;\n }\n\n img {\n max-width: 100% !important;\n }\n\n p,\n h2,\n h3 {\n orphans: 3;\n widows: 3;\n }\n\n h2,\n h3 {\n page-break-after: avoid;\n }\n\n // Bootstrap specific changes start\n\n // Bootstrap components\n .navbar {\n display: none;\n }\n .btn,\n .dropup > .btn {\n > .caret {\n border-top-color: #000 !important;\n }\n }\n .label {\n border: 1px solid #000;\n }\n\n .table {\n border-collapse: collapse !important;\n\n td,\n th {\n background-color: #fff !important;\n }\n }\n .table-bordered {\n th,\n td {\n border: 1px solid #ddd !important;\n }\n }\n}\n", "// stylelint-disable value-list-comma-newline-after, value-list-comma-space-after, indentation, declaration-colon-newline-after, font-family-no-missing-generic-family-keyword\n\n//\n// Glyphicons for Bootstrap\n//\n// Since icons are fonts, they can be placed anywhere text is placed and are\n// thus automatically sized to match the surrounding child. To use, create an\n// inline element with the appropriate classes, like so:\n//\n// <a href=\"#\"><span class=\"glyphicon glyphicon-star\"></span> Star</a>\n\n// Import the fonts\n@font-face {\n font-family: \"Glyphicons Halflings\";\n src: url(\"@{icon-font-path}@{icon-font-name}.eot\");\n src: url(\"@{icon-font-path}@{icon-font-name}.eot?#iefix\") format(\"embedded-opentype\"),\n url(\"@{icon-font-path}@{icon-font-name}.woff2\") format(\"woff2\"),\n url(\"@{icon-font-path}@{icon-font-name}.woff\") format(\"woff\"),\n url(\"@{icon-font-path}@{icon-font-name}.ttf\") format(\"truetype\"),\n url(\"@{icon-font-path}@{icon-font-name}.svg#@{icon-font-svg-id}\") format(\"svg\");\n}\n\n// Catchall baseclass\n.glyphicon {\n position: relative;\n top: 1px;\n display: inline-block;\n font-family: \"Glyphicons Halflings\";\n font-style: normal;\n font-weight: 400;\n line-height: 1;\n -webkit-font-smoothing: antialiased;\n -moz-osx-font-smoothing: grayscale;\n}\n\n// Individual icons\n.glyphicon-asterisk { &:before { content: \"\\002a\"; } }\n.glyphicon-plus { &:before { content: \"\\002b\"; } }\n.glyphicon-euro,\n.glyphicon-eur { &:before { content: \"\\20ac\"; } }\n.glyphicon-minus { &:before { content: \"\\2212\"; } }\n.glyphicon-cloud { &:before { content: \"\\2601\"; } }\n.glyphicon-envelope { &:before { content: \"\\2709\"; } }\n.glyphicon-pencil { &:before { content: \"\\270f\"; } }\n.glyphicon-glass { &:before { content: \"\\e001\"; } }\n.glyphicon-music { &:before { content: \"\\e002\"; } }\n.glyphicon-search { &:before { content: \"\\e003\"; } }\n.glyphicon-heart { &:before { content: \"\\e005\"; } }\n.glyphicon-star { &:before { content: \"\\e006\"; } }\n.glyphicon-star-empty { &:before { content: \"\\e007\"; } }\n.glyphicon-user { &:before { content: \"\\e008\"; } }\n.glyphicon-film { &:before { content: \"\\e009\"; } }\n.glyphicon-th-large { &:before { content: \"\\e010\"; } }\n.glyphicon-th { &:before { content: \"\\e011\"; } }\n.glyphicon-th-list { &:before { content: \"\\e012\"; } }\n.glyphicon-ok { &:before { content: \"\\e013\"; } }\n.glyphicon-remove { &:before { content: \"\\e014\"; } }\n.glyphicon-zoom-in { &:before { content: \"\\e015\"; } }\n.glyphicon-zoom-out { &:before { content: \"\\e016\"; } }\n.glyphicon-off { &:before { content: \"\\e017\"; } }\n.glyphicon-signal { &:before { content: \"\\e018\"; } }\n.glyphicon-cog { &:before { content: \"\\e019\"; } }\n.glyphicon-trash { &:before { content: \"\\e020\"; } }\n.glyphicon-home { &:before { content: \"\\e021\"; } }\n.glyphicon-file { &:before { content: \"\\e022\"; } }\n.glyphicon-time { &:before { content: \"\\e023\"; } }\n.glyphicon-road { &:before { content: \"\\e024\"; } }\n.glyphicon-download-alt { &:before { content: \"\\e025\"; } }\n.glyphicon-download { &:before { content: \"\\e026\"; } }\n.glyphicon-upload { &:before { content: \"\\e027\"; } }\n.glyphicon-inbox { &:before { content: \"\\e028\"; } }\n.glyphicon-play-circle { &:before { content: \"\\e029\"; } }\n.glyphicon-repeat { &:before { content: \"\\e030\"; } }\n.glyphicon-refresh { &:before { content: \"\\e031\"; } }\n.glyphicon-list-alt { &:before { content: \"\\e032\"; } }\n.glyphicon-lock { &:before { content: \"\\e033\"; } }\n.glyphicon-flag { &:before { content: \"\\e034\"; } }\n.glyphicon-headphones { &:before { content: \"\\e035\"; } }\n.glyphicon-volume-off { &:before { content: \"\\e036\"; } }\n.glyphicon-volume-down { &:before { content: \"\\e037\"; } }\n.glyphicon-volume-up { &:before { content: \"\\e038\"; } }\n.glyphicon-qrcode { &:before { content: \"\\e039\"; } }\n.glyphicon-barcode { &:before { content: \"\\e040\"; } }\n.glyphicon-tag { &:before { content: \"\\e041\"; } }\n.glyphicon-tags { &:before { content: \"\\e042\"; } }\n.glyphicon-book { &:before { content: \"\\e043\"; } }\n.glyphicon-bookmark { &:before { content: \"\\e044\"; } }\n.glyphicon-print { &:before { content: \"\\e045\"; } }\n.glyphicon-camera { &:before { content: \"\\e046\"; } }\n.glyphicon-font { &:before { content: \"\\e047\"; } }\n.glyphicon-bold { &:before { content: \"\\e048\"; } }\n.glyphicon-italic { &:before { content: \"\\e049\"; } }\n.glyphicon-text-height { &:before { content: \"\\e050\"; } }\n.glyphicon-text-width { &:before { content: \"\\e051\"; } }\n.glyphicon-align-left { &:before { content: \"\\e052\"; } }\n.glyphicon-align-center { &:before { content: \"\\e053\"; } }\n.glyphicon-align-right { &:before { content: \"\\e054\"; } }\n.glyphicon-align-justify { &:before { content: \"\\e055\"; } }\n.glyphicon-list { &:before { content: \"\\e056\"; } }\n.glyphicon-indent-left { &:before { content: \"\\e057\"; } }\n.glyphicon-indent-right { &:before { content: \"\\e058\"; } }\n.glyphicon-facetime-video { &:before { content: \"\\e059\"; } }\n.glyphicon-picture { &:before { content: \"\\e060\"; } }\n.glyphicon-map-marker { &:before { content: \"\\e062\"; } }\n.glyphicon-adjust { &:before { content: \"\\e063\"; } }\n.glyphicon-tint { &:before { content: \"\\e064\"; } }\n.glyphicon-edit { &:before { content: \"\\e065\"; } }\n.glyphicon-share { &:before { content: \"\\e066\"; } }\n.glyphicon-check { &:before { content: \"\\e067\"; } }\n.glyphicon-move { &:before { content: \"\\e068\"; } }\n.glyphicon-step-backward { &:before { content: \"\\e069\"; } }\n.glyphicon-fast-backward { &:before { content: \"\\e070\"; } }\n.glyphicon-backward { &:before { content: \"\\e071\"; } }\n.glyphicon-play { &:before { content: \"\\e072\"; } }\n.glyphicon-pause { &:before { content: \"\\e073\"; } }\n.glyphicon-stop { &:before { content: \"\\e074\"; } }\n.glyphicon-forward { &:before { content: \"\\e075\"; } }\n.glyphicon-fast-forward { &:before { content: \"\\e076\"; } }\n.glyphicon-step-forward { &:before { content: \"\\e077\"; } }\n.glyphicon-eject { &:before { content: \"\\e078\"; } }\n.glyphicon-chevron-left { &:before { content: \"\\e079\"; } }\n.glyphicon-chevron-right { &:before { content: \"\\e080\"; } }\n.glyphicon-plus-sign { &:before { content: \"\\e081\"; } }\n.glyphicon-minus-sign { &:before { content: \"\\e082\"; } }\n.glyphicon-remove-sign { &:before { content: \"\\e083\"; } }\n.glyphicon-ok-sign { &:before { content: \"\\e084\"; } }\n.glyphicon-question-sign { &:before { content: \"\\e085\"; } }\n.glyphicon-info-sign { &:before { content: \"\\e086\"; } }\n.glyphicon-screenshot { &:before { content: \"\\e087\"; } }\n.glyphicon-remove-circle { &:before { content: \"\\e088\"; } }\n.glyphicon-ok-circle { &:before { content: \"\\e089\"; } }\n.glyphicon-ban-circle { &:before { content: \"\\e090\"; } }\n.glyphicon-arrow-left { &:before { content: \"\\e091\"; } }\n.glyphicon-arrow-right { &:before { content: \"\\e092\"; } }\n.glyphicon-arrow-up { &:before { content: \"\\e093\"; } }\n.glyphicon-arrow-down { &:before { content: \"\\e094\"; } }\n.glyphicon-share-alt { &:before { content: \"\\e095\"; } }\n.glyphicon-resize-full { &:before { content: \"\\e096\"; } }\n.glyphicon-resize-small { &:before { content: \"\\e097\"; } }\n.glyphicon-exclamation-sign { &:before { content: \"\\e101\"; } }\n.glyphicon-gift { &:before { content: \"\\e102\"; } }\n.glyphicon-leaf { &:before { content: \"\\e103\"; } }\n.glyphicon-fire { &:before { content: \"\\e104\"; } }\n.glyphicon-eye-open { &:before { content: \"\\e105\"; } }\n.glyphicon-eye-close { &:before { content: \"\\e106\"; } }\n.glyphicon-warning-sign { &:before { content: \"\\e107\"; } }\n.glyphicon-plane { &:before { content: \"\\e108\"; } }\n.glyphicon-calendar { &:before { content: \"\\e109\"; } }\n.glyphicon-random { &:before { content: \"\\e110\"; } }\n.glyphicon-comment { &:before { content: \"\\e111\"; } }\n.glyphicon-magnet { &:before { content: \"\\e112\"; } }\n.glyphicon-chevron-up { &:before { content: \"\\e113\"; } }\n.glyphicon-chevron-down { &:before { content: \"\\e114\"; } }\n.glyphicon-retweet { &:before { content: \"\\e115\"; } }\n.glyphicon-shopping-cart { &:before { content: \"\\e116\"; } }\n.glyphicon-folder-close { &:before { content: \"\\e117\"; } }\n.glyphicon-folder-open { &:before { content: \"\\e118\"; } }\n.glyphicon-resize-vertical { &:before { content: \"\\e119\"; } }\n.glyphicon-resize-horizontal { &:before { content: \"\\e120\"; } }\n.glyphicon-hdd { &:before { content: \"\\e121\"; } }\n.glyphicon-bullhorn { &:before { content: \"\\e122\"; } }\n.glyphicon-bell { &:before { content: \"\\e123\"; } }\n.glyphicon-certificate { &:before { content: \"\\e124\"; } }\n.glyphicon-thumbs-up { &:before { content: \"\\e125\"; } }\n.glyphicon-thumbs-down { &:before { content: \"\\e126\"; } }\n.glyphicon-hand-right { &:before { content: \"\\e127\"; } }\n.glyphicon-hand-left { &:before { content: \"\\e128\"; } }\n.glyphicon-hand-up { &:before { content: \"\\e129\"; } }\n.glyphicon-hand-down { &:before { content: \"\\e130\"; } }\n.glyphicon-circle-arrow-right { &:before { content: \"\\e131\"; } }\n.glyphicon-circle-arrow-left { &:before { content: \"\\e132\"; } }\n.glyphicon-circle-arrow-up { &:before { content: \"\\e133\"; } }\n.glyphicon-circle-arrow-down { &:before { content: \"\\e134\"; } }\n.glyphicon-globe { &:before { content: \"\\e135\"; } }\n.glyphicon-wrench { &:before { content: \"\\e136\"; } }\n.glyphicon-tasks { &:before { content: \"\\e137\"; } }\n.glyphicon-filter { &:before { content: \"\\e138\"; } }\n.glyphicon-briefcase { &:before { content: \"\\e139\"; } }\n.glyphicon-fullscreen { &:before { content: \"\\e140\"; } }\n.glyphicon-dashboard { &:before { content: \"\\e141\"; } }\n.glyphicon-paperclip { &:before { content: \"\\e142\"; } }\n.glyphicon-heart-empty { &:before { content: \"\\e143\"; } }\n.glyphicon-link { &:before { content: \"\\e144\"; } }\n.glyphicon-phone { &:before { content: \"\\e145\"; } }\n.glyphicon-pushpin { &:before { content: \"\\e146\"; } }\n.glyphicon-usd { &:before { content: \"\\e148\"; } }\n.glyphicon-gbp { &:before { content: \"\\e149\"; } }\n.glyphicon-sort { &:before { content: \"\\e150\"; } }\n.glyphicon-sort-by-alphabet { &:before { content: \"\\e151\"; } }\n.glyphicon-sort-by-alphabet-alt { &:before { content: \"\\e152\"; } }\n.glyphicon-sort-by-order { &:before { content: \"\\e153\"; } }\n.glyphicon-sort-by-order-alt { &:before { content: \"\\e154\"; } }\n.glyphicon-sort-by-attributes { &:before { content: \"\\e155\"; } }\n.glyphicon-sort-by-attributes-alt { &:before { content: \"\\e156\"; } }\n.glyphicon-unchecked { &:before { content: \"\\e157\"; } }\n.glyphicon-expand { &:before { content: \"\\e158\"; } }\n.glyphicon-collapse-down { &:before { content: \"\\e159\"; } }\n.glyphicon-collapse-up { &:before { content: \"\\e160\"; } }\n.glyphicon-log-in { &:before { content: \"\\e161\"; } }\n.glyphicon-flash { &:before { content: \"\\e162\"; } }\n.glyphicon-log-out { &:before { content: \"\\e163\"; } }\n.glyphicon-new-window { &:before { content: \"\\e164\"; } }\n.glyphicon-record { &:before { content: \"\\e165\"; } }\n.glyphicon-save { &:before { content: \"\\e166\"; } }\n.glyphicon-open { &:before { content: \"\\e167\"; } }\n.glyphicon-saved { &:before { content: \"\\e168\"; } }\n.glyphicon-import { &:before { content: \"\\e169\"; } }\n.glyphicon-export { &:before { content: \"\\e170\"; } }\n.glyphicon-send { &:before { content: \"\\e171\"; } }\n.glyphicon-floppy-disk { &:before { content: \"\\e172\"; } }\n.glyphicon-floppy-saved { &:before { content: \"\\e173\"; } }\n.glyphicon-floppy-remove { &:before { content: \"\\e174\"; } }\n.glyphicon-floppy-save { &:before { content: \"\\e175\"; } }\n.glyphicon-floppy-open { &:before { content: \"\\e176\"; } }\n.glyphicon-credit-card { &:before { content: \"\\e177\"; } }\n.glyphicon-transfer { &:before { content: \"\\e178\"; } }\n.glyphicon-cutlery { &:before { content: \"\\e179\"; } }\n.glyphicon-header { &:before { content: \"\\e180\"; } }\n.glyphicon-compressed { &:before { content: \"\\e181\"; } }\n.glyphicon-earphone { &:before { content: \"\\e182\"; } }\n.glyphicon-phone-alt { &:before { content: \"\\e183\"; } }\n.glyphicon-tower { &:before { content: \"\\e184\"; } }\n.glyphicon-stats { &:before { content: \"\\e185\"; } }\n.glyphicon-sd-video { &:before { content: \"\\e186\"; } }\n.glyphicon-hd-video { &:before { content: \"\\e187\"; } }\n.glyphicon-subtitles { &:before { content: \"\\e188\"; } }\n.glyphicon-sound-stereo { &:before { content: \"\\e189\"; } }\n.glyphicon-sound-dolby { &:before { content: \"\\e190\"; } }\n.glyphicon-sound-5-1 { &:before { content: \"\\e191\"; } }\n.glyphicon-sound-6-1 { &:before { content: \"\\e192\"; } }\n.glyphicon-sound-7-1 { &:before { content: \"\\e193\"; } }\n.glyphicon-copyright-mark { &:before { content: \"\\e194\"; } }\n.glyphicon-registration-mark { &:before { content: \"\\e195\"; } }\n.glyphicon-cloud-download { &:before { content: \"\\e197\"; } }\n.glyphicon-cloud-upload { &:before { content: \"\\e198\"; } }\n.glyphicon-tree-conifer { &:before { content: \"\\e199\"; } }\n.glyphicon-tree-deciduous { &:before { content: \"\\e200\"; } }\n.glyphicon-cd { &:before { content: \"\\e201\"; } }\n.glyphicon-save-file { &:before { content: \"\\e202\"; } }\n.glyphicon-open-file { &:before { content: \"\\e203\"; } }\n.glyphicon-level-up { &:before { content: \"\\e204\"; } }\n.glyphicon-copy { &:before { content: \"\\e205\"; } }\n.glyphicon-paste { &:before { content: \"\\e206\"; } }\n// The following 2 Glyphicons are omitted for the time being because\n// they currently use Unicode codepoints that are outside the\n// Basic Multilingual Plane (BMP). Older buggy versions of WebKit can't handle\n// non-BMP codepoints in CSS string escapes, and thus can't display these two icons.\n// Notably, the bug affects some older versions of the Android Browser.\n// More info: https://github.com/twbs/bootstrap/issues/10106\n// .glyphicon-door { &:before { content: \"\\1f6aa\"; } }\n// .glyphicon-key { &:before { content: \"\\1f511\"; } }\n.glyphicon-alert { &:before { content: \"\\e209\"; } }\n.glyphicon-equalizer { &:before { content: \"\\e210\"; } }\n.glyphicon-king { &:before { content: \"\\e211\"; } }\n.glyphicon-queen { &:before { content: \"\\e212\"; } }\n.glyphicon-pawn { &:before { content: \"\\e213\"; } }\n.glyphicon-bishop { &:before { content: \"\\e214\"; } }\n.glyphicon-knight { &:before { content: \"\\e215\"; } }\n.glyphicon-baby-formula { &:before { content: \"\\e216\"; } }\n.glyphicon-tent { &:before { content: \"\\26fa\"; } }\n.glyphicon-blackboard { &:before { content: \"\\e218\"; } }\n.glyphicon-bed { &:before { content: \"\\e219\"; } }\n.glyphicon-apple { &:before { content: \"\\f8ff\"; } }\n.glyphicon-erase { &:before { content: \"\\e221\"; } }\n.glyphicon-hourglass { &:before { content: \"\\231b\"; } }\n.glyphicon-lamp { &:before { content: \"\\e223\"; } }\n.glyphicon-duplicate { &:before { content: \"\\e224\"; } }\n.glyphicon-piggy-bank { &:before { content: \"\\e225\"; } }\n.glyphicon-scissors { &:before { content: \"\\e226\"; } }\n.glyphicon-bitcoin { &:before { content: \"\\e227\"; } }\n.glyphicon-btc { &:before { content: \"\\e227\"; } }\n.glyphicon-xbt { &:before { content: \"\\e227\"; } }\n.glyphicon-yen { &:before { content: \"\\00a5\"; } }\n.glyphicon-jpy { &:before { content: \"\\00a5\"; } }\n.glyphicon-ruble { &:before { content: \"\\20bd\"; } }\n.glyphicon-rub { &:before { content: \"\\20bd\"; } }\n.glyphicon-scale { &:before { content: \"\\e230\"; } }\n.glyphicon-ice-lolly { &:before { content: \"\\e231\"; } }\n.glyphicon-ice-lolly-tasted { &:before { content: \"\\e232\"; } }\n.glyphicon-education { &:before { content: \"\\e233\"; } }\n.glyphicon-option-horizontal { &:before { content: \"\\e234\"; } }\n.glyphicon-option-vertical { &:before { content: \"\\e235\"; } }\n.glyphicon-menu-hamburger { &:before { content: \"\\e236\"; } }\n.glyphicon-modal-window { &:before { content: \"\\e237\"; } }\n.glyphicon-oil { &:before { content: \"\\e238\"; } }\n.glyphicon-grain { &:before { content: \"\\e239\"; } }\n.glyphicon-sunglasses { &:before { content: \"\\e240\"; } }\n.glyphicon-text-size { &:before { content: \"\\e241\"; } }\n.glyphicon-text-color { &:before { content: \"\\e242\"; } }\n.glyphicon-text-background { &:before { content: \"\\e243\"; } }\n.glyphicon-object-align-top { &:before { content: \"\\e244\"; } }\n.glyphicon-object-align-bottom { &:before { content: \"\\e245\"; } }\n.glyphicon-object-align-horizontal{ &:before { content: \"\\e246\"; } }\n.glyphicon-object-align-left { &:before { content: \"\\e247\"; } }\n.glyphicon-object-align-vertical { &:before { content: \"\\e248\"; } }\n.glyphicon-object-align-right { &:before { content: \"\\e249\"; } }\n.glyphicon-triangle-right { &:before { content: \"\\e250\"; } }\n.glyphicon-triangle-left { &:before { content: \"\\e251\"; } }\n.glyphicon-triangle-bottom { &:before { content: \"\\e252\"; } }\n.glyphicon-triangle-top { &:before { content: \"\\e253\"; } }\n.glyphicon-console { &:before { content: \"\\e254\"; } }\n.glyphicon-superscript { &:before { content: \"\\e255\"; } }\n.glyphicon-subscript { &:before { content: \"\\e256\"; } }\n.glyphicon-menu-left { &:before { content: \"\\e257\"; } }\n.glyphicon-menu-right { &:before { content: \"\\e258\"; } }\n.glyphicon-menu-down { &:before { content: \"\\e259\"; } }\n.glyphicon-menu-up { &:before { content: \"\\e260\"; } }\n", "//\n// Scaffolding\n// --------------------------------------------------\n\n\n// Reset the box-sizing\n//\n// Heads up! This reset may cause conflicts with some third-party widgets.\n// For recommendations on resolving such conflicts, see\n// https://getbootstrap.com/docs/3.4/getting-started/#third-box-sizing\n* {\n .box-sizing(border-box);\n}\n*:before,\n*:after {\n .box-sizing(border-box);\n}\n\n\n// Body reset\n\nhtml {\n font-size: 10px;\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\n}\n\nbody {\n font-family: @font-family-base;\n font-size: @font-size-base;\n line-height: @line-height-base;\n color: @text-color;\n background-color: @body-bg;\n}\n\n// Reset fonts for relevant elements\ninput,\nbutton,\nselect,\ntextarea {\n font-family: inherit;\n font-size: inherit;\n line-height: inherit;\n}\n\n\n// Links\n\na {\n color: @link-color;\n text-decoration: none;\n\n &:hover,\n &:focus {\n color: @link-hover-color;\n text-decoration: @link-hover-decoration;\n }\n\n &:focus {\n .tab-focus();\n }\n}\n\n\n// Figures\n//\n// We reset this here because previously Normalize had no `figure` margins. This\n// ensures we don't break anyone's use of the element.\n\nfigure {\n margin: 0;\n}\n\n\n// Images\n\nimg {\n vertical-align: middle;\n}\n\n// Responsive images (ensure images don't scale beyond their parents)\n.img-responsive {\n .img-responsive();\n}\n\n// Rounded corners\n.img-rounded {\n border-radius: @border-radius-large;\n}\n\n// Image thumbnails\n//\n// Heads up! This is mixin-ed into thumbnails.less for `.thumbnail`.\n.img-thumbnail {\n padding: @thumbnail-padding;\n line-height: @line-height-base;\n background-color: @thumbnail-bg;\n border: 1px solid @thumbnail-border;\n border-radius: @thumbnail-border-radius;\n .transition(all .2s ease-in-out);\n\n // Keep them at most 100% wide\n .img-responsive(inline-block);\n}\n\n// Perfect circle\n.img-circle {\n border-radius: 50%; // set radius in percents\n}\n\n\n// Horizontal rules\n\nhr {\n margin-top: @line-height-computed;\n margin-bottom: @line-height-computed;\n border: 0;\n border-top: 1px solid @hr-border;\n}\n\n\n// Only display content to screen readers\n//\n// See: https://a11yproject.com/posts/how-to-hide-content\n\n.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// Use in conjunction with .sr-only to only display content when it's focused.\n// Useful for \"Skip to main content\" links; see https://www.w3.org/TR/2013/NOTE-WCAG20-TECHS-20130905/G1\n// Credit: HTML5 Boilerplate\n\n.sr-only-focusable {\n &:active,\n &:focus {\n position: static;\n width: auto;\n height: auto;\n margin: 0;\n overflow: visible;\n clip: auto;\n }\n}\n\n\n// iOS \"clickable elements\" fix for role=\"button\"\n//\n// Fixes \"clickability\" issue (and more generally, the firing of events such as focus as well)\n// for traditionally non-focusable elements with role=\"button\"\n// see https://developer.mozilla.org/en-US/docs/Web/Events/click#Safari_Mobile\n\n[role=\"button\"] {\n cursor: pointer;\n}\n", "// stylelint-disable indentation, property-no-vendor-prefix, selector-no-vendor-prefix\n\n// Vendor Prefixes\n//\n// All vendor mixins are deprecated as of v3.2.0 due to the introduction of\n// Autoprefixer in our Gruntfile. They have been removed in v4.\n\n// - Animations\n// - Backface visibility\n// - Box shadow\n// - Box sizing\n// - Content columns\n// - Hyphens\n// - Placeholder text\n// - Transformations\n// - Transitions\n// - User Select\n\n\n// Animations\n.animation(@animation) {\n -webkit-animation: @animation;\n -o-animation: @animation;\n animation: @animation;\n}\n.animation-name(@name) {\n -webkit-animation-name: @name;\n animation-name: @name;\n}\n.animation-duration(@duration) {\n -webkit-animation-duration: @duration;\n animation-duration: @duration;\n}\n.animation-timing-function(@timing-function) {\n -webkit-animation-timing-function: @timing-function;\n animation-timing-function: @timing-function;\n}\n.animation-delay(@delay) {\n -webkit-animation-delay: @delay;\n animation-delay: @delay;\n}\n.animation-iteration-count(@iteration-count) {\n -webkit-animation-iteration-count: @iteration-count;\n animation-iteration-count: @iteration-count;\n}\n.animation-direction(@direction) {\n -webkit-animation-direction: @direction;\n animation-direction: @direction;\n}\n.animation-fill-mode(@fill-mode) {\n -webkit-animation-fill-mode: @fill-mode;\n animation-fill-mode: @fill-mode;\n}\n\n// Backface visibility\n// Prevent browsers from flickering when using CSS 3D transforms.\n// Default value is `visible`, but can be changed to `hidden`\n\n.backface-visibility(@visibility) {\n -webkit-backface-visibility: @visibility;\n -moz-backface-visibility: @visibility;\n backface-visibility: @visibility;\n}\n\n// Drop shadows\n//\n// Note: Deprecated `.box-shadow()` as of v3.1.0 since all of Bootstrap's\n// supported browsers that have box shadow capabilities now support it.\n\n.box-shadow(@shadow) {\n -webkit-box-shadow: @shadow; // iOS <4.3 & Android <4.1\n box-shadow: @shadow;\n}\n\n// Box sizing\n.box-sizing(@boxmodel) {\n -webkit-box-sizing: @boxmodel;\n -moz-box-sizing: @boxmodel;\n box-sizing: @boxmodel;\n}\n\n// CSS3 Content Columns\n.content-columns(@column-count; @column-gap: @grid-gutter-width) {\n -webkit-column-count: @column-count;\n -moz-column-count: @column-count;\n column-count: @column-count;\n -webkit-column-gap: @column-gap;\n -moz-column-gap: @column-gap;\n column-gap: @column-gap;\n}\n\n// Optional hyphenation\n.hyphens(@mode: auto) {\n -webkit-hyphens: @mode;\n -moz-hyphens: @mode;\n -ms-hyphens: @mode; // IE10+\n -o-hyphens: @mode;\n hyphens: @mode;\n word-wrap: break-word;\n}\n\n// Placeholder text\n.placeholder(@color: @input-color-placeholder) {\n // Firefox\n &::-moz-placeholder {\n color: @color;\n opacity: 1; // Override Firefox's unusual default opacity; see https://github.com/twbs/bootstrap/pull/11526\n }\n &:-ms-input-placeholder { color: @color; } // Internet Explorer 10+\n &::-webkit-input-placeholder { color: @color; } // Safari and Chrome\n}\n\n// Transformations\n.scale(@ratio) {\n -webkit-transform: scale(@ratio);\n -ms-transform: scale(@ratio); // IE9 only\n -o-transform: scale(@ratio);\n transform: scale(@ratio);\n}\n.scale(@ratioX; @ratioY) {\n -webkit-transform: scale(@ratioX, @ratioY);\n -ms-transform: scale(@ratioX, @ratioY); // IE9 only\n -o-transform: scale(@ratioX, @ratioY);\n transform: scale(@ratioX, @ratioY);\n}\n.scaleX(@ratio) {\n -webkit-transform: scaleX(@ratio);\n -ms-transform: scaleX(@ratio); // IE9 only\n -o-transform: scaleX(@ratio);\n transform: scaleX(@ratio);\n}\n.scaleY(@ratio) {\n -webkit-transform: scaleY(@ratio);\n -ms-transform: scaleY(@ratio); // IE9 only\n -o-transform: scaleY(@ratio);\n transform: scaleY(@ratio);\n}\n.skew(@x; @y) {\n -webkit-transform: skewX(@x) skewY(@y);\n -ms-transform: skewX(@x) skewY(@y); // See https://github.com/twbs/bootstrap/issues/4885; IE9+\n -o-transform: skewX(@x) skewY(@y);\n transform: skewX(@x) skewY(@y);\n}\n.translate(@x; @y) {\n -webkit-transform: translate(@x, @y);\n -ms-transform: translate(@x, @y); // IE9 only\n -o-transform: translate(@x, @y);\n transform: translate(@x, @y);\n}\n.translate3d(@x; @y; @z) {\n -webkit-transform: translate3d(@x, @y, @z);\n transform: translate3d(@x, @y, @z);\n}\n.rotate(@degrees) {\n -webkit-transform: rotate(@degrees);\n -ms-transform: rotate(@degrees); // IE9 only\n -o-transform: rotate(@degrees);\n transform: rotate(@degrees);\n}\n.rotateX(@degrees) {\n -webkit-transform: rotateX(@degrees);\n -ms-transform: rotateX(@degrees); // IE9 only\n -o-transform: rotateX(@degrees);\n transform: rotateX(@degrees);\n}\n.rotateY(@degrees) {\n -webkit-transform: rotateY(@degrees);\n -ms-transform: rotateY(@degrees); // IE9 only\n -o-transform: rotateY(@degrees);\n transform: rotateY(@degrees);\n}\n.perspective(@perspective) {\n -webkit-perspective: @perspective;\n -moz-perspective: @perspective;\n perspective: @perspective;\n}\n.perspective-origin(@perspective) {\n -webkit-perspective-origin: @perspective;\n -moz-perspective-origin: @perspective;\n perspective-origin: @perspective;\n}\n.transform-origin(@origin) {\n -webkit-transform-origin: @origin;\n -moz-transform-origin: @origin;\n -ms-transform-origin: @origin; // IE9 only\n transform-origin: @origin;\n}\n\n\n// Transitions\n\n.transition(@transition) {\n -webkit-transition: @transition;\n -o-transition: @transition;\n transition: @transition;\n}\n.transition-property(@transition-property) {\n -webkit-transition-property: @transition-property;\n transition-property: @transition-property;\n}\n.transition-delay(@transition-delay) {\n -webkit-transition-delay: @transition-delay;\n transition-delay: @transition-delay;\n}\n.transition-duration(@transition-duration) {\n -webkit-transition-duration: @transition-duration;\n transition-duration: @transition-duration;\n}\n.transition-timing-function(@timing-function) {\n -webkit-transition-timing-function: @timing-function;\n transition-timing-function: @timing-function;\n}\n.transition-transform(@transition) {\n -webkit-transition: -webkit-transform @transition;\n -moz-transition: -moz-transform @transition;\n -o-transition: -o-transform @transition;\n transition: transform @transition;\n}\n\n\n// User select\n// For selecting text on the page\n\n.user-select(@select) {\n -webkit-user-select: @select;\n -moz-user-select: @select;\n -ms-user-select: @select; // IE10+\n user-select: @select;\n}\n", "// WebKit-style focus\n\n.tab-focus() {\n // WebKit-specific. Other browsers will keep their default outline style.\n // (Initially tried to also force default via `outline: initial`,\n // but that seems to erroneously remove the outline in Firefox altogether.)\n outline: 5px auto -webkit-focus-ring-color;\n outline-offset: -2px;\n}\n", "// stylelint-disable media-feature-name-no-vendor-prefix, media-feature-parentheses-space-inside, media-feature-name-no-unknown, indentation, at-rule-name-space-after\n\n// Responsive image\n//\n// Keep images from scaling beyond the width of their parents.\n.img-responsive(@display: block) {\n display: @display;\n max-width: 100%; // Part 1: Set a maximum relative to the parent\n height: auto; // Part 2: Scale the height according to the width, otherwise you get stretching\n}\n\n\n// Retina image\n//\n// Short retina mixin for setting background-image and -size. Note that the\n// spelling of `min--moz-device-pixel-ratio` is intentional.\n.img-retina(@file-1x; @file-2x; @width-1x; @height-1x) {\n background-image: url(\"@{file-1x}\");\n\n @media\n only screen and (-webkit-min-device-pixel-ratio: 2),\n only screen and ( min--moz-device-pixel-ratio: 2),\n only screen and ( -o-min-device-pixel-ratio: 2/1),\n only screen and ( min-device-pixel-ratio: 2),\n only screen and ( min-resolution: 192dpi),\n only screen and ( min-resolution: 2dppx) {\n background-image: url(\"@{file-2x}\");\n background-size: @width-1x @height-1x;\n }\n}\n", "// stylelint-disable selector-list-comma-newline-after, selector-no-qualifying-type\n\n//\n// Typography\n// --------------------------------------------------\n\n\n// Headings\n// -------------------------\n\nh1, h2, h3, h4, h5, h6,\n.h1, .h2, .h3, .h4, .h5, .h6 {\n font-family: @headings-font-family;\n font-weight: @headings-font-weight;\n line-height: @headings-line-height;\n color: @headings-color;\n\n small,\n .small {\n font-weight: 400;\n line-height: 1;\n color: @headings-small-color;\n }\n}\n\nh1, .h1,\nh2, .h2,\nh3, .h3 {\n margin-top: @line-height-computed;\n margin-bottom: (@line-height-computed / 2);\n\n small,\n .small {\n font-size: 65%;\n }\n}\nh4, .h4,\nh5, .h5,\nh6, .h6 {\n margin-top: (@line-height-computed / 2);\n margin-bottom: (@line-height-computed / 2);\n\n small,\n .small {\n font-size: 75%;\n }\n}\n\nh1, .h1 { font-size: @font-size-h1; }\nh2, .h2 { font-size: @font-size-h2; }\nh3, .h3 { font-size: @font-size-h3; }\nh4, .h4 { font-size: @font-size-h4; }\nh5, .h5 { font-size: @font-size-h5; }\nh6, .h6 { font-size: @font-size-h6; }\n\n\n// Body text\n// -------------------------\n\np {\n margin: 0 0 (@line-height-computed / 2);\n}\n\n.lead {\n margin-bottom: @line-height-computed;\n font-size: floor((@font-size-base * 1.15));\n font-weight: 300;\n line-height: 1.4;\n\n @media (min-width: @screen-sm-min) {\n font-size: (@font-size-base * 1.5);\n }\n}\n\n\n// Emphasis & misc\n// -------------------------\n\n// Ex: (12px small font / 14px base font) * 100% = about 85%\nsmall,\n.small {\n font-size: floor((100% * @font-size-small / @font-size-base));\n}\n\nmark,\n.mark {\n padding: .2em;\n background-color: @state-warning-bg;\n}\n\n// Alignment\n.text-left { text-align: left; }\n.text-right { text-align: right; }\n.text-center { text-align: center; }\n.text-justify { text-align: justify; }\n.text-nowrap { white-space: nowrap; }\n\n// Transformation\n.text-lowercase { text-transform: lowercase; }\n.text-uppercase { text-transform: uppercase; }\n.text-capitalize { text-transform: capitalize; }\n\n// Contextual colors\n.text-muted {\n color: @text-muted;\n}\n.text-primary {\n .text-emphasis-variant(@brand-primary);\n}\n.text-success {\n .text-emphasis-variant(@state-success-text);\n}\n.text-info {\n .text-emphasis-variant(@state-info-text);\n}\n.text-warning {\n .text-emphasis-variant(@state-warning-text);\n}\n.text-danger {\n .text-emphasis-variant(@state-danger-text);\n}\n\n// Contextual backgrounds\n// For now we'll leave these alongside the text classes until v4 when we can\n// safely shift things around (per SemVer rules).\n.bg-primary {\n // Given the contrast here, this is the only class to have its color inverted\n // automatically.\n color: #fff;\n .bg-variant(@brand-primary);\n}\n.bg-success {\n .bg-variant(@state-success-bg);\n}\n.bg-info {\n .bg-variant(@state-info-bg);\n}\n.bg-warning {\n .bg-variant(@state-warning-bg);\n}\n.bg-danger {\n .bg-variant(@state-danger-bg);\n}\n\n\n// Page header\n// -------------------------\n\n.page-header {\n padding-bottom: ((@line-height-computed / 2) - 1);\n margin: (@line-height-computed * 2) 0 @line-height-computed;\n border-bottom: 1px solid @page-header-border-color;\n}\n\n\n// Lists\n// -------------------------\n\n// Unordered and Ordered lists\nul,\nol {\n margin-top: 0;\n margin-bottom: (@line-height-computed / 2);\n ul,\n ol {\n margin-bottom: 0;\n }\n}\n\n// List options\n\n// Unstyled keeps list items block level, just removes default browser padding and list-style\n.list-unstyled {\n padding-left: 0;\n list-style: none;\n}\n\n// Inline turns list items into inline-block\n.list-inline {\n .list-unstyled();\n margin-left: -5px;\n\n > li {\n display: inline-block;\n padding-right: 5px;\n padding-left: 5px;\n }\n}\n\n// Description Lists\ndl {\n margin-top: 0; // Remove browser default\n margin-bottom: @line-height-computed;\n}\ndt,\ndd {\n line-height: @line-height-base;\n}\ndt {\n font-weight: 700;\n}\ndd {\n margin-left: 0; // Undo browser default\n}\n\n// Horizontal description lists\n//\n// Defaults to being stacked without any of the below styles applied, until the\n// grid breakpoint is reached (default of ~768px).\n\n.dl-horizontal {\n dd {\n &:extend(.clearfix all); // Clear the floated `dt` if an empty `dd` is present\n }\n\n @media (min-width: @dl-horizontal-breakpoint) {\n dt {\n float: left;\n width: (@dl-horizontal-offset - 20);\n clear: left;\n text-align: right;\n .text-overflow();\n }\n dd {\n margin-left: @dl-horizontal-offset;\n }\n }\n}\n\n\n// Misc\n// -------------------------\n\n// Abbreviations and acronyms\n// Add data-* attribute to help out our tooltip plugin, per https://github.com/twbs/bootstrap/issues/5257\nabbr[title],\nabbr[data-original-title] {\n cursor: help;\n}\n\n.initialism {\n font-size: 90%;\n .text-uppercase();\n}\n\n// Blockquotes\nblockquote {\n padding: (@line-height-computed / 2) @line-height-computed;\n margin: 0 0 @line-height-computed;\n font-size: @blockquote-font-size;\n border-left: 5px solid @blockquote-border-color;\n\n p,\n ul,\n ol {\n &:last-child {\n margin-bottom: 0;\n }\n }\n\n // Note: Deprecated small and .small as of v3.1.0\n // Context: https://github.com/twbs/bootstrap/issues/11660\n footer,\n small,\n .small {\n display: block;\n font-size: 80%; // back to default font-size\n line-height: @line-height-base;\n color: @blockquote-small-color;\n\n &:before {\n content: \"\\2014 \\00A0\"; // em dash, nbsp\n }\n }\n}\n\n// Opposite alignment of blockquote\n//\n// Heads up: `blockquote.pull-right` has been deprecated as of v3.1.0.\n.blockquote-reverse,\nblockquote.pull-right {\n padding-right: 15px;\n padding-left: 0;\n text-align: right;\n border-right: 5px solid @blockquote-border-color;\n border-left: 0;\n\n // Account for citation\n footer,\n small,\n .small {\n &:before { content: \"\"; }\n &:after {\n content: \"\\00A0 \\2014\"; // nbsp, em dash\n }\n }\n}\n\n// Addresses\naddress {\n margin-bottom: @line-height-computed;\n font-style: normal;\n line-height: @line-height-base;\n}\n", "// Typography\n\n.text-emphasis-variant(@color) {\n color: @color;\n a&:hover,\n a&:focus {\n color: darken(@color, 10%);\n }\n}\n", "// Contextual backgrounds\n\n.bg-variant(@color) {\n background-color: @color;\n a&:hover,\n a&:focus {\n background-color: darken(@color, 10%);\n }\n}\n", "// Text overflow\n// Requires inline-block or block for proper styling\n\n.text-overflow() {\n overflow: hidden;\n text-overflow: ellipsis;\n white-space: nowrap;\n}\n", "//\n// Code (inline and block)\n// --------------------------------------------------\n\n\n// Inline and block code styles\ncode,\nkbd,\npre,\nsamp {\n font-family: @font-family-monospace;\n}\n\n// Inline code\ncode {\n padding: 2px 4px;\n font-size: 90%;\n color: @code-color;\n background-color: @code-bg;\n border-radius: @border-radius-base;\n}\n\n// User input typically entered via keyboard\nkbd {\n padding: 2px 4px;\n font-size: 90%;\n color: @kbd-color;\n background-color: @kbd-bg;\n border-radius: @border-radius-small;\n box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .25);\n\n kbd {\n padding: 0;\n font-size: 100%;\n font-weight: 700;\n box-shadow: none;\n }\n}\n\n// Blocks of code\npre {\n display: block;\n padding: ((@line-height-computed - 1) / 2);\n margin: 0 0 (@line-height-computed / 2);\n font-size: (@font-size-base - 1); // 14px to 13px\n line-height: @line-height-base;\n color: @pre-color;\n word-break: break-all;\n word-wrap: break-word;\n background-color: @pre-bg;\n border: 1px solid @pre-border-color;\n border-radius: @border-radius-base;\n\n // Account for some code outputs that place code tags in pre tags\n 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\n// Enable scrollable blocks of code\n.pre-scrollable {\n max-height: @pre-scrollable-max-height;\n overflow-y: scroll;\n}\n", "//\n// Grid system\n// --------------------------------------------------\n\n\n// Container widths\n//\n// Set the container width, and override it for fixed navbars in media queries.\n\n.container {\n .container-fixed();\n\n @media (min-width: @screen-sm-min) {\n width: @container-sm;\n }\n @media (min-width: @screen-md-min) {\n width: @container-md;\n }\n @media (min-width: @screen-lg-min) {\n width: @container-lg;\n }\n}\n\n\n// Fluid container\n//\n// Utilizes the mixin meant for fixed width containers, but without any defined\n// width for fluid, full width layouts.\n\n.container-fluid {\n .container-fixed();\n}\n\n\n// Row\n//\n// Rows contain and clear the floats of your columns.\n\n.row {\n .make-row();\n}\n\n.row-no-gutters {\n margin-right: 0;\n margin-left: 0;\n\n [class*=\"col-\"] {\n padding-right: 0;\n padding-left: 0;\n }\n}\n\n\n// Columns\n//\n// Common styles for small and large grid columns\n\n.make-grid-columns();\n\n\n// Extra small grid\n//\n// Columns, offsets, pushes, and pulls for extra small devices like\n// smartphones.\n\n.make-grid(xs);\n\n\n// Small grid\n//\n// Columns, offsets, pushes, and pulls for the small device range, from phones\n// to tablets.\n\n@media (min-width: @screen-sm-min) {\n .make-grid(sm);\n}\n\n\n// Medium grid\n//\n// Columns, offsets, pushes, and pulls for the desktop device range.\n\n@media (min-width: @screen-md-min) {\n .make-grid(md);\n}\n\n\n// Large grid\n//\n// Columns, offsets, pushes, and pulls for the large desktop device range.\n\n@media (min-width: @screen-lg-min) {\n .make-grid(lg);\n}\n", "// Grid system\n//\n// Generate semantic grid columns with these mixins.\n\n// Centered container element\n.container-fixed(@gutter: @grid-gutter-width) {\n padding-right: ceil((@gutter / 2));\n padding-left: floor((@gutter / 2));\n margin-right: auto;\n margin-left: auto;\n &:extend(.clearfix all);\n}\n\n// Creates a wrapper for a series of columns\n.make-row(@gutter: @grid-gutter-width) {\n margin-right: floor((@gutter / -2));\n margin-left: ceil((@gutter / -2));\n &:extend(.clearfix all);\n}\n\n// Generate the extra small columns\n.make-xs-column(@columns; @gutter: @grid-gutter-width) {\n position: relative;\n float: left;\n width: percentage((@columns / @grid-columns));\n min-height: 1px;\n padding-right: (@gutter / 2);\n padding-left: (@gutter / 2);\n}\n.make-xs-column-offset(@columns) {\n margin-left: percentage((@columns / @grid-columns));\n}\n.make-xs-column-push(@columns) {\n left: percentage((@columns / @grid-columns));\n}\n.make-xs-column-pull(@columns) {\n right: percentage((@columns / @grid-columns));\n}\n\n// Generate the small columns\n.make-sm-column(@columns; @gutter: @grid-gutter-width) {\n position: relative;\n min-height: 1px;\n padding-right: (@gutter / 2);\n padding-left: (@gutter / 2);\n\n @media (min-width: @screen-sm-min) {\n float: left;\n width: percentage((@columns / @grid-columns));\n }\n}\n.make-sm-column-offset(@columns) {\n @media (min-width: @screen-sm-min) {\n margin-left: percentage((@columns / @grid-columns));\n }\n}\n.make-sm-column-push(@columns) {\n @media (min-width: @screen-sm-min) {\n left: percentage((@columns / @grid-columns));\n }\n}\n.make-sm-column-pull(@columns) {\n @media (min-width: @screen-sm-min) {\n right: percentage((@columns / @grid-columns));\n }\n}\n\n// Generate the medium columns\n.make-md-column(@columns; @gutter: @grid-gutter-width) {\n position: relative;\n min-height: 1px;\n padding-right: (@gutter / 2);\n padding-left: (@gutter / 2);\n\n @media (min-width: @screen-md-min) {\n float: left;\n width: percentage((@columns / @grid-columns));\n }\n}\n.make-md-column-offset(@columns) {\n @media (min-width: @screen-md-min) {\n margin-left: percentage((@columns / @grid-columns));\n }\n}\n.make-md-column-push(@columns) {\n @media (min-width: @screen-md-min) {\n left: percentage((@columns / @grid-columns));\n }\n}\n.make-md-column-pull(@columns) {\n @media (min-width: @screen-md-min) {\n right: percentage((@columns / @grid-columns));\n }\n}\n\n// Generate the large columns\n.make-lg-column(@columns; @gutter: @grid-gutter-width) {\n position: relative;\n min-height: 1px;\n padding-right: (@gutter / 2);\n padding-left: (@gutter / 2);\n\n @media (min-width: @screen-lg-min) {\n float: left;\n width: percentage((@columns / @grid-columns));\n }\n}\n.make-lg-column-offset(@columns) {\n @media (min-width: @screen-lg-min) {\n margin-left: percentage((@columns / @grid-columns));\n }\n}\n.make-lg-column-push(@columns) {\n @media (min-width: @screen-lg-min) {\n left: percentage((@columns / @grid-columns));\n }\n}\n.make-lg-column-pull(@columns) {\n @media (min-width: @screen-lg-min) {\n right: percentage((@columns / @grid-columns));\n }\n}\n", "// Framework grid generation\n//\n// Used only by Bootstrap to generate the correct number of grid classes given\n// any value of `@grid-columns`.\n\n.make-grid-columns() {\n // Common styles for all sizes of grid columns, widths 1-12\n .col(@index) { // initial\n @item: ~\".col-xs-@{index}, .col-sm-@{index}, .col-md-@{index}, .col-lg-@{index}\";\n .col((@index + 1), @item);\n }\n .col(@index, @list) when (@index =< @grid-columns) { // general; \"=<\" isn't a typo\n @item: ~\".col-xs-@{index}, .col-sm-@{index}, .col-md-@{index}, .col-lg-@{index}\";\n .col((@index + 1), ~\"@{list}, @{item}\");\n }\n .col(@index, @list) when (@index > @grid-columns) { // terminal\n @{list} {\n position: relative;\n // Prevent columns from collapsing when empty\n min-height: 1px;\n // Inner gutter via padding\n padding-right: floor((@grid-gutter-width / 2));\n padding-left: ceil((@grid-gutter-width / 2));\n }\n }\n .col(1); // kickstart it\n}\n\n.float-grid-columns(@class) {\n .col(@index) { // initial\n @item: ~\".col-@{class}-@{index}\";\n .col((@index + 1), @item);\n }\n .col(@index, @list) when (@index =< @grid-columns) { // general\n @item: ~\".col-@{class}-@{index}\";\n .col((@index + 1), ~\"@{list}, @{item}\");\n }\n .col(@index, @list) when (@index > @grid-columns) { // terminal\n @{list} {\n float: left;\n }\n }\n .col(1); // kickstart it\n}\n\n.calc-grid-column(@index, @class, @type) when (@type = width) and (@index > 0) {\n .col-@{class}-@{index} {\n width: percentage((@index / @grid-columns));\n }\n}\n.calc-grid-column(@index, @class, @type) when (@type = push) and (@index > 0) {\n .col-@{class}-push-@{index} {\n left: percentage((@index / @grid-columns));\n }\n}\n.calc-grid-column(@index, @class, @type) when (@type = push) and (@index = 0) {\n .col-@{class}-push-0 {\n left: auto;\n }\n}\n.calc-grid-column(@index, @class, @type) when (@type = pull) and (@index > 0) {\n .col-@{class}-pull-@{index} {\n right: percentage((@index / @grid-columns));\n }\n}\n.calc-grid-column(@index, @class, @type) when (@type = pull) and (@index = 0) {\n .col-@{class}-pull-0 {\n right: auto;\n }\n}\n.calc-grid-column(@index, @class, @type) when (@type = offset) {\n .col-@{class}-offset-@{index} {\n margin-left: percentage((@index / @grid-columns));\n }\n}\n\n// Basic looping in LESS\n.loop-grid-columns(@index, @class, @type) when (@index >= 0) {\n .calc-grid-column(@index, @class, @type);\n // next iteration\n .loop-grid-columns((@index - 1), @class, @type);\n}\n\n// Create grid for specific class\n.make-grid(@class) {\n .float-grid-columns(@class);\n .loop-grid-columns(@grid-columns, @class, width);\n .loop-grid-columns(@grid-columns, @class, pull);\n .loop-grid-columns(@grid-columns, @class, push);\n .loop-grid-columns(@grid-columns, @class, offset);\n}\n", "// stylelint-disable selector-max-type, selector-max-compound-selectors, selector-no-qualifying-type\n\n//\n// Tables\n// --------------------------------------------------\n\n\ntable {\n background-color: @table-bg;\n\n // Table cell sizing\n //\n // Reset default table behavior\n\n col[class*=\"col-\"] {\n position: static; // Prevent border hiding in Firefox and IE9-11 (see https://github.com/twbs/bootstrap/issues/11623)\n display: table-column;\n float: none;\n }\n\n td,\n th {\n &[class*=\"col-\"] {\n position: static; // Prevent border hiding in Firefox and IE9-11 (see https://github.com/twbs/bootstrap/issues/11623)\n display: table-cell;\n float: none;\n }\n }\n}\n\ncaption {\n padding-top: @table-cell-padding;\n padding-bottom: @table-cell-padding;\n color: @text-muted;\n text-align: left;\n}\n\nth {\n text-align: left;\n}\n\n\n// Baseline styles\n\n.table {\n width: 100%;\n max-width: 100%;\n margin-bottom: @line-height-computed;\n // Cells\n > thead,\n > tbody,\n > tfoot {\n > tr {\n > th,\n > td {\n padding: @table-cell-padding;\n line-height: @line-height-base;\n vertical-align: top;\n border-top: 1px solid @table-border-color;\n }\n }\n }\n // Bottom align for column headings\n > thead > tr > th {\n vertical-align: bottom;\n border-bottom: 2px solid @table-border-color;\n }\n // Remove top border from thead by default\n > caption + thead,\n > colgroup + thead,\n > thead:first-child {\n > tr:first-child {\n > th,\n > td {\n border-top: 0;\n }\n }\n }\n // Account for multiple tbody instances\n > tbody + tbody {\n border-top: 2px solid @table-border-color;\n }\n\n // Nesting\n .table {\n background-color: @body-bg;\n }\n}\n\n\n// Condensed table w/ half padding\n\n.table-condensed {\n > thead,\n > tbody,\n > tfoot {\n > tr {\n > th,\n > td {\n padding: @table-condensed-cell-padding;\n }\n }\n }\n}\n\n\n// Bordered version\n//\n// Add borders all around the table and between all the columns.\n\n.table-bordered {\n border: 1px solid @table-border-color;\n > thead,\n > tbody,\n > tfoot {\n > tr {\n > th,\n > td {\n border: 1px solid @table-border-color;\n }\n }\n }\n > thead > tr {\n > th,\n > td {\n border-bottom-width: 2px;\n }\n }\n}\n\n\n// Zebra-striping\n//\n// Default zebra-stripe styles (alternating gray and transparent backgrounds)\n\n.table-striped {\n > tbody > tr:nth-of-type(odd) {\n background-color: @table-bg-accent;\n }\n}\n\n\n// Hover effect\n//\n// Placed here since it has to come after the potential zebra striping\n\n.table-hover {\n > tbody > tr:hover {\n background-color: @table-bg-hover;\n }\n}\n\n\n// Table backgrounds\n//\n// Exact selectors below required to override `.table-striped` and prevent\n// inheritance to nested tables.\n\n// Generate the contextual variants\n.table-row-variant(active; @table-bg-active);\n.table-row-variant(success; @state-success-bg);\n.table-row-variant(info; @state-info-bg);\n.table-row-variant(warning; @state-warning-bg);\n.table-row-variant(danger; @state-danger-bg);\n\n\n// Responsive tables\n//\n// Wrap your tables in `.table-responsive` and we'll make them mobile friendly\n// by enabling horizontal scrolling. Only applies <768px. Everything above that\n// will display normally.\n\n.table-responsive {\n min-height: .01%; // Workaround for IE9 bug (see https://github.com/twbs/bootstrap/issues/14837)\n overflow-x: auto;\n\n @media screen and (max-width: @screen-xs-max) {\n width: 100%;\n margin-bottom: (@line-height-computed * .75);\n overflow-y: hidden;\n -ms-overflow-style: -ms-autohiding-scrollbar;\n border: 1px solid @table-border-color;\n\n // Tighten up spacing\n > .table {\n margin-bottom: 0;\n\n // Ensure the content doesn't wrap\n > thead,\n > tbody,\n > tfoot {\n > tr {\n > th,\n > td {\n white-space: nowrap;\n }\n }\n }\n }\n\n // Special overrides for the bordered tables\n > .table-bordered {\n border: 0;\n\n // Nuke the appropriate borders so that the parent can handle them\n > thead,\n > tbody,\n > tfoot {\n > tr {\n > th:first-child,\n > td:first-child {\n border-left: 0;\n }\n > th:last-child,\n > td:last-child {\n border-right: 0;\n }\n }\n }\n\n // Only nuke the last row's bottom-border in `tbody` and `tfoot` since\n // chances are there will be only one `tr` in a `thead` and that would\n // remove the border altogether.\n > tbody,\n > tfoot {\n > tr:last-child {\n > th,\n > td {\n border-bottom: 0;\n }\n }\n }\n\n }\n }\n}\n", "// Tables\n\n.table-row-variant(@state; @background) {\n // Exact selectors below required to override `.table-striped` and prevent\n // inheritance to nested tables.\n .table > thead > tr,\n .table > tbody > tr,\n .table > tfoot > tr {\n > td.@{state},\n > th.@{state},\n &.@{state} > td,\n &.@{state} > th {\n background-color: @background;\n }\n }\n\n // Hover states for `.table-hover`\n // Note: this is not available for cells or rows within `thead` or `tfoot`.\n .table-hover > tbody > tr {\n > td.@{state}:hover,\n > th.@{state}:hover,\n &.@{state}:hover > td,\n &:hover > .@{state},\n &.@{state}:hover > th {\n background-color: darken(@background, 5%);\n }\n }\n}\n", "// stylelint-disable selector-no-qualifying-type, property-no-vendor-prefix, media-feature-name-no-vendor-prefix\n\n//\n// Forms\n// --------------------------------------------------\n\n\n// Normalize non-controls\n//\n// Restyle and baseline non-control form elements.\n\nfieldset {\n // Chrome and Firefox set a `min-width: min-content;` on fieldsets,\n // so we reset that to ensure it behaves more like a standard block element.\n // See https://github.com/twbs/bootstrap/issues/12359.\n min-width: 0;\n padding: 0;\n margin: 0;\n border: 0;\n}\n\nlegend {\n display: block;\n width: 100%;\n padding: 0;\n margin-bottom: @line-height-computed;\n font-size: (@font-size-base * 1.5);\n line-height: inherit;\n color: @legend-color;\n border: 0;\n border-bottom: 1px solid @legend-border-color;\n}\n\nlabel {\n display: inline-block;\n max-width: 100%; // Force IE8 to wrap long content (see https://github.com/twbs/bootstrap/issues/13141)\n margin-bottom: 5px;\n font-weight: 700;\n}\n\n\n// Normalize form controls\n//\n// While most of our form styles require extra classes, some basic normalization\n// is required to ensure optimum display with or without those classes to better\n// address browser inconsistencies.\n\ninput[type=\"search\"] {\n // Override content-box in Normalize (* isn't specific enough)\n .box-sizing(border-box);\n\n // Search inputs in iOS\n //\n // This overrides the extra rounded corners on search inputs in iOS so that our\n // `.form-control` class can properly style them. Note that this cannot simply\n // be added to `.form-control` as it's not specific enough. For details, see\n // https://github.com/twbs/bootstrap/issues/11586.\n -webkit-appearance: none;\n appearance: none;\n}\n\n// Position radios and checkboxes better\ninput[type=\"radio\"],\ninput[type=\"checkbox\"] {\n margin: 4px 0 0;\n margin-top: 1px \\9; // IE8-9\n line-height: normal;\n\n // Apply same disabled cursor tweak as for inputs\n // Some special care is needed because <label>s don't inherit their parent's `cursor`.\n //\n // Note: Neither radios nor checkboxes can be readonly.\n &[disabled],\n &.disabled,\n fieldset[disabled] & {\n cursor: @cursor-disabled;\n }\n}\n\ninput[type=\"file\"] {\n display: block;\n}\n\n// Make range inputs behave like textual form controls\ninput[type=\"range\"] {\n display: block;\n width: 100%;\n}\n\n// Make multiple select elements height not fixed\nselect[multiple],\nselect[size] {\n height: auto;\n}\n\n// Focus for file, radio, and checkbox\ninput[type=\"file\"]:focus,\ninput[type=\"radio\"]:focus,\ninput[type=\"checkbox\"]:focus {\n .tab-focus();\n}\n\n// Adjust output element\noutput {\n display: block;\n padding-top: (@padding-base-vertical + 1);\n font-size: @font-size-base;\n line-height: @line-height-base;\n color: @input-color;\n}\n\n\n// Common form controls\n//\n// Shared size and type resets for form controls. Apply `.form-control` to any\n// of the following form controls:\n//\n// select\n// textarea\n// input[type=\"text\"]\n// input[type=\"password\"]\n// input[type=\"datetime\"]\n// input[type=\"datetime-local\"]\n// input[type=\"date\"]\n// input[type=\"month\"]\n// input[type=\"time\"]\n// input[type=\"week\"]\n// input[type=\"number\"]\n// input[type=\"email\"]\n// input[type=\"url\"]\n// input[type=\"search\"]\n// input[type=\"tel\"]\n// input[type=\"color\"]\n\n.form-control {\n display: block;\n width: 100%;\n height: @input-height-base; // Make inputs at least the height of their button counterpart (base line-height + padding + border)\n padding: @padding-base-vertical @padding-base-horizontal;\n font-size: @font-size-base;\n line-height: @line-height-base;\n color: @input-color;\n background-color: @input-bg;\n background-image: none; // Reset unusual Firefox-on-Android default style; see https://github.com/necolas/normalize.css/issues/214\n border: 1px solid @input-border;\n border-radius: @input-border-radius; // Note: This has no effect on <select>s in some browsers, due to the limited stylability of <select>s in CSS.\n .box-shadow(inset 0 1px 1px rgba(0, 0, 0, .075));\n .transition(~\"border-color ease-in-out .15s, box-shadow ease-in-out .15s\");\n\n // Customize the `:focus` state to imitate native WebKit styles.\n .form-control-focus();\n\n // Placeholder\n .placeholder();\n\n // Unstyle the caret on `<select>`s in IE10+.\n &::-ms-expand {\n background-color: transparent;\n border: 0;\n }\n\n // Disabled and read-only inputs\n //\n // HTML5 says that controls under a fieldset > legend:first-child won't be\n // disabled if the fieldset is disabled. Due to implementation difficulty, we\n // don't honor that edge case; we style them as disabled anyway.\n &[disabled],\n &[readonly],\n fieldset[disabled] & {\n background-color: @input-bg-disabled;\n opacity: 1; // iOS fix for unreadable disabled content; see https://github.com/twbs/bootstrap/issues/11655\n }\n\n &[disabled],\n fieldset[disabled] & {\n cursor: @cursor-disabled;\n }\n\n // Reset height for `textarea`s\n textarea& {\n height: auto;\n }\n}\n\n\n// Special styles for iOS temporal inputs\n//\n// In Mobile Safari, setting `display: block` on temporal inputs causes the\n// text within the input to become vertically misaligned. As a workaround, we\n// set a pixel line-height that matches the given height of the input, but only\n// for Safari. See https://bugs.webkit.org/show_bug.cgi?id=139848\n//\n// Note that as of 9.3, iOS doesn't support `week`.\n\n@media screen and (-webkit-min-device-pixel-ratio: 0) {\n input[type=\"date\"],\n input[type=\"time\"],\n input[type=\"datetime-local\"],\n input[type=\"month\"] {\n &.form-control {\n line-height: @input-height-base;\n }\n\n &.input-sm,\n .input-group-sm & {\n line-height: @input-height-small;\n }\n\n &.input-lg,\n .input-group-lg & {\n line-height: @input-height-large;\n }\n }\n}\n\n\n// Form groups\n//\n// Designed to help with the organization and spacing of vertical forms. For\n// horizontal forms, use the predefined grid classes.\n\n.form-group {\n margin-bottom: @form-group-margin-bottom;\n}\n\n\n// Checkboxes and radios\n//\n// Indent the labels to position radios/checkboxes as hanging controls.\n\n.radio,\n.checkbox {\n position: relative;\n display: block;\n margin-top: 10px;\n margin-bottom: 10px;\n\n // These are used on elements with <label> descendants\n &.disabled,\n fieldset[disabled] & {\n label {\n cursor: @cursor-disabled;\n }\n }\n\n label {\n min-height: @line-height-computed; // Ensure the input doesn't jump when there is no text\n padding-left: 20px;\n margin-bottom: 0;\n font-weight: 400;\n cursor: pointer;\n }\n}\n.radio input[type=\"radio\"],\n.radio-inline input[type=\"radio\"],\n.checkbox input[type=\"checkbox\"],\n.checkbox-inline input[type=\"checkbox\"] {\n position: absolute;\n margin-top: 4px \\9;\n margin-left: -20px;\n}\n\n.radio + .radio,\n.checkbox + .checkbox {\n margin-top: -5px; // Move up sibling radios or checkboxes for tighter spacing\n}\n\n// Radios and checkboxes on same line\n.radio-inline,\n.checkbox-inline {\n position: relative;\n display: inline-block;\n padding-left: 20px;\n margin-bottom: 0;\n font-weight: 400;\n vertical-align: middle;\n cursor: pointer;\n\n // These are used directly on <label>s\n &.disabled,\n fieldset[disabled] & {\n cursor: @cursor-disabled;\n }\n}\n.radio-inline + .radio-inline,\n.checkbox-inline + .checkbox-inline {\n margin-top: 0;\n margin-left: 10px; // space out consecutive inline controls\n}\n\n\n// Static form control text\n//\n// Apply class to a `p` element to make any string of text align with labels in\n// a horizontal form layout.\n\n.form-control-static {\n min-height: (@line-height-computed + @font-size-base);\n // Size it appropriately next to real form controls\n padding-top: (@padding-base-vertical + 1);\n padding-bottom: (@padding-base-vertical + 1);\n // Remove default margin from `p`\n margin-bottom: 0;\n\n &.input-lg,\n &.input-sm {\n padding-right: 0;\n padding-left: 0;\n }\n}\n\n\n// Form control sizing\n//\n// Build on `.form-control` with modifier classes to decrease or increase the\n// height and font-size of form controls.\n//\n// The `.form-group-* form-control` variations are sadly duplicated to avoid the\n// issue documented in https://github.com/twbs/bootstrap/issues/15074.\n\n.input-sm {\n .input-size(@input-height-small; @padding-small-vertical; @padding-small-horizontal; @font-size-small; @line-height-small; @input-border-radius-small);\n}\n.form-group-sm {\n .form-control {\n height: @input-height-small;\n padding: @padding-small-vertical @padding-small-horizontal;\n font-size: @font-size-small;\n line-height: @line-height-small;\n border-radius: @input-border-radius-small;\n }\n select.form-control {\n height: @input-height-small;\n line-height: @input-height-small;\n }\n textarea.form-control,\n select[multiple].form-control {\n height: auto;\n }\n .form-control-static {\n height: @input-height-small;\n min-height: (@line-height-computed + @font-size-small);\n padding: (@padding-small-vertical + 1) @padding-small-horizontal;\n font-size: @font-size-small;\n line-height: @line-height-small;\n }\n}\n\n.input-lg {\n .input-size(@input-height-large; @padding-large-vertical; @padding-large-horizontal; @font-size-large; @line-height-large; @input-border-radius-large);\n}\n.form-group-lg {\n .form-control {\n height: @input-height-large;\n padding: @padding-large-vertical @padding-large-horizontal;\n font-size: @font-size-large;\n line-height: @line-height-large;\n border-radius: @input-border-radius-large;\n }\n select.form-control {\n height: @input-height-large;\n line-height: @input-height-large;\n }\n textarea.form-control,\n select[multiple].form-control {\n height: auto;\n }\n .form-control-static {\n height: @input-height-large;\n min-height: (@line-height-computed + @font-size-large);\n padding: (@padding-large-vertical + 1) @padding-large-horizontal;\n font-size: @font-size-large;\n line-height: @line-height-large;\n }\n}\n\n\n// Form control feedback states\n//\n// Apply contextual and semantic states to individual form controls.\n\n.has-feedback {\n // Enable absolute positioning\n position: relative;\n\n // Ensure icons don't overlap text\n .form-control {\n padding-right: (@input-height-base * 1.25);\n }\n}\n// Feedback icon (requires .glyphicon classes)\n.form-control-feedback {\n position: absolute;\n top: 0;\n right: 0;\n z-index: 2; // Ensure icon is above input groups\n display: block;\n width: @input-height-base;\n height: @input-height-base;\n line-height: @input-height-base;\n text-align: center;\n pointer-events: none;\n}\n.input-lg + .form-control-feedback,\n.input-group-lg + .form-control-feedback,\n.form-group-lg .form-control + .form-control-feedback {\n width: @input-height-large;\n height: @input-height-large;\n line-height: @input-height-large;\n}\n.input-sm + .form-control-feedback,\n.input-group-sm + .form-control-feedback,\n.form-group-sm .form-control + .form-control-feedback {\n width: @input-height-small;\n height: @input-height-small;\n line-height: @input-height-small;\n}\n\n// Feedback states\n.has-success {\n .form-control-validation(@state-success-text; @state-success-text; @state-success-bg);\n}\n.has-warning {\n .form-control-validation(@state-warning-text; @state-warning-text; @state-warning-bg);\n}\n.has-error {\n .form-control-validation(@state-danger-text; @state-danger-text; @state-danger-bg);\n}\n\n// Reposition feedback icon if input has visible label above\n.has-feedback label {\n\n & ~ .form-control-feedback {\n top: (@line-height-computed + 5); // Height of the `label` and its margin\n }\n &.sr-only ~ .form-control-feedback {\n top: 0;\n }\n}\n\n\n// Help text\n//\n// Apply to any element you wish to create light text for placement immediately\n// below a form control. Use for general help, formatting, or instructional text.\n\n.help-block {\n display: block; // account for any element using help-block\n margin-top: 5px;\n margin-bottom: 10px;\n color: lighten(@text-color, 25%); // lighten the text some for contrast\n}\n\n\n// Inline forms\n//\n// Make forms appear inline(-block) by adding the `.form-inline` class. Inline\n// forms begin stacked on extra small (mobile) devices and then go inline when\n// viewports reach <768px.\n//\n// Requires wrapping inputs and labels with `.form-group` for proper display of\n// default HTML form controls and our custom form controls (e.g., input groups).\n//\n// Heads up! This is mixin-ed into `.navbar-form` in navbars.less.\n\n.form-inline {\n\n // Kick in the inline\n @media (min-width: @screen-sm-min) {\n // Inline-block all the things for \"inline\"\n .form-group {\n display: inline-block;\n margin-bottom: 0;\n vertical-align: middle;\n }\n\n // In navbar-form, allow folks to *not* use `.form-group`\n .form-control {\n display: inline-block;\n width: auto; // Prevent labels from stacking above inputs in `.form-group`\n vertical-align: middle;\n }\n\n // Make static controls behave like regular ones\n .form-control-static {\n display: inline-block;\n }\n\n .input-group {\n display: inline-table;\n vertical-align: middle;\n\n .input-group-addon,\n .input-group-btn,\n .form-control {\n width: auto;\n }\n }\n\n // Input groups need that 100% width though\n .input-group > .form-control {\n width: 100%;\n }\n\n .control-label {\n margin-bottom: 0;\n vertical-align: middle;\n }\n\n // Remove default margin on radios/checkboxes that were used for stacking, and\n // then undo the floating of radios and checkboxes to match.\n .radio,\n .checkbox {\n display: inline-block;\n margin-top: 0;\n margin-bottom: 0;\n vertical-align: middle;\n\n label {\n padding-left: 0;\n }\n }\n .radio input[type=\"radio\"],\n .checkbox input[type=\"checkbox\"] {\n position: relative;\n margin-left: 0;\n }\n\n // Re-override the feedback icon.\n .has-feedback .form-control-feedback {\n top: 0;\n }\n }\n}\n\n\n// Horizontal forms\n//\n// Horizontal forms are built on grid classes and allow you to create forms with\n// labels on the left and inputs on the right.\n\n.form-horizontal {\n\n // Consistent vertical alignment of radios and checkboxes\n //\n // Labels also get some reset styles, but that is scoped to a media query below.\n .radio,\n .checkbox,\n .radio-inline,\n .checkbox-inline {\n padding-top: (@padding-base-vertical + 1); // Default padding plus a border\n margin-top: 0;\n margin-bottom: 0;\n }\n // Account for padding we're adding to ensure the alignment and of help text\n // and other content below items\n .radio,\n .checkbox {\n min-height: (@line-height-computed + (@padding-base-vertical + 1));\n }\n\n // Make form groups behave like rows\n .form-group {\n .make-row();\n }\n\n // Reset spacing and right align labels, but scope to media queries so that\n // labels on narrow viewports stack the same as a default form example.\n @media (min-width: @screen-sm-min) {\n .control-label {\n padding-top: (@padding-base-vertical + 1); // Default padding plus a border\n margin-bottom: 0;\n text-align: right;\n }\n }\n\n // Validation states\n //\n // Reposition the icon because it's now within a grid column and columns have\n // `position: relative;` on them. Also accounts for the grid gutter padding.\n .has-feedback .form-control-feedback {\n right: floor((@grid-gutter-width / 2));\n }\n\n // Form group sizes\n //\n // Quick utility class for applying `.input-lg` and `.input-sm` styles to the\n // inputs and labels within a `.form-group`.\n .form-group-lg {\n @media (min-width: @screen-sm-min) {\n .control-label {\n padding-top: (@padding-large-vertical + 1);\n font-size: @font-size-large;\n }\n }\n }\n .form-group-sm {\n @media (min-width: @screen-sm-min) {\n .control-label {\n padding-top: (@padding-small-vertical + 1);\n font-size: @font-size-small;\n }\n }\n }\n}\n", "// Form validation states\n//\n// Used in forms.less to generate the form validation CSS for warnings, errors,\n// and successes.\n\n.form-control-validation(@text-color: #555; @border-color: #ccc; @background-color: #f5f5f5) {\n // Color the label and help text\n .help-block,\n .control-label,\n .radio,\n .checkbox,\n .radio-inline,\n .checkbox-inline,\n &.radio label,\n &.checkbox label,\n &.radio-inline label,\n &.checkbox-inline label {\n color: @text-color;\n }\n // Set the border and box shadow on specific inputs to match\n .form-control {\n border-color: @border-color;\n .box-shadow(inset 0 1px 1px rgba(0, 0, 0, .075)); // Redeclare so transitions work\n &:focus {\n border-color: darken(@border-color, 10%);\n @shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px lighten(@border-color, 20%);\n .box-shadow(@shadow);\n }\n }\n // Set validation states also for addons\n .input-group-addon {\n color: @text-color;\n background-color: @background-color;\n border-color: @border-color;\n }\n // Optional feedback icon\n .form-control-feedback {\n color: @text-color;\n }\n}\n\n\n// Form control focus state\n//\n// Generate a customized focus state and for any input with the specified color,\n// which defaults to the `@input-border-focus` variable.\n//\n// We highly encourage you to not customize the default value, but instead use\n// this to tweak colors on an as-needed basis. This aesthetic change is based on\n// WebKit's default styles, but applicable to a wider range of browsers. Its\n// usability and accessibility should be taken into account with any change.\n//\n// Example usage: change the default blue border and shadow to white for better\n// contrast against a dark gray background.\n.form-control-focus(@color: @input-border-focus) {\n @color-rgba: rgba(red(@color), green(@color), blue(@color), .6);\n &:focus {\n border-color: @color;\n outline: 0;\n .box-shadow(~\"inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 8px @{color-rgba}\");\n }\n}\n\n// Form control sizing\n//\n// Relative text size, padding, and border-radii changes for form controls. For\n// horizontal sizing, wrap controls in the predefined grid classes. `<select>`\n// element gets special love because it's special, and that's a fact!\n.input-size(@input-height; @padding-vertical; @padding-horizontal; @font-size; @line-height; @border-radius) {\n height: @input-height;\n padding: @padding-vertical @padding-horizontal;\n font-size: @font-size;\n line-height: @line-height;\n border-radius: @border-radius;\n\n select& {\n height: @input-height;\n line-height: @input-height;\n }\n\n textarea&,\n select[multiple]& {\n height: auto;\n }\n}\n", "// stylelint-disable selector-no-qualifying-type\n\n//\n// Buttons\n// --------------------------------------------------\n\n\n// Base styles\n// --------------------------------------------------\n\n.btn {\n display: inline-block;\n margin-bottom: 0; // For input.btn\n font-weight: @btn-font-weight;\n text-align: center;\n white-space: nowrap;\n vertical-align: middle;\n touch-action: manipulation;\n cursor: pointer;\n background-image: none; // Reset unusual Firefox-on-Android default style; see https://github.com/necolas/normalize.css/issues/214\n border: 1px solid transparent;\n .button-size(@padding-base-vertical; @padding-base-horizontal; @font-size-base; @line-height-base; @btn-border-radius-base);\n .user-select(none);\n\n &,\n &:active,\n &.active {\n &:focus,\n &.focus {\n .tab-focus();\n }\n }\n\n &:hover,\n &:focus,\n &.focus {\n color: @btn-default-color;\n text-decoration: none;\n }\n\n &:active,\n &.active {\n background-image: none;\n outline: 0;\n .box-shadow(inset 0 3px 5px rgba(0, 0, 0, .125));\n }\n\n &.disabled,\n &[disabled],\n fieldset[disabled] & {\n cursor: @cursor-disabled;\n .opacity(.65);\n .box-shadow(none);\n }\n\n a& {\n &.disabled,\n fieldset[disabled] & {\n pointer-events: none; // Future-proof disabling of clicks on `<a>` elements\n }\n }\n}\n\n\n// Alternate buttons\n// --------------------------------------------------\n\n.btn-default {\n .button-variant(@btn-default-color; @btn-default-bg; @btn-default-border);\n}\n.btn-primary {\n .button-variant(@btn-primary-color; @btn-primary-bg; @btn-primary-border);\n}\n// Success appears as green\n.btn-success {\n .button-variant(@btn-success-color; @btn-success-bg; @btn-success-border);\n}\n// Info appears as blue-green\n.btn-info {\n .button-variant(@btn-info-color; @btn-info-bg; @btn-info-border);\n}\n// Warning appears as orange\n.btn-warning {\n .button-variant(@btn-warning-color; @btn-warning-bg; @btn-warning-border);\n}\n// Danger and error appear as red\n.btn-danger {\n .button-variant(@btn-danger-color; @btn-danger-bg; @btn-danger-border);\n}\n\n\n// Link buttons\n// -------------------------\n\n// Make a button look and behave like a link\n.btn-link {\n font-weight: 400;\n color: @link-color;\n border-radius: 0;\n\n &,\n &:active,\n &.active,\n &[disabled],\n fieldset[disabled] & {\n background-color: transparent;\n .box-shadow(none);\n }\n &,\n &:hover,\n &:focus,\n &:active {\n border-color: transparent;\n }\n &:hover,\n &:focus {\n color: @link-hover-color;\n text-decoration: @link-hover-decoration;\n background-color: transparent;\n }\n &[disabled],\n fieldset[disabled] & {\n &:hover,\n &:focus {\n color: @btn-link-disabled-color;\n text-decoration: none;\n }\n }\n}\n\n\n// Button Sizes\n// --------------------------------------------------\n\n.btn-lg {\n // line-height: ensure even-numbered height of button next to large input\n .button-size(@padding-large-vertical; @padding-large-horizontal; @font-size-large; @line-height-large; @btn-border-radius-large);\n}\n.btn-sm {\n // line-height: ensure proper height of button next to small input\n .button-size(@padding-small-vertical; @padding-small-horizontal; @font-size-small; @line-height-small; @btn-border-radius-small);\n}\n.btn-xs {\n .button-size(@padding-xs-vertical; @padding-xs-horizontal; @font-size-small; @line-height-small; @btn-border-radius-small);\n}\n\n\n// Block button\n// --------------------------------------------------\n\n.btn-block {\n display: block;\n width: 100%;\n}\n\n// Vertically space out multiple block buttons\n.btn-block + .btn-block {\n margin-top: 5px;\n}\n\n// Specificity overrides\ninput[type=\"submit\"],\ninput[type=\"reset\"],\ninput[type=\"button\"] {\n &.btn-block {\n width: 100%;\n }\n}\n", "// Button variants\n//\n// Easily pump out default styles, as well as :hover, :focus, :active,\n// and disabled options for all buttons\n\n.button-variant(@color; @background; @border) {\n color: @color;\n background-color: @background;\n border-color: @border;\n\n &:focus,\n &.focus {\n color: @color;\n background-color: darken(@background, 10%);\n border-color: darken(@border, 25%);\n }\n &:hover {\n color: @color;\n background-color: darken(@background, 10%);\n border-color: darken(@border, 12%);\n }\n &:active,\n &.active,\n .open > .dropdown-toggle& {\n color: @color;\n background-color: darken(@background, 10%);\n background-image: none;\n border-color: darken(@border, 12%);\n\n &:hover,\n &:focus,\n &.focus {\n color: @color;\n background-color: darken(@background, 17%);\n border-color: darken(@border, 25%);\n }\n }\n &.disabled,\n &[disabled],\n fieldset[disabled] & {\n &:hover,\n &:focus,\n &.focus {\n background-color: @background;\n border-color: @border;\n }\n }\n\n .badge {\n color: @background;\n background-color: @color;\n }\n}\n\n// Button sizes\n.button-size(@padding-vertical; @padding-horizontal; @font-size; @line-height; @border-radius) {\n padding: @padding-vertical @padding-horizontal;\n font-size: @font-size;\n line-height: @line-height;\n border-radius: @border-radius;\n}\n", "// Opacity\n\n.opacity(@opacity) {\n @opacity-ie: (@opacity * 100); // IE8 filter\n filter: ~\"alpha(opacity=@{opacity-ie})\";\n opacity: @opacity;\n}\n", "// stylelint-disable selector-no-qualifying-type\n\n//\n// Component animations\n// --------------------------------------------------\n\n// Heads up!\n//\n// We don't use the `.opacity()` mixin here since it causes a bug with text\n// fields in IE7-8. Source: https://github.com/twbs/bootstrap/pull/3552.\n\n.fade {\n opacity: 0;\n .transition(opacity .15s linear);\n\n &.in {\n opacity: 1;\n }\n}\n\n.collapse {\n display: none;\n\n &.in { display: block; }\n tr&.in { display: table-row; }\n tbody&.in { display: table-row-group; }\n}\n\n.collapsing {\n position: relative;\n height: 0;\n overflow: hidden;\n .transition-property(~\"height, visibility\");\n .transition-duration(.35s);\n .transition-timing-function(ease);\n}\n", "//\n// Dropdown menus\n// --------------------------------------------------\n\n\n// Dropdown arrow/caret\n.caret {\n display: inline-block;\n width: 0;\n height: 0;\n margin-left: 2px;\n vertical-align: middle;\n border-top: @caret-width-base dashed;\n border-top: @caret-width-base solid ~\"\\9\"; // IE8\n border-right: @caret-width-base solid transparent;\n border-left: @caret-width-base solid transparent;\n}\n\n// The dropdown wrapper (div)\n.dropup,\n.dropdown {\n position: relative;\n}\n\n// Prevent the focus on the dropdown toggle when closing dropdowns\n.dropdown-toggle:focus {\n outline: 0;\n}\n\n// The dropdown menu (ul)\n.dropdown-menu {\n position: absolute;\n top: 100%;\n left: 0;\n z-index: @zindex-dropdown;\n display: none; // none by default, but block on \"open\" of the menu\n float: left;\n min-width: 160px;\n padding: 5px 0;\n margin: 2px 0 0; // override default ul\n font-size: @font-size-base;\n text-align: left; // Ensures proper alignment if parent has it changed (e.g., modal footer)\n list-style: none;\n background-color: @dropdown-bg;\n background-clip: padding-box;\n border: 1px solid @dropdown-fallback-border; // IE8 fallback\n border: 1px solid @dropdown-border;\n border-radius: @border-radius-base;\n .box-shadow(0 6px 12px rgba(0, 0, 0, .175));\n\n // Aligns the dropdown menu to right\n //\n // Deprecated as of 3.1.0 in favor of `.dropdown-menu-[dir]`\n &.pull-right {\n right: 0;\n left: auto;\n }\n\n // Dividers (basically an hr) within the dropdown\n .divider {\n .nav-divider(@dropdown-divider-bg);\n }\n\n // Links within the dropdown menu\n > li > a {\n display: block;\n padding: 3px 20px;\n clear: both;\n font-weight: 400;\n line-height: @line-height-base;\n color: @dropdown-link-color;\n white-space: nowrap; // prevent links from randomly breaking onto new lines\n\n &:hover,\n &:focus {\n color: @dropdown-link-hover-color;\n text-decoration: none;\n background-color: @dropdown-link-hover-bg;\n }\n }\n}\n\n// Active state\n.dropdown-menu > .active > a {\n &,\n &:hover,\n &:focus {\n color: @dropdown-link-active-color;\n text-decoration: none;\n background-color: @dropdown-link-active-bg;\n outline: 0;\n }\n}\n\n// Disabled state\n//\n// Gray out text and ensure the hover/focus state remains gray\n\n.dropdown-menu > .disabled > a {\n &,\n &:hover,\n &:focus {\n color: @dropdown-link-disabled-color;\n }\n\n // Nuke hover/focus effects\n &:hover,\n &:focus {\n text-decoration: none;\n cursor: @cursor-disabled;\n background-color: transparent;\n background-image: none; // Remove CSS gradient\n .reset-filter();\n }\n}\n\n// Open state for the dropdown\n.open {\n // Show the menu\n > .dropdown-menu {\n display: block;\n }\n\n // Remove the outline when :focus is triggered\n > a {\n outline: 0;\n }\n}\n\n// Menu positioning\n//\n// Add extra class to `.dropdown-menu` to flip the alignment of the dropdown\n// menu with the parent.\n.dropdown-menu-right {\n right: 0;\n left: auto; // Reset the default from `.dropdown-menu`\n}\n// With v3, we enabled auto-flipping if you have a dropdown within a right\n// aligned nav component. To enable the undoing of that, we provide an override\n// to restore the default dropdown menu alignment.\n//\n// This is only for left-aligning a dropdown menu within a `.navbar-right` or\n// `.pull-right` nav component.\n.dropdown-menu-left {\n right: auto;\n left: 0;\n}\n\n// Dropdown section headers\n.dropdown-header {\n display: block;\n padding: 3px 20px;\n font-size: @font-size-small;\n line-height: @line-height-base;\n color: @dropdown-header-color;\n white-space: nowrap; // as with > li > a\n}\n\n// Backdrop to catch body clicks on mobile, etc.\n.dropdown-backdrop {\n position: fixed;\n top: 0;\n right: 0;\n bottom: 0;\n left: 0;\n z-index: (@zindex-dropdown - 10);\n}\n\n// Right aligned dropdowns\n.pull-right > .dropdown-menu {\n right: 0;\n left: auto;\n}\n\n// Allow for dropdowns to go bottom up (aka, dropup-menu)\n//\n// Just add .dropup after the standard .dropdown class and you're set, bro.\n// TODO: abstract this so that the navbar fixed styles are not placed here?\n\n.dropup,\n.navbar-fixed-bottom .dropdown {\n // Reverse the caret\n .caret {\n content: \"\";\n border-top: 0;\n border-bottom: @caret-width-base dashed;\n border-bottom: @caret-width-base solid ~\"\\9\"; // IE8\n }\n // Different positioning for bottom up menu\n .dropdown-menu {\n top: auto;\n bottom: 100%;\n margin-bottom: 2px;\n }\n}\n\n\n// Component alignment\n//\n// Reiterate per navbar.less and the modified component alignment there.\n\n@media (min-width: @grid-float-breakpoint) {\n .navbar-right {\n .dropdown-menu {\n .dropdown-menu-right();\n }\n // Necessary for overrides of the default right aligned menu.\n // Will remove come v4 in all likelihood.\n .dropdown-menu-left {\n .dropdown-menu-left();\n }\n }\n}\n", "// Horizontal dividers\n//\n// Dividers (basically an hr) within dropdowns and nav lists\n\n.nav-divider(@color: #e5e5e5) {\n height: 1px;\n margin: ((@line-height-computed / 2) - 1) 0;\n overflow: hidden;\n background-color: @color;\n}\n", "// Reset filters for IE\n//\n// When you need to remove a gradient background, do not forget to use this to reset\n// the IE filter for IE9 and below.\n\n.reset-filter() {\n filter: e(%(\"progid:DXImageTransform.Microsoft.gradient(enabled = false)\"));\n}\n", "// stylelint-disable selector-no-qualifying-type */\n\n//\n// Button groups\n// --------------------------------------------------\n\n// Make the div behave like a button\n.btn-group,\n.btn-group-vertical {\n position: relative;\n display: inline-block;\n vertical-align: middle; // match .btn alignment given font-size hack above\n > .btn {\n position: relative;\n float: left;\n // Bring the \"active\" button to the front\n &:hover,\n &:focus,\n &:active,\n &.active {\n z-index: 2;\n }\n }\n}\n\n// Prevent double borders when buttons are next to each other\n.btn-group {\n .btn + .btn,\n .btn + .btn-group,\n .btn-group + .btn,\n .btn-group + .btn-group {\n margin-left: -1px;\n }\n}\n\n// Optional: Group multiple button groups together for a toolbar\n.btn-toolbar {\n margin-left: -5px; // Offset the first child's margin\n &:extend(.clearfix all);\n\n .btn,\n .btn-group,\n .input-group {\n float: left;\n }\n > .btn,\n > .btn-group,\n > .input-group {\n margin-left: 5px;\n }\n}\n\n.btn-group > .btn:not(:first-child):not(:last-child):not(.dropdown-toggle) {\n border-radius: 0;\n}\n\n// Set corners individual because sometimes a single button can be in a .btn-group and we need :first-child and :last-child to both match\n.btn-group > .btn:first-child {\n margin-left: 0;\n &:not(:last-child):not(.dropdown-toggle) {\n .border-right-radius(0);\n }\n}\n// Need .dropdown-toggle since :last-child doesn't apply, given that a .dropdown-menu is used immediately after it\n.btn-group > .btn:last-child:not(:first-child),\n.btn-group > .dropdown-toggle:not(:first-child) {\n .border-left-radius(0);\n}\n\n// Custom edits for including btn-groups within btn-groups (useful for including dropdown buttons within a btn-group)\n.btn-group > .btn-group {\n float: left;\n}\n.btn-group > .btn-group:not(:first-child):not(:last-child) > .btn {\n border-radius: 0;\n}\n.btn-group > .btn-group:first-child:not(:last-child) {\n > .btn:last-child,\n > .dropdown-toggle {\n .border-right-radius(0);\n }\n}\n.btn-group > .btn-group:last-child:not(:first-child) > .btn:first-child {\n .border-left-radius(0);\n}\n\n// On active and open, don't show outline\n.btn-group .dropdown-toggle:active,\n.btn-group.open .dropdown-toggle {\n outline: 0;\n}\n\n\n// Sizing\n//\n// Remix the default button sizing classes into new ones for easier manipulation.\n\n.btn-group-xs > .btn { &:extend(.btn-xs); }\n.btn-group-sm > .btn { &:extend(.btn-sm); }\n.btn-group-lg > .btn { &:extend(.btn-lg); }\n\n\n// Split button dropdowns\n// ----------------------\n\n// Give the line between buttons some depth\n.btn-group > .btn + .dropdown-toggle {\n padding-right: 8px;\n padding-left: 8px;\n}\n.btn-group > .btn-lg + .dropdown-toggle {\n padding-right: 12px;\n padding-left: 12px;\n}\n\n// The clickable button for toggling the menu\n// Remove the gradient and set the same inset shadow as the :active state\n.btn-group.open .dropdown-toggle {\n .box-shadow(inset 0 3px 5px rgba(0, 0, 0, .125));\n\n // Show no shadow for `.btn-link` since it has no other button styles.\n &.btn-link {\n .box-shadow(none);\n }\n}\n\n\n// Reposition the caret\n.btn .caret {\n margin-left: 0;\n}\n// Carets in other button sizes\n.btn-lg .caret {\n border-width: @caret-width-large @caret-width-large 0;\n border-bottom-width: 0;\n}\n// Upside down carets for .dropup\n.dropup .btn-lg .caret {\n border-width: 0 @caret-width-large @caret-width-large;\n}\n\n\n// Vertical button groups\n// ----------------------\n\n.btn-group-vertical {\n > .btn,\n > .btn-group,\n > .btn-group > .btn {\n display: block;\n float: none;\n width: 100%;\n max-width: 100%;\n }\n\n // Clear floats so dropdown menus can be properly placed\n > .btn-group {\n &:extend(.clearfix all);\n > .btn {\n float: none;\n }\n }\n\n > .btn + .btn,\n > .btn + .btn-group,\n > .btn-group + .btn,\n > .btn-group + .btn-group {\n margin-top: -1px;\n margin-left: 0;\n }\n}\n\n.btn-group-vertical > .btn {\n &:not(:first-child):not(:last-child) {\n border-radius: 0;\n }\n &:first-child:not(:last-child) {\n .border-top-radius(@btn-border-radius-base);\n .border-bottom-radius(0);\n }\n &:last-child:not(:first-child) {\n .border-top-radius(0);\n .border-bottom-radius(@btn-border-radius-base);\n }\n}\n.btn-group-vertical > .btn-group:not(:first-child):not(:last-child) > .btn {\n border-radius: 0;\n}\n.btn-group-vertical > .btn-group:first-child:not(:last-child) {\n > .btn:last-child,\n > .dropdown-toggle {\n .border-bottom-radius(0);\n }\n}\n.btn-group-vertical > .btn-group:last-child:not(:first-child) > .btn:first-child {\n .border-top-radius(0);\n}\n\n\n// Justified button groups\n// ----------------------\n\n.btn-group-justified {\n display: table;\n width: 100%;\n table-layout: fixed;\n border-collapse: separate;\n > .btn,\n > .btn-group {\n display: table-cell;\n float: none;\n width: 1%;\n }\n > .btn-group .btn {\n width: 100%;\n }\n\n > .btn-group .dropdown-menu {\n left: auto;\n }\n}\n\n\n// Checkbox and radio options\n//\n// In order to support the browser's form validation feedback, powered by the\n// `required` attribute, we have to \"hide\" the inputs via `clip`. We cannot use\n// `display: none;` or `visibility: hidden;` as that also hides the popover.\n// Simply visually hiding the inputs via `opacity` would leave them clickable in\n// certain cases which is prevented by using `clip` and `pointer-events`.\n// This way, we ensure a DOM element is visible to position the popover from.\n//\n// See https://github.com/twbs/bootstrap/pull/12794 and\n// https://github.com/twbs/bootstrap/pull/14559 for more information.\n\n[data-toggle=\"buttons\"] {\n > .btn,\n > .btn-group > .btn {\n input[type=\"radio\"],\n input[type=\"checkbox\"] {\n position: absolute;\n clip: rect(0, 0, 0, 0);\n pointer-events: none;\n }\n }\n}\n", "// Single side border-radius\n\n.border-top-radius(@radius) {\n border-top-left-radius: @radius;\n border-top-right-radius: @radius;\n}\n.border-right-radius(@radius) {\n border-top-right-radius: @radius;\n border-bottom-right-radius: @radius;\n}\n.border-bottom-radius(@radius) {\n border-bottom-right-radius: @radius;\n border-bottom-left-radius: @radius;\n}\n.border-left-radius(@radius) {\n border-top-left-radius: @radius;\n border-bottom-left-radius: @radius;\n}\n", "// stylelint-disable selector-no-qualifying-type\n\n//\n// Input groups\n// --------------------------------------------------\n\n// Base styles\n// -------------------------\n.input-group {\n position: relative; // For dropdowns\n display: table;\n border-collapse: separate; // prevent input groups from inheriting border styles from table cells when placed within a table\n\n // Undo padding and float of grid classes\n &[class*=\"col-\"] {\n float: none;\n padding-right: 0;\n padding-left: 0;\n }\n\n .form-control {\n // Ensure that the input is always above the *appended* addon button for\n // proper border colors.\n position: relative;\n z-index: 2;\n\n // IE9 fubars the placeholder attribute in text inputs and the arrows on\n // select elements in input groups. To fix it, we float the input. Details:\n // https://github.com/twbs/bootstrap/issues/11561#issuecomment-28936855\n float: left;\n\n width: 100%;\n margin-bottom: 0;\n\n &:focus {\n z-index: 3;\n }\n }\n}\n\n// Sizing options\n//\n// Remix the default form control sizing classes into new ones for easier\n// manipulation.\n\n.input-group-lg > .form-control,\n.input-group-lg > .input-group-addon,\n.input-group-lg > .input-group-btn > .btn {\n .input-lg();\n}\n.input-group-sm > .form-control,\n.input-group-sm > .input-group-addon,\n.input-group-sm > .input-group-btn > .btn {\n .input-sm();\n}\n\n\n// Display as table-cell\n// -------------------------\n.input-group-addon,\n.input-group-btn,\n.input-group .form-control {\n display: table-cell;\n\n &:not(:first-child):not(:last-child) {\n border-radius: 0;\n }\n}\n// Addon and addon wrapper for buttons\n.input-group-addon,\n.input-group-btn {\n width: 1%;\n white-space: nowrap;\n vertical-align: middle; // Match the inputs\n}\n\n// Text input groups\n// -------------------------\n.input-group-addon {\n padding: @padding-base-vertical @padding-base-horizontal;\n font-size: @font-size-base;\n font-weight: 400;\n line-height: 1;\n color: @input-color;\n text-align: center;\n background-color: @input-group-addon-bg;\n border: 1px solid @input-group-addon-border-color;\n border-radius: @input-border-radius;\n\n // Sizing\n &.input-sm {\n padding: @padding-small-vertical @padding-small-horizontal;\n font-size: @font-size-small;\n border-radius: @input-border-radius-small;\n }\n &.input-lg {\n padding: @padding-large-vertical @padding-large-horizontal;\n font-size: @font-size-large;\n border-radius: @input-border-radius-large;\n }\n\n // Nuke default margins from checkboxes and radios to vertically center within.\n input[type=\"radio\"],\n input[type=\"checkbox\"] {\n margin-top: 0;\n }\n}\n\n// Reset rounded corners\n.input-group .form-control:first-child,\n.input-group-addon:first-child,\n.input-group-btn:first-child > .btn,\n.input-group-btn:first-child > .btn-group > .btn,\n.input-group-btn:first-child > .dropdown-toggle,\n.input-group-btn:last-child > .btn:not(:last-child):not(.dropdown-toggle),\n.input-group-btn:last-child > .btn-group:not(:last-child) > .btn {\n .border-right-radius(0);\n}\n.input-group-addon:first-child {\n border-right: 0;\n}\n.input-group .form-control:last-child,\n.input-group-addon:last-child,\n.input-group-btn:last-child > .btn,\n.input-group-btn:last-child > .btn-group > .btn,\n.input-group-btn:last-child > .dropdown-toggle,\n.input-group-btn:first-child > .btn:not(:first-child),\n.input-group-btn:first-child > .btn-group:not(:first-child) > .btn {\n .border-left-radius(0);\n}\n.input-group-addon:last-child {\n border-left: 0;\n}\n\n// Button input groups\n// -------------------------\n.input-group-btn {\n position: relative;\n // Jankily prevent input button groups from wrapping with `white-space` and\n // `font-size` in combination with `inline-block` on buttons.\n font-size: 0;\n white-space: nowrap;\n\n // Negative margin for spacing, position for bringing hovered/focused/actived\n // element above the siblings.\n > .btn {\n position: relative;\n + .btn {\n margin-left: -1px;\n }\n // Bring the \"active\" button to the front\n &:hover,\n &:focus,\n &:active {\n z-index: 2;\n }\n }\n\n // Negative margin to only have a 1px border between the two\n &:first-child {\n > .btn,\n > .btn-group {\n margin-right: -1px;\n }\n }\n &:last-child {\n > .btn,\n > .btn-group {\n z-index: 2;\n margin-left: -1px;\n }\n }\n}\n", "// stylelint-disable selector-no-qualifying-type, selector-max-type\n\n//\n// Navs\n// --------------------------------------------------\n\n\n// Base class\n// --------------------------------------------------\n\n.nav {\n padding-left: 0; // Override default ul/ol\n margin-bottom: 0;\n list-style: none;\n &:extend(.clearfix all);\n\n > li {\n position: relative;\n display: block;\n\n > a {\n position: relative;\n display: block;\n padding: @nav-link-padding;\n &:hover,\n &:focus {\n text-decoration: none;\n background-color: @nav-link-hover-bg;\n }\n }\n\n // Disabled state sets text to gray and nukes hover/tab effects\n &.disabled > a {\n color: @nav-disabled-link-color;\n\n &:hover,\n &:focus {\n color: @nav-disabled-link-hover-color;\n text-decoration: none;\n cursor: @cursor-disabled;\n background-color: transparent;\n }\n }\n }\n\n // Open dropdowns\n .open > a {\n &,\n &:hover,\n &:focus {\n background-color: @nav-link-hover-bg;\n border-color: @link-color;\n }\n }\n\n // Nav dividers (deprecated with v3.0.1)\n //\n // This should have been removed in v3 with the dropping of `.nav-list`, but\n // we missed it. We don't currently support this anywhere, but in the interest\n // of maintaining backward compatibility in case you use it, it's deprecated.\n .nav-divider {\n .nav-divider();\n }\n\n // Prevent IE8 from misplacing imgs\n //\n // See https://github.com/h5bp/html5-boilerplate/issues/984#issuecomment-3985989\n > li > a > img {\n max-width: none;\n }\n}\n\n\n// Tabs\n// -------------------------\n\n// Give the tabs something to sit on\n.nav-tabs {\n border-bottom: 1px solid @nav-tabs-border-color;\n > li {\n float: left;\n // Make the list-items overlay the bottom border\n margin-bottom: -1px;\n\n // Actual tabs (as links)\n > a {\n margin-right: 2px;\n line-height: @line-height-base;\n border: 1px solid transparent;\n border-radius: @border-radius-base @border-radius-base 0 0;\n &:hover {\n border-color: @nav-tabs-link-hover-border-color @nav-tabs-link-hover-border-color @nav-tabs-border-color;\n }\n }\n\n // Active state, and its :hover to override normal :hover\n &.active > a {\n &,\n &:hover,\n &:focus {\n color: @nav-tabs-active-link-hover-color;\n cursor: default;\n background-color: @nav-tabs-active-link-hover-bg;\n border: 1px solid @nav-tabs-active-link-hover-border-color;\n border-bottom-color: transparent;\n }\n }\n }\n // pulling this in mainly for less shorthand\n &.nav-justified {\n .nav-justified();\n .nav-tabs-justified();\n }\n}\n\n\n// Pills\n// -------------------------\n.nav-pills {\n > li {\n float: left;\n\n // Links rendered as pills\n > a {\n border-radius: @nav-pills-border-radius;\n }\n + li {\n margin-left: 2px;\n }\n\n // Active state\n &.active > a {\n &,\n &:hover,\n &:focus {\n color: @nav-pills-active-link-hover-color;\n background-color: @nav-pills-active-link-hover-bg;\n }\n }\n }\n}\n\n\n// Stacked pills\n.nav-stacked {\n > li {\n float: none;\n + li {\n margin-top: 2px;\n margin-left: 0; // no need for this gap between nav items\n }\n }\n}\n\n\n// Nav variations\n// --------------------------------------------------\n\n// Justified nav links\n// -------------------------\n\n.nav-justified {\n width: 100%;\n\n > li {\n float: none;\n > a {\n margin-bottom: 5px;\n text-align: center;\n }\n }\n\n > .dropdown .dropdown-menu {\n top: auto;\n left: auto;\n }\n\n @media (min-width: @screen-sm-min) {\n > li {\n display: table-cell;\n width: 1%;\n > a {\n margin-bottom: 0;\n }\n }\n }\n}\n\n// Move borders to anchors instead of bottom of list\n//\n// Mixin for adding on top the shared `.nav-justified` styles for our tabs\n.nav-tabs-justified {\n border-bottom: 0;\n\n > li > a {\n // Override margin from .nav-tabs\n margin-right: 0;\n border-radius: @border-radius-base;\n }\n\n > .active > a,\n > .active > a:hover,\n > .active > a:focus {\n border: 1px solid @nav-tabs-justified-link-border-color;\n }\n\n @media (min-width: @screen-sm-min) {\n > li > a {\n border-bottom: 1px solid @nav-tabs-justified-link-border-color;\n border-radius: @border-radius-base @border-radius-base 0 0;\n }\n > .active > a,\n > .active > a:hover,\n > .active > a:focus {\n border-bottom-color: @nav-tabs-justified-active-link-border-color;\n }\n }\n}\n\n\n// Tabbable tabs\n// -------------------------\n\n// Hide tabbable panes to start, show them when `.active`\n.tab-content {\n > .tab-pane {\n display: none;\n }\n > .active {\n display: block;\n }\n}\n\n\n// Dropdowns\n// -------------------------\n\n// Specific dropdowns\n.nav-tabs .dropdown-menu {\n // make dropdown border overlap tab border\n margin-top: -1px;\n // Remove the top rounded corners here since there is a hard edge above the menu\n .border-top-radius(0);\n}\n", "// stylelint-disable selector-max-type, selector-max-compound-selectors, selector-max-combinators, selector-max-class, declaration-no-important, selector-no-qualifying-type\n\n//\n// Navbars\n// --------------------------------------------------\n\n\n// Wrapper and base class\n//\n// Provide a static navbar from which we expand to create full-width, fixed, and\n// other navbar variations.\n\n.navbar {\n position: relative;\n min-height: @navbar-height; // Ensure a navbar always shows (e.g., without a .navbar-brand in collapsed mode)\n margin-bottom: @navbar-margin-bottom;\n border: 1px solid transparent;\n\n // Prevent floats from breaking the navbar\n &:extend(.clearfix all);\n\n @media (min-width: @grid-float-breakpoint) {\n border-radius: @navbar-border-radius;\n }\n}\n\n\n// Navbar heading\n//\n// Groups `.navbar-brand` and `.navbar-toggle` into a single component for easy\n// styling of responsive aspects.\n\n.navbar-header {\n &:extend(.clearfix all);\n\n @media (min-width: @grid-float-breakpoint) {\n float: left;\n }\n}\n\n\n// Navbar collapse (body)\n//\n// Group your navbar content into this for easy collapsing and expanding across\n// various device sizes. By default, this content is collapsed when <768px, but\n// will expand past that for a horizontal display.\n//\n// To start (on mobile devices) the navbar links, forms, and buttons are stacked\n// vertically and include a `max-height` to overflow in case you have too much\n// content for the user's viewport.\n\n.navbar-collapse {\n padding-right: @navbar-padding-horizontal;\n padding-left: @navbar-padding-horizontal;\n overflow-x: visible;\n border-top: 1px solid transparent;\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1);\n &:extend(.clearfix all);\n -webkit-overflow-scrolling: touch;\n\n &.in {\n overflow-y: auto;\n }\n\n @media (min-width: @grid-float-breakpoint) {\n width: auto;\n border-top: 0;\n box-shadow: none;\n\n &.collapse {\n display: block !important;\n height: auto !important;\n padding-bottom: 0; // Override default setting\n overflow: visible !important;\n }\n\n &.in {\n overflow-y: visible;\n }\n\n // Undo the collapse side padding for navbars with containers to ensure\n // alignment of right-aligned contents.\n .navbar-fixed-top &,\n .navbar-static-top &,\n .navbar-fixed-bottom & {\n padding-right: 0;\n padding-left: 0;\n }\n }\n}\n\n.navbar-fixed-top,\n.navbar-fixed-bottom {\n .navbar-collapse {\n max-height: @navbar-collapse-max-height;\n\n @media (max-device-width: @screen-xs-min) and (orientation: landscape) {\n max-height: 200px;\n }\n }\n\n // Fix the top/bottom navbars when screen real estate supports it\n position: fixed;\n right: 0;\n left: 0;\n z-index: @zindex-navbar-fixed;\n\n // Undo the rounded corners\n @media (min-width: @grid-float-breakpoint) {\n border-radius: 0;\n }\n}\n\n.navbar-fixed-top {\n top: 0;\n border-width: 0 0 1px;\n}\n.navbar-fixed-bottom {\n bottom: 0;\n margin-bottom: 0; // override .navbar defaults\n border-width: 1px 0 0;\n}\n\n\n// Both navbar header and collapse\n//\n// When a container is present, change the behavior of the header and collapse.\n\n.container,\n.container-fluid {\n > .navbar-header,\n > .navbar-collapse {\n margin-right: -@navbar-padding-horizontal;\n margin-left: -@navbar-padding-horizontal;\n\n @media (min-width: @grid-float-breakpoint) {\n margin-right: 0;\n margin-left: 0;\n }\n }\n}\n\n\n//\n// Navbar alignment options\n//\n// Display the navbar across the entirety of the page or fixed it to the top or\n// bottom of the page.\n\n// Static top (unfixed, but 100% wide) navbar\n.navbar-static-top {\n z-index: @zindex-navbar;\n border-width: 0 0 1px;\n\n @media (min-width: @grid-float-breakpoint) {\n border-radius: 0;\n }\n}\n\n\n// Brand/project name\n\n.navbar-brand {\n float: left;\n height: @navbar-height;\n padding: @navbar-padding-vertical @navbar-padding-horizontal;\n font-size: @font-size-large;\n line-height: @line-height-computed;\n\n &:hover,\n &:focus {\n text-decoration: none;\n }\n\n > img {\n display: block;\n }\n\n @media (min-width: @grid-float-breakpoint) {\n .navbar > .container &,\n .navbar > .container-fluid & {\n margin-left: -@navbar-padding-horizontal;\n }\n }\n}\n\n\n// Navbar toggle\n//\n// Custom button for toggling the `.navbar-collapse`, powered by the collapse\n// JavaScript plugin.\n\n.navbar-toggle {\n position: relative;\n float: right;\n padding: 9px 10px;\n margin-right: @navbar-padding-horizontal;\n .navbar-vertical-align(34px);\n background-color: transparent;\n background-image: none; // Reset unusual Firefox-on-Android default style; see https://github.com/necolas/normalize.css/issues/214\n border: 1px solid transparent;\n border-radius: @border-radius-base;\n\n // We remove the `outline` here, but later compensate by attaching `:hover`\n // styles to `:focus`.\n &:focus {\n outline: 0;\n }\n\n // Bars\n .icon-bar {\n display: block;\n width: 22px;\n height: 2px;\n border-radius: 1px;\n }\n .icon-bar + .icon-bar {\n margin-top: 4px;\n }\n\n @media (min-width: @grid-float-breakpoint) {\n display: none;\n }\n}\n\n\n// Navbar nav links\n//\n// Builds on top of the `.nav` components with its own modifier class to make\n// the nav the full height of the horizontal nav (above 768px).\n\n.navbar-nav {\n margin: (@navbar-padding-vertical / 2) -@navbar-padding-horizontal;\n\n > li > a {\n padding-top: 10px;\n padding-bottom: 10px;\n line-height: @line-height-computed;\n }\n\n @media (max-width: @grid-float-breakpoint-max) {\n // Dropdowns get custom display when collapsed\n .open .dropdown-menu {\n position: static;\n float: none;\n width: auto;\n margin-top: 0;\n background-color: transparent;\n border: 0;\n box-shadow: none;\n > li > a,\n .dropdown-header {\n padding: 5px 15px 5px 25px;\n }\n > li > a {\n line-height: @line-height-computed;\n &:hover,\n &:focus {\n background-image: none;\n }\n }\n }\n }\n\n // Uncollapse the nav\n @media (min-width: @grid-float-breakpoint) {\n float: left;\n margin: 0;\n\n > li {\n float: left;\n > a {\n padding-top: @navbar-padding-vertical;\n padding-bottom: @navbar-padding-vertical;\n }\n }\n }\n}\n\n\n// Navbar form\n//\n// Extension of the `.form-inline` with some extra flavor for optimum display in\n// our navbars.\n\n.navbar-form {\n padding: 10px @navbar-padding-horizontal;\n margin-right: -@navbar-padding-horizontal;\n margin-left: -@navbar-padding-horizontal;\n border-top: 1px solid transparent;\n border-bottom: 1px solid transparent;\n @shadow: inset 0 1px 0 rgba(255, 255, 255, .1), 0 1px 0 rgba(255, 255, 255, .1);\n .box-shadow(@shadow);\n\n // Mixin behavior for optimum display\n .form-inline();\n\n .form-group {\n @media (max-width: @grid-float-breakpoint-max) {\n margin-bottom: 5px;\n\n &:last-child {\n margin-bottom: 0;\n }\n }\n }\n\n // Vertically center in expanded, horizontal navbar\n .navbar-vertical-align(@input-height-base);\n\n // Undo 100% width for pull classes\n @media (min-width: @grid-float-breakpoint) {\n width: auto;\n padding-top: 0;\n padding-bottom: 0;\n margin-right: 0;\n margin-left: 0;\n border: 0;\n .box-shadow(none);\n }\n}\n\n\n// Dropdown menus\n\n// Menu position and menu carets\n.navbar-nav > li > .dropdown-menu {\n margin-top: 0;\n .border-top-radius(0);\n}\n// Menu position and menu caret support for dropups via extra dropup class\n.navbar-fixed-bottom .navbar-nav > li > .dropdown-menu {\n margin-bottom: 0;\n .border-top-radius(@navbar-border-radius);\n .border-bottom-radius(0);\n}\n\n\n// Buttons in navbars\n//\n// Vertically center a button within a navbar (when *not* in a form).\n\n.navbar-btn {\n .navbar-vertical-align(@input-height-base);\n\n &.btn-sm {\n .navbar-vertical-align(@input-height-small);\n }\n &.btn-xs {\n .navbar-vertical-align(22);\n }\n}\n\n\n// Text in navbars\n//\n// Add a class to make any element properly align itself vertically within the navbars.\n\n.navbar-text {\n .navbar-vertical-align(@line-height-computed);\n\n @media (min-width: @grid-float-breakpoint) {\n float: left;\n margin-right: @navbar-padding-horizontal;\n margin-left: @navbar-padding-horizontal;\n }\n}\n\n\n// Component alignment\n//\n// Repurpose the pull utilities as their own navbar utilities to avoid specificity\n// issues with parents and chaining. Only do this when the navbar is uncollapsed\n// though so that navbar contents properly stack and align in mobile.\n//\n// Declared after the navbar components to ensure more specificity on the margins.\n\n@media (min-width: @grid-float-breakpoint) {\n .navbar-left { .pull-left(); }\n .navbar-right {\n .pull-right();\n margin-right: -@navbar-padding-horizontal;\n\n ~ .navbar-right {\n margin-right: 0;\n }\n }\n}\n\n\n// Alternate navbars\n// --------------------------------------------------\n\n// Default navbar\n.navbar-default {\n background-color: @navbar-default-bg;\n border-color: @navbar-default-border;\n\n .navbar-brand {\n color: @navbar-default-brand-color;\n &:hover,\n &:focus {\n color: @navbar-default-brand-hover-color;\n background-color: @navbar-default-brand-hover-bg;\n }\n }\n\n .navbar-text {\n color: @navbar-default-color;\n }\n\n .navbar-nav {\n > li > a {\n color: @navbar-default-link-color;\n\n &:hover,\n &:focus {\n color: @navbar-default-link-hover-color;\n background-color: @navbar-default-link-hover-bg;\n }\n }\n > .active > a {\n &,\n &:hover,\n &:focus {\n color: @navbar-default-link-active-color;\n background-color: @navbar-default-link-active-bg;\n }\n }\n > .disabled > a {\n &,\n &:hover,\n &:focus {\n color: @navbar-default-link-disabled-color;\n background-color: @navbar-default-link-disabled-bg;\n }\n }\n\n // Dropdown menu items\n // Remove background color from open dropdown\n > .open > a {\n &,\n &:hover,\n &:focus {\n color: @navbar-default-link-active-color;\n background-color: @navbar-default-link-active-bg;\n }\n }\n\n @media (max-width: @grid-float-breakpoint-max) {\n // Dropdowns get custom display when collapsed\n .open .dropdown-menu {\n > li > a {\n color: @navbar-default-link-color;\n &:hover,\n &:focus {\n color: @navbar-default-link-hover-color;\n background-color: @navbar-default-link-hover-bg;\n }\n }\n > .active > a {\n &,\n &:hover,\n &:focus {\n color: @navbar-default-link-active-color;\n background-color: @navbar-default-link-active-bg;\n }\n }\n > .disabled > a {\n &,\n &:hover,\n &:focus {\n color: @navbar-default-link-disabled-color;\n background-color: @navbar-default-link-disabled-bg;\n }\n }\n }\n }\n }\n\n .navbar-toggle {\n border-color: @navbar-default-toggle-border-color;\n &:hover,\n &:focus {\n background-color: @navbar-default-toggle-hover-bg;\n }\n .icon-bar {\n background-color: @navbar-default-toggle-icon-bar-bg;\n }\n }\n\n .navbar-collapse,\n .navbar-form {\n border-color: @navbar-default-border;\n }\n\n\n // Links in navbars\n //\n // Add a class to ensure links outside the navbar nav are colored correctly.\n\n .navbar-link {\n color: @navbar-default-link-color;\n &:hover {\n color: @navbar-default-link-hover-color;\n }\n }\n\n .btn-link {\n color: @navbar-default-link-color;\n &:hover,\n &:focus {\n color: @navbar-default-link-hover-color;\n }\n &[disabled],\n fieldset[disabled] & {\n &:hover,\n &:focus {\n color: @navbar-default-link-disabled-color;\n }\n }\n }\n}\n\n// Inverse navbar\n\n.navbar-inverse {\n background-color: @navbar-inverse-bg;\n border-color: @navbar-inverse-border;\n\n .navbar-brand {\n color: @navbar-inverse-brand-color;\n &:hover,\n &:focus {\n color: @navbar-inverse-brand-hover-color;\n background-color: @navbar-inverse-brand-hover-bg;\n }\n }\n\n .navbar-text {\n color: @navbar-inverse-color;\n }\n\n .navbar-nav {\n > li > a {\n color: @navbar-inverse-link-color;\n\n &:hover,\n &:focus {\n color: @navbar-inverse-link-hover-color;\n background-color: @navbar-inverse-link-hover-bg;\n }\n }\n > .active > a {\n &,\n &:hover,\n &:focus {\n color: @navbar-inverse-link-active-color;\n background-color: @navbar-inverse-link-active-bg;\n }\n }\n > .disabled > a {\n &,\n &:hover,\n &:focus {\n color: @navbar-inverse-link-disabled-color;\n background-color: @navbar-inverse-link-disabled-bg;\n }\n }\n\n // Dropdowns\n > .open > a {\n &,\n &:hover,\n &:focus {\n color: @navbar-inverse-link-active-color;\n background-color: @navbar-inverse-link-active-bg;\n }\n }\n\n @media (max-width: @grid-float-breakpoint-max) {\n // Dropdowns get custom display\n .open .dropdown-menu {\n > .dropdown-header {\n border-color: @navbar-inverse-border;\n }\n .divider {\n background-color: @navbar-inverse-border;\n }\n > li > a {\n color: @navbar-inverse-link-color;\n &:hover,\n &:focus {\n color: @navbar-inverse-link-hover-color;\n background-color: @navbar-inverse-link-hover-bg;\n }\n }\n > .active > a {\n &,\n &:hover,\n &:focus {\n color: @navbar-inverse-link-active-color;\n background-color: @navbar-inverse-link-active-bg;\n }\n }\n > .disabled > a {\n &,\n &:hover,\n &:focus {\n color: @navbar-inverse-link-disabled-color;\n background-color: @navbar-inverse-link-disabled-bg;\n }\n }\n }\n }\n }\n\n // Darken the responsive nav toggle\n .navbar-toggle {\n border-color: @navbar-inverse-toggle-border-color;\n &:hover,\n &:focus {\n background-color: @navbar-inverse-toggle-hover-bg;\n }\n .icon-bar {\n background-color: @navbar-inverse-toggle-icon-bar-bg;\n }\n }\n\n .navbar-collapse,\n .navbar-form {\n border-color: darken(@navbar-inverse-bg, 7%);\n }\n\n .navbar-link {\n color: @navbar-inverse-link-color;\n &:hover {\n color: @navbar-inverse-link-hover-color;\n }\n }\n\n .btn-link {\n color: @navbar-inverse-link-color;\n &:hover,\n &:focus {\n color: @navbar-inverse-link-hover-color;\n }\n &[disabled],\n fieldset[disabled] & {\n &:hover,\n &:focus {\n color: @navbar-inverse-link-disabled-color;\n }\n }\n }\n}\n", "// Navbar vertical align\n//\n// Vertically center elements in the navbar.\n// Example: an element has a height of 30px, so write out `.navbar-vertical-align(30px);` to calculate the appropriate top margin.\n\n.navbar-vertical-align(@element-height) {\n margin-top: ((@navbar-height - @element-height) / 2);\n margin-bottom: ((@navbar-height - @element-height) / 2);\n}\n", "// stylelint-disable declaration-no-important\n\n//\n// Utility classes\n// --------------------------------------------------\n\n\n// Floats\n// -------------------------\n\n.clearfix {\n .clearfix();\n}\n.center-block {\n .center-block();\n}\n.pull-right {\n float: right !important;\n}\n.pull-left {\n float: left !important;\n}\n\n\n// Toggling content\n// -------------------------\n\n// Note: Deprecated .hide in favor of .hidden or .sr-only (as appropriate) in v3.0.1\n.hide {\n display: none !important;\n}\n.show {\n display: block !important;\n}\n.invisible {\n visibility: hidden;\n}\n.text-hide {\n .text-hide();\n}\n\n\n// Hide from screenreaders and browsers\n//\n// Credit: HTML5 Boilerplate\n\n.hidden {\n display: none !important;\n}\n\n\n// For Affix plugin\n// -------------------------\n\n.affix {\n position: fixed;\n}\n", "//\n// Breadcrumbs\n// --------------------------------------------------\n\n\n.breadcrumb {\n padding: @breadcrumb-padding-vertical @breadcrumb-padding-horizontal;\n margin-bottom: @line-height-computed;\n list-style: none;\n background-color: @breadcrumb-bg;\n border-radius: @border-radius-base;\n\n > li {\n display: inline-block;\n\n + li:before {\n padding: 0 5px;\n color: @breadcrumb-color;\n content: \"@{breadcrumb-separator}\\00a0\"; // Unicode space added since inline-block means non-collapsing white-space\n }\n }\n\n > .active {\n color: @breadcrumb-active-color;\n }\n}\n", "//\n// Pagination (multiple pages)\n// --------------------------------------------------\n.pagination {\n display: inline-block;\n padding-left: 0;\n margin: @line-height-computed 0;\n border-radius: @border-radius-base;\n\n > li {\n display: inline; // Remove list-style and block-level defaults\n > a,\n > span {\n position: relative;\n float: left; // Collapse white-space\n padding: @padding-base-vertical @padding-base-horizontal;\n margin-left: -1px;\n line-height: @line-height-base;\n color: @pagination-color;\n text-decoration: none;\n background-color: @pagination-bg;\n border: 1px solid @pagination-border;\n\n &:hover,\n &:focus {\n z-index: 2;\n color: @pagination-hover-color;\n background-color: @pagination-hover-bg;\n border-color: @pagination-hover-border;\n }\n }\n &:first-child {\n > a,\n > span {\n margin-left: 0;\n .border-left-radius(@border-radius-base);\n }\n }\n &:last-child {\n > a,\n > span {\n .border-right-radius(@border-radius-base);\n }\n }\n }\n\n > .active > a,\n > .active > span {\n &,\n &:hover,\n &:focus {\n z-index: 3;\n color: @pagination-active-color;\n cursor: default;\n background-color: @pagination-active-bg;\n border-color: @pagination-active-border;\n }\n }\n\n > .disabled {\n > span,\n > span:hover,\n > span:focus,\n > a,\n > a:hover,\n > a:focus {\n color: @pagination-disabled-color;\n cursor: @cursor-disabled;\n background-color: @pagination-disabled-bg;\n border-color: @pagination-disabled-border;\n }\n }\n}\n\n// Sizing\n// --------------------------------------------------\n\n// Large\n.pagination-lg {\n .pagination-size(@padding-large-vertical; @padding-large-horizontal; @font-size-large; @line-height-large; @border-radius-large);\n}\n\n// Small\n.pagination-sm {\n .pagination-size(@padding-small-vertical; @padding-small-horizontal; @font-size-small; @line-height-small; @border-radius-small);\n}\n", "// Pagination\n\n.pagination-size(@padding-vertical; @padding-horizontal; @font-size; @line-height; @border-radius) {\n > li {\n > a,\n > span {\n padding: @padding-vertical @padding-horizontal;\n font-size: @font-size;\n line-height: @line-height;\n }\n &:first-child {\n > a,\n > span {\n .border-left-radius(@border-radius);\n }\n }\n &:last-child {\n > a,\n > span {\n .border-right-radius(@border-radius);\n }\n }\n }\n}\n", "//\n// Pager pagination\n// --------------------------------------------------\n\n\n.pager {\n padding-left: 0;\n margin: @line-height-computed 0;\n text-align: center;\n list-style: none;\n &:extend(.clearfix all);\n li {\n display: inline;\n > a,\n > span {\n display: inline-block;\n padding: 5px 14px;\n background-color: @pager-bg;\n border: 1px solid @pager-border;\n border-radius: @pager-border-radius;\n }\n\n > a:hover,\n > a:focus {\n text-decoration: none;\n background-color: @pager-hover-bg;\n }\n }\n\n .next {\n > a,\n > span {\n float: right;\n }\n }\n\n .previous {\n > a,\n > span {\n float: left;\n }\n }\n\n .disabled {\n > a,\n > a:hover,\n > a:focus,\n > span {\n color: @pager-disabled-color;\n cursor: @cursor-disabled;\n background-color: @pager-bg;\n }\n }\n}\n", "//\n// Labels\n// --------------------------------------------------\n\n.label {\n display: inline;\n padding: .2em .6em .3em;\n font-size: 75%;\n font-weight: 700;\n line-height: 1;\n color: @label-color;\n text-align: center;\n white-space: nowrap;\n vertical-align: baseline;\n border-radius: .25em;\n\n // Add hover effects, but only for links\n a& {\n &:hover,\n &:focus {\n color: @label-link-hover-color;\n text-decoration: none;\n cursor: pointer;\n }\n }\n\n // Empty labels collapse automatically (not available in IE8)\n &:empty {\n display: none;\n }\n\n // Quick fix for labels in buttons\n .btn & {\n position: relative;\n top: -1px;\n }\n}\n\n// Colors\n// Contextual variations (linked labels get darker on :hover)\n\n.label-default {\n .label-variant(@label-default-bg);\n}\n\n.label-primary {\n .label-variant(@label-primary-bg);\n}\n\n.label-success {\n .label-variant(@label-success-bg);\n}\n\n.label-info {\n .label-variant(@label-info-bg);\n}\n\n.label-warning {\n .label-variant(@label-warning-bg);\n}\n\n.label-danger {\n .label-variant(@label-danger-bg);\n}\n", "// Labels\n\n.label-variant(@color) {\n background-color: @color;\n\n &[href] {\n &:hover,\n &:focus {\n background-color: darken(@color, 10%);\n }\n }\n}\n", "//\n// Badges\n// --------------------------------------------------\n\n\n// Base class\n.badge {\n display: inline-block;\n min-width: 10px;\n padding: 3px 7px;\n font-size: @font-size-small;\n font-weight: @badge-font-weight;\n line-height: @badge-line-height;\n color: @badge-color;\n text-align: center;\n white-space: nowrap;\n vertical-align: middle;\n background-color: @badge-bg;\n border-radius: @badge-border-radius;\n\n // Empty badges collapse automatically (not available in IE8)\n &:empty {\n display: none;\n }\n\n // Quick fix for badges in buttons\n .btn & {\n position: relative;\n top: -1px;\n }\n\n .btn-xs &,\n .btn-group-xs > .btn & {\n top: 0;\n padding: 1px 5px;\n }\n\n // Hover state, but only for links\n a& {\n &:hover,\n &:focus {\n color: @badge-link-hover-color;\n text-decoration: none;\n cursor: pointer;\n }\n }\n\n // Account for badges in navs\n .list-group-item.active > &,\n .nav-pills > .active > a > & {\n color: @badge-active-color;\n background-color: @badge-active-bg;\n }\n\n .list-group-item > & {\n float: right;\n }\n\n .list-group-item > & + & {\n margin-right: 5px;\n }\n\n .nav-pills > li > a > & {\n margin-left: 3px;\n }\n}\n", "//\n// Jumbotron\n// --------------------------------------------------\n\n\n.jumbotron {\n padding-top: @jumbotron-padding;\n padding-bottom: @jumbotron-padding;\n margin-bottom: @jumbotron-padding;\n color: @jumbotron-color;\n background-color: @jumbotron-bg;\n\n h1,\n .h1 {\n color: @jumbotron-heading-color;\n }\n\n p {\n margin-bottom: (@jumbotron-padding / 2);\n font-size: @jumbotron-font-size;\n font-weight: 200;\n }\n\n > hr {\n border-top-color: darken(@jumbotron-bg, 10%);\n }\n\n .container &,\n .container-fluid & {\n padding-right: (@grid-gutter-width / 2);\n padding-left: (@grid-gutter-width / 2);\n border-radius: @border-radius-large; // Only round corners at higher resolutions if contained in a container\n }\n\n .container {\n max-width: 100%;\n }\n\n @media screen and (min-width: @screen-sm-min) {\n padding-top: (@jumbotron-padding * 1.6);\n padding-bottom: (@jumbotron-padding * 1.6);\n\n .container &,\n .container-fluid & {\n padding-right: (@jumbotron-padding * 2);\n padding-left: (@jumbotron-padding * 2);\n }\n\n h1,\n .h1 {\n font-size: @jumbotron-heading-font-size;\n }\n }\n}\n", "// stylelint-disable selector-no-qualifying-type\n\n//\n// Thumbnails\n// --------------------------------------------------\n\n\n// Mixin and adjust the regular image class\n.thumbnail {\n display: block;\n padding: @thumbnail-padding;\n margin-bottom: @line-height-computed;\n line-height: @line-height-base;\n background-color: @thumbnail-bg;\n border: 1px solid @thumbnail-border;\n border-radius: @thumbnail-border-radius;\n .transition(border .2s ease-in-out);\n\n > img,\n a > img {\n &:extend(.img-responsive);\n margin-right: auto;\n margin-left: auto;\n }\n\n // Add a hover state for linked versions only\n a&:hover,\n a&:focus,\n a&.active {\n border-color: @link-color;\n }\n\n // Image captions\n .caption {\n padding: @thumbnail-caption-padding;\n color: @thumbnail-caption-color;\n }\n}\n", "//\n// Alerts\n// --------------------------------------------------\n\n\n// Base styles\n// -------------------------\n\n.alert {\n padding: @alert-padding;\n margin-bottom: @line-height-computed;\n border: 1px solid transparent;\n border-radius: @alert-border-radius;\n\n // Headings for larger alerts\n h4 {\n margin-top: 0;\n color: inherit; // Specified for the h4 to prevent conflicts of changing @headings-color\n }\n\n // Provide class for links that match alerts\n .alert-link {\n font-weight: @alert-link-font-weight;\n }\n\n // Improve alignment and spacing of inner content\n > p,\n > ul {\n margin-bottom: 0;\n }\n\n > p + p {\n margin-top: 5px;\n }\n}\n\n// Dismissible alerts\n//\n// Expand the right padding and account for the close button's positioning.\n\n// The misspelled .alert-dismissable was deprecated in 3.2.0.\n.alert-dismissable,\n.alert-dismissible {\n padding-right: (@alert-padding + 20);\n\n // Adjust close link position\n .close {\n position: relative;\n top: -2px;\n right: -21px;\n color: inherit;\n }\n}\n\n// Alternate styles\n//\n// Generate contextual modifier classes for colorizing the alert.\n\n.alert-success {\n .alert-variant(@alert-success-bg; @alert-success-border; @alert-success-text);\n}\n\n.alert-info {\n .alert-variant(@alert-info-bg; @alert-info-border; @alert-info-text);\n}\n\n.alert-warning {\n .alert-variant(@alert-warning-bg; @alert-warning-border; @alert-warning-text);\n}\n\n.alert-danger {\n .alert-variant(@alert-danger-bg; @alert-danger-border; @alert-danger-text);\n}\n", "// Alerts\n\n.alert-variant(@background; @border; @text-color) {\n color: @text-color;\n background-color: @background;\n border-color: @border;\n\n hr {\n border-top-color: darken(@border, 5%);\n }\n\n .alert-link {\n color: darken(@text-color, 10%);\n }\n}\n", "// stylelint-disable at-rule-no-vendor-prefix\n\n//\n// Progress bars\n// --------------------------------------------------\n\n\n// Bar animations\n// -------------------------\n\n// WebKit\n@-webkit-keyframes progress-bar-stripes {\n from { background-position: 40px 0; }\n to { background-position: 0 0; }\n}\n\n// Spec and IE10+\n@keyframes progress-bar-stripes {\n from { background-position: 40px 0; }\n to { background-position: 0 0; }\n}\n\n\n// Bar itself\n// -------------------------\n\n// Outer container\n.progress {\n height: @line-height-computed;\n margin-bottom: @line-height-computed;\n overflow: hidden;\n background-color: @progress-bg;\n border-radius: @progress-border-radius;\n .box-shadow(inset 0 1px 2px rgba(0, 0, 0, .1));\n}\n\n// Bar of progress\n.progress-bar {\n float: left;\n width: 0%;\n height: 100%;\n font-size: @font-size-small;\n line-height: @line-height-computed;\n color: @progress-bar-color;\n text-align: center;\n background-color: @progress-bar-bg;\n .box-shadow(inset 0 -1px 0 rgba(0, 0, 0, .15));\n .transition(width .6s ease);\n}\n\n// Striped bars\n//\n// `.progress-striped .progress-bar` is deprecated as of v3.2.0 in favor of the\n// `.progress-bar-striped` class, which you just add to an existing\n// `.progress-bar`.\n.progress-striped .progress-bar,\n.progress-bar-striped {\n #gradient > .striped();\n background-size: 40px 40px;\n}\n\n// Call animation for the active one\n//\n// `.progress.active .progress-bar` is deprecated as of v3.2.0 in favor of the\n// `.progress-bar.active` approach.\n.progress.active .progress-bar,\n.progress-bar.active {\n .animation(progress-bar-stripes 2s linear infinite);\n}\n\n\n// Variations\n// -------------------------\n\n.progress-bar-success {\n .progress-bar-variant(@progress-bar-success-bg);\n}\n\n.progress-bar-info {\n .progress-bar-variant(@progress-bar-info-bg);\n}\n\n.progress-bar-warning {\n .progress-bar-variant(@progress-bar-warning-bg);\n}\n\n.progress-bar-danger {\n .progress-bar-variant(@progress-bar-danger-bg);\n}\n", "// stylelint-disable value-no-vendor-prefix, selector-max-id\n\n#gradient {\n\n // Horizontal gradient, from left to right\n //\n // Creates two color stops, start and end, by specifying a color and position for each color stop.\n // Color stops are not available in IE9 and below.\n .horizontal(@start-color: #555; @end-color: #333; @start-percent: 0%; @end-percent: 100%) {\n background-image: -webkit-linear-gradient(left, @start-color @start-percent, @end-color @end-percent); // Safari 5.1-6, Chrome 10+\n background-image: -o-linear-gradient(left, @start-color @start-percent, @end-color @end-percent); // Opera 12\n background-image: linear-gradient(to right, @start-color @start-percent, @end-color @end-percent); // Standard, IE10, Firefox 16+, Opera 12.10+, Safari 7+, Chrome 26+\n filter: e(%(\"progid:DXImageTransform.Microsoft.gradient(startColorstr='%d', endColorstr='%d', GradientType=1)\", argb(@start-color), argb(@end-color))); // IE9 and down\n background-repeat: repeat-x;\n }\n\n // Vertical gradient, from top to bottom\n //\n // Creates two color stops, start and end, by specifying a color and position for each color stop.\n // Color stops are not available in IE9 and below.\n .vertical(@start-color: #555; @end-color: #333; @start-percent: 0%; @end-percent: 100%) {\n background-image: -webkit-linear-gradient(top, @start-color @start-percent, @end-color @end-percent); // Safari 5.1-6, Chrome 10+\n background-image: -o-linear-gradient(top, @start-color @start-percent, @end-color @end-percent); // Opera 12\n background-image: linear-gradient(to bottom, @start-color @start-percent, @end-color @end-percent); // Standard, IE10, Firefox 16+, Opera 12.10+, Safari 7+, Chrome 26+\n filter: e(%(\"progid:DXImageTransform.Microsoft.gradient(startColorstr='%d', endColorstr='%d', GradientType=0)\", argb(@start-color), argb(@end-color))); // IE9 and down\n background-repeat: repeat-x;\n }\n\n .directional(@start-color: #555; @end-color: #333; @deg: 45deg) {\n background-image: -webkit-linear-gradient(@deg, @start-color, @end-color); // Safari 5.1-6, Chrome 10+\n background-image: -o-linear-gradient(@deg, @start-color, @end-color); // Opera 12\n background-image: linear-gradient(@deg, @start-color, @end-color); // Standard, IE10, Firefox 16+, Opera 12.10+, Safari 7+, Chrome 26+\n background-repeat: repeat-x;\n }\n .horizontal-three-colors(@start-color: #00b3ee; @mid-color: #7a43b6; @color-stop: 50%; @end-color: #c3325f) {\n background-image: -webkit-linear-gradient(left, @start-color, @mid-color @color-stop, @end-color);\n background-image: -o-linear-gradient(left, @start-color, @mid-color @color-stop, @end-color);\n background-image: linear-gradient(to right, @start-color, @mid-color @color-stop, @end-color);\n filter: e(%(\"progid:DXImageTransform.Microsoft.gradient(startColorstr='%d', endColorstr='%d', GradientType=1)\", argb(@start-color), argb(@end-color))); // IE9 and down, gets no color-stop at all for proper fallback\n background-repeat: no-repeat;\n }\n .vertical-three-colors(@start-color: #00b3ee; @mid-color: #7a43b6; @color-stop: 50%; @end-color: #c3325f) {\n background-image: -webkit-linear-gradient(@start-color, @mid-color @color-stop, @end-color);\n background-image: -o-linear-gradient(@start-color, @mid-color @color-stop, @end-color);\n background-image: linear-gradient(@start-color, @mid-color @color-stop, @end-color);\n filter: e(%(\"progid:DXImageTransform.Microsoft.gradient(startColorstr='%d', endColorstr='%d', GradientType=0)\", argb(@start-color), argb(@end-color))); // IE9 and down, gets no color-stop at all for proper fallback\n background-repeat: no-repeat;\n }\n .radial(@inner-color: #555; @outer-color: #333) {\n background-image: -webkit-radial-gradient(circle, @inner-color, @outer-color);\n background-image: radial-gradient(circle, @inner-color, @outer-color);\n background-repeat: no-repeat;\n }\n .striped(@color: rgba(255, 255, 255, .15); @angle: 45deg) {\n background-image: -webkit-linear-gradient(@angle, @color 25%, transparent 25%, transparent 50%, @color 50%, @color 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(@angle, @color 25%, transparent 25%, transparent 50%, @color 50%, @color 75%, transparent 75%, transparent);\n background-image: linear-gradient(@angle, @color 25%, transparent 25%, transparent 50%, @color 50%, @color 75%, transparent 75%, transparent);\n }\n}\n", "// Progress bars\n\n.progress-bar-variant(@color) {\n background-color: @color;\n\n // Deprecated parent class requirement as of v3.2.0\n .progress-striped & {\n #gradient > .striped();\n }\n}\n", ".media {\n // Proper spacing between instances of .media\n margin-top: 15px;\n\n &:first-child {\n margin-top: 0;\n }\n}\n\n.media,\n.media-body {\n overflow: hidden;\n zoom: 1;\n}\n\n.media-body {\n width: 10000px;\n}\n\n.media-object {\n display: block;\n\n // Fix collapse in webkit from max-width: 100% and display: table-cell.\n &.img-thumbnail {\n max-width: none;\n }\n}\n\n.media-right,\n.media > .pull-right {\n padding-left: 10px;\n}\n\n.media-left,\n.media > .pull-left {\n padding-right: 10px;\n}\n\n.media-left,\n.media-right,\n.media-body {\n display: table-cell;\n vertical-align: top;\n}\n\n.media-middle {\n vertical-align: middle;\n}\n\n.media-bottom {\n vertical-align: bottom;\n}\n\n// Reset margins on headings for tighter default spacing\n.media-heading {\n margin-top: 0;\n margin-bottom: 5px;\n}\n\n// Media list variation\n//\n// Undo default ul/ol styles\n.media-list {\n padding-left: 0;\n list-style: none;\n}\n", "// stylelint-disable selector-no-qualifying-type\n\n//\n// List groups\n// --------------------------------------------------\n\n\n// Base class\n//\n// Easily usable on <ul>, <ol>, or <div>.\n\n.list-group {\n // No need to set list-style: none; since .list-group-item is block level\n padding-left: 0; // reset padding because ul and ol\n margin-bottom: 20px;\n}\n\n\n// Individual list items\n//\n// Use on `li`s or `div`s within the `.list-group` parent.\n\n.list-group-item {\n position: relative;\n display: block;\n padding: 10px 15px;\n // Place the border on the list items and negative margin up for better styling\n margin-bottom: -1px;\n background-color: @list-group-bg;\n border: 1px solid @list-group-border;\n\n // Round the first and last items\n &:first-child {\n .border-top-radius(@list-group-border-radius);\n }\n &:last-child {\n margin-bottom: 0;\n .border-bottom-radius(@list-group-border-radius);\n }\n\n // Disabled state\n &.disabled,\n &.disabled:hover,\n &.disabled:focus {\n color: @list-group-disabled-color;\n cursor: @cursor-disabled;\n background-color: @list-group-disabled-bg;\n\n // Force color to inherit for custom content\n .list-group-item-heading {\n color: inherit;\n }\n .list-group-item-text {\n color: @list-group-disabled-text-color;\n }\n }\n\n // Active class on item itself, not parent\n &.active,\n &.active:hover,\n &.active:focus {\n z-index: 2; // Place active items above their siblings for proper border styling\n color: @list-group-active-color;\n background-color: @list-group-active-bg;\n border-color: @list-group-active-border;\n\n // Force color to inherit for custom content\n .list-group-item-heading,\n .list-group-item-heading > small,\n .list-group-item-heading > .small {\n color: inherit;\n }\n .list-group-item-text {\n color: @list-group-active-text-color;\n }\n }\n}\n\n\n// Interactive list items\n//\n// Use anchor or button elements instead of `li`s or `div`s to create interactive items.\n// Includes an extra `.active` modifier class for showing selected items.\n\na.list-group-item,\nbutton.list-group-item {\n color: @list-group-link-color;\n\n .list-group-item-heading {\n color: @list-group-link-heading-color;\n }\n\n // Hover state\n &:hover,\n &:focus {\n color: @list-group-link-hover-color;\n text-decoration: none;\n background-color: @list-group-hover-bg;\n }\n}\n\nbutton.list-group-item {\n width: 100%;\n text-align: left;\n}\n\n\n// Contextual variants\n//\n// Add modifier classes to change text and background color on individual items.\n// Organizationally, this must come after the `:hover` states.\n\n.list-group-item-variant(success; @state-success-bg; @state-success-text);\n.list-group-item-variant(info; @state-info-bg; @state-info-text);\n.list-group-item-variant(warning; @state-warning-bg; @state-warning-text);\n.list-group-item-variant(danger; @state-danger-bg; @state-danger-text);\n\n\n// Custom content options\n//\n// Extra classes for creating well-formatted content within `.list-group-item`s.\n\n.list-group-item-heading {\n margin-top: 0;\n margin-bottom: 5px;\n}\n.list-group-item-text {\n margin-bottom: 0;\n line-height: 1.3;\n}\n", "// List Groups\n\n.list-group-item-variant(@state; @background; @color) {\n .list-group-item-@{state} {\n color: @color;\n background-color: @background;\n\n a&,\n button& {\n color: @color;\n\n .list-group-item-heading {\n color: inherit;\n }\n\n &:hover,\n &:focus {\n color: @color;\n background-color: darken(@background, 5%);\n }\n &.active,\n &.active:hover,\n &.active:focus {\n color: #fff;\n background-color: @color;\n border-color: @color;\n }\n }\n }\n}\n", "// stylelint-disable selector-max-type, selector-max-compound-selectors, selector-max-combinators, no-duplicate-selectors\n\n//\n// Panels\n// --------------------------------------------------\n\n\n// Base class\n.panel {\n margin-bottom: @line-height-computed;\n background-color: @panel-bg;\n border: 1px solid transparent;\n border-radius: @panel-border-radius;\n .box-shadow(0 1px 1px rgba(0, 0, 0, .05));\n}\n\n// Panel contents\n.panel-body {\n padding: @panel-body-padding;\n &:extend(.clearfix all);\n}\n\n// Optional heading\n.panel-heading {\n padding: @panel-heading-padding;\n border-bottom: 1px solid transparent;\n .border-top-radius((@panel-border-radius - 1));\n\n > .dropdown .dropdown-toggle {\n color: inherit;\n }\n}\n\n// Within heading, strip any `h*` tag of its default margins for spacing.\n.panel-title {\n margin-top: 0;\n margin-bottom: 0;\n font-size: ceil((@font-size-base * 1.125));\n color: inherit;\n\n > a,\n > small,\n > .small,\n > small > a,\n > .small > a {\n color: inherit;\n }\n}\n\n// Optional footer (stays gray in every modifier class)\n.panel-footer {\n padding: @panel-footer-padding;\n background-color: @panel-footer-bg;\n border-top: 1px solid @panel-inner-border;\n .border-bottom-radius((@panel-border-radius - 1));\n}\n\n\n// List groups in panels\n//\n// By default, space out list group content from panel headings to account for\n// any kind of custom content between the two.\n\n.panel {\n > .list-group,\n > .panel-collapse > .list-group {\n margin-bottom: 0;\n\n .list-group-item {\n border-width: 1px 0;\n border-radius: 0;\n }\n\n // Add border top radius for first one\n &:first-child {\n .list-group-item:first-child {\n border-top: 0;\n .border-top-radius((@panel-border-radius - 1));\n }\n }\n\n // Add border bottom radius for last one\n &:last-child {\n .list-group-item:last-child {\n border-bottom: 0;\n .border-bottom-radius((@panel-border-radius - 1));\n }\n }\n }\n > .panel-heading + .panel-collapse > .list-group {\n .list-group-item:first-child {\n .border-top-radius(0);\n }\n }\n}\n// Collapse space between when there's no additional content.\n.panel-heading + .list-group {\n .list-group-item:first-child {\n border-top-width: 0;\n }\n}\n.list-group + .panel-footer {\n border-top-width: 0;\n}\n\n// Tables in panels\n//\n// Place a non-bordered `.table` within a panel (not within a `.panel-body`) and\n// watch it go full width.\n\n.panel {\n > .table,\n > .table-responsive > .table,\n > .panel-collapse > .table {\n margin-bottom: 0;\n\n caption {\n padding-right: @panel-body-padding;\n padding-left: @panel-body-padding;\n }\n }\n // Add border top radius for first one\n > .table:first-child,\n > .table-responsive:first-child > .table:first-child {\n .border-top-radius((@panel-border-radius - 1));\n\n > thead:first-child,\n > tbody:first-child {\n > tr:first-child {\n border-top-left-radius: (@panel-border-radius - 1);\n border-top-right-radius: (@panel-border-radius - 1);\n\n td:first-child,\n th:first-child {\n border-top-left-radius: (@panel-border-radius - 1);\n }\n td:last-child,\n th:last-child {\n border-top-right-radius: (@panel-border-radius - 1);\n }\n }\n }\n }\n // Add border bottom radius for last one\n > .table:last-child,\n > .table-responsive:last-child > .table:last-child {\n .border-bottom-radius((@panel-border-radius - 1));\n\n > tbody:last-child,\n > tfoot:last-child {\n > tr:last-child {\n border-bottom-right-radius: (@panel-border-radius - 1);\n border-bottom-left-radius: (@panel-border-radius - 1);\n\n td:first-child,\n th:first-child {\n border-bottom-left-radius: (@panel-border-radius - 1);\n }\n td:last-child,\n th:last-child {\n border-bottom-right-radius: (@panel-border-radius - 1);\n }\n }\n }\n }\n > .panel-body + .table,\n > .panel-body + .table-responsive,\n > .table + .panel-body,\n > .table-responsive + .panel-body {\n border-top: 1px solid @table-border-color;\n }\n > .table > tbody:first-child > tr:first-child th,\n > .table > tbody:first-child > tr:first-child td {\n border-top: 0;\n }\n > .table-bordered,\n > .table-responsive > .table-bordered {\n border: 0;\n > thead,\n > tbody,\n > tfoot {\n > tr {\n > th:first-child,\n > td:first-child {\n border-left: 0;\n }\n > th:last-child,\n > td:last-child {\n border-right: 0;\n }\n }\n }\n > thead,\n > tbody {\n > tr:first-child {\n > td,\n > th {\n border-bottom: 0;\n }\n }\n }\n > tbody,\n > tfoot {\n > tr:last-child {\n > td,\n > th {\n border-bottom: 0;\n }\n }\n }\n }\n > .table-responsive {\n margin-bottom: 0;\n border: 0;\n }\n}\n\n\n// Collapsible panels (aka, accordion)\n//\n// Wrap a series of panels in `.panel-group` to turn them into an accordion with\n// the help of our collapse JavaScript plugin.\n\n.panel-group {\n margin-bottom: @line-height-computed;\n\n // Tighten up margin so it's only between panels\n .panel {\n margin-bottom: 0;\n border-radius: @panel-border-radius;\n\n + .panel {\n margin-top: 5px;\n }\n }\n\n .panel-heading {\n border-bottom: 0;\n\n + .panel-collapse > .panel-body,\n + .panel-collapse > .list-group {\n border-top: 1px solid @panel-inner-border;\n }\n }\n\n .panel-footer {\n border-top: 0;\n + .panel-collapse .panel-body {\n border-bottom: 1px solid @panel-inner-border;\n }\n }\n}\n\n\n// Contextual variations\n.panel-default {\n .panel-variant(@panel-default-border; @panel-default-text; @panel-default-heading-bg; @panel-default-border);\n}\n.panel-primary {\n .panel-variant(@panel-primary-border; @panel-primary-text; @panel-primary-heading-bg; @panel-primary-border);\n}\n.panel-success {\n .panel-variant(@panel-success-border; @panel-success-text; @panel-success-heading-bg; @panel-success-border);\n}\n.panel-info {\n .panel-variant(@panel-info-border; @panel-info-text; @panel-info-heading-bg; @panel-info-border);\n}\n.panel-warning {\n .panel-variant(@panel-warning-border; @panel-warning-text; @panel-warning-heading-bg; @panel-warning-border);\n}\n.panel-danger {\n .panel-variant(@panel-danger-border; @panel-danger-text; @panel-danger-heading-bg; @panel-danger-border);\n}\n", "// Panels\n\n.panel-variant(@border; @heading-text-color; @heading-bg-color; @heading-border) {\n border-color: @border;\n\n & > .panel-heading {\n color: @heading-text-color;\n background-color: @heading-bg-color;\n border-color: @heading-border;\n\n + .panel-collapse > .panel-body {\n border-top-color: @border;\n }\n .badge {\n color: @heading-bg-color;\n background-color: @heading-text-color;\n }\n }\n & > .panel-footer {\n + .panel-collapse > .panel-body {\n border-bottom-color: @border;\n }\n }\n}\n", "// Embeds responsive\n//\n// Credit: Nicolas Gallagher and SUIT CSS.\n\n.embed-responsive {\n position: relative;\n display: block;\n height: 0;\n padding: 0;\n overflow: hidden;\n\n .embed-responsive-item,\n iframe,\n embed,\n object,\n 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\n// Modifier class for 16:9 aspect ratio\n.embed-responsive-16by9 {\n padding-bottom: 56.25%;\n}\n\n// Modifier class for 4:3 aspect ratio\n.embed-responsive-4by3 {\n padding-bottom: 75%;\n}\n", "//\n// Wells\n// --------------------------------------------------\n\n\n// Base class\n.well {\n min-height: 20px;\n padding: 19px;\n margin-bottom: 20px;\n background-color: @well-bg;\n border: 1px solid @well-border;\n border-radius: @border-radius-base;\n .box-shadow(inset 0 1px 1px rgba(0, 0, 0, .05));\n blockquote {\n border-color: #ddd;\n border-color: rgba(0, 0, 0, .15);\n }\n}\n\n// Sizes\n.well-lg {\n padding: 24px;\n border-radius: @border-radius-large;\n}\n.well-sm {\n padding: 9px;\n border-radius: @border-radius-small;\n}\n", "// stylelint-disable property-no-vendor-prefix\n\n//\n// Close icons\n// --------------------------------------------------\n\n\n.close {\n float: right;\n font-size: (@font-size-base * 1.5);\n font-weight: @close-font-weight;\n line-height: 1;\n color: @close-color;\n text-shadow: @close-text-shadow;\n .opacity(.2);\n\n &:hover,\n &:focus {\n color: @close-color;\n text-decoration: none;\n cursor: pointer;\n .opacity(.5);\n }\n\n // Additional properties for button version\n // iOS requires the button element instead of an anchor tag.\n // If you want the anchor version, it requires `href=\"#\"`.\n // See https://developer.mozilla.org/en-US/docs/Web/Events/click#Safari_Mobile\n button& {\n padding: 0;\n cursor: pointer;\n background: transparent;\n border: 0;\n -webkit-appearance: none;\n appearance: none;\n }\n}\n", "//\n// Modals\n// --------------------------------------------------\n\n// .modal-open - body class for killing the scroll\n// .modal - container to scroll within\n// .modal-dialog - positioning shell for the actual modal\n// .modal-content - actual modal w/ bg and corners and shit\n\n// Kill the scroll on the body\n.modal-open {\n overflow: hidden;\n}\n\n// Container that the modal scrolls within\n.modal {\n position: fixed;\n top: 0;\n right: 0;\n bottom: 0;\n left: 0;\n z-index: @zindex-modal;\n display: none;\n overflow: hidden;\n -webkit-overflow-scrolling: touch;\n\n // Prevent Chrome on Windows from adding a focus outline. For details, see\n // https://github.com/twbs/bootstrap/pull/10951.\n outline: 0;\n\n // When fading in the modal, animate it to slide down\n &.fade .modal-dialog {\n .translate(0, -25%);\n .transition-transform(~\"0.3s ease-out\");\n }\n &.in .modal-dialog { .translate(0, 0); }\n}\n.modal-open .modal {\n overflow-x: hidden;\n overflow-y: auto;\n}\n\n// Shell div to position the modal with bottom padding\n.modal-dialog {\n position: relative;\n width: auto;\n margin: 10px;\n}\n\n// Actual modal\n.modal-content {\n position: relative;\n background-color: @modal-content-bg;\n background-clip: padding-box;\n border: 1px solid @modal-content-fallback-border-color; //old browsers fallback (ie8 etc)\n border: 1px solid @modal-content-border-color;\n border-radius: @border-radius-large;\n .box-shadow(0 3px 9px rgba(0, 0, 0, .5));\n // Remove focus outline from opened modal\n outline: 0;\n}\n\n// Modal background\n.modal-backdrop {\n position: fixed;\n top: 0;\n right: 0;\n bottom: 0;\n left: 0;\n z-index: @zindex-modal-background;\n background-color: @modal-backdrop-bg;\n // Fade for backdrop\n &.fade { .opacity(0); }\n &.in { .opacity(@modal-backdrop-opacity); }\n}\n\n// Modal header\n// Top section of the modal w/ title and dismiss\n.modal-header {\n padding: @modal-title-padding;\n border-bottom: 1px solid @modal-header-border-color;\n &:extend(.clearfix all);\n}\n// Close icon\n.modal-header .close {\n margin-top: -2px;\n}\n\n// Title text within header\n.modal-title {\n margin: 0;\n line-height: @modal-title-line-height;\n}\n\n// Modal body\n// Where all modal content resides (sibling of .modal-header and .modal-footer)\n.modal-body {\n position: relative;\n padding: @modal-inner-padding;\n}\n\n// Footer (for actions)\n.modal-footer {\n padding: @modal-inner-padding;\n text-align: right; // right align buttons\n border-top: 1px solid @modal-footer-border-color;\n &:extend(.clearfix all); // clear it in case folks use .pull-* classes on buttons\n\n // Properly space out buttons\n .btn + .btn {\n margin-bottom: 0; // account for input[type=\"submit\"] which gets the bottom margin like all other inputs\n margin-left: 5px;\n }\n // but override that for button groups\n .btn-group .btn + .btn {\n margin-left: -1px;\n }\n // and override it for block buttons as well\n .btn-block + .btn-block {\n margin-left: 0;\n }\n}\n\n// Measure scrollbar width for padding body during modal show/hide\n.modal-scrollbar-measure {\n position: absolute;\n top: -9999px;\n width: 50px;\n height: 50px;\n overflow: scroll;\n}\n\n// Scale up the modal\n@media (min-width: @screen-sm-min) {\n // Automatically set modal's width for larger viewports\n .modal-dialog {\n width: @modal-md;\n margin: 30px auto;\n }\n .modal-content {\n .box-shadow(0 5px 15px rgba(0, 0, 0, .5));\n }\n\n // Modal sizes\n .modal-sm { width: @modal-sm; }\n}\n\n@media (min-width: @screen-md-min) {\n .modal-lg { width: @modal-lg; }\n}\n", "//\n// Tooltips\n// --------------------------------------------------\n\n\n// Base class\n.tooltip {\n position: absolute;\n z-index: @zindex-tooltip;\n display: block;\n // Our parent element can be arbitrary since tooltips are by default inserted as a sibling of their target element.\n // So reset our font and text properties to avoid inheriting weird values.\n .reset-text();\n font-size: @font-size-small;\n\n .opacity(0);\n\n &.in { .opacity(@tooltip-opacity); }\n &.top {\n padding: @tooltip-arrow-width 0;\n margin-top: -3px;\n }\n &.right {\n padding: 0 @tooltip-arrow-width;\n margin-left: 3px;\n }\n &.bottom {\n padding: @tooltip-arrow-width 0;\n margin-top: 3px;\n }\n &.left {\n padding: 0 @tooltip-arrow-width;\n margin-left: -3px;\n }\n\n // Note: Deprecated .top-left, .top-right, .bottom-left, and .bottom-right as of v3.3.1\n &.top .tooltip-arrow {\n bottom: 0;\n left: 50%;\n margin-left: -@tooltip-arrow-width;\n border-width: @tooltip-arrow-width @tooltip-arrow-width 0;\n border-top-color: @tooltip-arrow-color;\n }\n &.top-left .tooltip-arrow {\n right: @tooltip-arrow-width;\n bottom: 0;\n margin-bottom: -@tooltip-arrow-width;\n border-width: @tooltip-arrow-width @tooltip-arrow-width 0;\n border-top-color: @tooltip-arrow-color;\n }\n &.top-right .tooltip-arrow {\n bottom: 0;\n left: @tooltip-arrow-width;\n margin-bottom: -@tooltip-arrow-width;\n border-width: @tooltip-arrow-width @tooltip-arrow-width 0;\n border-top-color: @tooltip-arrow-color;\n }\n &.right .tooltip-arrow {\n top: 50%;\n left: 0;\n margin-top: -@tooltip-arrow-width;\n border-width: @tooltip-arrow-width @tooltip-arrow-width @tooltip-arrow-width 0;\n border-right-color: @tooltip-arrow-color;\n }\n &.left .tooltip-arrow {\n top: 50%;\n right: 0;\n margin-top: -@tooltip-arrow-width;\n border-width: @tooltip-arrow-width 0 @tooltip-arrow-width @tooltip-arrow-width;\n border-left-color: @tooltip-arrow-color;\n }\n &.bottom .tooltip-arrow {\n top: 0;\n left: 50%;\n margin-left: -@tooltip-arrow-width;\n border-width: 0 @tooltip-arrow-width @tooltip-arrow-width;\n border-bottom-color: @tooltip-arrow-color;\n }\n &.bottom-left .tooltip-arrow {\n top: 0;\n right: @tooltip-arrow-width;\n margin-top: -@tooltip-arrow-width;\n border-width: 0 @tooltip-arrow-width @tooltip-arrow-width;\n border-bottom-color: @tooltip-arrow-color;\n }\n &.bottom-right .tooltip-arrow {\n top: 0;\n left: @tooltip-arrow-width;\n margin-top: -@tooltip-arrow-width;\n border-width: 0 @tooltip-arrow-width @tooltip-arrow-width;\n border-bottom-color: @tooltip-arrow-color;\n }\n}\n\n// Wrapper for the tooltip content\n.tooltip-inner {\n max-width: @tooltip-max-width;\n padding: 3px 8px;\n color: @tooltip-color;\n text-align: center;\n background-color: @tooltip-bg;\n border-radius: @border-radius-base;\n}\n\n// Arrows\n.tooltip-arrow {\n position: absolute;\n width: 0;\n height: 0;\n border-color: transparent;\n border-style: solid;\n}\n", ".reset-text() {\n font-family: @font-family-base;\n // We deliberately do NOT reset font-size.\n font-style: normal;\n font-weight: 400;\n line-height: @line-height-base;\n line-break: auto;\n text-align: left; // Fallback for where `start` is not supported\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}\n", "//\n// Popovers\n// --------------------------------------------------\n\n\n.popover {\n position: absolute;\n top: 0;\n left: 0;\n z-index: @zindex-popover;\n display: none;\n max-width: @popover-max-width;\n padding: 1px;\n // Our parent element can be arbitrary since popovers are by default inserted as a sibling of their target element.\n // So reset our font and text properties to avoid inheriting weird values.\n .reset-text();\n font-size: @font-size-base;\n background-color: @popover-bg;\n background-clip: padding-box;\n border: 1px solid @popover-fallback-border-color;\n border: 1px solid @popover-border-color;\n border-radius: @border-radius-large;\n .box-shadow(0 5px 10px rgba(0, 0, 0, .2));\n\n // Offset the popover to account for the popover arrow\n &.top { margin-top: -@popover-arrow-width; }\n &.right { margin-left: @popover-arrow-width; }\n &.bottom { margin-top: @popover-arrow-width; }\n &.left { margin-left: -@popover-arrow-width; }\n\n // Arrows\n // .arrow is outer, .arrow:after is inner\n > .arrow {\n border-width: @popover-arrow-outer-width;\n\n &,\n &:after {\n position: absolute;\n display: block;\n width: 0;\n height: 0;\n border-color: transparent;\n border-style: solid;\n }\n\n &:after {\n content: \"\";\n border-width: @popover-arrow-width;\n }\n }\n\n &.top > .arrow {\n bottom: -@popover-arrow-outer-width;\n left: 50%;\n margin-left: -@popover-arrow-outer-width;\n border-top-color: @popover-arrow-outer-fallback-color; // IE8 fallback\n border-top-color: @popover-arrow-outer-color;\n border-bottom-width: 0;\n &:after {\n bottom: 1px;\n margin-left: -@popover-arrow-width;\n content: \" \";\n border-top-color: @popover-arrow-color;\n border-bottom-width: 0;\n }\n }\n &.right > .arrow {\n top: 50%;\n left: -@popover-arrow-outer-width;\n margin-top: -@popover-arrow-outer-width;\n border-right-color: @popover-arrow-outer-fallback-color; // IE8 fallback\n border-right-color: @popover-arrow-outer-color;\n border-left-width: 0;\n &:after {\n bottom: -@popover-arrow-width;\n left: 1px;\n content: \" \";\n border-right-color: @popover-arrow-color;\n border-left-width: 0;\n }\n }\n &.bottom > .arrow {\n top: -@popover-arrow-outer-width;\n left: 50%;\n margin-left: -@popover-arrow-outer-width;\n border-top-width: 0;\n border-bottom-color: @popover-arrow-outer-fallback-color; // IE8 fallback\n border-bottom-color: @popover-arrow-outer-color;\n &:after {\n top: 1px;\n margin-left: -@popover-arrow-width;\n content: \" \";\n border-top-width: 0;\n border-bottom-color: @popover-arrow-color;\n }\n }\n\n &.left > .arrow {\n top: 50%;\n right: -@popover-arrow-outer-width;\n margin-top: -@popover-arrow-outer-width;\n border-right-width: 0;\n border-left-color: @popover-arrow-outer-fallback-color; // IE8 fallback\n border-left-color: @popover-arrow-outer-color;\n &:after {\n right: 1px;\n bottom: -@popover-arrow-width;\n content: \" \";\n border-right-width: 0;\n border-left-color: @popover-arrow-color;\n }\n }\n}\n\n.popover-title {\n padding: 8px 14px;\n margin: 0; // reset heading margin\n font-size: @font-size-base;\n background-color: @popover-title-bg;\n border-bottom: 1px solid darken(@popover-title-bg, 5%);\n border-radius: (@border-radius-large - 1) (@border-radius-large - 1) 0 0;\n}\n\n.popover-content {\n padding: 9px 14px;\n}\n", "// stylelint-disable media-feature-name-no-unknown\n\n//\n// Carousel\n// --------------------------------------------------\n\n\n// Wrapper for the slide container and indicators\n.carousel {\n position: relative;\n}\n\n.carousel-inner {\n position: relative;\n width: 100%;\n overflow: hidden;\n\n > .item {\n position: relative;\n display: none;\n .transition(.6s ease-in-out left);\n\n // Account for jankitude on images\n > img,\n > a > img {\n &:extend(.img-responsive);\n line-height: 1;\n }\n\n // WebKit CSS3 transforms for supported devices\n @media all and (transform-3d), (-webkit-transform-3d) {\n .transition-transform(~\"0.6s ease-in-out\");\n .backface-visibility(~\"hidden\");\n .perspective(1000px);\n\n &.next,\n &.active.right {\n .translate3d(100%, 0, 0);\n left: 0;\n }\n &.prev,\n &.active.left {\n .translate3d(-100%, 0, 0);\n left: 0;\n }\n &.next.left,\n &.prev.right,\n &.active {\n .translate3d(0, 0, 0);\n left: 0;\n }\n }\n }\n\n > .active,\n > .next,\n > .prev {\n display: block;\n }\n\n > .active {\n left: 0;\n }\n\n > .next,\n > .prev {\n position: absolute;\n top: 0;\n width: 100%;\n }\n\n > .next {\n left: 100%;\n }\n > .prev {\n left: -100%;\n }\n > .next.left,\n > .prev.right {\n left: 0;\n }\n\n > .active.left {\n left: -100%;\n }\n > .active.right {\n left: 100%;\n }\n\n}\n\n// Left/right controls for nav\n// ---------------------------\n\n.carousel-control {\n position: absolute;\n top: 0;\n bottom: 0;\n left: 0;\n width: @carousel-control-width;\n font-size: @carousel-control-font-size;\n color: @carousel-control-color;\n text-align: center;\n text-shadow: @carousel-text-shadow;\n background-color: rgba(0, 0, 0, 0); // Fix IE9 click-thru bug\n .opacity(@carousel-control-opacity);\n // We can't have this transition here because WebKit cancels the carousel\n // animation if you trip this while in the middle of another animation.\n\n // Set gradients for backgrounds\n &.left {\n #gradient > .horizontal(@start-color: rgba(0, 0, 0, .5); @end-color: rgba(0, 0, 0, .0001));\n }\n &.right {\n right: 0;\n left: auto;\n #gradient > .horizontal(@start-color: rgba(0, 0, 0, .0001); @end-color: rgba(0, 0, 0, .5));\n }\n\n // Hover/focus state\n &:hover,\n &:focus {\n color: @carousel-control-color;\n text-decoration: none;\n outline: 0;\n .opacity(.9);\n }\n\n // Toggles\n .icon-prev,\n .icon-next,\n .glyphicon-chevron-left,\n .glyphicon-chevron-right {\n position: absolute;\n top: 50%;\n z-index: 5;\n display: inline-block;\n margin-top: -10px;\n }\n .icon-prev,\n .glyphicon-chevron-left {\n left: 50%;\n margin-left: -10px;\n }\n .icon-next,\n .glyphicon-chevron-right {\n right: 50%;\n margin-right: -10px;\n }\n .icon-prev,\n .icon-next {\n width: 20px;\n height: 20px;\n font-family: serif;\n line-height: 1;\n }\n\n .icon-prev {\n &:before {\n content: \"\\2039\";// SINGLE LEFT-POINTING ANGLE QUOTATION MARK (U+2039)\n }\n }\n .icon-next {\n &:before {\n content: \"\\203a\";// SINGLE RIGHT-POINTING ANGLE QUOTATION MARK (U+203A)\n }\n }\n}\n\n// Optional indicator pips\n//\n// Add an unordered list with the following class and add a list item for each\n// slide your carousel holds.\n\n.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 li {\n display: inline-block;\n width: 10px;\n height: 10px;\n margin: 1px;\n text-indent: -999px;\n cursor: pointer;\n // IE8-9 hack for event handling\n //\n // Internet Explorer 8-9 does not support clicks on elements without a set\n // `background-color`. We cannot use `filter` since that's not viewed as a\n // background color by the browser. Thus, a hack is needed.\n // See https://developer.mozilla.org/en-US/docs/Web/Events/click#Internet_Explorer\n //\n // For IE8, we set solid black as it doesn't support `rgba()`. For IE9, we\n // set alpha transparency for the best results possible.\n background-color: #000 \\9; // IE8\n background-color: rgba(0, 0, 0, 0); // IE9\n\n border: 1px solid @carousel-indicator-border-color;\n border-radius: 10px;\n }\n\n .active {\n width: 12px;\n height: 12px;\n margin: 0;\n background-color: @carousel-indicator-active-bg;\n }\n}\n\n// Optional captions\n// -----------------------------\n// Hidden by default for smaller viewports\n.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: @carousel-caption-color;\n text-align: center;\n text-shadow: @carousel-text-shadow;\n\n & .btn {\n text-shadow: none; // No shadow for button elements in carousel-caption\n }\n}\n\n\n// Scale up controls for tablets and up\n@media screen and (min-width: @screen-sm-min) {\n\n // Scale up the controls a smidge\n .carousel-control {\n .glyphicon-chevron-left,\n .glyphicon-chevron-right,\n .icon-prev,\n .icon-next {\n width: (@carousel-control-font-size * 1.5);\n height: (@carousel-control-font-size * 1.5);\n margin-top: (@carousel-control-font-size / -2);\n font-size: (@carousel-control-font-size * 1.5);\n }\n .glyphicon-chevron-left,\n .icon-prev {\n margin-left: (@carousel-control-font-size / -2);\n }\n .glyphicon-chevron-right,\n .icon-next {\n margin-right: (@carousel-control-font-size / -2);\n }\n }\n\n // Show and left align the captions\n .carousel-caption {\n right: 20%;\n left: 20%;\n padding-bottom: 30px;\n }\n\n // Move up the indicators\n .carousel-indicators {\n bottom: 20px;\n }\n}\n", "// Clearfix\n//\n// For modern browsers\n// 1. The space content is one way to avoid an Opera bug when the\n// contenteditable attribute is included anywhere else in the document.\n// Otherwise it causes space to appear at the top and bottom of elements\n// that are clearfixed.\n// 2. The use of `table` rather than `block` is only necessary if using\n// `:before` to contain the top-margins of child elements.\n//\n// Source: http://nicolasgallagher.com/micro-clearfix-hack/\n\n.clearfix() {\n &:before,\n &:after {\n display: table; // 2\n content: \" \"; // 1\n }\n &:after {\n clear: both;\n }\n}\n", "// Center-align a block level element\n\n.center-block() {\n display: block;\n margin-right: auto;\n margin-left: auto;\n}\n", "// stylelint-disable font-family-name-quotes, font-family-no-missing-generic-family-keyword\n\n// CSS image replacement\n//\n// Heads up! v3 launched with only `.hide-text()`, but per our pattern for\n// mixins being reused as classes with the same name, this doesn't hold up. As\n// of v3.0.1 we have added `.text-hide()` and deprecated `.hide-text()`.\n//\n// Source: https://github.com/h5bp/html5-boilerplate/commit/aa0396eae757\n\n// Deprecated as of v3.0.1 (has been removed in v4)\n.hide-text() {\n font: ~\"0/0\" a;\n color: transparent;\n text-shadow: none;\n background-color: transparent;\n border: 0;\n}\n\n// New mixin to use as of v3.0.1\n.text-hide() {\n .hide-text();\n}\n", "// stylelint-disable declaration-no-important, at-rule-no-vendor-prefix\n\n//\n// Responsive: Utility classes\n// --------------------------------------------------\n\n\n// IE10 in Windows (Phone) 8\n//\n// Support for responsive views via media queries is kind of borked in IE10, for\n// Surface/desktop in split view and for Windows Phone 8. This particular fix\n// must be accompanied by a snippet of JavaScript to sniff the user agent and\n// apply some conditional CSS to *only* the Surface/desktop Windows 8. Look at\n// our Getting Started page for more information on this bug.\n//\n// For more information, see the following:\n//\n// Issue: https://github.com/twbs/bootstrap/issues/10497\n// Docs: https://getbootstrap.com/docs/3.4/getting-started/#support-ie10-width\n// Source: https://timkadlec.com/2013/01/windows-phone-8-and-device-width/\n// Source: https://timkadlec.com/2012/10/ie10-snap-mode-and-responsive-design/\n\n@-ms-viewport {\n width: device-width;\n}\n\n\n// Visibility utilities\n// Note: Deprecated .visible-xs, .visible-sm, .visible-md, and .visible-lg as of v3.2.0\n.visible-xs,\n.visible-sm,\n.visible-md,\n.visible-lg {\n .responsive-invisibility();\n}\n\n.visible-xs-block,\n.visible-xs-inline,\n.visible-xs-inline-block,\n.visible-sm-block,\n.visible-sm-inline,\n.visible-sm-inline-block,\n.visible-md-block,\n.visible-md-inline,\n.visible-md-inline-block,\n.visible-lg-block,\n.visible-lg-inline,\n.visible-lg-inline-block {\n display: none !important;\n}\n\n.visible-xs {\n @media (max-width: @screen-xs-max) {\n .responsive-visibility();\n }\n}\n.visible-xs-block {\n @media (max-width: @screen-xs-max) {\n display: block !important;\n }\n}\n.visible-xs-inline {\n @media (max-width: @screen-xs-max) {\n display: inline !important;\n }\n}\n.visible-xs-inline-block {\n @media (max-width: @screen-xs-max) {\n display: inline-block !important;\n }\n}\n\n.visible-sm {\n @media (min-width: @screen-sm-min) and (max-width: @screen-sm-max) {\n .responsive-visibility();\n }\n}\n.visible-sm-block {\n @media (min-width: @screen-sm-min) and (max-width: @screen-sm-max) {\n display: block !important;\n }\n}\n.visible-sm-inline {\n @media (min-width: @screen-sm-min) and (max-width: @screen-sm-max) {\n display: inline !important;\n }\n}\n.visible-sm-inline-block {\n @media (min-width: @screen-sm-min) and (max-width: @screen-sm-max) {\n display: inline-block !important;\n }\n}\n\n.visible-md {\n @media (min-width: @screen-md-min) and (max-width: @screen-md-max) {\n .responsive-visibility();\n }\n}\n.visible-md-block {\n @media (min-width: @screen-md-min) and (max-width: @screen-md-max) {\n display: block !important;\n }\n}\n.visible-md-inline {\n @media (min-width: @screen-md-min) and (max-width: @screen-md-max) {\n display: inline !important;\n }\n}\n.visible-md-inline-block {\n @media (min-width: @screen-md-min) and (max-width: @screen-md-max) {\n display: inline-block !important;\n }\n}\n\n.visible-lg {\n @media (min-width: @screen-lg-min) {\n .responsive-visibility();\n }\n}\n.visible-lg-block {\n @media (min-width: @screen-lg-min) {\n display: block !important;\n }\n}\n.visible-lg-inline {\n @media (min-width: @screen-lg-min) {\n display: inline !important;\n }\n}\n.visible-lg-inline-block {\n @media (min-width: @screen-lg-min) {\n display: inline-block !important;\n }\n}\n\n.hidden-xs {\n @media (max-width: @screen-xs-max) {\n .responsive-invisibility();\n }\n}\n.hidden-sm {\n @media (min-width: @screen-sm-min) and (max-width: @screen-sm-max) {\n .responsive-invisibility();\n }\n}\n.hidden-md {\n @media (min-width: @screen-md-min) and (max-width: @screen-md-max) {\n .responsive-invisibility();\n }\n}\n.hidden-lg {\n @media (min-width: @screen-lg-min) {\n .responsive-invisibility();\n }\n}\n\n\n// Print utilities\n//\n// Media queries are placed on the inside to be mixin-friendly.\n\n// Note: Deprecated .visible-print as of v3.2.0\n.visible-print {\n .responsive-invisibility();\n\n @media print {\n .responsive-visibility();\n }\n}\n.visible-print-block {\n display: none !important;\n\n @media print {\n display: block !important;\n }\n}\n.visible-print-inline {\n display: none !important;\n\n @media print {\n display: inline !important;\n }\n}\n.visible-print-inline-block {\n display: none !important;\n\n @media print {\n display: inline-block !important;\n }\n}\n\n.hidden-print {\n @media print {\n .responsive-invisibility();\n }\n}\n", "// stylelint-disable declaration-no-important\n\n.responsive-visibility() {\n display: block !important;\n table& { display: table !important; }\n tr& { display: table-row !important; }\n th&,\n td& { display: table-cell !important; }\n}\n\n.responsive-invisibility() {\n display: none !important;\n}\n", "pre code.hljs{display:block;overflow-x:auto;padding:1em}code.hljs{padding:3px 5px}/*!\n Theme: GitHub\n Description: Light theme as seen on github.com\n Author: github.com\n Maintainer: @Hirse\n Updated: 2021-05-15\n\n Outdated base version: https://github.com/primer/github-syntax-light\n Current colors taken from GitHub's CSS\n*/.hljs{color:#24292e;background:#fff}.hljs-doctag,.hljs-keyword,.hljs-meta .hljs-keyword,.hljs-template-tag,.hljs-template-variable,.hljs-type,.hljs-variable.language_{color:#d73a49}.hljs-title,.hljs-title.class_,.hljs-title.class_.inherited__,.hljs-title.function_{color:#6f42c1}.hljs-attr,.hljs-attribute,.hljs-literal,.hljs-meta,.hljs-number,.hljs-operator,.hljs-selector-attr,.hljs-selector-class,.hljs-selector-id,.hljs-variable{color:#005cc5}.hljs-meta .hljs-string,.hljs-regexp,.hljs-string{color:#032f62}.hljs-built_in,.hljs-symbol{color:#e36209}.hljs-code,.hljs-comment,.hljs-formula{color:#6a737d}.hljs-name,.hljs-quote,.hljs-selector-pseudo,.hljs-selector-tag{color:#22863a}.hljs-subst{color:#24292e}.hljs-section{color:#005cc5;font-weight:700}.hljs-bullet{color:#735c0f}.hljs-emphasis{color:#24292e;font-style:italic}.hljs-strong{color:#24292e;font-weight:700}.hljs-addition{color:#22863a;background-color:#f0fff4}.hljs-deletion{color:#b31d28;background-color:#ffeef0}"], + "mappings": "ACUA,KACE,YAAA,WACA,qBAAA,KACA,yBAAA,KAOF,KDpBA,OCqBE,EAaF,2FAaE,QAAA,MAQF,4BAIE,QAAA,aACA,eAAA,SAQF,KAAA,KAAA,CAAA,WACE,QAAA,KACA,OAAA,EAQF,CAAA,iBAEE,QAAA,KAUF,EACE,iBAAA,YAQF,CAAA,gBAEE,QAAA,EAWF,IAAA,CAAA,OACE,cAAA,KACA,gBAAA,UACA,wBAAA,UAAA,OAAA,qBAAA,UAAA,OAAA,gBAAA,UAAA,OAOF,SAEE,YAAA,IAOF,IACE,WAAA,OAQF,GACE,UAAA,ID7IF,OC8IE,MAAA,EAOF,KACE,WAAA,KACA,MAAA,KAOF,MACE,UAAA,IAOF,QAEE,UAAA,IACA,YAAA,EACA,SAAA,SACA,eAAA,SAGF,IACE,IAAA,MAGF,IACE,OAAA,OAUF,IACE,OAAA,EAOF,GAAA,KAAA,OACE,SAAA,OAUF,ODhNA,OCiNE,IAAA,KAOF,GACE,mBAAA,YAAA,gBAAA,YAAA,WAAA,YACA,OAAA,EAOF,IACE,SAAA,KAOF,kBAIE,YAAA,SAAA,CAAA,UACA,UAAA,IAkBF,sCAKE,MAAA,QACA,KAAA,QDtQF,OCuQE,EAOF,OACE,SAAA,QAUF,cAEE,eAAA,KAWF,oEAIE,mBAAA,OACA,OAAA,QAOF,MAAA,CAAA,+BAEE,OAAA,QAOF,MAAA,2CAEE,OAAA,ED7TF,QC8TE,EAQF,MACE,YAAA,OAWF,KAAA,CAAA,iCAEE,mBAAA,WAAA,gBAAA,WAAA,WAAA,WDpVF,QCqVE,EASF,KAAA,CAAA,YAAA,0EAEE,OAAA,KAQF,KAAA,CAAA,aACE,mBAAA,UACA,mBAAA,YAAA,gBAAA,YAAA,WAAA,YASF,KAAA,CAAA,YAAA,6EAEE,mBAAA,KAOF,SACE,OAAA,IAAA,MAAA,QD7XF,OC8XE,EAAA,ID9XF,QC+XE,MAAA,OAAA,MAQF,OACE,OAAA,EDxYF,QCyYE,EAOF,SACE,SAAA,KAQF,SACE,YAAA,IAUF,MACE,gBAAA,SACA,eAAA,EAGF,MDzaA,QC2aE,EClaF,OAAA,MACE,mBAGE,MAAA,eACA,YAAA,eACA,WAAA,sBACA,mBAAA,eAAA,WAAA,eAGF,YAEE,gBAAA,UAGF,CAAA,CAAA,KAAA,OACE,QAAA,KAAA,KAAA,MAAA,IAGF,IAAA,CAAA,MAAA,OACE,QAAA,KAAA,KAAA,OAAA,IAKF,CAAA,CAAA,UAAA,oCAEE,QAAA,GAGF,eAEE,OAAA,IAAA,MAAA,KACA,kBAAA,MAGF,MACE,QAAA,mBAGF,OAEE,kBAAA,MAGF,IACE,UAAA,eAGF,QAGE,QAAA,EACA,OAAA,EAGF,MAEE,iBAAA,MAMF,CAAA,OACE,QAAA,KAEF,CAAA,GAAA,CAAA,CAAA,eAAA,KAAA,MAGI,iBAAA,eAGJ,CAAA,MACE,OAAA,IAAA,MAAA,KAGF,CAAA,MACE,gBAAA,mBADF,CAAA,MAAA,IAAA,SAKI,iBAAA,eAGJ,CAAA,eAAA,IAAA,kBAGI,OAAA,IAAA,MAAA,gBCrFN,WACE,YAAA,qBACA,IAAA,mDACA,IAAA,0DAAA,OAAA,oBAAA,CAAA,qDAAA,OAAA,QAAA,CAAA,oDAAA,OAAA,OAAA,CAAA,mDAAA,OAAA,WAAA,CAAA,+EAAA,OAAA,OAQF,CAAA,UACE,SAAA,SACA,IAAA,IACA,QAAA,aACA,YAAA,qBACA,WAAA,OACA,YAAA,IACA,YAAA,EACA,uBAAA,YACA,wBAAA,UAIkC,CAAA,kBAAA,QAAW,QAAA,IACX,CAAA,cAAA,QAAW,QAAA,IAEX,CAAA,cAAA,8BAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,YAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,YAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,uBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,wBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,uBAAA,QAAW,QAAA,QACX,CAAA,uBAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,uBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,uBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,uBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,0BAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,uBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,yBAAA,QAAW,QAAA,QACX,CAAA,2BAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,4BAAA,QAAW,QAAA,QACX,CAAA,2BAAA,QAAW,QAAA,QACX,CAAA,yBAAA,QAAW,QAAA,QACX,CAAA,2BAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,0BAAA,QAAW,QAAA,QACX,CAAA,8BAAA,QAAW,QAAA,QACX,CAAA,uBAAA,QAAW,QAAA,QACX,CAAA,2BAAA,QAAW,QAAA,QACX,CAAA,4BAAA,QAAW,QAAA,QACX,CAAA,gCAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,uBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,uBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,wBAAA,QAAW,QAAA,QACX,CAAA,2BAAA,QAAW,QAAA,QACX,CAAA,wBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,wBAAA,QAAW,QAAA,QACX,CAAA,YAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QASX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,gBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,cAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,kBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,MACX,CAAA,aAAA,QAAW,QAAA,MACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,0BAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,2BAAA,QAAW,QAAA,QACX,CAAA,yBAAA,QAAW,QAAA,QACX,CAAA,wBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,aAAA,QAAW,QAAA,QACX,CAAA,eAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,yBAAA,QAAW,QAAA,QACX,CAAA,0BAAA,QAAW,QAAA,QACX,CAAA,6BAAA,QAAW,QAAA,QACX,CAAA,iCAAA,QAAW,QAAA,QACX,CAAA,2BAAA,QAAW,QAAA,QACX,CAAA,+BAAA,QAAW,QAAA,QACX,CAAA,4BAAA,QAAW,QAAA,QACX,CAAA,wBAAA,QAAW,QAAA,QACX,CAAA,uBAAA,QAAW,QAAA,QACX,CAAA,yBAAA,QAAW,QAAA,QACX,CAAA,sBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QACX,CAAA,qBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,oBAAA,QAAW,QAAA,QACX,CAAA,mBAAA,QAAW,QAAA,QACX,CAAA,iBAAA,QAAW,QAAA,QCxS/C,ECkEE,mBAAA,WACG,gBAAA,WACK,WAAA,WDjEV,CAAA,gBC+DE,mBAAA,WACG,gBAAA,WACK,WAAA,WDzDV,KACE,UAAA,KACA,4BAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,GAGF,KACE,YAAA,cAAA,CAAA,SAAA,CAAA,KAAA,CAAA,WACA,UAAA,KACA,YAAA,WACA,MAAA,KACA,iBAAA,KAIF,6BAIE,YAAA,QACA,UAAA,QACA,YAAA,QAMF,EACE,MAAA,QACA,gBAAA,KAEA,CAAA,eAEE,MAAA,QACA,gBAAA,UAGF,CAAA,OEnDA,QAAA,IAAA,KAAA,yBACA,eAAA,KF6DF,OJpEA,OIqEE,EAMF,IACE,eAAA,OAIF,CAAA,qGG1EE,QAAA,MACA,UAAA,KACA,OAAA,KH6EF,CAAA,YJrFA,cIsFE,IAMF,CAAA,cJ5FA,QI6FE,IACA,YAAA,WACA,iBAAA,KACA,OAAA,IAAA,MAAA,KJhGF,cIiGE,IC+FA,mBAAA,IAAA,IAAA,YACK,cAAA,IAAA,IAAA,YACG,WAAA,IAAA,IAAA,YE5LR,QAAA,aACA,UAAA,KACA,OAAA,KHiGF,CAAA,WJzGA,cI0GE,IAMF,GACE,WAAA,KACA,cAAA,KACA,OAAA,EACA,WAAA,IAAA,MAAA,QAQF,CAAA,QACE,SAAA,SACA,MAAA,IACA,OAAA,IJ/HF,QIgIE,EJhIF,OIiIE,KACA,SAAA,OACA,KAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,GACA,OAAA,EAQA,CAAA,iBAAA,SAAA,wBAEE,SAAA,OACA,MAAA,KACA,OAAA,KJhJJ,OIiJI,EACA,SAAA,QACA,KAAA,KAWJ,CAAA,aACE,OAAA,QIrJF,0CAEE,YAAA,QACA,YAAA,IACA,YAAA,IACA,MAAA,QALF,GAAA,6OASI,YAAA,IACA,YAAA,EACA,MAAA,KAIJ,qBAGE,WAAA,KACA,cAAA,KAJF,GAAA,qHAQI,UAAA,IAGJ,qBAGE,WAAA,KACA,cAAA,KAJF,GAAA,qHAQI,UAAA,IAIJ,OAAU,UAAA,KACV,OAAU,UAAA,KACV,OAAU,UAAA,KACV,OAAU,UAAA,KACV,OAAU,UAAA,KACV,OAAU,UAAA,KAMV,ER3DA,OQ4DE,EAAA,EAAA,KAGF,CAAA,KACE,cAAA,KACA,UAAA,KACA,YAAA,IACA,YAAA,IAEA,OAAA,CAAA,SAAA,EAAA,OAAA,CANF,KAOI,UAAA,MASJ,aAEE,UAAA,IAGF,WRpFA,QQsFE,KACA,iBAAA,QAIF,CAAA,UAAuB,WAAA,KACvB,CAAA,WAAuB,WAAA,MACvB,CAAA,YAAuB,WAAA,OACvB,CAAA,aAAuB,WAAA,QACvB,CAAA,YAAuB,YAAA,OAGvB,CAAA,eAAuB,eAAA,UACvB,CAAA,eAAuB,eAAA,UACvB,CAAA,gBAAuB,eAAA,WAGvB,CAAA,WACE,MAAA,KAEF,CAAA,aCvGE,MAAA,QACA,CAAA,CDsGF,YCtGE,SDsGF,mBCpGI,MAAA,QDuGJ,CAAA,aC1GE,MAAA,QACA,CAAA,CDyGF,YCzGE,SDyGF,mBCvGI,MAAA,QD0GJ,CAAA,UC7GE,MAAA,QACA,CAAA,CD4GF,SC5GE,SD4GF,gBC1GI,MAAA,QD6GJ,CAAA,aChHE,MAAA,QACA,CAAA,CD+GF,YC/GE,SD+GF,mBC7GI,MAAA,QDgHJ,CAAA,YCnHE,MAAA,QACA,CAAA,CDkHF,WClHE,SDkHF,kBChHI,MAAA,QDuHJ,CAAA,WAGE,MAAA,KE7HA,iBAAA,QACA,CAAA,CFyHF,UEzHE,SFyHF,iBEvHI,iBAAA,QF6HJ,CAAA,WEhIE,iBAAA,QACA,CAAA,CF+HF,UE/HE,SF+HF,iBE7HI,iBAAA,QFgIJ,CAAA,QEnIE,iBAAA,QACA,CAAA,CFkIF,OElIE,SFkIF,cEhII,iBAAA,QFmIJ,CAAA,WEtIE,iBAAA,QACA,CAAA,CFqIF,UErIE,SFqIF,iBEnII,iBAAA,QFsIJ,CAAA,UEzIE,iBAAA,QACA,CAAA,CFwIF,SExIE,SFwIF,gBEtII,iBAAA,QF8IJ,CAAA,YACE,eAAA,IRrJF,OQsJE,KAAA,EAAA,KACA,cAAA,IAAA,MAAA,QAQF,MAEE,WAAA,EACA,cAAA,KAHF,GAAA,qBAMI,cAAA,EAOJ,CAAA,cACE,aAAA,EACA,WAAA,KAIF,CAAA,YALE,aAAA,EACA,WAAA,KAMA,YAAA,KAFF,CAAA,WAAA,CAAA,GAKI,QAAA,aACA,cAAA,IACA,aAAA,IAKJ,GACE,WAAA,EACA,cAAA,KAEF,MAEE,YAAA,WAEF,GACE,YAAA,IAEF,GACE,YAAA,EAaA,OAAA,CAAA,SAAA,EAAA,OAAA,CAAA,cAAA,GAEI,MAAA,KACA,MAAA,MACA,MAAA,KACA,WAAA,MGxNJ,SAAA,OACA,cAAA,SACA,YAAA,OHiNA,CAAA,cAAA,GASI,YAAA,OAWN,IAAA,CAAA,iCAEE,OAAA,KAGF,CAAA,WACE,UAAA,IA9IqB,eAAA,UAmJvB,WRtPA,QQuPE,KAAA,KRvPF,OQwPE,EAAA,EAAA,KACA,UAAA,OACA,YAAA,IAAA,MAAA,QAKE,WAAA,CAAA,8DACE,cAAA,EAVN,WAAA,0CAmBI,QAAA,MACA,UAAA,IACA,YAAA,WACA,MAAA,KAEA,WAAA,MAAA,yDACE,QAAA,WAQN,CAAA,yCAEE,cAAA,KACA,aAAA,EACA,WAAA,MACA,aAAA,IAAA,MAAA,QACA,YAAA,EAME,CAZJ,mBAYI,MAAA,6CAZJ,oEAAA,qEAYe,QAAA,GACX,CAbJ,mBAaI,MAAA,2CAbJ,kEAAA,mEAcM,QAAA,WAMN,QACE,cAAA,KACA,WAAA,OACA,YAAA,WIxSF,kBAIE,YAAA,KAAA,CAAA,MAAA,CAAA,QAAA,CAAA,WAAA,CAAA,UAIF,KZdA,QYeE,IAAA,IACA,UAAA,IACA,MAAA,QACA,iBAAA,QZlBF,cYmBE,IAIF,IZvBA,QYwBE,IAAA,IACA,UAAA,IACA,MAAA,KACA,iBAAA,KZ3BF,cY4BE,IACA,mBAAA,MAAA,EAAA,KAAA,EAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,KAAA,WAAA,MAAA,EAAA,KAAA,UANF,IAAA,IZvBA,QYgCI,EACA,UAAA,KACA,YAAA,IACA,mBAAA,KAAA,WAAA,KAKJ,IACE,QAAA,MZzCF,QY0CE,MZ1CF,OY2CE,EAAA,EAAA,KACA,UAAA,KACA,YAAA,WACA,MAAA,KACA,WAAA,UACA,UAAA,WACA,iBAAA,QACA,OAAA,IAAA,MAAA,KZlDF,cYmDE,IAXF,IAAA,KZxCA,QYuDI,EACA,UAAA,QACA,MAAA,QACA,YAAA,SACA,iBAAA,YZ3DJ,cY4DI,EAKJ,CAAA,eACE,WAAA,MACA,WAAA,OC1DF,CAAA,UCHE,cAAA,KACA,aAAA,KACA,aAAA,KACA,YAAA,KDGA,OAAA,CAAA,SAAA,EAAA,OAAA,CAHF,UAII,MAAA,OAEF,OAAA,CAAA,SAAA,EAAA,OAAA,CANF,UAOI,MAAA,OAEF,OAAA,CAAA,SAAA,EAAA,QAAA,CATF,UAUI,MAAA,QAUJ,CAAA,gBCvBE,cAAA,KACA,aAAA,KACA,aAAA,KACA,YAAA,KD6BF,CAAA,ICvBE,aAAA,MACA,YAAA,MD0BF,CAAA,eACE,aAAA,EACA,YAAA,EAFF,CAAA,eAAA,CAAA,aAKI,cAAA,EACA,aAAA,EChDH,CAAA,2eCiBK,SAAA,SAEA,WAAA,IAEA,cAAA,KACA,aAAA,KDtBL,CAAA,0HCuCK,MAAA,KDvCL,WC+CG,MAAA,KD/CH,WC+CG,MAAA,aD/CH,WC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,CAAA,SC+CG,MAAA,YD/CH,CAAA,eC8DG,MAAA,KD9DH,CAAA,eC8DG,MAAA,aD9DH,CAAA,eC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,YD9DH,CAAA,cCmEG,MAAA,KDnEH,CAAA,eCoDG,KAAA,KDpDH,CAAA,eCoDG,KAAA,aDpDH,CAAA,eCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,YDpDH,CAAA,cCyDG,KAAA,KDzDH,CAAA,iBCwEG,YAAA,KDxEH,CAAA,iBCwEG,YAAA,aDxEH,CAAA,iBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,YDxEH,CAAA,gBCwEG,YAAA,GFCJ,OAAA,CAAA,SAAA,EAAA,OCzEC,2HCuCK,MAAA,KDvCL,WC+CG,MAAA,KD/CH,WC+CG,MAAA,aD/CH,WC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,YD/CH,CAAA,eC8DG,MAAA,KD9DH,CAAA,eC8DG,MAAA,aD9DH,CAAA,eC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,YD9DH,CAAA,cCmEG,MAAA,KDnEH,CAAA,eCoDG,KAAA,KDpDH,CAAA,eCoDG,KAAA,aDpDH,CAAA,eCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,YDpDH,CAAA,cCyDG,KAAA,KDzDH,CAAA,iBCwEG,YAAA,KDxEH,CAAA,iBCwEG,YAAA,aDxEH,CAAA,iBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,YDxEH,CAAA,gBCwEG,YAAA,IFUJ,OAAA,CAAA,SAAA,EAAA,OClFC,2HCuCK,MAAA,KDvCL,WC+CG,MAAA,KD/CH,WC+CG,MAAA,aD/CH,WC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,YD/CH,CAAA,eC8DG,MAAA,KD9DH,CAAA,eC8DG,MAAA,aD9DH,CAAA,eC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,YD9DH,CAAA,cCmEG,MAAA,KDnEH,CAAA,eCoDG,KAAA,KDpDH,CAAA,eCoDG,KAAA,aDpDH,CAAA,eCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,YDpDH,CAAA,cCyDG,KAAA,KDzDH,CAAA,iBCwEG,YAAA,KDxEH,CAAA,iBCwEG,YAAA,aDxEH,CAAA,iBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,YDxEH,CAAA,gBCwEG,YAAA,IFmBJ,OAAA,CAAA,SAAA,EAAA,QC3FC,2HCuCK,MAAA,KDvCL,WC+CG,MAAA,KD/CH,WC+CG,MAAA,aD/CH,WC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,ID/CH,UC+CG,MAAA,aD/CH,UC+CG,MAAA,YD/CH,CAAA,eC8DG,MAAA,KD9DH,CAAA,eC8DG,MAAA,aD9DH,CAAA,eC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,ID9DH,CAAA,cC8DG,MAAA,aD9DH,CAAA,cC8DG,MAAA,YD9DH,CAAA,cCmEG,MAAA,KDnEH,CAAA,eCoDG,KAAA,KDpDH,CAAA,eCoDG,KAAA,aDpDH,CAAA,eCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,IDpDH,CAAA,cCoDG,KAAA,aDpDH,CAAA,cCoDG,KAAA,YDpDH,CAAA,cCyDG,KAAA,KDzDH,CAAA,iBCwEG,YAAA,KDxEH,CAAA,iBCwEG,YAAA,aDxEH,CAAA,iBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,IDxEH,CAAA,gBCwEG,YAAA,aDxEH,CAAA,gBCwEG,YAAA,YDxEH,CAAA,gBCwEG,YAAA,ICjEJ,MACE,iBAAA,YADF,MAAA,GAAA,CAAA,aAQI,SAAA,OACA,QAAA,aACA,MAAA,KAKA,MAAA,EAAA,CAAA,mCACE,SAAA,OACA,QAAA,WACA,MAAA,KAKN,QACE,YAAA,IACA,eAAA,IACA,MAAA,KACA,WAAA,KAGF,GACE,WAAA,KAMF,Cd0CE,MczCA,MAAA,KACA,UAAA,KACA,cAAA,KAHF,Cd0CE,Kc1CF,CAAA,KAAA,CAAA,EAAA,CAAA,Id0CE,mBAAA,mBAAA,mBAAA,mBAAA,kBFtFF,QgBuDQ,IACA,YAAA,WACA,eAAA,IACA,WAAA,IAAA,MAAA,KAdR,Cd0CE,Kc1CF,CAAA,KAAA,CAAA,EAAA,CAAA,GAoBI,eAAA,OACA,cAAA,IAAA,MAAA,KArBJ,Cd0CE,Kc1CF,CAAA,OAAA,CAAA,KAAA,CAAA,EAAA,YAAA,CAAA,Id0CE,wCAAA,2CAAA,uCAAA,wCAAA,0CcZM,WAAA,EA9BR,Cd0CE,Kc1CF,CAAA,KAAA,CAAA,MAoCI,WAAA,IAAA,MAAA,KApCJ,Cd0CE,Mc1CF,Cd0CE,McDE,iBAAA,KAOJ,CAAA,eAAA,CAAA,KAAA,CAAA,EAAA,CAAA,IAAA,6BAAA,6BAAA,6BAAA,6BAAA,4BhB5FA,QgBmGQ,IAWR,CdhBE,eciBA,OAAA,IAAA,MAAA,KADF,CdhBE,ccgBF,CAAA,KAAA,CAAA,EAAA,CAAA,IdhBE,4BAAA,4BAAA,4BAAA,4BAAA,2BcwBM,OAAA,IAAA,MAAA,KARR,CdhBE,ccgBF,CAAA,KAAA,CAAA,EAAA,CAAA,IdhBE,2Bc+BI,oBAAA,IAUN,CAAA,aAAA,CAAA,KAAA,CAAA,EAAA,kBAEI,iBAAA,QASJ,CAAA,WAAA,CAAA,KAAA,CAAA,EAAA,OAEI,iBAAA,QC/IF,CfiFA,KejFA,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,CAAA,QfiFA,kBejFA,QfiFA,kBejFA,QfiFA,kBejFA,QfiFA,kBejFA,QfiFA,kBejFA,QfiFA,eejFA,WfiFA,eejFA,WfiFA,eejFA,WfiFA,eejFA,WfiFA,eejFA,WfiFA,eejFA,UAOI,iBAAA,QAMJ,CDgIF,WChIE,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,CAbA,MAaA,QDgIF,wBC7IE,cD6IF,qBC7IE,iBD6IF,4BC7IE,QD6IF,qBC7IE,gBAmBI,iBAAA,QAnBJ,CfiFA,KejFA,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,CAAA,SfiFA,kBejFA,SfiFA,kBejFA,SfiFA,kBejFA,SfiFA,kBejFA,SfiFA,kBejFA,SfiFA,eejFA,YfiFA,eejFA,YfiFA,eejFA,YfiFA,eejFA,YfiFA,eejFA,YfiFA,eejFA,WAOI,iBAAA,QAMJ,CDgIF,WChIE,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,CAbA,OAaA,QDgIF,wBC7IE,eD6IF,qBC7IE,kBD6IF,4BC7IE,SD6IF,qBC7IE,iBAmBI,iBAAA,QAnBJ,CfiFA,KejFA,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,CAAA,MfiFA,kBejFA,MfiFA,kBejFA,MfiFA,kBejFA,MfiFA,kBejFA,MfiFA,kBejFA,MfiFA,eejFA,SfiFA,eejFA,SfiFA,eejFA,SfiFA,eejFA,SfiFA,eejFA,SfiFA,eejFA,QAOI,iBAAA,QAMJ,CDgIF,WChIE,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,CAbA,IAaA,QDgIF,wBC7IE,YD6IF,qBC7IE,eD6IF,4BC7IE,MD6IF,qBC7IE,cAmBI,iBAAA,QAnBJ,CfiFA,KejFA,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,CAAA,SfiFA,kBejFA,SfiFA,kBejFA,SfiFA,kBejFA,SfiFA,kBejFA,SfiFA,kBejFA,SfiFA,eejFA,YfiFA,eejFA,YfiFA,eejFA,YfiFA,eejFA,YfiFA,eejFA,YfiFA,eejFA,WAOI,iBAAA,QAMJ,CDgIF,WChIE,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,CAbA,OAaA,QDgIF,wBC7IE,eD6IF,qBC7IE,kBD6IF,4BC7IE,SD6IF,qBC7IE,iBAmBI,iBAAA,QAnBJ,CfiFA,KejFA,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,CAAA,QfiFA,kBejFA,QfiFA,kBejFA,QfiFA,kBejFA,QfiFA,kBejFA,QfiFA,kBejFA,QfiFA,eejFA,WfiFA,eejFA,WfiFA,eejFA,WfiFA,eejFA,WfiFA,eejFA,WfiFA,eejFA,UAOI,iBAAA,QAMJ,CDgIF,WChIE,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,CAbA,MAaA,QDgIF,wBC7IE,cD6IF,qBC7IE,iBD6IF,4BC7IE,QD6IF,qBC7IE,gBAmBI,iBAAA,QDoJN,CAAA,iBACE,WAAA,KACA,WAAA,KAEA,OAAA,OAAA,IAAA,CAAA,SAAA,EAAA,OAAA,CAJF,iBAKI,MAAA,KACA,cAAA,KACA,WAAA,OACA,mBAAA,yBACA,OAAA,IAAA,MAAA,KALF,CAJF,gBAIE,CAAA,Cd1FA,McmGI,cAAA,EATJ,CAJF,gBAIE,CAAA,Cd1FA,Kc0FA,CAAA,KAAA,CAAA,EAAA,CAAA,IAJF,kBdtFE,mBcsFF,kBdtFE,mBcsFF,kBdtFE,mBcsFF,kBdtFE,mBcsFF,kBdtFE,kBc4GU,YAAA,OAlBV,CAJF,gBAIE,CAAA,CdlFA,ec4GI,OAAA,EA1BJ,CAJF,gBAIE,CAAA,CdlFA,cckFA,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,cAJF,kBd9EE,wCc8EF,kBd9EE,wCc8EF,kBd9EE,wCc8EF,kBd9EE,wCc8EF,kBd9EE,uCcqHU,YAAA,EAnCV,CAJF,gBAIE,CAAA,CdlFA,cckFA,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,aAJF,kBd9EE,uCc8EF,kBd9EE,uCc8EF,kBd9EE,uCc8EF,kBd9EE,uCc8EF,kBd9EE,sCcyHU,aAAA,EAvCV,CAJF,gBAIE,CAAA,CdlFA,cckFA,CAAA,KAAA,CAAA,EAAA,WAAA,CAAA,IAJF,kBd9EE,uCc8EF,kBd9EE,uCc8EF,kBd9EE,sCcsIU,cAAA,GEzNZ,SAIE,UAAA,ElBfF,QkBgBE,ElBhBF,OkBiBE,EACA,OAAA,EAGF,OACE,QAAA,MACA,MAAA,KlBvBF,QkBwBE,EACA,cAAA,KACA,UAAA,KACA,YAAA,QACA,MAAA,KACA,OAAA,EACA,cAAA,IAAA,MAAA,QAGF,MACE,QAAA,aACA,UAAA,KACA,cAAA,IACA,YAAA,IAUF,KAAA,CAAA,ab6BE,mBAAA,WACG,gBAAA,WACK,WAAA,WarBR,mBAAA,KACA,gBAAA,KAAA,WAAA,KAIF,KAAA,CAAA,iClB9DA,OkBgEE,IAAA,EAAA,EACA,WAAA,IAAA,GACA,YAAA,OAMA,KAAA,CAAA,WAAA,CAAA,+KAGE,OAAA,YAIJ,KAAA,CAAA,WACE,QAAA,MAIF,KAAA,CAAA,YACE,QAAA,MACA,MAAA,KAIF,MAAA,CAAA,uBAEE,OAAA,KAIF,KAAA,CAAA,UAAA,0DZ1FE,QAAA,IAAA,KAAA,yBACA,eAAA,KYgGF,OACE,QAAA,MACA,YAAA,IACA,UAAA,KACA,YAAA,WACA,MAAA,KA0BF,CAAA,aACE,QAAA,MACA,MAAA,KACA,OAAA,KlBzIF,QkB0IE,IAAA,KACA,UAAA,KACA,YAAA,WACA,MAAA,KACA,iBAAA,KACA,iBAAA,KACA,OAAA,IAAA,MAAA,KlBhJF,ckBiJE,Ib3EA,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,MACQ,WAAA,MAAA,EAAA,IAAA,IAAA,UAyHR,mBAAA,aAAA,YAAA,IAAA,CAAA,WAAA,YAAA,KACK,cAAA,aAAA,YAAA,IAAA,CAAA,WAAA,YAAA,KACG,mBAAA,aAAA,YAAA,IAAA,CAAA,mBAAA,YAAA,KAAA,WAAA,aAAA,YAAA,IAAA,CAAA,mBAAA,YAAA,KAAA,WAAA,aAAA,YAAA,IAAA,CAAA,WAAA,YAAA,KAAA,WAAA,aAAA,YAAA,IAAA,CAAA,WAAA,YAAA,IAAA,CAAA,mBAAA,YAAA,Kc1IR,CD8EF,YC9EE,OACE,aAAA,QACA,QAAA,EdYF,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,KAAA,CAAA,EAAA,EAAA,IAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,IACQ,WAAA,MAAA,EAAA,IAAA,IAAA,SAAA,CAAA,EAAA,EAAA,IAAA,UAiCR,Ca8BF,Yb9BE,mBACE,MAAA,KACA,QAAA,EAEF,Ca0BF,Yb1BE,uBAA0B,MAAA,KAC1B,CayBF,YbzBE,4BAAgC,MAAA,Ka+ChC,CAtBF,YAsBE,aACE,iBAAA,YACA,OAAA,EAQF,CAhCF,YAgCE,CAAA,WAhCF,2CAAA,aAmCI,iBAAA,KACA,QAAA,EAGF,CAvCF,YAuCE,CAAA,8BAvCF,aAyCI,OAAA,YAIF,QAAA,CA7CF,aA8CI,OAAA,KAcJ,OAAA,OAAA,IAAA,CAAA,8BAAA,EAAA,GAKI,KAAA,CAAA,UAAA,CAjEJ,8BAAA,wCAAA,+BAAA,aAkEM,YAAA,KAGF,KAAA,CAAA,UAAA,CAAA,0BAAA,oCAAA,2BAAA,wJAEE,YAAA,KAGF,KAAA,CAAA,UAAA,CAAA,0BAAA,oCAAA,2BAAA,wJAEE,YAAA,MAWN,CAAA,WACE,cAAA,KAQF,CAAA,gBAEE,SAAA,SACA,QAAA,MACA,WAAA,KACA,cAAA,KAGA,CARF,KAQE,UAAA,mDARF,+CAWM,OAAA,YAXN,CAAA,MAAA,sBAgBI,WAAA,KACA,aAAA,KACA,cAAA,EACA,YAAA,IACA,OAAA,QAGJ,CAvBA,MAuBA,KAAA,CAAA,iHAIE,SAAA,SACA,WAAA,IAAA,GACA,YAAA,MAGF,CAhCA,KAgCA,CAAA,CAhCA,0BAkCE,WAAA,KAIF,+BAEE,SAAA,SACA,QAAA,aACA,aAAA,KACA,cAAA,EACA,YAAA,IACA,eAAA,OACA,OAAA,QAGA,aAAA,yGAEE,OAAA,YAGJ,aAAA,CAAA,gDAEE,WAAA,EACA,YAAA,KASF,CAAA,oBACE,WAAA,KAEA,YAAA,IACA,eAAA,IAEA,cAAA,EAEA,CARF,mBAQE,CAhGE,UAwFJ,oBA7FI,SAuGA,cAAA,EACA,aAAA,EAaJ,CArHI,SCtIF,OAAA,KnBrEF,QmBsEE,IAAA,KACA,UAAA,KACA,YAAA,InBxEF,cmByEE,IAEA,MAAA,CDgIE,SC/HA,OAAA,KACA,YAAA,KAGF,QAAA,CD2HE,0BAAA,SCzHA,OAAA,KDiPJ,CAAA,cAAA,CA7LA,aA+LI,OAAA,KlBrUJ,QkBsUI,IAAA,KACA,UAAA,KACA,YAAA,IlBxUJ,ckByUI,IANJ,CAAA,cAAA,MAAA,CA7LA,aAsMI,OAAA,KACA,YAAA,KAVJ,CAAA,cAAA,QAAA,CA7LA,cA6LA,+BA7LA,aA2MI,OAAA,KAdJ,CAAA,cAAA,CA3BA,oBA4CI,OAAA,KACA,WAAA,KlBrVJ,QkBsVI,IAAA,KACA,UAAA,KACA,YAAA,IAIJ,CA5II,SC3IF,OAAA,KnBrEF,QmBsEE,KAAA,KACA,UAAA,KACA,YAAA,UnBxEF,cmByEE,IAEA,MAAA,CDqIE,SCpIA,OAAA,KACA,YAAA,KAGF,QAAA,CDgIE,0BAAA,SC9HA,OAAA,KD6QJ,CAAA,cAAA,CAzNA,aA2NI,OAAA,KlBjWJ,QkBkWI,KAAA,KACA,UAAA,KACA,YAAA,UlBpWJ,ckBqWI,IANJ,CAAA,cAAA,MAAA,CAzNA,aAkOI,OAAA,KACA,YAAA,KAVJ,CAAA,cAAA,QAAA,CAzNA,cAyNA,+BAzNA,aAuOI,OAAA,KAdJ,CAAA,cAAA,CAvDA,oBAwEI,OAAA,KACA,WAAA,KlBjXJ,QkBkXI,KAAA,KACA,UAAA,KACA,YAAA,UASJ,CAAA,aAEE,SAAA,SAFF,CAAA,aAAA,CAvPA,aA6PI,cAAA,OAIJ,CAAA,sBACE,SAAA,SACA,IAAA,EACA,MAAA,EACA,QAAA,EACA,QAAA,MACA,MAAA,KACA,OAAA,KACA,YAAA,KACA,WAAA,OACA,eAAA,KAEF,CAnMI,QAmMJ,CAAA,CAZA,uCAAA,uBAxCA,eAzNA,cAiQA,sBAeE,MAAA,KACA,OAAA,KACA,YAAA,KAEF,CA/MI,QA+MJ,CAAA,CAnBA,uCAAA,uBApEA,eA7LA,cAiQA,sBAsBE,MAAA,KACA,OAAA,KACA,YAAA,KAIF,CAAA,YAAA,CAAA,YAAA,4BAAA,aA7LA,OA6LA,uBAAA,2BAAA,8BAAA,YA7LA,aA6LA,4BAAA,gCAAA,kCClZI,MAAA,QDkZJ,CAAA,YAAA,CA7RA,aCjHI,aAAA,QdiDF,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,MACQ,WAAA,MAAA,EAAA,IAAA,IAAA,UchDN,CD4YJ,YC5YI,CD+GJ,YC/GI,OACE,aAAA,Qd8CJ,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,KAAA,CAAA,EAAA,EAAA,IAAA,QACQ,WAAA,MAAA,EAAA,IAAA,IAAA,SAAA,CAAA,EAAA,EAAA,IAAA,Qa4VV,CAAA,YAAA,CAAA,kBCpYI,MAAA,QACA,iBAAA,QACA,aAAA,QDkYJ,CAAA,YAAA,CA5BA,sBClWI,MAAA,QDiYJ,CAAA,YAAA,CAHA,YAGA,4BAAA,aAhMA,OAgMA,uBAAA,2BAAA,8BAAA,YAhMA,aAgMA,4BAAA,gCAAA,kCCrZI,MAAA,QDqZJ,CAAA,YAAA,CAhSA,aCjHI,aAAA,QdiDF,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,MACQ,WAAA,MAAA,EAAA,IAAA,IAAA,UchDN,CD+YJ,YC/YI,CD+GJ,YC/GI,OACE,aAAA,Qd8CJ,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,KAAA,CAAA,EAAA,EAAA,IAAA,QACQ,WAAA,MAAA,EAAA,IAAA,IAAA,SAAA,CAAA,EAAA,EAAA,IAAA,Qa+VV,CAAA,YAAA,CAHA,kBCpYI,MAAA,QACA,iBAAA,QACA,aAAA,QDqYJ,CAAA,YAAA,CA/BA,sBClWI,MAAA,QDoYJ,CAAA,UAAA,CANA,YAMA,0BAAA,WAnMA,OAmMA,qBAAA,yBAAA,4BAAA,UAnMA,aAmMA,0BAAA,8BAAA,gCCxZI,MAAA,QDwZJ,CAAA,UAAA,CAnSA,aCjHI,aAAA,QdiDF,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,MACQ,WAAA,MAAA,EAAA,IAAA,IAAA,UchDN,CDkZJ,UClZI,CD+GJ,YC/GI,OACE,aAAA,Qd8CJ,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,KAAA,CAAA,EAAA,EAAA,IAAA,QACQ,WAAA,MAAA,EAAA,IAAA,IAAA,SAAA,CAAA,EAAA,EAAA,IAAA,QakWV,CAAA,UAAA,CANA,kBCpYI,MAAA,QACA,iBAAA,QACA,aAAA,QDwYJ,CAAA,UAAA,CAlCA,sBClWI,MAAA,QD2YF,CAnDF,aAmDE,KAAA,CAAA,CAzCF,sBA0CI,IAAA,KAEF,CAtDF,aAsDE,KAAA,CdvTF,OcuTE,CAAA,CA5CF,sBA6CI,IAAA,EAUJ,CA3BA,WA4BE,QAAA,MACA,WAAA,IACA,cAAA,KACA,MAAA,QAkBA,OAAA,CAAA,SAAA,EAAA,OAAA,CAAA,YAAA,CAvPF,WA0PM,QAAA,aACA,cAAA,EACA,eAAA,OALJ,CAAA,YAAA,CA9UF,aAwVM,QAAA,aACA,MAAA,KACA,eAAA,OAZJ,CAAA,YAAA,CA5KF,oBA6LM,QAAA,aAjBJ,CAAA,YAAA,CAAA,YAqBI,QAAA,aACA,eAAA,OAtBJ,CAAA,YAAA,CAAA,YAAA,CAjDF,mBAiDE,aAAA,8BAAA,aAAA,aA9UF,aAyWQ,MAAA,KA3BN,CAAA,YAAA,CAAA,WAAA,CAAA,CA9UF,aA+WM,MAAA,KAjCJ,CAAA,YAAA,eAqCI,cAAA,EACA,eAAA,OAtCJ,CAAA,YAAA,CA9OF,OA8OE,sBA6CI,QAAA,aACA,WAAA,EACA,cAAA,EACA,eAAA,OAhDJ,CAAA,YAAA,CA9OF,MA8OE,OAAA,4BAmDM,aAAA,EAnDN,CAAA,YAAA,CA9OF,MA8OE,KAAA,CAAA,aAAA,2CAwDI,SAAA,SACA,YAAA,EAzDJ,CAAA,YAAA,CAvFF,aAuFE,CA7EF,sBA2IM,IAAA,GAWN,CAAA,gBAAA,CAvTA,OAuTA,2BAAA,+BAAA,iCASI,YAAA,IACA,WAAA,EACA,cAAA,EAXJ,CAAA,gBAAA,CAvTA,OAuTA,0BAiBI,WAAA,KAjBJ,CAAA,gBAAA,CAhUA,WJ9ME,aAAA,MACA,YAAA,MIwiBA,OAAA,CAAA,SAAA,EAAA,OAAA,CA3BF,gBA2BE,eAEI,YAAA,IACA,cAAA,EACA,WAAA,OA/BN,CAAA,gBAAA,CAhKA,aAgKA,CAtJA,sBA8LI,MAAA,KAQA,OAAA,CAAA,SAAA,EAAA,OAAA,CAhDJ,gBAgDI,CA9OJ,cA8OI,eAEI,YAAA,KACA,UAAA,MAKJ,OAAA,CAAA,SAAA,EAAA,OAAA,CAxDJ,gBAwDI,CAlRJ,cAkRI,eAEI,YAAA,IACA,UAAA,ME9kBR,ClBkEE,IkBjEA,QAAA,aACA,cAAA,EACA,YAAA,IACA,WAAA,OACA,YAAA,OACA,eAAA,OACA,iBAAA,aAAA,aAAA,aACA,OAAA,QACA,iBAAA,KACA,OAAA,IAAA,MAAA,YpBpBF,QqBwDE,IAAA,KACA,UAAA,KACA,YAAA,WrB1DF,cqB2DE,IhBqKA,oBAAA,KACG,iBAAA,KACC,gBAAA,KACI,YAAA,KexMN,ClBiDF,GkBjDE,QlBiDF,kBAAA,IevEA,cfuEA,WAAA,kBAAA,IevEA,aXCA,QAAA,IAAA,KAAA,yBACA,eAAA,Kc0BA,ClB2CA,GkB3CA,QlB2CA,WAAA,UkBxCE,MAAA,KACA,gBAAA,KAGF,ClBoCA,GkBpCA,SlBoCA,IevEA,OGqCE,iBAAA,KACA,QAAA,Ef2BF,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,MACQ,WAAA,MAAA,EAAA,IAAA,IAAA,UexBR,ClB6BA,GkB7BA,WlB6BA,kCAAA,IkB1BE,OAAA,YE9CF,OAAA,MAAA,OAAA,CAAA,IACA,QAAA,IjBiEA,mBAAA,KACQ,WAAA,KefN,CAAA,ClBoBF,GkBpBE,+BlBoBF,IkBlBI,eAAA,KASN,CAAA,YC7DE,MAAA,KACA,iBAAA,KACA,aAAA,KAEA,CDyDF,WCzDE,QDyDF,kBCvDI,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CDmDF,WCnDE,OACE,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CD8CF,WC9CE,SD8CF,YH9DE,8BG8DF,YC3CI,MAAA,KACA,iBAAA,QACA,iBAAA,KACA,aAAA,QAEA,CDsCJ,WCtCI,OAAA,QDsCJ,YH9DE,oCG8DF,mBAAA,0BAAA,YH9DE,oCG8DF,mBAAA,0BAAA,YH9DE,oCG8DF,kBCnCM,MAAA,KACA,iBAAA,QACA,aAAA,QAMF,CD2BJ,WC3BI,SAAA,QD2BJ,gDAAA,mBAAA,4BAAA,gDAAA,mBAAA,4BAAA,gDAAA,kBCxBM,iBAAA,KACA,aAAA,KDuBN,CAAA,YAAA,CAAA,MClBI,MAAA,KACA,iBAAA,KDoBJ,CAAA,YChEE,MAAA,KACA,iBAAA,QACA,aAAA,QAEA,CD4DF,WC5DE,QD4DF,kBC1DI,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CDsDF,WCtDE,OACE,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CDiDF,WCjDE,SDiDF,YHjEE,8BGiEF,YC9CI,MAAA,KACA,iBAAA,QACA,iBAAA,KACA,aAAA,QAEA,CDyCJ,WCzCI,OAAA,QDyCJ,YHjEE,oCGiEF,mBAAA,0BAAA,YHjEE,oCGiEF,mBAAA,0BAAA,YHjEE,oCGiEF,kBCtCM,MAAA,KACA,iBAAA,QACA,aAAA,QAMF,CD8BJ,WC9BI,SAAA,QD8BJ,gDAAA,mBAAA,4BAAA,gDAAA,mBAAA,4BAAA,gDAAA,kBC3BM,iBAAA,QACA,aAAA,QD0BN,CAAA,YAAA,CAHA,MClBI,MAAA,QACA,iBAAA,KDwBJ,CAAA,YCpEE,MAAA,KACA,iBAAA,QACA,aAAA,QAEA,CDgEF,WChEE,QDgEF,kBC9DI,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CD0DF,WC1DE,OACE,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CDqDF,WCrDE,SDqDF,YHrEE,8BGqEF,YClDI,MAAA,KACA,iBAAA,QACA,iBAAA,KACA,aAAA,QAEA,CD6CJ,WC7CI,OAAA,QD6CJ,YHrEE,oCGqEF,mBAAA,0BAAA,YHrEE,oCGqEF,mBAAA,0BAAA,YHrEE,oCGqEF,kBC1CM,MAAA,KACA,iBAAA,QACA,aAAA,QAMF,CDkCJ,WClCI,SAAA,QDkCJ,gDAAA,mBAAA,4BAAA,gDAAA,mBAAA,4BAAA,gDAAA,kBC/BM,iBAAA,QACA,aAAA,QD8BN,CAAA,YAAA,CAPA,MClBI,MAAA,QACA,iBAAA,KD4BJ,CAAA,SCxEE,MAAA,KACA,iBAAA,QACA,aAAA,QAEA,CDoEF,QCpEE,QDoEF,eClEI,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CD8DF,QC9DE,OACE,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CDyDF,QCzDE,SDyDF,SHzEE,8BGyEF,SCtDI,MAAA,KACA,iBAAA,QACA,iBAAA,KACA,aAAA,QAEA,CDiDJ,QCjDI,OAAA,QDiDJ,SHzEE,oCGyEF,gBAAA,uBAAA,SHzEE,oCGyEF,gBAAA,uBAAA,SHzEE,oCGyEF,eC9CM,MAAA,KACA,iBAAA,QACA,aAAA,QAMF,CDsCJ,QCtCI,SAAA,QDsCJ,6CAAA,gBAAA,yBAAA,6CAAA,gBAAA,yBAAA,6CAAA,eCnCM,iBAAA,QACA,aAAA,QDkCN,CAAA,SAAA,CAXA,MClBI,MAAA,QACA,iBAAA,KDgCJ,CAAA,YC5EE,MAAA,KACA,iBAAA,QACA,aAAA,QAEA,CDwEF,WCxEE,QDwEF,kBCtEI,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CDkEF,WClEE,OACE,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CD6DF,WC7DE,SD6DF,YH7EE,8BG6EF,YC1DI,MAAA,KACA,iBAAA,QACA,iBAAA,KACA,aAAA,QAEA,CDqDJ,WCrDI,OAAA,QDqDJ,YH7EE,oCG6EF,mBAAA,0BAAA,YH7EE,oCG6EF,mBAAA,0BAAA,YH7EE,oCG6EF,kBClDM,MAAA,KACA,iBAAA,QACA,aAAA,QAMF,CD0CJ,WC1CI,SAAA,QD0CJ,gDAAA,mBAAA,4BAAA,gDAAA,mBAAA,4BAAA,gDAAA,kBCvCM,iBAAA,QACA,aAAA,QDsCN,CAAA,YAAA,CAfA,MClBI,MAAA,QACA,iBAAA,KDoCJ,CAAA,WChFE,MAAA,KACA,iBAAA,QACA,aAAA,QAEA,CD4EF,UC5EE,QD4EF,iBC1EI,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CDsEF,UCtEE,OACE,MAAA,KACA,iBAAA,QACA,aAAA,QAEF,CDiEF,UCjEE,SDiEF,WHjFE,8BGiFF,WC9DI,MAAA,KACA,iBAAA,QACA,iBAAA,KACA,aAAA,QAEA,CDyDJ,UCzDI,OAAA,QDyDJ,WHjFE,oCGiFF,kBAAA,yBAAA,WHjFE,oCGiFF,kBAAA,yBAAA,WHjFE,oCGiFF,iBCtDM,MAAA,KACA,iBAAA,QACA,aAAA,QAMF,CD8CJ,UC9CI,SAAA,QD8CJ,+CAAA,kBAAA,2BAAA,+CAAA,kBAAA,2BAAA,+CAAA,iBC3CM,iBAAA,QACA,aAAA,QD0CN,CAAA,WAAA,CAnBA,MClBI,MAAA,QACA,iBAAA,KD6CJ,CAAA,SACE,YAAA,IACA,MAAA,QpBjGF,coBkGE,EAEA,CALF,UAAA,iBAAA,SH1FE,QG0FF,uCAAA,SAUI,iBAAA,YfnCF,mBAAA,KACQ,WAAA,KeqCR,CAbF,UAAA,gBAAA,gBAAA,gBAiBI,aAAA,YAEF,CAnBF,QAmBE,QAnBF,eAqBI,MAAA,QACA,gBAAA,UACA,iBAAA,YAIA,CA3BJ,QA2BI,CAAA,SAAA,2BA3BJ,gBAAA,6CAAA,eA6BM,MAAA,KACA,gBAAA,KASN,CAAA,sBlB1DE,IF5EF,QqBwDE,KAAA,KACA,UAAA,KACA,YAAA,UrB1DF,cqB2DE,ID+EF,CAAA,sBlB9DE,IF5EF,QqBwDE,IAAA,KACA,UAAA,KACA,YAAA,IrB1DF,cqB2DE,IDmFF,CAAA,sBlBlEE,IF5EF,QqBwDE,IAAA,IACA,UAAA,KACA,YAAA,IrB1DF,cqB2DE,ID2FF,CAAA,UACE,QAAA,MACA,MAAA,KAIF,CANA,SAMA,CAAA,CANA,UAOE,WAAA,IAOA,KAAA,CAAA,YAAA,CAdF,4BAAA,6BAAA,UAeI,MAAA,KG1JJ,CAAA,KACE,QAAA,ElBoLA,mBAAA,QAAA,KAAA,OACK,cAAA,QAAA,KAAA,OACG,WAAA,QAAA,KAAA,OkBnLR,CAJF,IAIE,CAAA,GACE,QAAA,EAIJ,CAAA,SACE,QAAA,KAEA,CAHF,QAGE,CARA,GAQY,QAAA,MACZ,EAAA,CAJF,QAIE,CATA,GASY,QAAA,UACZ,KAAA,CALF,QAKE,CAVA,GAUY,QAAA,gBAGd,CAAA,WACE,SAAA,SACA,OAAA,EACA,SAAA,OlBsKA,4BAAA,MAAA,CAAA,WACQ,uBAAA,MAAA,CAAA,WAAA,oBAAA,MAAA,CAAA,WAOR,4BAAA,KACQ,uBAAA,KAAA,oBAAA,KAGR,mCAAA,KACQ,8BAAA,KAAA,2BAAA,KmB5MV,CtBsEE,MsBrEA,QAAA,aACA,MAAA,EACA,OAAA,EACA,YAAA,IACA,eAAA,OACA,WAAA,IAAA,OACA,WAAA,IAAA,MAAA,GACA,aAAA,IAAA,MAAA,YACA,YAAA,IAAA,MAAA,YAIF,kBAEE,SAAA,SAIF,gBAAA,OACE,QAAA,EAIF,CAAA,cACE,SAAA,SACA,IAAA,KACA,KAAA,EACA,QAAA,KACA,QAAA,KACA,MAAA,KACA,UAAA,MxBrCF,QwBsCE,IAAA,ExBtCF,OwBuCE,IAAA,EAAA,EACA,UAAA,KACA,WAAA,KACA,WAAA,KACA,iBAAA,KACA,gBAAA,YACA,OAAA,IAAA,MAAA,KACA,OAAA,IAAA,MAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,KxB9CF,cwB+CE,InBuBA,mBAAA,EAAA,IAAA,KAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,MACQ,WAAA,EAAA,IAAA,KAAA,UmBlBR,CAvBF,aAuBE,YACE,MAAA,EACA,KAAA,KAzBJ,CAAA,cAAA,CAAA,QCzBE,OAAA,IzBLF,OyBME,IAAA,EACA,SAAA,OACA,iBAAA,QDsBF,CAAA,aAAA,CAAA,EAAA,CAAA,EAmCI,QAAA,MxBjEJ,QwBkEI,IAAA,KACA,MAAA,KACA,YAAA,IACA,YAAA,WACA,MAAA,KACA,YAAA,OAEA,CA3CJ,aA2CI,CAAA,EAAA,CAAA,CAAA,QA3CJ,yBA6CM,MAAA,QACA,gBAAA,KACA,iBAAA,QAOJ,CAtDF,aAsDE,CAAA,CP/EA,MO+EA,CAAA,GAtDF,ePzBE,gBOyBF,ePzBE,eOkFE,MAAA,KACA,gBAAA,KACA,iBAAA,QACA,QAAA,EASF,CArEF,aAqEE,CAAA,SAAA,CAAA,GArEF,iCAAA,gCAwEI,MAAA,KAIF,CA5EF,aA4EE,CAAA,SAAA,CAAA,CAAA,QA5EF,gCA8EI,gBAAA,KACA,OAAA,YACA,iBAAA,YACA,iBAAA,KEzGF,OAAA,MAAA,CAAA,gBAAA,CAAA,SAAA,CAAA,SAAA,QAAA,EAAA,OF+GF,KAAA,CAAA,CAvFA,cA0FI,QAAA,MAHJ,KAAA,CAAA,EAQI,QAAA,EAQJ,CAAA,oBACE,MAAA,EACA,KAAA,KAQF,CAAA,mBACE,MAAA,KACA,KAAA,EAIF,CAAA,gBACE,QAAA,MxBtJF,QwBuJE,IAAA,KACA,UAAA,KACA,YAAA,WACA,MAAA,KACA,YAAA,OAIF,CAAA,kBACE,SAAA,MACA,MAAA,EAIA,QAAA,IAIF,WAAA,CAAA,CA3IA,cA4IE,MAAA,EACA,KAAA,KAQF,QAAA,CtBvGE,sCAAA,MsB2GE,QAAA,GACA,WAAA,EACA,cAAA,IAAA,OACA,cAAA,IAAA,MAAA,GAPJ,QAAA,CArJA,8CAAA,cAgKI,IAAA,KACA,OAAA,KACA,cAAA,IASJ,OAAA,CAAA,SAAA,EAAA,OACE,CAAA,aAAA,CA5KF,cAwGE,MAAA,EACA,KAAA,KAmEA,CAAA,aAAA,CA3DF,mBACE,MAAA,KACA,KAAA,GG1IF,CAAA,8BAEE,SAAA,SACA,QAAA,aACA,eAAA,OAJF,CAAA,SAAA,CAAA,CzBqEE,yBAAA,IyB/DE,SAAA,SACA,MAAA,KAEA,CATJ,SASI,CAAA,CzB4DF,GyB5DE,4BzB4DF,WyBrEF,WzBqEE,+BAAA,WyBrEF,WzBqEE,gCAAA,YyBrEF,WzBqEE,IevEA,4BfuEA,IevEA,OUeI,QAAA,EAMN,CAnBA,UAmBA,CzBkDE,GyBlDF,CAAA,CzBkDE,KyBrEF,WzBqEE,KyBrEF,WAAA,WAAA,WzBqEE,KyBrEF,WAAA,WAAA,UAwBI,YAAA,KAKJ,CAAA,YACE,YAAA,KADF,CAAA,YAAA,CzBwCE,KyBxCF,aA7BA,WA6BA,aTgbE,YSzaE,MAAA,KAPJ,CAAA,WAAA,CAAA,CzBwCE,KyBxCF,aA7BA,WA6BA,aTgbE,YSpaE,YAAA,IAIJ,CA7CA,SA6CA,CAAA,CzBwBE,GyBxBF,KAAA,aAAA,KAAA,YAAA,KAAA,kB3BpDA,c2BqDE,EAIF,CAlDA,SAkDA,CAAA,CzBmBE,GyBnBF,aACE,YAAA,EACA,CApDF,SAoDE,CAAA,CzBiBA,GyBjBA,YAAA,KAAA,YAAA,KAAA,kBCpDA,wBAAA,EACA,2BAAA,EDwDF,CAzDA,SAyDA,CAAA,CzBYE,GyBZF,WAAA,KAAA,eAzDA,6CCQE,uBAAA,EACA,0BAAA,EDsDF,CA/DA,SA+DA,CAAA,CA/DA,UAgEE,MAAA,KAEF,CAlEA,SAkEA,CAAA,CAlEA,SAkEA,KAAA,aAAA,KAAA,YAAA,CAAA,CzBGE,IF5EF,c2B0EE,EAEF,CArEA,SAqEA,CAAA,CArEA,SAqEA,YAAA,KAAA,YAAA,CAAA,CzBAE,GyBAF,aArEA,WAAA,wDCAE,wBAAA,EACA,2BAAA,ED0EF,CA3EA,SA2EA,CAAA,CA3EA,SA2EA,WAAA,KAAA,aAAA,CAAA,CzBNE,GyBMF,aCnEE,uBAAA,EACA,0BAAA,EDuEF,CAhFA,UAgFA,gBAAA,SAhFA,gCAkFE,QAAA,EAiBF,CAnGA,SAmGA,CAAA,CzB9BE,GyB8BF,CAAA,iBACE,cAAA,IACA,aAAA,IAEF,CAvGA,SAuGA,CAAA,CPwBA,MOxBA,CAAA,iBACE,cAAA,KACA,aAAA,KAKF,CA9GA,SA8GA,MAAA,iBtB/CE,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,MACQ,WAAA,MAAA,EAAA,IAAA,IAAA,UsBkDR,CAlHF,SAkHE,MAAA,gBAAA,CP1BF,SfzBE,mBAAA,KACQ,WAAA,KsByDV,CzBpDE,IyBoDF,CzBpDE,MyBqDA,YAAA,EAGF,CPEA,OOFA,CzBxDE,MyByDA,aAAA,IAAA,IAAA,EACA,oBAAA,EAGF,QAAA,CPHA,OOGA,CzB7DE,MyB8DA,aAAA,EAAA,IAAA,IAOF,mBAAA,CAAA,CzBrEE,yByBrEF,+BAAA,WzBqEE,IyByEE,QAAA,MACA,MAAA,KACA,MAAA,KACA,UAAA,KAPJ,mBAAA,CAAA,CA1IA,SA0IA,CAAA,CzBrEE,IyBmFI,MAAA,KAdN,mBAAA,CAAA,CzBrEE,GyBqEF,CAAA,CzBrEE,yBAAA,KyBrEF,+BAAA,WzBqEE,yByBrEF,WAAA,UAgKI,WAAA,KACA,YAAA,EAKF,mBAAA,CAAA,CzBjGA,GyBiGA,KAAA,aAAA,KAAA,a3B7KF,c2B8KI,EAEF,mBAAA,CAAA,CzBpGA,GyBoGA,YAAA,KAAA,aC7KA,cAAA,IACA,IAOA,EACA,EDwKA,mBAAA,CAAA,CzBxGA,GyBwGA,WAAA,KAAA,cCjLA,cAAA,EACA,EAOA,IACA,ID6KF,mBAAA,CAAA,CAlLA,SAkLA,KAAA,aAAA,KAAA,YAAA,CAAA,CzB7GE,IF5EF,c2B0LE,EAEF,mBAAA,CAAA,CArLA,SAqLA,YAAA,KAAA,YAAA,CAAA,CzBhHE,GyBgHF,iCArLA,wDCIE,2BAAA,EACA,0BAAA,EDsLF,mBAAA,CAAA,CA3LA,SA2LA,WAAA,KAAA,aAAA,CAAA,CzBtHE,GyBsHF,aC/LE,uBAAA,EACA,wBAAA,EDsMF,CAAA,oBACE,QAAA,MACA,MAAA,KACA,aAAA,MACA,gBAAA,SAJF,CAAA,mBAAA,CAAA,CzB9HE,KyB8HF,qBAnMA,UA0MI,QAAA,WACA,MAAA,KACA,MAAA,GATJ,CAAA,mBAAA,CAAA,CAnMA,UAmMA,CzB9HE,IyB0IE,MAAA,KAZJ,CAAA,mBAAA,CAAA,CAnMA,UAmMA,CH5KA,cG4LI,KAAA,KAiBJ,CAAA,oBAAA,CAAA,CzB/JE,IyB+JF,KAAA,CAAA,mCApOA,WzBqEE,6CAAA,gDyBrEF,WzBqEE,yByBoKI,SAAA,SACA,KAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,GACA,eAAA,KE1ON,CX4cE,YW3cA,SAAA,SACA,QAAA,MACA,gBAAA,SAGA,CXscA,WWtcA,CAAA,aACE,MAAA,KACA,cAAA,EACA,aAAA,EATJ,CX4cE,YW5cF,CX8HA,aW/GI,SAAA,SACA,QAAA,EAKA,MAAA,KAEA,MAAA,KACA,cAAA,EAEA,CXkbF,YWlbE,CXoGJ,YWpGI,OACE,QAAA,EAUN,eAAA,CAAA,CXyFA,8BA6RA,oDhBvVE,IiBPA,OAAA,KnBrEF,QmBsEE,KAAA,KACA,UAAA,KACA,YAAA,UnBxEF,cmByEE,IAEA,MAAA,eAAA,CAAA,CD2DF,oCA6RA,0DhBvVE,IiBAE,OAAA,KACA,YAAA,KAGF,QAAA,eAAA,CAAA,CDsDF,sCA6RA,4DhBvVE,qCgB0DF,8CA6RA,oEhBvVE,IiBME,OAAA,KUhCJ,eAAA,CAAA,CXoFA,8BA6RA,oDhBvVE,IiBPA,OAAA,KnBrEF,QmBsEE,IAAA,KACA,UAAA,KACA,YAAA,InBxEF,cmByEE,IAEA,MAAA,eAAA,CAAA,CD2DF,oCA6RA,0DhBvVE,IiBAE,OAAA,KACA,YAAA,KAGF,QAAA,eAAA,CAAA,CDsDF,sCA6RA,4DhBvVE,qCgB0DF,8CA6RA,oEhBvVE,IiBME,OAAA,KUvBJ,CXwWA,oCAiDE,aA9UF,aWxEE,QAAA,WAEA,CXmWF,iBWnWE,KAAA,aAAA,KAAA,kEXoZA,aA9UF,gDlBtIA,c6BiEI,EAIJ,CX8VA,mCW5VE,MAAA,GACA,YAAA,OACA,eAAA,OAKF,CXqVA,kBlBnaA,Q6B+EE,IAAA,KACA,UAAA,KACA,YAAA,IACA,YAAA,EACA,MAAA,KACA,WAAA,OACA,iBAAA,KACA,OAAA,IAAA,MAAA,K7BtFF,c6BuFE,IAGA,CXyUF,iBWzUE,CXiHE,SlB3MJ,Q6B2FI,IAAA,KACA,UAAA,K7B5FJ,c6B6FI,IAEF,CXoUF,iBWpUE,CXiHE,SlBhNJ,Q6BgGI,KAAA,KACA,UAAA,K7BjGJ,c6BkGI,IApBJ,CXqVA,kBWrVA,KAAA,CAAA,aXqVA,uCW3TI,WAAA,EAKJ,CXuWE,YWvWF,CXyBA,YWzBA,cXsTA,4DhBvVE,kCyBrEF,WzBqEE,+EAAA,wEyBrEF,4BzBqEE,I0BrEA,wBAAA,EACA,2BAAA,EC8GF,CX6SA,iBW7SA,aACE,aAAA,EAEF,CX2VE,YW3VF,CXaA,YWbA,aX0SA,0DhBvVE,iCyBrEF,WzBqEE,+EAAA,oDyBrEF,6BzBqEE,I0B7DA,uBAAA,EACA,0BAAA,ECkHF,CXiSA,iBWjSA,YACE,YAAA,EAKF,iBACE,SAAA,SAGA,UAAA,EACA,YAAA,OALF,gBAAA,CAAA,C3B5DE,I2BsEE,SAAA,SAVJ,gBAAA,CAAA,C3B5DE,G2B4DF,CAAA,C3B5DE,I2BwEI,YAAA,KAGF,gBAAA,CAAA,C3B3EF,G2B2EE,yB3B3EF,4BAAA,W2B8EI,QAAA,EAKJ,gBAAA,YAAA,CAAA,C3BnFA,kCyBrEF,UE2JM,aAAA,KAGJ,gBAAA,WAAA,CAAA,C3BzFA,iCyBrEF,UEiKM,QAAA,EACA,YAAA,KC/JN,CAAA,IACE,aAAA,EACA,cAAA,EACA,WAAA,KAHF,CAAA,GAAA,CAAA,GAOI,SAAA,SACA,QAAA,MARJ,CAAA,GAAA,CAAA,EAAA,CAAA,EAWM,SAAA,SACA,QAAA,M9BtBN,Q8BuBM,KAAA,KACA,CAdN,GAcM,CAAA,EAAA,CAAA,CAAA,QAdN,eAgBQ,gBAAA,KACA,iBAAA,KAKJ,CAtBJ,GAsBI,CAAA,EAAA,SAAA,CAAA,EACE,MAAA,KAEA,CAzBN,GAyBM,CAAA,EAAA,SAAA,CAAA,CAAA,QAzBN,wBA2BQ,MAAA,KACA,gBAAA,KACA,OAAA,YACA,iBAAA,YAOJ,CArCJ,IAqCI,KAAA,CAAA,GArCJ,mBAAA,kBAwCM,iBAAA,KACA,aAAA,QAzCN,CAAA,IAAA,CAAA,YLLE,OAAA,IzBLF,OyBME,IAAA,EACA,SAAA,OACA,iBAAA,QKEF,CAAA,GAAA,CAAA,EAAA,CAAA,CAAA,CAAA,IA0DI,UAAA,KASJ,CAAA,SACE,cAAA,IAAA,MAAA,KADF,CAAA,QAAA,CAAA,GAGI,MAAA,KAEA,cAAA,KALJ,CAAA,QAAA,CAAA,EAAA,CAAA,EASM,aAAA,IACA,YAAA,WACA,OAAA,IAAA,MAAA,Y9BxFN,c8ByFM,IAAA,IAAA,EAAA,EACA,CAbN,QAaM,CAAA,EAAA,CAAA,CAAA,OACE,aAAA,QAAA,QAAA,KAMF,CApBN,QAoBM,CAAA,EAAA,Cb5FJ,Ma4FI,CAAA,GApBN,YbxEE,gBawEF,YbxEE,ea+FM,MAAA,KACA,OAAA,QACA,iBAAA,KACA,OAAA,IAAA,MAAA,KACA,oBAAA,YAKN,CAhCF,QAgCE,CAAA,cAqDA,MAAA,KA8BA,cAAA,EAnFA,CAhCF,QAgCE,CAAA,aAAA,CAAA,GAwDE,MAAA,KAxDF,CAhCF,QAgCE,CAAA,aAAA,CAAA,EAAA,CAAA,EA0DI,cAAA,IACA,WAAA,OA3DJ,CAhCF,QAgCE,CAAA,aAAA,CAAA,UAAA,CN/EF,cM+II,IAAA,KACA,KAAA,KAGF,OAAA,CAAA,SAAA,EAAA,OAAA,CApGF,QAoGE,CApEA,aAoEA,CAAA,GAEI,QAAA,WACA,MAAA,GAHJ,CApGF,QAoGE,CApEA,aAoEA,CAAA,EAAA,CAAA,EAKM,cAAA,GAzEN,CAhCF,QAgCE,CAAA,aAAA,CAAA,EAAA,CAAA,EAuFE,aAAA,E9BpMJ,c8BqMI,IAxFF,CAhCF,QAgCE,CAAA,aAAA,CAAA,CbxGA,MawGA,CAAA,GAhCF,SAgCE,ebxGA,gBawEF,SAgCE,ebxGA,easME,OAAA,IAAA,MAAA,KAGF,OAAA,CAAA,SAAA,EAAA,OAAA,CAjIF,QAiIE,CAjGA,aAiGA,CAAA,EAAA,CAAA,EAEI,cAAA,IAAA,MAAA,K9BhNN,c8BiNM,IAAA,IAAA,EAAA,EAHJ,CAjIF,QAiIE,CAjGA,aAiGA,CAAA,CbzMA,MayMA,CAAA,GAjIF,SAgCE,ebxGA,gBawEF,SAgCE,ebxGA,eaiNI,oBAAA,MAhGN,CAAA,SAAA,CAAA,GAEI,MAAA,KAFJ,CAAA,SAAA,CAAA,EAAA,CAAA,E9BtHA,c8B4HM,IANN,CAAA,SAAA,CAAA,EAAA,CAAA,GASM,YAAA,IAKA,CAdN,SAcM,CAAA,EAAA,Cb/HJ,Ma+HI,CAAA,GAdN,abjHE,gBaiHF,abjHE,eakIM,MAAA,KACA,iBAAA,QAQR,CAAA,WAAA,CAAA,GAEI,MAAA,KAFJ,CAAA,WAAA,CAAA,EAAA,CAAA,GAIM,WAAA,IACA,YAAA,EAYN,CApDE,cAqDA,MAAA,KADF,CApDE,aAoDF,CAAA,GAII,MAAA,KAJJ,CApDE,aAoDF,CAAA,EAAA,CAAA,EAMM,cAAA,IACA,WAAA,OAPN,CApDE,aAoDF,CAAA,UAAA,CNnIA,cM+II,IAAA,KACA,KAAA,KAGF,OAAA,CAAA,SAAA,EAAA,OAAA,CApEA,aAoEA,CAAA,GAEI,QAAA,WACA,MAAA,GAHJ,CApEA,aAoEA,CAAA,EAAA,CAAA,EAKM,cAAA,GASR,CAAA,mBACE,cAAA,EADF,CAAA,kBAAA,CAAA,EAAA,CAAA,EAKI,aAAA,E9BpMJ,c8BqMI,IANJ,CAAA,kBAAA,CAAA,Cb1LE,Ma0LF,CAAA,GAAA,oBb1LE,gBa0LF,oBb1LE,easME,OAAA,IAAA,MAAA,KAGF,OAAA,CAAA,SAAA,EAAA,OAAA,CAfF,kBAeE,CAAA,EAAA,CAAA,EAEI,cAAA,IAAA,MAAA,K9BhNN,c8BiNM,IAAA,IAAA,EAAA,EAHJ,CAfF,kBAeE,CAAA,CbzMA,MayMA,CAAA,GAfF,oBb1LE,gBa0LF,oBb1LE,eaiNI,oBAAA,MAUN,CAAA,WAAA,CAAA,CAAA,SAEI,QAAA,KAFJ,CAAA,WAAA,CAAA,Cb3NE,OagOE,QAAA,MASJ,CAjKA,SAiKA,CNhNA,cMkNE,WAAA,KF7OA,uBAAA,EACA,wBAAA,EGQF,C7B6DE,O6B5DA,SAAA,SACA,WAAA,KACA,cAAA,KACA,OAAA,IAAA,MAAA,YAKA,OAAA,CAAA,SAAA,EAAA,OAAA,C7BoDA,OFzEF,c+BsBI,KAaF,OAAA,CAAA,SAAA,EAAA,OAAA,CAAA,cACE,MAAA,MAeJ,CAAA,gBACE,cAAA,KACA,aAAA,KACA,WAAA,QACA,WAAA,IAAA,MAAA,YACA,mBAAA,MAAA,EAAA,IAAA,EAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,IAAA,WAAA,MAAA,EAAA,IAAA,UAEA,2BAAA,MAEA,CATF,eASE,CR7CA,GQ8CE,WAAA,KAGF,OAAA,CAAA,SAAA,EAAA,OAAA,CAbF,gBAcI,MAAA,KACA,WAAA,EACA,mBAAA,KAAA,WAAA,KAEA,CAlBJ,eAkBI,CRjDJ,SQkDM,QAAA,gBACA,OAAA,eACA,eAAA,EACA,SAAA,kBAGF,CAzBJ,eAyBI,CR7DF,GQ8DI,WAAA,QAKF,CAAA,iBAAA,CA/BJ,oCAAA,sCAAA,gBAkCM,cAAA,EACA,aAAA,GAKN,CATI,sCAoBF,SAAA,MACA,MAAA,EACA,KAAA,EACA,QAAA,KAdF,CATI,iBASJ,CAxCA,sCAAA,gBA2CI,WAAA,MAEA,OAAA,CAAA,gBAAA,EAAA,OAAA,IAAA,CAAA,WAAA,EAAA,WAAA,CAdA,iBAcA,CA7CJ,sCAAA,gBA8CM,WAAA,OAWJ,OAAA,CAAA,SAAA,EAAA,OAAA,CA1BE,sC/BlFJ,c+B6GI,GAIJ,CA/BI,iBAgCF,IAAA,EACA,aAAA,EAAA,EAAA,IAEF,qBACE,OAAA,EACA,cAAA,EACA,aAAA,IAAA,EAAA,EAQF,ClBvHA,SkBuHA,CAAA,CA7FE,elBNF,iBkBME,elB1BF,WkB0CA,iBlBtBA,iBkBsBA,gBAiFI,aAAA,MACA,YAAA,MAEA,OAAA,CAAA,SAAA,EAAA,OAAA,ClB9HJ,SkB8HI,CAAA,CApGF,elBNF,iBkBME,elB1BF,WkB0CA,iBlBtBA,iBkBsBA,gBAqFM,aAAA,EACA,YAAA,GAaN,mBACE,QAAA,KACA,aAAA,EAAA,EAAA,IAEA,OAAA,CAAA,SAAA,EAAA,OAAA,mB/B1JF,c+B2JI,GAOJ,CAAA,aACE,MAAA,KACA,OAAA,K/BpKF,Q+BqKE,KACA,UAAA,KACA,YAAA,KAEA,CAPF,YAOE,QAPF,mBASI,gBAAA,KATJ,CAAA,YAAA,CAAA,IAaI,QAAA,MAGF,OAAA,CAAA,SAAA,EAAA,OACE,C7B1GF,M6B0GE,CAAA,ClB1KJ,UkB0KI,CAjBJ,c7BzFE,QW5CF,iBkBqIA,aAmBM,YAAA,OAWN,CAAA,cACE,SAAA,SACA,MAAA,M/BlMF,Q+BmME,IAAA,KACA,aAAA,KC9LA,WAAA,IACA,cAAA,ID+LA,iBAAA,YACA,iBAAA,KACA,OAAA,IAAA,MAAA,Y/BxMF,c+ByME,IAIA,CAbF,aAaE,OACE,QAAA,EAdJ,CAAA,cAAA,CAAA,SAmBI,QAAA,MACA,MAAA,KACA,OAAA,I/BrNJ,c+BsNI,IAtBJ,CAAA,cAAA,CAAA,QAAA,CAAA,CAAA,SAyBI,WAAA,IAGF,OAAA,CAAA,SAAA,EAAA,OAAA,CA5BF,cA6BI,QAAA,MAUJ,CAAA,W/BvOA,O+BwOE,MAAA,MADF,CAAA,UAAA,CAAA,EAAA,CAAA,EAII,YAAA,KACA,eAAA,KACA,YAAA,KAGF,OAAA,CAAA,SAAA,EAAA,OAAA,CATF,WASE,MAAA,CPlNF,cOqNM,SAAA,OACA,MAAA,KACA,MAAA,KACA,WAAA,EACA,iBAAA,YACA,OAAA,EACA,mBAAA,KAAA,WAAA,KATJ,CATF,WASE,MAAA,CPlNF,aOkNE,CAAA,EAAA,CAAA,GATF,kBPzMA,eAuHA,gBxBrJA,Q+B4PQ,IAAA,KAAA,IAAA,KAZN,CATF,WASE,MAAA,CPlNF,aOkNE,CAAA,EAAA,CAAA,EAeM,YAAA,KACA,CAzBR,WAyBQ,MAAA,CPlOR,aOkOQ,CAAA,EAAA,CAAA,CAAA,QAzBR,kBPzMA,yBOoOU,iBAAA,MAOR,OAAA,CAAA,SAAA,EAAA,OAAA,CAlCF,WAmCI,MAAA,K/B1QJ,O+B2QI,EAFF,CAlCF,UAkCE,CAAA,GAKI,MAAA,KALJ,CAlCF,UAkCE,CAAA,EAAA,CAAA,EAOM,YAAA,KACA,eAAA,MAYR,CAAA,Y/B7RA,Q+B8RE,KAAA,KACA,OCzRA,IDyRA,MAEA,WAAA,IAAA,MAAA,YACA,cAAA,IAAA,MAAA,Y1B5NA,mBAAA,MAAA,EAAA,IAAA,EAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,EAAA,IAAA,EAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,IACQ,WAAA,MAAA,EAAA,IAAA,SAAA,CAAA,EAAA,IAAA,Ua6YR,OAAA,CAAA,SAAA,EAAA,OAAA,CavLF,YbuLE,CAvPF,WA0PM,QAAA,aACA,cAAA,EACA,eAAA,OALJ,CavLF,YbuLE,CA9UF,aAwVM,QAAA,aACA,MAAA,KACA,eAAA,OAZJ,CavLF,YbuLE,CA5KF,oBA6LM,QAAA,aAjBJ,CavLF,YbuLE,CAAA,YAqBI,QAAA,aACA,eAAA,OAtBJ,CavLF,YbuLE,CAAA,YAAA,CAjDF,mBatIA,abuLE,8BavLF,abuLE,aA9UF,aAyWQ,MAAA,KA3BN,CavLF,YbuLE,CAAA,WAAA,CAAA,CA9UF,aA+WM,MAAA,KAjCJ,CavLF,YbuLE,eAqCI,cAAA,EACA,eAAA,OAtCJ,CavLF,YbuLE,CA9OF,OauDA,sBboOM,QAAA,aACA,WAAA,EACA,cAAA,EACA,eAAA,OAhDJ,CavLF,YbuLE,CA9OF,MA8OE,OavLF,4Bb0OQ,aAAA,EAnDN,CavLF,YbuLE,CA9OF,MA8OE,KAAA,CAAA,aavLF,2Cb+OM,SAAA,SACA,YAAA,EAzDJ,CavLF,YbuLE,CAvFF,aAuFE,CA7EF,sBA2IM,IAAA,GaxOF,OAAA,CAAA,SAAA,EAAA,OAAA,CAbJ,YAaI,Cb7EJ,Wa8EM,cAAA,IAEA,CAhBN,YAgBM,CbhFN,UagFM,YACE,cAAA,GASN,OAAA,CAAA,SAAA,EAAA,OAAA,CA1BF,YA2BI,MAAA,KACA,YAAA,EACA,eAAA,EACA,aAAA,EACA,YAAA,EACA,OAAA,E1BvPF,mBAAA,KACQ,WAAA,M0B+PV,CA/FA,UA+FA,CAAA,EAAA,CAAA,CPxSA,cOySE,WAAA,EHpUA,uBAAA,EACA,wBAAA,EGuUF,qBAAA,CApGA,UAoGA,CAAA,EAAA,CAAA,CP7SA,cO8SE,cAAA,EHzUA,cAAA,IACA,IAOA,EACA,EG0UF,CAAA,WChVE,WAAA,IACA,cAAA,IDkVA,CAHF,UAGE,CX/MF,OYpIE,WAAA,KACA,cAAA,KDqVA,CANF,UAME,CX9MF,OYxIE,WAAA,KACA,cAAA,KD+VF,CAAA,YChWE,WAAA,KACA,cAAA,KDkWA,OAAA,CAAA,SAAA,EAAA,OAAA,CAHF,YAII,MAAA,KACA,aAAA,KACA,YAAA,MAaJ,OAAA,CAAA,SAAA,EAAA,OACE,CAAA,YEtWA,MAAA,eFuWA,CPjLA,aSzLA,MAAA,gBF4WE,aAAA,MAFF,CPjLA,YOiLA,CAAA,CPjLA,aOsLI,aAAA,GAUN,CAAA,eACE,iBAAA,QACA,aAAA,QAFF,CAAA,eAAA,CAxOA,aA6OI,MAAA,KACA,CANJ,eAMI,CA9OJ,YA8OI,QANJ,gBAxOA,mBAgPM,MAAA,QACA,iBAAA,YATN,CAAA,eAAA,CApCA,YAkDI,MAAA,KAdJ,CAAA,eAAA,CAnKA,UAmKA,CAAA,EAAA,CAAA,EAmBM,MAAA,KAEA,CArBN,eAqBM,CAxLN,UAwLM,CAAA,EAAA,CAAA,CAAA,QArBN,gBAnKA,sBA0LQ,MAAA,KACA,iBAAA,YAIF,CA5BN,eA4BM,CA/LN,UA+LM,CAAA,CdjaJ,MciaI,CAAA,GA5BN,gBAnKA,YdlOE,gBcqYF,gBAnKA,YdlOE,ecoaM,MAAA,KACA,iBAAA,QAIF,CApCN,eAoCM,CAvMN,UAuMM,CAAA,SAAA,CAAA,GApCN,gBAnKA,8BAmKA,gBAnKA,6BA0MQ,MAAA,KACA,iBAAA,YAOF,CA/CN,eA+CM,CAlNN,UAkNM,CAAA,KAAA,CAAA,GA/CN,gBAnKA,0BAmKA,gBAnKA,yBAqNQ,MAAA,KACA,iBAAA,QAIJ,OAAA,CAAA,SAAA,EAAA,OAAA,CAvDJ,eAuDI,CA1NJ,WA0NI,MAAA,CPnaJ,aOmaI,CAAA,EAAA,CAAA,EAIM,MAAA,KACA,CA5DV,eA4DU,CA/NV,WA+NU,MAAA,CPxaV,aOwaU,CAAA,EAAA,CAAA,CAAA,QA5DV,gBAnKA,kBPzMA,yBO0aY,MAAA,KACA,iBAAA,YAIF,CAnEV,eAmEU,CAtOV,WAsOU,MAAA,CP/aV,aO+aU,CAAA,CdxcR,McwcQ,CAAA,GAnEV,gBAnKA,kBPzMA,ePzBE,gBcqYF,gBAnKA,kBPzMA,ePzBE,ec2cU,MAAA,KACA,iBAAA,QAIF,CA3EV,eA2EU,CA9OV,WA8OU,MAAA,CPvbV,aOubU,CAAA,SAAA,CAAA,GA3EV,gBAnKA,kBPzMA,iCO4WA,gBAnKA,kBPzMA,gCO0bY,MAAA,KACA,iBAAA,aA/EZ,CAAA,eAAA,CA1MA,cAiSI,aAAA,KACA,CAxFJ,eAwFI,CAlSJ,aAkSI,QAxFJ,gBA1MA,oBAoSM,iBAAA,KA1FN,CAAA,eAAA,CA1MA,cA0MA,CA1MA,SAuSM,iBAAA,KA7FN,CAAA,eAAA,CAvVA,iBAuVA,gBA7GA,YAgNI,aAAA,QAnGJ,CAAA,eAAA,CAAA,YA4GI,MAAA,KACA,CA7GJ,eA6GI,CA7GJ,WA6GI,OACE,MAAA,KA9GN,CAAA,eAAA,CX3SA,SW8ZI,MAAA,KACA,CApHJ,eAoHI,CX/ZJ,QW+ZI,QApHJ,gBX3SA,eWiaM,MAAA,KAIA,CA1HN,eA0HM,CXraN,QWqaM,CAAA,SAAA,2BA1HN,gBX3SA,gBW2SA,gBX3SA,6CW2SA,gBX3SA,eWuaQ,MAAA,KAQR,CAAA,eACE,iBAAA,KACA,aAAA,QAFF,CAAA,eAAA,CA5WA,aAiXI,MAAA,QACA,CANJ,eAMI,CAlXJ,YAkXI,QANJ,gBA5WA,mBAoXM,MAAA,KACA,iBAAA,YATN,CAAA,eAAA,CAxKA,YAsLI,MAAA,QAdJ,CAAA,eAAA,CAvSA,UAuSA,CAAA,EAAA,CAAA,EAmBM,MAAA,QAEA,CArBN,eAqBM,CA5TN,UA4TM,CAAA,EAAA,CAAA,CAAA,QArBN,gBAvSA,sBA8TQ,MAAA,KACA,iBAAA,YAIF,CA5BN,eA4BM,CAnUN,UAmUM,CAAA,CdriBJ,McqiBI,CAAA,GA5BN,gBAvSA,YdlOE,gBcygBF,gBAvSA,YdlOE,ecwiBM,MAAA,KACA,iBAAA,QAIF,CApCN,eAoCM,CA3UN,UA2UM,CAAA,SAAA,CAAA,GApCN,gBAvSA,8BAuSA,gBAvSA,6BA8UQ,MAAA,KACA,iBAAA,YAMF,CA9CN,eA8CM,CArVN,UAqVM,CAAA,KAAA,CAAA,GA9CN,gBAvSA,0BAuSA,gBAvSA,yBAwVQ,MAAA,KACA,iBAAA,QAIJ,OAAA,CAAA,SAAA,EAAA,OAAA,CAtDJ,eAsDI,CA7VJ,WA6VI,MAAA,CPtiBJ,aOsiBI,CAAA,CP/aJ,gBOmbU,aAAA,QAJN,CAtDJ,eAsDI,CA7VJ,WA6VI,MAAA,CPtiBJ,cOsiBI,CPtiBJ,QO6iBU,iBAAA,QAPN,CAtDJ,eAsDI,CA7VJ,WA6VI,MAAA,CPtiBJ,aOsiBI,CAAA,EAAA,CAAA,EAUM,MAAA,QACA,CAjEV,eAiEU,CAxWV,WAwWU,MAAA,CPjjBV,aOijBU,CAAA,EAAA,CAAA,CAAA,QAjEV,gBAvSA,kBPzMA,yBOmjBY,MAAA,KACA,iBAAA,YAIF,CAxEV,eAwEU,CA/WV,WA+WU,MAAA,CPxjBV,aOwjBU,CAAA,CdjlBR,McilBQ,CAAA,GAxEV,gBAvSA,kBPzMA,ePzBE,gBcygBF,gBAvSA,kBPzMA,ePzBE,ecolBU,MAAA,KACA,iBAAA,QAIF,CAhFV,eAgFU,CAvXV,WAuXU,MAAA,CPhkBV,aOgkBU,CAAA,SAAA,CAAA,GAhFV,gBAvSA,kBPzMA,iCOgfA,gBAvSA,kBPzMA,gCOmkBY,MAAA,KACA,iBAAA,aApFZ,CAAA,eAAA,CA9UA,cA2aI,aAAA,KACA,CA9FJ,eA8FI,CA5aJ,aA4aI,QA9FJ,gBA9UA,oBA8aM,iBAAA,KAhGN,CAAA,eAAA,CA9UA,cA8UA,CA9UA,SAibM,iBAAA,KAnGN,CAAA,eAAA,CA3dA,iBA2dA,gBAjPA,YA0VI,aAAA,QAzGJ,CAAA,eAAA,CApIA,YAiPI,MAAA,QACA,CA9GJ,eA8GI,CAlPJ,WAkPI,OACE,MAAA,KA/GN,CAAA,eAAA,CX/aA,SWmiBI,MAAA,QACA,CArHJ,eAqHI,CXpiBJ,QWoiBI,QArHJ,gBX/aA,eWsiBM,MAAA,KAIA,CA3HN,eA2HM,CX1iBN,QW0iBM,CAAA,SAAA,2BA3HN,gBX/aA,gBW+aA,gBX/aA,6CW+aA,gBX/aA,eW4iBQ,MAAA,KGtoBR,CAAA,WlCLA,QkCME,IAAA,KACA,cAAA,KACA,WAAA,KACA,iBAAA,QlCTF,ckCUE,IALF,CAAA,UAAA,CAAA,GAQI,QAAA,aARJ,CAAA,UAAA,CAAA,EAAA,CAAA,EAAA,QlCLA,QkCgBM,EAAA,IACA,MAAA,KACA,QAAA,OAbN,CAAA,UAAA,CAAA,CjBAE,OiBkBE,MAAA,KCpBJ,CAAA,WACE,QAAA,aACA,aAAA,EnCLF,OmCME,KAAA,EnCNF,cmCOE,IAJF,CAAA,UAAA,CAAA,GAOI,QAAA,OAPJ,CAAA,UAAA,CAAA,EAAA,CAAA,GAAA,mBAUM,SAAA,SACA,MAAA,KnCdN,QmCeM,IAAA,KACA,YAAA,KACA,YAAA,WACA,MAAA,QACA,gBAAA,KACA,iBAAA,KACA,OAAA,IAAA,MAAA,KAEA,CApBN,UAoBM,CAAA,EAAA,CAAA,CAAA,QApBN,0BAAA,uBAAA,yBAsBQ,QAAA,EACA,MAAA,QACA,iBAAA,KACA,aAAA,KAGJ,CA5BJ,UA4BI,CAAA,EAAA,YAAA,CAAA,GA5BJ,+BA+BQ,YAAA,EPnBN,uBAAA,IACA,0BAAA,IOsBE,CAnCJ,UAmCI,CAAA,EAAA,WAAA,CAAA,GAnCJ,8BPIE,wBAAA,IACA,2BAAA,IOwCE,CA7CJ,UA6CI,CAAA,ClB3CF,MkB2CE,CAAA,GA7CJ,YlBEE,akBFF,YlBEE,gBkBFF,YlBEE,mBkBFF,YlBEE,gBkBFF,YlBEE,kBkB8CI,QAAA,EACA,MAAA,KACA,OAAA,QACA,iBAAA,QACA,aAAA,QApDN,CAAA,UAAA,CAAA,SAAA,CAAA,MAAA,iCAAA,iCAAA,wBAAA,8BAAA,6BA+DM,MAAA,KACA,OAAA,YACA,iBAAA,KACA,aAAA,KASN,CAAA,aAAA,CAAA,EAAA,CAAA,GAAA,sBnC9EA,QoCMM,KAAA,KACA,UAAA,KACA,YAAA,UAEF,CDoEJ,aCpEI,CAAA,EAAA,YAAA,CAAA,GDoEJ,kCP/DE,uBAAA,IACA,0BAAA,IQAE,CD8DJ,aC9DI,CAAA,EAAA,WAAA,CAAA,GD8DJ,iCPvEE,wBAAA,IACA,2BAAA,IO2EF,CAAA,aAAA,CAAA,EAAA,CAAA,GAAA,sBnCnFA,QoCMM,IAAA,KACA,UAAA,KACA,YAAA,IAEF,CDyEJ,aCzEI,CAAA,EAAA,YAAA,CAAA,GDyEJ,kCPpEE,uBAAA,IACA,0BAAA,IQAE,CDmEJ,aCnEI,CAAA,EAAA,WAAA,CAAA,GDmEJ,iCP5EE,wBAAA,IACA,2BAAA,ISHF,CAAA,MACE,aAAA,ErCNF,OqCOE,KAAA,EACA,WAAA,OACA,WAAA,KAJF,CAAA,MAAA,GAOI,QAAA,OAPJ,CAAA,MAAA,EAAA,CAAA,GAAA,cAUM,QAAA,arCfN,QqCgBM,IAAA,KACA,iBAAA,KACA,OAAA,IAAA,MAAA,KrClBN,cqCmBM,KAdN,CAAA,MAAA,EAAA,CAAA,CAAA,QAAA,iBAmBM,gBAAA,KACA,iBAAA,KApBN,CAAA,MAAA,CAAA,IAAA,CAAA,GAAA,OAAA,UA2BM,MAAA,MA3BN,CAAA,MAAA,CAAA,QAAA,CAAA,GAAA,OAAA,cAkCM,MAAA,KAlCN,CAAA,MAAA,SAAA,CAAA,GAAA,yBAAA,yBAAA,qBA2CM,MAAA,KACA,OAAA,YACA,iBAAA,KC9CN,CpC8EE,MoC7EA,QAAA,OtCLF,QsCME,KAAA,KAAA,KACA,UAAA,IACA,YAAA,IACA,YAAA,EACA,MAAA,KACA,WAAA,OACA,YAAA,OACA,eAAA,StCbF,csCcE,MAIE,CAAA,CpCgEF,KoChEE,SpCgEF,YoC9DI,MAAA,KACA,gBAAA,KACA,OAAA,QAKJ,CpCuDA,KoCvDA,OACE,QAAA,KAIF,CpC4CA,IoC5CA,CpCkDA,MoCjDE,SAAA,SACA,IAAA,KAOJ,CAAA,cCtCE,iBAAA,KAGE,CDmCJ,aCnCI,CAAA,KAAA,QDmCJ,0BCjCM,iBAAA,QDqCN,CAAA,cC1CE,iBAAA,QAGE,CDuCJ,aCvCI,CAAA,KAAA,QDuCJ,0BCrCM,iBAAA,QDyCN,CAAA,cC9CE,iBAAA,QAGE,CD2CJ,aC3CI,CAAA,KAAA,QD2CJ,0BCzCM,iBAAA,QD6CN,CAAA,WClDE,iBAAA,QAGE,CD+CJ,UC/CI,CAAA,KAAA,QD+CJ,uBC7CM,iBAAA,QDiDN,CAAA,cCtDE,iBAAA,QAGE,CDmDJ,aCnDI,CAAA,KAAA,QDmDJ,0BCjDM,iBAAA,QDqDN,CAAA,aC1DE,iBAAA,QAGE,CDuDJ,YCvDI,CAAA,KAAA,QDuDJ,yBCrDM,iBAAA,QCFN,CpB6DA,MoB5DE,QAAA,aACA,UAAA,KxCRF,QwCSE,IAAA,IACA,UAAA,KACA,YAAA,IACA,YAAA,EACA,MAAA,KACA,WAAA,OACA,YAAA,OACA,eAAA,OACA,iBAAA,KxCjBF,cwCkBE,KAGA,CpB8CF,KoB9CE,OACE,QAAA,KAIF,CtCkDA,IsClDA,CpByCF,MoBxCI,SAAA,SACA,IAAA,KAGF,CpB+GF,OoB/GE,CpBoCF,qBlBSE,KkBTF,MoBlCI,IAAA,ExCjCJ,QwCkCI,IAAA,IAKA,CAAA,CpB4BJ,KoB5BI,SpB4BJ,YoB1BM,MAAA,KACA,gBAAA,KACA,OAAA,QAKJ,CAAA,eAAA,CvB3CA,MuB2CA,CAAA,CpBmBF,OUmDA,WbjHE,UG8DF,MoBjBI,MAAA,QACA,iBAAA,KAGF,CANA,eAMA,CAAA,CpBaF,MoBZI,MAAA,MAGF,CAVA,eAUA,CAAA,CpBSF,KoBTE,CAAA,CpBSF,MoBRI,aAAA,IAGF,CVwDF,SUxDE,CAAA,EAAA,CAAA,CAAA,CAAA,CpBKF,MoBJI,YAAA,IC1DJ,CAAA,UACE,YAAA,KACA,eAAA,KACA,cAAA,KACA,MAAA,QACA,iBAAA,KALF,CAAA,UAAA,IAAA,cASI,MAAA,QATJ,CAAA,UAAA,EAaI,cAAA,KACA,UAAA,KACA,YAAA,IAfJ,CAAA,SAAA,CAAA,GAmBI,iBAAA,QAGF,C5BlBF,U4BkBE,CAtBF,W5BwBA,iB4BxBA,UAwBI,cAAA,KACA,aAAA,KzC9BJ,cyC+BI,IA1BJ,CAAA,UAAA,C5BIA,U4B0BI,UAAA,KAGF,OAAA,OAAA,IAAA,CAAA,SAAA,EAAA,OAAA,CAjCF,UAkCI,YAAA,KACA,eAAA,KAEA,C5BjCJ,U4BiCI,CArCJ,W5BwBA,iB4BxBA,UAuCM,cAAA,KACA,aAAA,KAPJ,CAjCF,UAiCE,IAjCF,cA6CM,UAAA,MC1CN,WACE,QAAA,M1CTF,Q0CUE,IACA,cAAA,KACA,YAAA,WACA,iBAAA,KACA,OAAA,IAAA,MAAA,K1CdF,c0CeE,IrCiLA,mBAAA,OAAA,IAAA,YACK,cAAA,OAAA,IAAA,YACG,WAAA,OAAA,IAAA,YqC1LV,UAAA,CAAA,qBAaI,aAAA,KACA,YAAA,KAIF,CAAA,UAAA,qCzBrBA,OyBwBE,aAAA,QArBJ,WAAA,CAAA,Q1CRA,Q0CkCI,IACA,MAAA,KC3BJ,CAAA,M3CRA,Q2CSE,KACA,cAAA,KACA,OAAA,IAAA,MAAA,Y3CXF,c2CYE,IAJF,CAAA,MAAA,GAQI,WAAA,EACA,MAAA,QATJ,CAAA,MAAA,CAAA,WAcI,YAAA,IAdJ,CAAA,KAAA,CAAA,GAAA,SAoBI,cAAA,EApBJ,CAAA,KAAA,CAAA,CAAA,CAAA,EAwBI,WAAA,IASJ,CAAA,qCAEE,cAAA,KAFF,CAAA,kBAAA,CAAA,0BAAA,MAMI,SAAA,SACA,IAAA,KACA,MAAA,MACA,MAAA,QAQJ,CAAA,cCvDE,MAAA,QACA,iBAAA,QACA,aAAA,QDqDF,CAAA,cAAA,GClDI,iBAAA,QDkDJ,CAAA,cAAA,CAlDA,WCII,MAAA,QDkDJ,CAAA,WC3DE,MAAA,QACA,iBAAA,QACA,aAAA,QDyDF,CAAA,WAAA,GCtDI,iBAAA,QDsDJ,CAAA,WAAA,CAtDA,WCII,MAAA,QDsDJ,CAAA,cC/DE,MAAA,QACA,iBAAA,QACA,aAAA,QD6DF,CAAA,cAAA,GC1DI,iBAAA,QD0DJ,CAAA,cAAA,CA1DA,WCII,MAAA,QD0DJ,CAAA,aCnEE,MAAA,QACA,iBAAA,QACA,aAAA,QDiEF,CAAA,aAAA,GC9DI,iBAAA,QD8DJ,CAAA,aAAA,CA9DA,WCII,MAAA,QCDJ,mBAAA,qBACE,GAAQ,oBAAA,KAAA,EACR,GAAQ,oBAAA,EAAA,GAIV,cANA,qBAOE,GAAQ,oBAAA,KAAA,EACR,GAAQ,oBAAA,EAAA,GAFV,WANA,qBAOE,GAAQ,oBAAA,KAAA,EACR,GAAQ,oBAAA,EAAA,GAQV,CAAA,SACE,OAAA,KACA,cAAA,KACA,SAAA,OACA,iBAAA,Q7C/BF,c6CgCE,IxCsCA,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IACQ,WAAA,MAAA,EAAA,IAAA,IAAA,UwClCV,CAAA,aACE,MAAA,KACA,MAAA,GACA,OAAA,KACA,UAAA,KACA,YAAA,KACA,MAAA,KACA,WAAA,OACA,iBAAA,QxCyBA,mBAAA,MAAA,EAAA,KAAA,EAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,KACQ,WAAA,MAAA,EAAA,KAAA,UAyHR,mBAAA,MAAA,IAAA,KACK,cAAA,MAAA,IAAA,KACG,WAAA,MAAA,IAAA,KwC3IV,CAAA,iBAAA,CAlBA,mCCiBI,iBAAA,wBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aACA,iBAAA,mBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aACA,iBAAA,gBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aDEF,wBAAA,KAAA,KAAA,gBAAA,KAAA,KAOF,CAtCA,QAsCA,C5B5DE,O4B4DF,CA5BA,cAAA,a5BhCE,OZgBA,kBAAA,qBAAA,GAAA,OAAA,SACK,aAAA,qBAAA,GAAA,OAAA,SACG,UAAA,qBAAA,GAAA,OAAA,SwCmDV,CAAA,qBEvEE,iBAAA,QAGA,CFiDF,iBEjDE,CFoEF,qBCpBI,iBAAA,wBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aACA,iBAAA,mBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aACA,iBAAA,gBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aDsBJ,CAAA,kBE3EE,iBAAA,QAGA,CFiDF,iBEjDE,CFwEF,kBCxBI,iBAAA,wBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aACA,iBAAA,mBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aACA,iBAAA,gBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aD0BJ,CAAA,qBE/EE,iBAAA,QAGA,CFiDF,iBEjDE,CF4EF,qBC5BI,iBAAA,wBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aACA,iBAAA,mBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aACA,iBAAA,gBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aD8BJ,CAAA,oBEnFE,iBAAA,QAGA,CFiDF,iBEjDE,CFgFF,oBChCI,iBAAA,wBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aACA,iBAAA,mBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aACA,iBAAA,gBAAA,KAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,YAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,KAAA,GAAA,CAAA,GAAA,CAAA,GAAA,CAAA,KAAA,GAAA,CAAA,YAAA,GAAA,CAAA,aExDJ,CAAA,MAEE,WAAA,KAEA,CAJF,KAIE,aACE,WAAA,EAIJ,CATA,kBAWE,SAAA,OACA,KAAA,EAGF,YACE,MAAA,QAGF,CAAA,aACE,QAAA,MAGA,CAJF,YAIE,C5CqEF,c4CpEI,UAAA,KAIJ,CAAA,aA5BA,kBA8BE,aAAA,KAGF,CAAA,YAjCA,iBAmCE,cAAA,KAGF,CALA,YALA,wBAaE,QAAA,WACA,eAAA,IAGF,CAAA,aACE,eAAA,OAGF,CAAA,aACE,eAAA,OAIF,CAAA,cACE,WAAA,EACA,cAAA,IAMF,CAAA,WACE,aAAA,EACA,WAAA,KCrDF,CAAA,WAEE,aAAA,EACA,cAAA,KAQF,CT0BE,gBSzBA,SAAA,SACA,QAAA,MjDxBF,QiDyBE,KAAA,KAEA,cAAA,KACA,iBAAA,KACA,OAAA,IAAA,MAAA,KAGA,CTgBA,eShBA,arB7BA,uBAAA,IACA,wBAAA,IqB+BA,CTaA,eSbA,YACE,cAAA,ErBzBF,2BAAA,IACA,0BAAA,IqB6BA,CTOA,eSPA,WTOA,gCAAA,+BSJE,MAAA,KACA,OAAA,YACA,iBAAA,KALF,CTOA,eSPA,UAAA,CAAA,yBTOA,gCSPA,yBTOA,gCSPA,wBASI,MAAA,QATJ,CTOA,eSPA,UAAA,CAAA,sBTOA,gCSPA,sBTOA,gCSPA,qBAYI,MAAA,KAKJ,CTVA,eSUA,ChCrDA,QuB2CA,gBvB3CA,cuB2CA,gBvB3CA,agCwDE,QAAA,EACA,MAAA,KACA,iBAAA,QACA,aAAA,QANF,CTVA,eSUA,ChCrDA,OgCqDA,CAjBA,yBTOA,gBvB3CA,cgCoCA,yBTOA,gBvB3CA,cgCoCA,yBTOA,gBvB3CA,QgCoCA,+BTOA,gBvB3CA,cgCoCA,+BTOA,gBvB3CA,cgCoCA,+BTOA,gBvB3CA,QgCoCA,gCTOA,gBvB3CA,cgCoCA,gCTOA,gBvB3CA,cgCoCA,+BA6BI,MAAA,QAZJ,CTVA,eSUA,ChCrDA,OgCqDA,CAjBA,sBTOA,gBvB3CA,cgCoCA,sBTOA,gBvB3CA,cgCoCA,qBAgCI,MAAA,QAWN,CAAA,CTpCE,uBAAA,gBSsCA,MAAA,KAFF,CAAA,CTpCE,gBSoCF,CA3CE,+BTOA,iBSPA,wBAgDE,MAAA,KAIF,CAAA,CT7CA,eS6CA,cT7CA,wBAAA,6BAAA,sBS+CE,MAAA,KACA,gBAAA,KACA,iBAAA,QAIJ,MAAA,CTrDE,gBSsDA,MAAA,KACA,WAAA,KnCvGD,CAAA,wBoCIG,MAAA,QACA,iBAAA,QAEA,CAAA,CpCPH,+BAAA,wBoCSK,MAAA,QAFF,CAAA,CpCPH,wBoCOG,CDkCF,+BnCzCD,yBmCyCC,wBC7BM,MAAA,QAGF,CAAA,CpCfL,uBoCeK,cpCfL,gCAAA,qCAAA,8BoCiBO,MAAA,QACA,iBAAA,QAEF,CAAA,CpCpBL,uBoCoBK,CjCfJ,cHLD,wBGKC,SHLD,wBGKC,oBHLD,wBGKC,eHLD,wBGKC,oBHLD,wBGKC,aiCkBM,MAAA,KACA,iBAAA,QACA,aAAA,QpCzBP,CAAA,qBoCIG,MAAA,QACA,iBAAA,QAEA,CAAA,CpCPH,4BAAA,qBoCSK,MAAA,QAFF,CAAA,CpCPH,qBoCOG,CDkCF,+BnCzCD,sBmCyCC,wBC7BM,MAAA,QAGF,CAAA,CpCfL,oBoCeK,cpCfL,6BAAA,kCAAA,2BoCiBO,MAAA,QACA,iBAAA,QAEF,CAAA,CpCpBL,oBoCoBK,CjCfJ,cHLD,qBGKC,SHLD,qBGKC,oBHLD,qBGKC,eHLD,qBGKC,oBHLD,qBGKC,aiCkBM,MAAA,KACA,iBAAA,QACA,aAAA,QpCzBP,CAAA,wBoCIG,MAAA,QACA,iBAAA,QAEA,CAAA,CpCPH,+BAAA,wBoCSK,MAAA,QAFF,CAAA,CpCPH,wBoCOG,CDkCF,+BnCzCD,yBmCyCC,wBC7BM,MAAA,QAGF,CAAA,CpCfL,uBoCeK,cpCfL,gCAAA,qCAAA,8BoCiBO,MAAA,QACA,iBAAA,QAEF,CAAA,CpCpBL,uBoCoBK,CjCfJ,cHLD,wBGKC,SHLD,wBGKC,oBHLD,wBGKC,eHLD,wBGKC,oBHLD,wBGKC,aiCkBM,MAAA,KACA,iBAAA,QACA,aAAA,QpCzBP,CAAA,uBoCIG,MAAA,QACA,iBAAA,QAEA,CAAA,CpCPH,8BAAA,uBoCSK,MAAA,QAFF,CAAA,CpCPH,uBoCOG,CDkCF,+BnCzCD,wBmCyCC,wBC7BM,MAAA,QAGF,CAAA,CpCfL,sBoCeK,cpCfL,+BAAA,oCAAA,6BoCiBO,MAAA,QACA,iBAAA,QAEF,CAAA,CpCpBL,sBoCoBK,CjCfJ,cHLD,uBGKC,SHLD,uBGKC,oBHLD,uBGKC,eHLD,uBGKC,oBHLD,uBGKC,aiCkBM,MAAA,KACA,iBAAA,QACA,aAAA,QDiGR,CAjFE,wBAkFA,WAAA,EACA,cAAA,IAEF,CArFE,qBAsFA,cAAA,EACA,YAAA,IExHF,CAAA,MACE,cAAA,KACA,iBAAA,KACA,OAAA,IAAA,MAAA,YnDXF,cmDYE,I9C0DA,mBAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,KACQ,WAAA,EAAA,IAAA,IAAA,U8CtDV,CAAA,WnDjBA,QmDkBE,KAKF,CAAA,cnDvBA,QmDwBE,KAAA,KACA,cAAA,IAAA,MAAA,YvBtBA,uBAAA,IACA,wBAAA,IuBmBF,CAAA,aAAA,CAAA,UAAA,iBAMI,MAAA,QAKJ,CAAA,YACE,WAAA,EACA,cAAA,EACA,UAAA,KACA,MAAA,QAJF,CAAA,WAAA,CAAA,GAAA,mBAAA,oBAAA,qBAAA,qBAWI,MAAA,QAKJ,CAAA,anDlDA,QmDmDE,KAAA,KACA,iBAAA,QACA,WAAA,IAAA,MAAA,KvB1CA,2BAAA,IACA,0BAAA,IuBmDF,CAvDA,KAuDA,CAAA,CFpDA,YEHA,uBFGA,WEuDI,cAAA,EAHJ,CAvDA,KAuDA,CAAA,CFpDA,WEoDA,CXfE,iBWxCF,uBFGA,YTqCE,gBWqBI,aAAA,IAAA,EnDrEN,cmDsEM,EAIF,CAlEJ,KAkEI,CAAA,CF/DJ,UE+DI,aAAA,CX1BF,eW0BE,cAlEJ,uBFGA,wBTqCE,4BW4BM,WAAA,EvBzEN,uBAAA,IACA,wBAAA,IuB8EE,CA1EJ,KA0EI,CAAA,CFvEJ,UEuEI,YAAA,CXlCF,eWkCE,aA1EJ,uBFGA,uBTqCE,2BWoCM,cAAA,EvBzEN,2BAAA,IACA,0BAAA,IuBmDF,CAvDA,KAuDA,CAAA,CAxCA,aAwCA,CAAA,eAAA,CAAA,CFpDA,WEoDA,CXfE,eWeF,avB5DE,uBAAA,EACA,wBAAA,EuB4FF,CAzEA,aAyEA,CAAA,CFrFA,WEqFA,CXhDE,eWgDF,aAEI,iBAAA,EAGJ,CF1FA,UE0FA,CAAA,CAnDA,aAoDE,iBAAA,EAQF,CAtGA,KAsGA,CAAA,CjDxBE,OiD9EF,OnCoKA,kBdtFE,OiD9EF,uBjD8EE,MiD4BE,cAAA,EAJJ,CAtGA,KAsGA,CAAA,CjDxBE,MiDwBF,SAtGA,OnCoKA,kBdtFE,eiD9EF,uBjD8EE,ciD+BI,cAAA,KACA,aAAA,KARN,CAtGA,KAsGA,CAAA,CjDxBE,KiDwBF,cAtGA,OnCoKA,8BdtFE,kB0BnFA,uBAAA,IACA,wBAAA,IuB0GF,CAtGA,KAsGA,CAAA,CjDxBE,KiDwBF,YAAA,CAAA,KAAA,YAAA,CAAA,EAAA,cAtGA,OnCoKA,8BdtFE,oDiD9EF,OjD8EE,oDiD9EF,OnCoKA,8BdtFE,mDiD2CM,uBAAA,IACA,wBAAA,IApBR,CAtGA,KAsGA,CAAA,CjDxBE,KiDwBF,YAAA,CAAA,KAAA,YAAA,CAAA,EAAA,aAAA,EAAA,cAtGA,OnCoKA,8BdtFE,mEiD9EF,OjD8EE,mEiD9EF,OnCoKA,8BdtFE,mEiD9EF,OjD8EE,mEiD9EF,OnCoKA,8BdtFE,mEiD9EF,OjD8EE,mEiD9EF,OnCoKA,8BdtFE,kEiDgDQ,uBAAA,IAxBV,CAtGA,KAsGA,CAAA,CjDxBE,KiDwBF,YAAA,CAAA,KAAA,YAAA,CAAA,EAAA,aAAA,EAAA,aAtGA,OnCoKA,8BdtFE,kEiD9EF,OjD8EE,kEiD9EF,OnCoKA,8BdtFE,kEiD9EF,OjD8EE,kEiD9EF,OnCoKA,8BdtFE,kEiD9EF,OjD8EE,kEiD9EF,OnCoKA,8BdtFE,iEiDoDQ,wBAAA,IA5BV,CAtGA,KAsGA,CAAA,CjDxBE,KiDwBF,aAtGA,OnCoKA,6BdtFE,iB0B3EA,2BAAA,IACA,0BAAA,IuBkGF,CAtGA,KAsGA,CAAA,CjDxBE,KiDwBF,WAAA,CAAA,KAAA,WAAA,CAAA,EAAA,aAtGA,OnCoKA,6BdtFE,iDiD9EF,OjD8EE,iDiD9EF,OnCoKA,6BdtFE,gDiDiEM,2BAAA,IACA,0BAAA,IA1CR,CAtGA,KAsGA,CAAA,CjDxBE,KiDwBF,WAAA,CAAA,KAAA,WAAA,CAAA,EAAA,YAAA,EAAA,cAtGA,OnCoKA,6BdtFE,gEiD9EF,OjD8EE,gEiD9EF,OnCoKA,6BdtFE,gEiD9EF,OjD8EE,gEiD9EF,OnCoKA,6BdtFE,gEiD9EF,OjD8EE,gEiD9EF,OnCoKA,6BdtFE,+DiDsEQ,0BAAA,IA9CV,CAtGA,KAsGA,CAAA,CjDxBE,KiDwBF,WAAA,CAAA,KAAA,WAAA,CAAA,EAAA,YAAA,EAAA,aAtGA,OnCoKA,6BdtFE,+DiD9EF,OjD8EE,+DiD9EF,OnCoKA,6BdtFE,+DiD9EF,OjD8EE,+DiD9EF,OnCoKA,6BdtFE,+DiD9EF,OjD8EE,+DiD9EF,OnCoKA,6BdtFE,8DiD0EQ,2BAAA,IAlDV,CAtGA,KAsGA,CAAA,CA7FA,UA6FA,CAAA,CjDxBE,OiD9EF,OASA,YnC2JA,kBmCpKA,OjD8EE,OiDrEF,YATA,OnCoKA,kBmC3JA,WAwJI,WAAA,IAAA,MAAA,KA3DJ,CAtGA,KAsGA,CAAA,CjDxBE,KiDwBF,CAAA,KAAA,YAAA,CAAA,EAAA,aAAA,IAtGA,OjD8EE,0CiDuFE,WAAA,EA/DJ,CAtGA,KAsGA,CAAA,CjDhBE,gBiDtFF,OnCoKA,kBd9EE,eiDmFE,OAAA,EAnEJ,CAtGA,KAsGA,CAAA,CjDhBE,ciDgBF,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,cAtGA,OnCoKA,kBd9EE,wCiDtFF,OjDsFE,wCiDtFF,OnCoKA,kBd9EE,wCiDtFF,OjDsFE,wCiDtFF,OnCoKA,kBd9EE,wCiDtFF,OjDsFE,wCiDtFF,OnCoKA,kBd9EE,wCiDtFF,OjDsFE,wCiDtFF,OnCoKA,kBd9EE,wCiDtFF,OjDsFE,wCiDtFF,OnCoKA,kBd9EE,uCiD0FQ,YAAA,EA1EV,CAtGA,KAsGA,CAAA,CjDhBE,ciDgBF,CAAA,KAAA,CAAA,EAAA,CAAA,EAAA,aAtGA,OnCoKA,kBd9EE,uCiDtFF,OjDsFE,uCiDtFF,OnCoKA,kBd9EE,uCiDtFF,OjDsFE,uCiDtFF,OnCoKA,kBd9EE,uCiDtFF,OjDsFE,uCiDtFF,OnCoKA,kBd9EE,uCiDtFF,OjDsFE,uCiDtFF,OnCoKA,kBd9EE,uCiDtFF,OjDsFE,uCiDtFF,OnCoKA,kBd9EE,sCiD8FQ,aAAA,EA9EV,CAtGA,KAsGA,CAAA,CjDhBE,ciDgBF,CAAA,KAAA,CAAA,EAAA,YAAA,CAAA,IAtGA,OnCoKA,kBd9EE,wCiDtFF,OjDsFE,wCiDtFF,OnCoKA,kBd9EE,wCiDtFF,OjDsFE,wCiDtFF,OnCoKA,kBd9EE,wCiDtFF,OjDsFE,wCiDtFF,OnCoKA,kBd9EE,uCiDuGQ,cAAA,EAvFV,CAtGA,KAsGA,CAAA,CjDhBE,ciDgBF,CAAA,KAAA,CAAA,EAAA,WAAA,CAAA,IAtGA,OnCoKA,kBd9EE,uCiDtFF,OjDsFE,uCiDtFF,OnCoKA,kBd9EE,uCiDtFF,OjDsFE,uCiDtFF,OnCoKA,kBd9EE,uCiDtFF,OjDsFE,uCiDtFF,OnCoKA,kBd9EE,sCiDgHQ,cAAA,EAhGV,CAtGA,KAsGA,CAAA,CnC8DA,iBmCwCI,cAAA,EACA,OAAA,EAUJ,CAAA,YACE,cAAA,KADF,CAAA,YAAA,CAvNA,MA4NI,cAAA,EnDpOJ,cmDqOI,IANJ,CAAA,YAAA,CAvNA,KAuNA,CAAA,CAvNA,MAgOM,WAAA,IATN,CAAA,YAAA,CAxMA,cAsNI,cAAA,EAdJ,CAAA,YAAA,CAxMA,aAwMA,CAAA,eAAA,CAAA,CA9MA,YA8MA,aAxMA,+BFZA,WEsOM,WAAA,IAAA,MAAA,KAlBN,CAAA,YAAA,CA7KA,aAoMI,WAAA,EAvBJ,CAAA,YAAA,CA7KA,YA6KA,CAAA,gBAAA,CA9MA,WAuOM,cAAA,IAAA,MAAA,KAON,CAAA,cC5PE,aAAA,KAEA,CD0PF,aC1PE,CAAA,CDkBF,cCjBI,MAAA,KACA,iBAAA,QACA,aAAA,KAHF,CD0PF,aC1PE,CAAA,CDkBF,aClBE,CAAA,eAAA,CAAA,CDYF,WCNM,iBAAA,KANJ,CD0PF,aC1PE,CAAA,CDkBF,cClBE,ChC8DF,MgCrDM,MAAA,QACA,iBAAA,KAGJ,CD6OF,aC7OE,CAAA,CDgCF,YChCE,CAAA,eAAA,CAAA,CDDF,WCGM,oBAAA,KD8ON,CAAA,cC/PE,aAAA,QAEA,CD6PF,aC7PE,CAAA,CDkBF,cCjBI,MAAA,KACA,iBAAA,QACA,aAAA,QAHF,CD6PF,aC7PE,CAAA,CDkBF,aClBE,CAAA,eAAA,CAAA,CDYF,WCNM,iBAAA,QANJ,CD6PF,aC7PE,CAAA,CDkBF,cClBE,ChC8DF,MgCrDM,MAAA,QACA,iBAAA,KAGJ,CDgPF,aChPE,CAAA,CDgCF,YChCE,CAAA,eAAA,CAAA,CDDF,WCGM,oBAAA,QDiPN,CAAA,cClQE,aAAA,QAEA,CDgQF,aChQE,CAAA,CDkBF,cCjBI,MAAA,QACA,iBAAA,QACA,aAAA,QAHF,CDgQF,aChQE,CAAA,CDkBF,aClBE,CAAA,eAAA,CAAA,CDYF,WCNM,iBAAA,QANJ,CDgQF,aChQE,CAAA,CDkBF,cClBE,ChC8DF,MgCrDM,MAAA,QACA,iBAAA,QAGJ,CDmPF,aCnPE,CAAA,CDgCF,YChCE,CAAA,eAAA,CAAA,CDDF,WCGM,oBAAA,QDoPN,CAAA,WCrQE,aAAA,QAEA,CDmQF,UCnQE,CAAA,CDkBF,cCjBI,MAAA,QACA,iBAAA,QACA,aAAA,QAHF,CDmQF,UCnQE,CAAA,CDkBF,aClBE,CAAA,eAAA,CAAA,CDYF,WCNM,iBAAA,QANJ,CDmQF,UCnQE,CAAA,CDkBF,cClBE,ChC8DF,MgCrDM,MAAA,QACA,iBAAA,QAGJ,CDsPF,UCtPE,CAAA,CDgCF,YChCE,CAAA,eAAA,CAAA,CDDF,WCGM,oBAAA,QDuPN,CAAA,cCxQE,aAAA,QAEA,CDsQF,aCtQE,CAAA,CDkBF,cCjBI,MAAA,QACA,iBAAA,QACA,aAAA,QAHF,CDsQF,aCtQE,CAAA,CDkBF,aClBE,CAAA,eAAA,CAAA,CDYF,WCNM,iBAAA,QANJ,CDsQF,aCtQE,CAAA,CDkBF,cClBE,ChC8DF,MgCrDM,MAAA,QACA,iBAAA,QAGJ,CDyPF,aCzPE,CAAA,CDgCF,YChCE,CAAA,eAAA,CAAA,CDDF,WCGM,oBAAA,QD0PN,CAAA,aC3QE,aAAA,QAEA,CDyQF,YCzQE,CAAA,CDkBF,cCjBI,MAAA,QACA,iBAAA,QACA,aAAA,QAHF,CDyQF,YCzQE,CAAA,CDkBF,aClBE,CAAA,eAAA,CAAA,CDYF,WCNM,iBAAA,QANJ,CDyQF,YCzQE,CAAA,CDkBF,cClBE,ChC8DF,MgCrDM,MAAA,QACA,iBAAA,QAGJ,CD4PF,YC5PE,CAAA,CDgCF,YChCE,CAAA,eAAA,CAAA,CDDF,WCGM,oBAAA,QChBN,CAAA,iBACE,SAAA,SACA,QAAA,MACA,OAAA,ErDPF,QqDQE,EACA,SAAA,OALF,CAAA,iBAAA,CAAA,uBAAA,yBAAA,wBAAA,yBAAA,uBAYI,SAAA,SACA,IAAA,EACA,OAAA,EACA,KAAA,EACA,MAAA,KACA,OAAA,KACA,OAAA,EAKJ,CAAA,uBACE,eAAA,OAIF,CAAA,sBACE,eAAA,IC3BF,CAAA,KACE,WAAA,KtDPF,QsDQE,KACA,cAAA,KACA,iBAAA,QACA,OAAA,IAAA,MAAA,QtDXF,csDYE,IjD0DA,mBAAA,MAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,KACQ,WAAA,MAAA,EAAA,IAAA,IAAA,UiDjEV,CAAA,KAAA,WASI,aAAA,KACA,aAAA,UAKJ,CAAA,QtDrBA,QsDsBE,KtDtBF,csDuBE,IAEF,CAAA,QtDzBA,QsD0BE,ItD1BF,csD2BE,ICpBF,CZkCA,MYjCE,MAAA,MACA,UAAA,KACA,YAAA,IACA,YAAA,EACA,MAAA,KACA,YAAA,EAAA,IAAA,EAAA,KjCTA,OAAA,MAAA,OAAA,CAAA,IACA,QAAA,GiCWA,CZyBF,KYzBE,QZyBF,YYvBI,MAAA,KACA,gBAAA,KACA,OAAA,QjChBF,OAAA,MAAA,OAAA,CAAA,IACA,QAAA,GiCuBA,MAAA,CZaF,M3CzCA,QuD6BI,EACA,OAAA,QACA,WAAA,YACA,OAAA,EACA,mBAAA,KACA,gBAAA,KAAA,WAAA,KCxBJ,CAAA,WACE,SAAA,OAIF,CAAA,MACE,SAAA,MACA,MAAA,EAIA,QAAA,KACA,QAAA,KACA,SAAA,OACA,2BAAA,MAIA,QAAA,EAGA,CAhBF,KAgBE,CjCpBF,KiCoBE,CAAA,anDiHA,kBAAA,UAAA,CAAA,CAAA,MACI,cAAA,UAAA,CAAA,CAAA,MACC,aAAA,UAAA,CAAA,CAAA,MACG,UAAA,WAAA,MAkER,mBAAA,kBAAA,IAAA,SAEK,cAAA,aAAA,IAAA,SACG,WAAA,kBAAA,IAAA,SAAA,WAAA,UAAA,IAAA,SAAA,WAAA,UAAA,IAAA,QAAA,CAAA,kBAAA,IAAA,QAAA,CAAA,aAAA,IAAA,SmDrLR,CApBF,KAoBE,CjCpBA,GiCoBA,CAJA,anDiHA,kBAAA,UAAA,CAAA,CAAA,GACI,cAAA,UAAA,CAAA,CAAA,GACC,aAAA,UAAA,CAAA,CAAA,GACG,UAAA,UAAA,GmD9GV,CA3BA,WA2BA,CAtBA,MAuBE,WAAA,OACA,WAAA,KAIF,CAZE,aAaA,SAAA,SACA,MAAA,KxD7CF,OwD8CE,KAIF,CAAA,cACE,SAAA,SACA,iBAAA,KACA,gBAAA,YACA,OAAA,IAAA,MAAA,KACA,OAAA,IAAA,MAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IxDvDF,cwDwDE,InDcA,mBAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IACQ,WAAA,EAAA,IAAA,IAAA,UmDZR,QAAA,EAIF,CAAA,eACE,SAAA,MACA,MAAA,EAIA,QAAA,KACA,iBAAA,KAEA,CATF,cASE,CjC7DF,KDPE,OAAA,MAAA,OAAA,CAAA,GACA,QAAA,EkCoEA,CAVF,cAUE,CjC1DA,GDXA,OAAA,MAAA,OAAA,CAAA,IACA,QAAA,GkCyEF,CAAA,axD9EA,QwD+EE,KACA,cAAA,IAAA,MAAA,QAIF,CANA,aAMA,Cb3CA,Ma4CE,WAAA,KAIF,CAAA,YxDzFA,OwD0FE,EACA,YAAA,WAKF,CAAA,WACE,SAAA,SxDjGF,QwDkGE,KAIF,CAAA,axDtGA,QwDuGE,KACA,WAAA,MACA,WAAA,IAAA,MAAA,QAHF,CAAA,aAAA,CtD1BE,GsD0BF,CAAA,CtD1BE,IsDkCE,cAAA,EACA,YAAA,IATJ,CAAA,aAAA,C7B/FA,U6B+FA,CtD1BE,GsD0BF,CAAA,CtD1BE,IsDuCE,YAAA,KAbJ,CAAA,aAAA,CpCgDA,SoChDA,CAAA,CpCgDA,UoC/BI,YAAA,EAKJ,CAAA,wBACE,SAAA,SACA,IAAA,QACA,MAAA,KACA,OAAA,KACA,SAAA,OAIF,OAAA,CAAA,SAAA,EAAA,OAEE,CAxGA,aAyGE,MAAA,MxDxIJ,OwDyII,KAAA,KAEF,CAzFF,cnDoBE,mBAAA,EAAA,IAAA,KAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IACQ,WAAA,EAAA,IAAA,KAAA,UmDyER,CAAA,SAAY,MAAA,OAGd,OAAA,CAAA,SAAA,EAAA,OACE,CAAA,SAAY,MAAA,OC9Id,CAAA,QACE,SAAA,SACA,QAAA,KACA,QAAA,MCRA,YAAA,cAAA,CAAA,SAAA,CAAA,KAAA,CAAA,WAEA,WAAA,OACA,YAAA,IACA,YAAA,WACA,WAAA,KACA,WAAA,KACA,WAAA,MACA,gBAAA,KACA,YAAA,KACA,eAAA,KACA,eAAA,OACA,WAAA,OACA,aAAA,OACA,UAAA,OACA,YAAA,ODHA,UAAA,KnCTA,OAAA,MAAA,OAAA,CAAA,GACA,QAAA,EmCYA,CAXF,OAWE,ClCFA,GDXA,OAAA,MAAA,OAAA,CAAA,IACA,QAAA,GmCaA,CAZF,OAYE,CAAA,IzDlBF,QyDmBI,IAAA,EACA,WAAA,KAEF,CAhBF,OAgBE,CAAA,MzDtBF,QyDuBI,EAAA,IACA,YAAA,IAEF,CApBF,OAoBE,CAAA,OzD1BF,QyD2BI,IAAA,EACA,WAAA,IAEF,CAxBF,OAwBE,CAAA,KzD9BF,QyD+BI,EAAA,IACA,YAAA,KAIF,CA9BF,OA8BE,CAlBA,IAkBA,CAAA,cACE,OAAA,EACA,KAAA,IACA,YAAA,KACA,aAAA,IAAA,IAAA,EACA,iBAAA,KAEF,CArCF,OAqCE,CAAA,SAAA,CAPA,cAQE,MAAA,IACA,OAAA,EACA,cAAA,KACA,aAAA,IAAA,IAAA,EACA,iBAAA,KAEF,CA5CF,OA4CE,CAAA,UAAA,CAdA,cAeE,OAAA,EACA,KAAA,IACA,cAAA,KACA,aAAA,IAAA,IAAA,EACA,iBAAA,KAEF,CAnDF,OAmDE,CAnCA,MAmCA,CArBA,cAsBE,IAAA,IACA,KAAA,EACA,WAAA,KACA,aAAA,IAAA,IAAA,IAAA,EACA,mBAAA,KAEF,CA1DF,OA0DE,CAlCA,KAkCA,CA5BA,cA6BE,IAAA,IACA,MAAA,EACA,WAAA,KACA,aAAA,IAAA,EAAA,IAAA,IACA,kBAAA,KAEF,CAjEF,OAiEE,CA7CA,OA6CA,CAnCA,cAoCE,IAAA,EACA,KAAA,IACA,YAAA,KACA,aAAA,EAAA,IAAA,IACA,oBAAA,KAEF,CAxEF,OAwEE,CAAA,YAAA,CA1CA,cA2CE,IAAA,EACA,MAAA,IACA,WAAA,KACA,aAAA,EAAA,IAAA,IACA,oBAAA,KAEF,CA/EF,OA+EE,CAAA,aAAA,CAjDA,cAkDE,IAAA,EACA,KAAA,IACA,WAAA,KACA,aAAA,EAAA,IAAA,IACA,oBAAA,KAKJ,CAAA,cACE,UAAA,MzDhGF,QyDiGE,IAAA,IACA,MAAA,KACA,WAAA,OACA,iBAAA,KzDpGF,cyDqGE,IAIF,CArEE,cAsEA,SAAA,SACA,MAAA,EACA,OAAA,EACA,aAAA,YACA,aAAA,MEzGF,CAAA,QACE,SAAA,SACA,IAAA,EACA,KAAA,EACA,QAAA,KACA,QAAA,KACA,UAAA,M3DXF,Q2DYE,IDXA,YAAA,cAAA,CAAA,SAAA,CAAA,KAAA,CAAA,WAEA,WAAA,OACA,YAAA,IACA,YAAA,WACA,WAAA,KACA,WAAA,KACA,WAAA,MACA,gBAAA,KACA,YAAA,KACA,eAAA,KACA,eAAA,OACA,WAAA,OACA,aAAA,OACA,UAAA,OACA,YAAA,OCAA,UAAA,KACA,iBAAA,KACA,gBAAA,YACA,OAAA,IAAA,MAAA,KACA,OAAA,IAAA,MAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,I3DpBF,c2DqBE,ItDiDA,mBAAA,EAAA,IAAA,KAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IACQ,WAAA,EAAA,IAAA,KAAA,MsD9CR,CApBF,OAoBE,CFPA,IEOQ,WAAA,MACR,CArBF,OAqBE,CFJA,MEIU,YAAA,KACV,CAtBF,OAsBE,CFDA,OECW,WAAA,KACX,CAvBF,OAuBE,CFEA,KEFS,YAAA,MAvBX,CAAA,OAAA,CAAA,CAAA,MA4BI,aAAA,KAEA,CA9BJ,OA8BI,CAAA,CA9BJ,OAAA,SAAA,YAgCM,SAAA,SACA,QAAA,MACA,MAAA,EACA,OAAA,EACA,aAAA,YACA,aAAA,MAGF,CAxCJ,OAwCI,CAAA,CAxCJ,KAwCI,OACE,QAAA,GACA,aAAA,KAIJ,CA9CF,OA8CE,CFjCA,GEiCA,CAAA,CA9CF,MA+CI,OAAA,MACA,KAAA,IACA,YAAA,MACA,iBAAA,KACA,iBAAA,UACA,oBAAA,EACA,CArDJ,OAqDI,CFxCF,GEwCE,CAAA,CArDJ,KAqDI,OACE,OAAA,IACA,YAAA,MACA,QAAA,IACA,iBAAA,KACA,oBAAA,EAGJ,CA7DF,OA6DE,CF5CA,KE4CA,CAAA,CA7DF,MA8DI,IAAA,IACA,KAAA,MACA,WAAA,MACA,mBAAA,KACA,mBAAA,UACA,kBAAA,EACA,CApEJ,OAoEI,CFnDF,KEmDE,CAAA,CApEJ,KAoEI,OACE,OAAA,MACA,KAAA,IACA,QAAA,IACA,mBAAA,KACA,kBAAA,EAGJ,CA5EF,OA4EE,CFvDA,MEuDA,CAAA,CA5EF,MA6EI,IAAA,MACA,KAAA,IACA,YAAA,MACA,iBAAA,EACA,oBAAA,KACA,oBAAA,UACA,CAnFJ,OAmFI,CF9DF,ME8DE,CAAA,CAnFJ,KAmFI,OACE,IAAA,IACA,YAAA,MACA,QAAA,IACA,iBAAA,EACA,oBAAA,KAIJ,CA5FF,OA4FE,CFnEA,IEmEA,CAAA,CA5FF,MA6FI,IAAA,IACA,MAAA,MACA,WAAA,MACA,mBAAA,EACA,kBAAA,KACA,kBAAA,UACA,CAnGJ,OAmGI,CF1EF,IE0EE,CAAA,CAnGJ,KAmGI,OACE,MAAA,IACA,OAAA,MACA,QAAA,IACA,mBAAA,EACA,kBAAA,KAKN,CAAA,c3DlHA,Q2DmHE,IAAA,K3DnHF,O2DoHE,EACA,UAAA,KACA,iBAAA,QACA,cAAA,IAAA,MAAA,Q3DvHF,c2DwHE,IAAA,IAAA,EAAA,EAGF,CAAA,gB3D3HA,Q2D4HE,IAAA,KCpHF,CAAA,SACE,SAAA,SAGF,gBACE,SAAA,SACA,MAAA,KACA,SAAA,OAHF,eAAA,CAAA,MAMI,SAAA,SACA,QAAA,KvD6KF,mBAAA,IAAA,YAAA,KACK,cAAA,IAAA,YAAA,KACG,WAAA,IAAA,YAAA,KuDtLV,eAAA,CAAA,KAAA,CAAA,gCAcM,YAAA,EAIF,OAAA,IAAA,IAAA,CAAA,aAAA,CAAA,CAAA,sBAAA,eAAA,CAAA,MvDuLF,mBAAA,kBAAA,IAAA,YAEK,cAAA,aAAA,IAAA,YACG,WAAA,kBAAA,IAAA,YAAA,WAAA,UAAA,IAAA,YAAA,WAAA,UAAA,IAAA,WAAA,CAAA,kBAAA,IAAA,WAAA,CAAA,aAAA,IAAA,YA7JR,4BAAA,OAEQ,oBAAA,OA+GR,oBAAA,OAEQ,YAAA,OuD3IJ,eAAA,CAAA,KAAA,CvB9BN,2BpBAE,OwCiBA,MpDgIA,kBAAA,YAAA,IAAA,CAAA,CAAA,CAAA,GACQ,UAAA,YAAA,IAAA,CAAA,CAAA,CAAA,GuDjHF,KAAA,EAEF,eAAA,CAAA,KAAA,CAAA,2B3CnCJ,OwCyBA,KpDwHA,kBAAA,YAAA,KAAA,CAAA,CAAA,CAAA,GACQ,UAAA,YAAA,KAAA,CAAA,CAAA,CAAA,GuD5GF,KAAA,EAEF,eAAA,CAAA,KAAA,CvBxCN,IuBwCM,CHfJ,2BGUI,KHlBJ,4BxCjBA,OZiJA,kBAAA,YAAA,CAAA,CAAA,CAAA,CAAA,GACQ,UAAA,WAAA,GuDtGF,KAAA,GArCR,eAAA,CAAA,C3CPE,wBoBAF,sBuBmCM,KAiBF,QAAA,MA7CJ,eAAA,CAAA,C3CPE,O2CwDE,KAAA,EAjDJ,eAAA,CAAA,CvBPA,sBuBmCM,KA0BF,SAAA,SACA,IAAA,EACA,MAAA,KAxDJ,eAAA,CAAA,CvBPA,KuBmEI,KAAA,KA5DJ,eAAA,CAAA,CA4BM,KAmCF,KAAA,MA/DJ,eAAA,CAAA,CvBPA,IuBOA,CHkBE,sBGUI,KHlBJ,MGyDE,KAAA,EAnEJ,eAAA,CAAA,C3CPE,M2COF,CHkBE,KGqDE,KAAA,MAvEJ,eAAA,CAAA,C3CPE,M2COF,CHUE,MGgEE,KAAA,KAQJ,CAAA,iBACE,SAAA,SACA,IAAA,EACA,OAAA,EACA,KAAA,EACA,MAAA,IACA,UAAA,KACA,MAAA,KACA,WAAA,OACA,YAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IACA,iBAAA,MtCpGA,OAAA,MAAA,OAAA,CAAA,IACA,QAAA,GsCyGA,CAhBF,gBAgBE,CHhFA,KXrBE,iBAAA,wBAAA,IAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IAAA,EAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,OAAA,MACA,iBAAA,mBAAA,IAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IAAA,EAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,OAAA,MACA,iBAAA,iBAAA,MAAA,CAAA,KAAA,GAAA,CAAA,MAAA,GAAA,CAAA,KAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IAAA,CAAA,GAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,SAAA,iBAAA,gBAAA,GAAA,KAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IAAA,EAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,OAAA,MACA,OAAA,MAAA,CAAA,gBAAA,CAAA,SAAA,CAAA,SAAA,aAAA,CAAA,WAAA,CAAA,WAAA,CAAA,WAAA,CAAA,YAAA,CAAA,GACA,kBAAA,ScoGF,CAnBF,gBAmBE,CH3FA,MG4FE,MAAA,EACA,KAAA,Kd1GA,iBAAA,wBAAA,IAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,OAAA,EAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IAAA,MACA,iBAAA,mBAAA,IAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,OAAA,EAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IAAA,MACA,iBAAA,iBAAA,MAAA,CAAA,KAAA,GAAA,CAAA,MAAA,GAAA,CAAA,KAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,OAAA,CAAA,GAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,MAAA,iBAAA,gBAAA,GAAA,KAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,OAAA,EAAA,CAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IAAA,MACA,OAAA,MAAA,CAAA,gBAAA,CAAA,SAAA,CAAA,SAAA,aAAA,CAAA,WAAA,CAAA,WAAA,CAAA,WAAA,CAAA,YAAA,CAAA,GACA,kBAAA,Sc2GF,CA1BF,gBA0BE,QA1BF,uBA4BI,MAAA,KACA,gBAAA,KACA,QAAA,EtCxHF,OAAA,MAAA,OAAA,CAAA,IACA,QAAA,GsCyFF,CAAA,iBAAA,CAAA,WAAA,6BAAA,kBzD0BoC,wByD1BpC,kBzD2BoC,wByDYhC,SAAA,SACA,IAAA,IACA,QAAA,EACA,QAAA,aACA,WAAA,MA3CJ,CAAA,iBAAA,CAAA,WAAA,kBzD0BoC,uByDqBhC,KAAA,IACA,YAAA,MAhDJ,CAAA,iBAAA,YAAA,kBzD2BoC,wByDyBhC,MAAA,IACA,aAAA,MArDJ,CAAA,iBAAA,CAAA,WAAA,4BAyDI,MAAA,KACA,OAAA,KACA,YAAA,MACA,YAAA,EAIA,CAhEJ,iBAgEI,CAhEJ,SAgEI,QACE,QAAA,QAIF,CArEJ,iBAqEI,UAAA,QACE,QAAA,QAUN,CAAA,oBACE,SAAA,SACA,OAAA,KACA,KAAA,IACA,QAAA,GACA,MAAA,IACA,aAAA,EACA,YAAA,KACA,WAAA,OACA,WAAA,KATF,CAAA,oBAAA,GAYI,QAAA,aACA,MAAA,KACA,OAAA,K5D5LJ,O4D6LI,IACA,YAAA,OACA,OAAA,QAUA,iBAAA,KAAA,GACA,iBAAA,MAEA,OAAA,IAAA,MAAA,K5D5MJ,c4D6MI,KA/BJ,CAAA,oBAAA,C3CzKE,O2C4ME,MAAA,KACA,OAAA,K5DlNJ,O4DmNI,EACA,iBAAA,KAOJ,CAAA,iBACE,SAAA,SACA,MAAA,IACA,OAAA,KACA,KAAA,IACA,QAAA,GACA,YAAA,KACA,eAAA,KACA,MAAA,KACA,WAAA,OACA,YAAA,EAAA,IAAA,IAAA,KAAA,CAAA,CAAA,CAAA,CAAA,CAAA,CAAA,IAEA,CAZF,iBAYE,C1D3JA,I0D4JE,YAAA,KAMJ,OAAA,OAAA,IAAA,CAAA,SAAA,EAAA,OAGE,CAnJF,iBAmJE,CzDzHkC,wByD1BpC,kBzD2BoC,yByD3BpC,kBAAA,WAAA,4BAwJM,MAAA,KACA,OAAA,KACA,WAAA,MACA,UAAA,KARJ,CAnJF,iBAmJE,CzDzHkC,wByD1BpC,kBAAA,UA+JM,YAAA,MAZJ,CAnJF,iBAmJE,CzDxHkC,yByD3BpC,4BAmKM,aAAA,MAKJ,CA3CF,iBA4CI,MAAA,IACA,KAAA,IACA,eAAA,KAIF,CA/FF,oBAgGI,OAAA,MCjQF,CAAA,QAAA,SAAA,gBrD0MA,yBAAA,wBK9MF,kBAAA,iBAoBA,wBAAA,uBASA,YAAA,WKufA,iBAhUA,mBAgUA,iBAhUA,kBSzLA,oBAAA,uCA7BA,sCAAA,iBGGA,YAAA,W5B+DE,eAAA,c6BtCA,sBAAA,qBAgBF,wBAAA,uBM9CA,cAAA,acYA,mBAAA,kBK6DA,qBAAA,oBAwBA,qBAAA,mBKvFI,QAAA,MACA,QAAA,IAEF,CALA,QAKA,QrDqMA,wBK9MF,iBAoBA,uBASA,WKufA,iBAhUA,kBSzLA,uCA7BA,iBGGA,W5B+DE,c6BtCA,qBAgBF,uBM9CA,acYA,kBK6DA,oBAwBA,mBKnFI,MAAA,K5BNJ,CAAA,a6BVE,QAAA,MACA,aAAA,KACA,YAAA,K7BWF,YACE,MAAA,gBAEF,WACE,MAAA,eAQF,CAAA,KACE,QAAA,eAEF,CAAA,KACE,QAAA,gBAEF,CAAA,UACE,WAAA,OAEF,CAAA,U8BzBE,KAAA,CAAA,CAAA,EAAA,EACA,MAAA,YACA,YAAA,KACA,iBAAA,YACA,OAAA,E9B8BF,CAAA,OACE,QAAA,eAOF,CAAA,MACE,SAAA,M+BjCF,cACE,MAAA,aAMF,CAAA,+CAOA,CAAA,uPCzBE,QAAA,eDyCA,OAAA,CAAA,SAAA,EAAA,OAAA,CAvBF,WC1BE,QAAA,gBACA,KAAA,CDyBF,WCzBY,QAAA,gBACV,EAAA,CDwBF,WCxBY,QAAA,oBACV,EAAA,CDuBF,cAAA,WCtBY,QAAA,sBDkDV,OAAA,CAAA,SAAA,EAAA,OAAA,CArBF,iBAsBI,QAAA,iBAIF,OAAA,CAAA,SAAA,EAAA,OAAA,mBACE,QAAA,kBAIF,OAAA,CAAA,SAAA,EAAA,OAAA,yBACE,QAAA,wBAKF,OAAA,CAAA,SAAA,EAAA,OAAA,IAAA,CAAA,SAAA,EAAA,OAAA,YCtEA,QAAA,gBACA,KAAA,YAAU,QAAA,gBACV,EAAA,YAAU,QAAA,oBACV,EAAA,0BACU,QAAA,sBDuEV,OAAA,CAAA,SAAA,EAAA,OAAA,IAAA,CAAA,SAAA,EAAA,OAAA,kBACE,QAAA,iBAIF,OAAA,CAAA,SAAA,EAAA,OAAA,IAAA,CAAA,SAAA,EAAA,OAAA,mBACE,QAAA,kBAIF,OAAA,CAAA,SAAA,EAAA,OAAA,IAAA,CAAA,SAAA,EAAA,OAAA,yBACE,QAAA,wBAKF,OAAA,CAAA,SAAA,EAAA,OAAA,IAAA,CAAA,SAAA,EAAA,QAAA,YC3FA,QAAA,gBACA,KAAA,YAAU,QAAA,gBACV,EAAA,YAAU,QAAA,oBACV,EAAA,0BACU,QAAA,sBD4FV,OAAA,CAAA,SAAA,EAAA,OAAA,IAAA,CAAA,SAAA,EAAA,QAAA,kBACE,QAAA,iBAIF,OAAA,CAAA,SAAA,EAAA,OAAA,IAAA,CAAA,SAAA,EAAA,QAAA,mBACE,QAAA,kBAIF,OAAA,CAAA,SAAA,EAAA,OAAA,IAAA,CAAA,SAAA,EAAA,QAAA,yBACE,QAAA,wBAKF,OAAA,CAAA,SAAA,EAAA,QAAA,YChHA,QAAA,gBACA,KAAA,YAAU,QAAA,gBACV,EAAA,YAAU,QAAA,oBACV,EAAA,0BACU,QAAA,sBDiHV,OAAA,CAAA,SAAA,EAAA,QAAA,kBACE,QAAA,iBAIF,OAAA,CAAA,SAAA,EAAA,QAAA,mBACE,QAAA,kBAIF,OAAA,CAAA,SAAA,EAAA,QAAA,yBACE,QAAA,wBAKF,OAAA,CAAA,SAAA,EAAA,OAAA,CAAA,UC7HA,QAAA,gBDkIA,OAAA,CAAA,SAAA,EAAA,OAAA,IAAA,CAAA,SAAA,EAAA,OAAA,CAAA,UClIA,QAAA,gBDuIA,OAAA,CAAA,SAAA,EAAA,OAAA,IAAA,CAAA,SAAA,EAAA,QAAA,CAAA,UCvIA,QAAA,gBD4IA,OAAA,CAAA,SAAA,EAAA,QAAA,CAAA,UC5IA,QAAA,gBDuJF,CAAA,cCvJE,QAAA,eD0JA,OAAA,MAAA,CAHF,cC/JE,QAAA,gBACA,KAAA,CD8JF,cC9JY,QAAA,gBACV,EAAA,CD6JF,cC7JY,QAAA,oBACV,EAAA,CD4JF,iBAAA,cC3JY,QAAA,sBDkKZ,CAAA,oBACE,QAAA,eAEA,OAAA,MAAA,CAHF,oBAII,QAAA,iBAGJ,CAAA,qBACE,QAAA,eAEA,OAAA,MAAA,CAHF,qBAII,QAAA,kBAGJ,CAAA,2BACE,QAAA,eAEA,OAAA,MAAA,CAHF,2BAII,QAAA,wBAKF,OAAA,MAAA,CAAA,aCrLA,QAAA,gBCXF,IAAI,IAAI,CAAC,KAAK,QAAQ,MAAM,WAAW,KAAvC,QAAoD,GAAG,CAAC,IAAI,CAAnD,KAAT,QAA0E,IAAI,GAAG,CAS/E,CATO,KASD,MAAM,QAAQ,WAAW,IAAI,CAAC,CAAC,YAAY,CAAC,aAAa,CAAC,UAAU,CAAxB,aAAsC,CAAC,kBAAkB,CAAC,uBAAuB,CAAC,UAAU,CAAC,aAAa,CAAC,UAAU,MAAM,OAAO,CAAC,CAAC,WAAW,CAAX,UAAsB,CAAC,OAAO,CAA9B,UAAyC,CAAlB,MAAyB,CAAC,YAAY,CAA7D,UAAwE,CAAC,UAAU,MAAM,OAAO,CAAC,CAAC,UAAU,CAAC,eAAe,CAAC,aAAa,CAAhQ,UAA2Q,CAAC,YAAY,CAAC,cAAc,CAAC,mBAAmB,CAAC,oBAAoB,CAAC,iBAAiB,CAAnR,cAAkS,MAAM,OAAO,CAAC,CAA/X,UAA0Y,CAAC,YAAY,CAAC,YAAY,CAAzB,YAAsC,MAAM,OAAO,CAAC,CAAC,cAAc,CAAC,YAAY,MAAM,OAAO,CAAC,CAAC,UAAU,CAAC,aAAa,CAAC,aAAa,MAAM,OAAO,CAAC,CAAC,UAAU,CAAC,WAAW,CAAC,qBAAqB,CAAC,kBAAkB,MAAM,OAAO,CAAC,CAAC,WAAW,MAAM,OAAO,CAAC,CAAC,aAAa,MAAM,QAAQ,YAAY,GAAG,CAAC,CAAC,YAAY,MAAM,OAAO,CAAC,CAAC,cAAc,MAAM,QAAQ,WAAW,MAAM,CAAC,CAAC,YAAY,MAAM,QAAQ,YAAY,GAAG,CAAC,CAAC,cAAc,MAAM,QAAQ,iBAAiB,OAAO,CAAC,CAAC,cAAc,MAAM,QAAQ,iBAAiB,OAAO", + "names": [] +} diff --git a/docs/styles/docfx.vendor.min.js b/docs/styles/docfx.vendor.min.js new file mode 100644 index 000000000..8592bb834 --- /dev/null +++ b/docs/styles/docfx.vendor.min.js @@ -0,0 +1,37 @@ +(()=>{var tu=Object.create;var er=Object.defineProperty;var nu=Object.getOwnPropertyDescriptor;var ru=Object.getOwnPropertyNames;var iu=Object.getPrototypeOf,au=Object.prototype.hasOwnProperty;var Vr=(e,n)=>()=>(e&&(n=e(e=0)),n);var O=(e,n)=>()=>(n||e((n={exports:{}}).exports,n),n.exports),ou=(e,n)=>{for(var i in n)er(e,i,{get:n[i],enumerable:!0})},mi=(e,n,i,_)=>{if(n&&typeof n=="object"||typeof n=="function")for(let l of ru(n))!au.call(e,l)&&l!==i&&er(e,l,{get:()=>n[l],enumerable:!(_=nu(n,l))||_.enumerable});return e};var su=(e,n,i)=>(i=e!=null?tu(iu(e)):{},mi(n||!e||!e.__esModule?er(i,"default",{value:e,enumerable:!0}):i,e)),lu=e=>mi(er({},"__esModule",{value:!0}),e);var gi=O((wf,cu)=>{cu.exports={}});var Ei=O((Mf,du)=>{du.exports={}});var zr=O((bi,tr)=>{(function(e,n){"use strict";typeof tr=="object"&&typeof tr.exports=="object"?tr.exports=e.document?n(e,!0):function(i){if(!i.document)throw new Error("jQuery requires a window with a document");return n(i)}:n(e)})(typeof window<"u"?window:bi,function(e,n){"use strict";var i=[],_=Object.getPrototypeOf,l=i.slice,a=i.flat?function(t){return i.flat.call(t)}:function(t){return i.concat.apply([],t)},s=i.push,d=i.indexOf,u={},E=u.toString,f=u.hasOwnProperty,N=f.toString,S=N.call(Object),h={},C=function(r){return typeof r=="function"&&typeof r.nodeType!="number"&&typeof r.item!="function"},I=function(r){return r!=null&&r===r.window},x=e.document,F={type:!0,src:!0,nonce:!0,noModule:!0};function q(t,r,o){o=o||x;var p,m,g=o.createElement("script");if(g.text=t,r)for(p in F)m=r[p]||r.getAttribute&&r.getAttribute(p),m&&g.setAttribute(p,m);o.head.appendChild(g).parentNode.removeChild(g)}function B(t){return t==null?t+"":typeof t=="object"||typeof t=="function"?u[E.call(t)]||"object":typeof t}var Y="3.7.0",z=/HTML$/i,c=function(t,r){return new c.fn.init(t,r)};c.fn=c.prototype={jquery:Y,constructor:c,length:0,toArray:function(){return l.call(this)},get:function(t){return t==null?l.call(this):t<0?this[t+this.length]:this[t]},pushStack:function(t){var r=c.merge(this.constructor(),t);return r.prevObject=this,r},each:function(t){return c.each(this,t)},map:function(t){return this.pushStack(c.map(this,function(r,o){return t.call(r,o,r)}))},slice:function(){return this.pushStack(l.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},even:function(){return this.pushStack(c.grep(this,function(t,r){return(r+1)%2}))},odd:function(){return this.pushStack(c.grep(this,function(t,r){return r%2}))},eq:function(t){var r=this.length,o=+t+(t<0?r:0);return this.pushStack(o>=0&&o<r?[this[o]]:[])},end:function(){return this.prevObject||this.constructor()},push:s,sort:i.sort,splice:i.splice},c.extend=c.fn.extend=function(){var t,r,o,p,m,g,b=arguments[0]||{},v=1,R=arguments.length,D=!1;for(typeof b=="boolean"&&(D=b,b=arguments[v]||{},v++),typeof b!="object"&&!C(b)&&(b={}),v===R&&(b=this,v--);v<R;v++)if((t=arguments[v])!=null)for(r in t)p=t[r],!(r==="__proto__"||b===p)&&(D&&p&&(c.isPlainObject(p)||(m=Array.isArray(p)))?(o=b[r],m&&!Array.isArray(o)?g=[]:!m&&!c.isPlainObject(o)?g={}:g=o,m=!1,b[r]=c.extend(D,g,p)):p!==void 0&&(b[r]=p));return b},c.extend({expando:"jQuery"+(Y+Math.random()).replace(/\D/g,""),isReady:!0,error:function(t){throw new Error(t)},noop:function(){},isPlainObject:function(t){var r,o;return!t||E.call(t)!=="[object Object]"?!1:(r=_(t),r?(o=f.call(r,"constructor")&&r.constructor,typeof o=="function"&&N.call(o)===S):!0)},isEmptyObject:function(t){var r;for(r in t)return!1;return!0},globalEval:function(t,r,o){q(t,{nonce:r&&r.nonce},o)},each:function(t,r){var o,p=0;if(te(t))for(o=t.length;p<o&&r.call(t[p],p,t[p])!==!1;p++);else for(p in t)if(r.call(t[p],p,t[p])===!1)break;return t},text:function(t){var r,o="",p=0,m=t.nodeType;if(m){if(m===1||m===9||m===11)return t.textContent;if(m===3||m===4)return t.nodeValue}else for(;r=t[p++];)o+=c.text(r);return o},makeArray:function(t,r){var o=r||[];return t!=null&&(te(Object(t))?c.merge(o,typeof t=="string"?[t]:t):s.call(o,t)),o},inArray:function(t,r,o){return r==null?-1:d.call(r,t,o)},isXMLDoc:function(t){var r=t&&t.namespaceURI,o=t&&(t.ownerDocument||t).documentElement;return!z.test(r||o&&o.nodeName||"HTML")},merge:function(t,r){for(var o=+r.length,p=0,m=t.length;p<o;p++)t[m++]=r[p];return t.length=m,t},grep:function(t,r,o){for(var p,m=[],g=0,b=t.length,v=!o;g<b;g++)p=!r(t[g],g),p!==v&&m.push(t[g]);return m},map:function(t,r,o){var p,m,g=0,b=[];if(te(t))for(p=t.length;g<p;g++)m=r(t[g],g,o),m!=null&&b.push(m);else for(g in t)m=r(t[g],g,o),m!=null&&b.push(m);return a(b)},guid:1,support:h}),typeof Symbol=="function"&&(c.fn[Symbol.iterator]=i[Symbol.iterator]),c.each("Boolean Number String Function Array Date RegExp Object Error Symbol".split(" "),function(t,r){u["[object "+r+"]"]=r.toLowerCase()});function te(t){var r=!!t&&"length"in t&&t.length,o=B(t);return C(t)||I(t)?!1:o==="array"||r===0||typeof r=="number"&&r>0&&r-1 in t}function K(t,r){return t.nodeName&&t.nodeName.toLowerCase()===r.toLowerCase()}var ce=i.pop,ne=i.sort,Te=i.splice,oe="[\\x20\\t\\r\\n\\f]",ve=new RegExp("^"+oe+"+|((?:^|[^\\\\])(?:\\\\.)*)"+oe+"+$","g");c.contains=function(t,r){var o=r&&r.parentNode;return t===o||!!(o&&o.nodeType===1&&(t.contains?t.contains(o):t.compareDocumentPosition&&t.compareDocumentPosition(o)&16))};var Oe=/([\0-\x1f\x7f]|^-?\d)|^-$|[^\x80-\uFFFF\w-]/g;function we(t,r){return r?t==="\0"?"\uFFFD":t.slice(0,-1)+"\\"+t.charCodeAt(t.length-1).toString(16)+" ":"\\"+t}c.escapeSelector=function(t){return(t+"").replace(Oe,we)};var ye=x,G=s;(function(){var t,r,o,p,m,g=G,b,v,R,D,P,U=c.expando,M=0,V=0,le=Qn(),he=Qn(),me=Qn(),Ye=Qn(),Be=function(T,A){return T===A&&(m=!0),0},dt="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",_t="(?:\\\\[\\da-fA-F]{1,6}"+oe+"?|\\\\[^\\r\\n\\f]|[\\w-]|[^\0-\\x7f])+",be="\\["+oe+"*("+_t+")(?:"+oe+"*([*^$|!~]?=)"+oe+`*(?:'((?:\\\\.|[^\\\\'])*)'|"((?:\\\\.|[^\\\\"])*)"|(`+_t+"))|)"+oe+"*\\]",Bt=":("+_t+`)(?:\\((('((?:\\\\.|[^\\\\'])*)'|"((?:\\\\.|[^\\\\"])*)")|((?:\\\\.|[^\\\\()[\\]]|`+be+")*)|.*)\\)|)",Ce=new RegExp(oe+"+","g"),Pe=new RegExp("^"+oe+"*,"+oe+"*"),Sn=new RegExp("^"+oe+"*([>+~]|"+oe+")"+oe+"*"),Ur=new RegExp(oe+"|>"),pt=new RegExp(Bt),hn=new RegExp("^"+_t+"$"),ut={ID:new RegExp("^#("+_t+")"),CLASS:new RegExp("^\\.("+_t+")"),TAG:new RegExp("^("+_t+"|[*])"),ATTR:new RegExp("^"+be),PSEUDO:new RegExp("^"+Bt),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+oe+"*(even|odd|(([+-]|)(\\d*)n|)"+oe+"*(?:([+-]|)"+oe+"*(\\d+)|))"+oe+"*\\)|)","i"),bool:new RegExp("^(?:"+dt+")$","i"),needsContext:new RegExp("^"+oe+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+oe+"*((?:-\\d)?\\d*)"+oe+"*\\)|)(?=[^-]|$)","i")},yt=/^(?:input|select|textarea|button)$/i,It=/^h\d$/i,tt=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,Fr=/[+~]/,bt=new RegExp("\\\\[\\da-fA-F]{1,6}"+oe+"?|\\\\([^\\r\\n\\f])","g"),ft=function(T,A){var w="0x"+T.slice(1)-65536;return A||(w<0?String.fromCharCode(w+65536):String.fromCharCode(w>>10|55296,w&1023|56320))},Kp=function(){Dt()},Qp=Jn(function(T){return T.disabled===!0&&K(T,"fieldset")},{dir:"parentNode",next:"legend"});function Xp(){try{return b.activeElement}catch{}}try{g.apply(i=l.call(ye.childNodes),ye.childNodes),i[ye.childNodes.length].nodeType}catch{g={apply:function(A,w){G.apply(A,l.call(w))},call:function(A){G.apply(A,l.call(arguments,1))}}}function Ae(T,A,w,L){var k,W,Q,ee,X,ge,ae,de=A&&A.ownerDocument,Ee=A?A.nodeType:9;if(w=w||[],typeof T!="string"||!T||Ee!==1&&Ee!==9&&Ee!==11)return w;if(!L&&(Dt(A),A=A||b,R)){if(Ee!==11&&(X=tt.exec(T)))if(k=X[1]){if(Ee===9)if(Q=A.getElementById(k)){if(Q.id===k)return g.call(w,Q),w}else return w;else if(de&&(Q=de.getElementById(k))&&Ae.contains(A,Q)&&Q.id===k)return g.call(w,Q),w}else{if(X[2])return g.apply(w,A.getElementsByTagName(T)),w;if((k=X[3])&&A.getElementsByClassName)return g.apply(w,A.getElementsByClassName(k)),w}if(!Ye[T+" "]&&(!D||!D.test(T))){if(ae=T,de=A,Ee===1&&(Ur.test(T)||Sn.test(T))){for(de=Fr.test(T)&&Br(A.parentNode)||A,(de!=A||!h.scope)&&((ee=A.getAttribute("id"))?ee=c.escapeSelector(ee):A.setAttribute("id",ee=U)),ge=Xn(T),W=ge.length;W--;)ge[W]=(ee?"#"+ee:":scope")+" "+Zn(ge[W]);ae=ge.join(",")}try{return g.apply(w,de.querySelectorAll(ae)),w}catch{Ye(T,!0)}finally{ee===U&&A.removeAttribute("id")}}}return ui(T.replace(ve,"$1"),A,w,L)}function Qn(){var T=[];function A(w,L){return T.push(w+" ")>r.cacheLength&&delete A[T.shift()],A[w+" "]=L}return A}function at(T){return T[U]=!0,T}function jt(T){var A=b.createElement("fieldset");try{return!!T(A)}catch{return!1}finally{A.parentNode&&A.parentNode.removeChild(A),A=null}}function Zp(T){return function(A){return K(A,"input")&&A.type===T}}function Jp(T){return function(A){return(K(A,"input")||K(A,"button"))&&A.type===T}}function _i(T){return function(A){return"form"in A?A.parentNode&&A.disabled===!1?"label"in A?"label"in A.parentNode?A.parentNode.disabled===T:A.disabled===T:A.isDisabled===T||A.isDisabled!==!T&&Qp(A)===T:A.disabled===T:"label"in A?A.disabled===T:!1}}function Gt(T){return at(function(A){return A=+A,at(function(w,L){for(var k,W=T([],w.length,A),Q=W.length;Q--;)w[k=W[Q]]&&(w[k]=!(L[k]=w[k]))})})}function Br(T){return T&&typeof T.getElementsByTagName<"u"&&T}function Dt(T){var A,w=T?T.ownerDocument||T:ye;return w==b||w.nodeType!==9||!w.documentElement||(b=w,v=b.documentElement,R=!c.isXMLDoc(b),P=v.matches||v.webkitMatchesSelector||v.msMatchesSelector,ye!=b&&(A=b.defaultView)&&A.top!==A&&A.addEventListener("unload",Kp),h.getById=jt(function(L){return v.appendChild(L).id=c.expando,!b.getElementsByName||!b.getElementsByName(c.expando).length}),h.disconnectedMatch=jt(function(L){return P.call(L,"*")}),h.scope=jt(function(){return b.querySelectorAll(":scope")}),h.cssHas=jt(function(){try{return b.querySelector(":has(*,:jqfake)"),!1}catch{return!0}}),h.getById?(r.filter.ID=function(L){var k=L.replace(bt,ft);return function(W){return W.getAttribute("id")===k}},r.find.ID=function(L,k){if(typeof k.getElementById<"u"&&R){var W=k.getElementById(L);return W?[W]:[]}}):(r.filter.ID=function(L){var k=L.replace(bt,ft);return function(W){var Q=typeof W.getAttributeNode<"u"&&W.getAttributeNode("id");return Q&&Q.value===k}},r.find.ID=function(L,k){if(typeof k.getElementById<"u"&&R){var W,Q,ee,X=k.getElementById(L);if(X){if(W=X.getAttributeNode("id"),W&&W.value===L)return[X];for(ee=k.getElementsByName(L),Q=0;X=ee[Q++];)if(W=X.getAttributeNode("id"),W&&W.value===L)return[X]}return[]}}),r.find.TAG=function(L,k){return typeof k.getElementsByTagName<"u"?k.getElementsByTagName(L):k.querySelectorAll(L)},r.find.CLASS=function(L,k){if(typeof k.getElementsByClassName<"u"&&R)return k.getElementsByClassName(L)},D=[],jt(function(L){var k;v.appendChild(L).innerHTML="<a id='"+U+"' href='' disabled='disabled'></a><select id='"+U+"-\r\\' disabled='disabled'><option selected=''></option></select>",L.querySelectorAll("[selected]").length||D.push("\\["+oe+"*(?:value|"+dt+")"),L.querySelectorAll("[id~="+U+"-]").length||D.push("~="),L.querySelectorAll("a#"+U+"+*").length||D.push(".#.+[+~]"),L.querySelectorAll(":checked").length||D.push(":checked"),k=b.createElement("input"),k.setAttribute("type","hidden"),L.appendChild(k).setAttribute("name","D"),v.appendChild(L).disabled=!0,L.querySelectorAll(":disabled").length!==2&&D.push(":enabled",":disabled"),k=b.createElement("input"),k.setAttribute("name",""),L.appendChild(k),L.querySelectorAll("[name='']").length||D.push("\\["+oe+"*name"+oe+"*="+oe+`*(?:''|"")`)}),h.cssHas||D.push(":has"),D=D.length&&new RegExp(D.join("|")),Be=function(L,k){if(L===k)return m=!0,0;var W=!L.compareDocumentPosition-!k.compareDocumentPosition;return W||(W=(L.ownerDocument||L)==(k.ownerDocument||k)?L.compareDocumentPosition(k):1,W&1||!h.sortDetached&&k.compareDocumentPosition(L)===W?L===b||L.ownerDocument==ye&&Ae.contains(ye,L)?-1:k===b||k.ownerDocument==ye&&Ae.contains(ye,k)?1:p?d.call(p,L)-d.call(p,k):0:W&4?-1:1)}),b}Ae.matches=function(T,A){return Ae(T,null,null,A)},Ae.matchesSelector=function(T,A){if(Dt(T),R&&!Ye[A+" "]&&(!D||!D.test(A)))try{var w=P.call(T,A);if(w||h.disconnectedMatch||T.document&&T.document.nodeType!==11)return w}catch{Ye(A,!0)}return Ae(A,b,null,[T]).length>0},Ae.contains=function(T,A){return(T.ownerDocument||T)!=b&&Dt(T),c.contains(T,A)},Ae.attr=function(T,A){(T.ownerDocument||T)!=b&&Dt(T);var w=r.attrHandle[A.toLowerCase()],L=w&&f.call(r.attrHandle,A.toLowerCase())?w(T,A,!R):void 0;return L!==void 0?L:T.getAttribute(A)},Ae.error=function(T){throw new Error("Syntax error, unrecognized expression: "+T)},c.uniqueSort=function(T){var A,w=[],L=0,k=0;if(m=!h.sortStable,p=!h.sortStable&&l.call(T,0),ne.call(T,Be),m){for(;A=T[k++];)A===T[k]&&(L=w.push(k));for(;L--;)Te.call(T,w[L],1)}return p=null,T},c.fn.uniqueSort=function(){return this.pushStack(c.uniqueSort(l.apply(this)))},r=c.expr={cacheLength:50,createPseudo:at,match:ut,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(T){return T[1]=T[1].replace(bt,ft),T[3]=(T[3]||T[4]||T[5]||"").replace(bt,ft),T[2]==="~="&&(T[3]=" "+T[3]+" "),T.slice(0,4)},CHILD:function(T){return T[1]=T[1].toLowerCase(),T[1].slice(0,3)==="nth"?(T[3]||Ae.error(T[0]),T[4]=+(T[4]?T[5]+(T[6]||1):2*(T[3]==="even"||T[3]==="odd")),T[5]=+(T[7]+T[8]||T[3]==="odd")):T[3]&&Ae.error(T[0]),T},PSEUDO:function(T){var A,w=!T[6]&&T[2];return ut.CHILD.test(T[0])?null:(T[3]?T[2]=T[4]||T[5]||"":w&&pt.test(w)&&(A=Xn(w,!0))&&(A=w.indexOf(")",w.length-A)-w.length)&&(T[0]=T[0].slice(0,A),T[2]=w.slice(0,A)),T.slice(0,3))}},filter:{TAG:function(T){var A=T.replace(bt,ft).toLowerCase();return T==="*"?function(){return!0}:function(w){return K(w,A)}},CLASS:function(T){var A=le[T+" "];return A||(A=new RegExp("(^|"+oe+")"+T+"("+oe+"|$)"))&&le(T,function(w){return A.test(typeof w.className=="string"&&w.className||typeof w.getAttribute<"u"&&w.getAttribute("class")||"")})},ATTR:function(T,A,w){return function(L){var k=Ae.attr(L,T);return k==null?A==="!=":A?(k+="",A==="="?k===w:A==="!="?k!==w:A==="^="?w&&k.indexOf(w)===0:A==="*="?w&&k.indexOf(w)>-1:A==="$="?w&&k.slice(-w.length)===w:A==="~="?(" "+k.replace(Ce," ")+" ").indexOf(w)>-1:A==="|="?k===w||k.slice(0,w.length+1)===w+"-":!1):!0}},CHILD:function(T,A,w,L,k){var W=T.slice(0,3)!=="nth",Q=T.slice(-4)!=="last",ee=A==="of-type";return L===1&&k===0?function(X){return!!X.parentNode}:function(X,ge,ae){var de,Ee,re,De,Ke,ze=W!==Q?"nextSibling":"previousSibling",nt=X.parentNode,mt=ee&&X.nodeName.toLowerCase(),en=!ae&&!ee,We=!1;if(nt){if(W){for(;ze;){for(re=X;re=re[ze];)if(ee?K(re,mt):re.nodeType===1)return!1;Ke=ze=T==="only"&&!Ke&&"nextSibling"}return!0}if(Ke=[Q?nt.firstChild:nt.lastChild],Q&&en){for(Ee=nt[U]||(nt[U]={}),de=Ee[T]||[],De=de[0]===M&&de[1],We=De&&de[2],re=De&&nt.childNodes[De];re=++De&&re&&re[ze]||(We=De=0)||Ke.pop();)if(re.nodeType===1&&++We&&re===X){Ee[T]=[M,De,We];break}}else if(en&&(Ee=X[U]||(X[U]={}),de=Ee[T]||[],De=de[0]===M&&de[1],We=De),We===!1)for(;(re=++De&&re&&re[ze]||(We=De=0)||Ke.pop())&&!((ee?K(re,mt):re.nodeType===1)&&++We&&(en&&(Ee=re[U]||(re[U]={}),Ee[T]=[M,We]),re===X)););return We-=k,We===L||We%L===0&&We/L>=0}}},PSEUDO:function(T,A){var w,L=r.pseudos[T]||r.setFilters[T.toLowerCase()]||Ae.error("unsupported pseudo: "+T);return L[U]?L(A):L.length>1?(w=[T,T,"",A],r.setFilters.hasOwnProperty(T.toLowerCase())?at(function(k,W){for(var Q,ee=L(k,A),X=ee.length;X--;)Q=d.call(k,ee[X]),k[Q]=!(W[Q]=ee[X])}):function(k){return L(k,0,w)}):L}},pseudos:{not:at(function(T){var A=[],w=[],L=qr(T.replace(ve,"$1"));return L[U]?at(function(k,W,Q,ee){for(var X,ge=L(k,null,ee,[]),ae=k.length;ae--;)(X=ge[ae])&&(k[ae]=!(W[ae]=X))}):function(k,W,Q){return A[0]=k,L(A,null,Q,w),A[0]=null,!w.pop()}}),has:at(function(T){return function(A){return Ae(T,A).length>0}}),contains:at(function(T){return T=T.replace(bt,ft),function(A){return(A.textContent||c.text(A)).indexOf(T)>-1}}),lang:at(function(T){return hn.test(T||"")||Ae.error("unsupported lang: "+T),T=T.replace(bt,ft).toLowerCase(),function(A){var w;do if(w=R?A.lang:A.getAttribute("xml:lang")||A.getAttribute("lang"))return w=w.toLowerCase(),w===T||w.indexOf(T+"-")===0;while((A=A.parentNode)&&A.nodeType===1);return!1}}),target:function(T){var A=e.location&&e.location.hash;return A&&A.slice(1)===T.id},root:function(T){return T===v},focus:function(T){return T===Xp()&&b.hasFocus()&&!!(T.type||T.href||~T.tabIndex)},enabled:_i(!1),disabled:_i(!0),checked:function(T){return K(T,"input")&&!!T.checked||K(T,"option")&&!!T.selected},selected:function(T){return T.parentNode&&T.parentNode.selectedIndex,T.selected===!0},empty:function(T){for(T=T.firstChild;T;T=T.nextSibling)if(T.nodeType<6)return!1;return!0},parent:function(T){return!r.pseudos.empty(T)},header:function(T){return It.test(T.nodeName)},input:function(T){return yt.test(T.nodeName)},button:function(T){return K(T,"input")&&T.type==="button"||K(T,"button")},text:function(T){var A;return K(T,"input")&&T.type==="text"&&((A=T.getAttribute("type"))==null||A.toLowerCase()==="text")},first:Gt(function(){return[0]}),last:Gt(function(T,A){return[A-1]}),eq:Gt(function(T,A,w){return[w<0?w+A:w]}),even:Gt(function(T,A){for(var w=0;w<A;w+=2)T.push(w);return T}),odd:Gt(function(T,A){for(var w=1;w<A;w+=2)T.push(w);return T}),lt:Gt(function(T,A,w){var L;for(w<0?L=w+A:w>A?L=A:L=w;--L>=0;)T.push(L);return T}),gt:Gt(function(T,A,w){for(var L=w<0?w+A:w;++L<A;)T.push(L);return T})}},r.pseudos.nth=r.pseudos.eq;for(t in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})r.pseudos[t]=Zp(t);for(t in{submit:!0,reset:!0})r.pseudos[t]=Jp(t);function pi(){}pi.prototype=r.filters=r.pseudos,r.setFilters=new pi;function Xn(T,A){var w,L,k,W,Q,ee,X,ge=he[T+" "];if(ge)return A?0:ge.slice(0);for(Q=T,ee=[],X=r.preFilter;Q;){(!w||(L=Pe.exec(Q)))&&(L&&(Q=Q.slice(L[0].length)||Q),ee.push(k=[])),w=!1,(L=Sn.exec(Q))&&(w=L.shift(),k.push({value:w,type:L[0].replace(ve," ")}),Q=Q.slice(w.length));for(W in r.filter)(L=ut[W].exec(Q))&&(!X[W]||(L=X[W](L)))&&(w=L.shift(),k.push({value:w,type:W,matches:L}),Q=Q.slice(w.length));if(!w)break}return A?Q.length:Q?Ae.error(T):he(T,ee).slice(0)}function Zn(T){for(var A=0,w=T.length,L="";A<w;A++)L+=T[A].value;return L}function Jn(T,A,w){var L=A.dir,k=A.next,W=k||L,Q=w&&W==="parentNode",ee=V++;return A.first?function(X,ge,ae){for(;X=X[L];)if(X.nodeType===1||Q)return T(X,ge,ae);return!1}:function(X,ge,ae){var de,Ee,re=[M,ee];if(ae){for(;X=X[L];)if((X.nodeType===1||Q)&&T(X,ge,ae))return!0}else for(;X=X[L];)if(X.nodeType===1||Q)if(Ee=X[U]||(X[U]={}),k&&K(X,k))X=X[L]||X;else{if((de=Ee[W])&&de[0]===M&&de[1]===ee)return re[2]=de[2];if(Ee[W]=re,re[2]=T(X,ge,ae))return!0}return!1}}function Gr(T){return T.length>1?function(A,w,L){for(var k=T.length;k--;)if(!T[k](A,w,L))return!1;return!0}:T[0]}function jp(T,A,w){for(var L=0,k=A.length;L<k;L++)Ae(T,A[L],w);return w}function jn(T,A,w,L,k){for(var W,Q=[],ee=0,X=T.length,ge=A!=null;ee<X;ee++)(W=T[ee])&&(!w||w(W,L,k))&&(Q.push(W),ge&&A.push(ee));return Q}function Yr(T,A,w,L,k,W){return L&&!L[U]&&(L=Yr(L)),k&&!k[U]&&(k=Yr(k,W)),at(function(Q,ee,X,ge){var ae,de,Ee,re,De=[],Ke=[],ze=ee.length,nt=Q||jp(A||"*",X.nodeType?[X]:X,[]),mt=T&&(Q||!A)?jn(nt,De,T,X,ge):nt;if(w?(re=k||(Q?T:ze||L)?[]:ee,w(mt,re,X,ge)):re=mt,L)for(ae=jn(re,Ke),L(ae,[],X,ge),de=ae.length;de--;)(Ee=ae[de])&&(re[Ke[de]]=!(mt[Ke[de]]=Ee));if(Q){if(k||T){if(k){for(ae=[],de=re.length;de--;)(Ee=re[de])&&ae.push(mt[de]=Ee);k(null,re=[],ae,ge)}for(de=re.length;de--;)(Ee=re[de])&&(ae=k?d.call(Q,Ee):De[de])>-1&&(Q[ae]=!(ee[ae]=Ee))}}else re=jn(re===ee?re.splice(ze,re.length):re),k?k(null,ee,re,ge):g.apply(ee,re)})}function Hr(T){for(var A,w,L,k=T.length,W=r.relative[T[0].type],Q=W||r.relative[" "],ee=W?1:0,X=Jn(function(de){return de===A},Q,!0),ge=Jn(function(de){return d.call(A,de)>-1},Q,!0),ae=[function(de,Ee,re){var De=!W&&(re||Ee!=o)||((A=Ee).nodeType?X(de,Ee,re):ge(de,Ee,re));return A=null,De}];ee<k;ee++)if(w=r.relative[T[ee].type])ae=[Jn(Gr(ae),w)];else{if(w=r.filter[T[ee].type].apply(null,T[ee].matches),w[U]){for(L=++ee;L<k&&!r.relative[T[L].type];L++);return Yr(ee>1&&Gr(ae),ee>1&&Zn(T.slice(0,ee-1).concat({value:T[ee-2].type===" "?"*":""})).replace(ve,"$1"),w,ee<L&&Hr(T.slice(ee,L)),L<k&&Hr(T=T.slice(L)),L<k&&Zn(T))}ae.push(w)}return Gr(ae)}function eu(T,A){var w=A.length>0,L=T.length>0,k=function(W,Q,ee,X,ge){var ae,de,Ee,re=0,De="0",Ke=W&&[],ze=[],nt=o,mt=W||L&&r.find.TAG("*",ge),en=M+=nt==null?1:Math.random()||.1,We=mt.length;for(ge&&(o=Q==b||Q||ge);De!==We&&(ae=mt[De])!=null;De++){if(L&&ae){for(de=0,!Q&&ae.ownerDocument!=b&&(Dt(ae),ee=!R);Ee=T[de++];)if(Ee(ae,Q||b,ee)){g.call(X,ae);break}ge&&(M=en)}w&&((ae=!Ee&&ae)&&re--,W&&Ke.push(ae))}if(re+=De,w&&De!==re){for(de=0;Ee=A[de++];)Ee(Ke,ze,Q,ee);if(W){if(re>0)for(;De--;)Ke[De]||ze[De]||(ze[De]=ce.call(X));ze=jn(ze)}g.apply(X,ze),ge&&!W&&ze.length>0&&re+A.length>1&&c.uniqueSort(X)}return ge&&(M=en,o=nt),Ke};return w?at(k):k}function qr(T,A){var w,L=[],k=[],W=me[T+" "];if(!W){for(A||(A=Xn(T)),w=A.length;w--;)W=Hr(A[w]),W[U]?L.push(W):k.push(W);W=me(T,eu(k,L)),W.selector=T}return W}function ui(T,A,w,L){var k,W,Q,ee,X,ge=typeof T=="function"&&T,ae=!L&&Xn(T=ge.selector||T);if(w=w||[],ae.length===1){if(W=ae[0]=ae[0].slice(0),W.length>2&&(Q=W[0]).type==="ID"&&A.nodeType===9&&R&&r.relative[W[1].type]){if(A=(r.find.ID(Q.matches[0].replace(bt,ft),A)||[])[0],A)ge&&(A=A.parentNode);else return w;T=T.slice(W.shift().value.length)}for(k=ut.needsContext.test(T)?0:W.length;k--&&(Q=W[k],!r.relative[ee=Q.type]);)if((X=r.find[ee])&&(L=X(Q.matches[0].replace(bt,ft),Fr.test(W[0].type)&&Br(A.parentNode)||A))){if(W.splice(k,1),T=L.length&&Zn(W),!T)return g.apply(w,L),w;break}}return(ge||qr(T,ae))(L,A,!R,w,!A||Fr.test(T)&&Br(A.parentNode)||A),w}h.sortStable=U.split("").sort(Be).join("")===U,Dt(),h.sortDetached=jt(function(T){return T.compareDocumentPosition(b.createElement("fieldset"))&1}),c.find=Ae,c.expr[":"]=c.expr.pseudos,c.unique=c.uniqueSort,Ae.compile=qr,Ae.select=ui,Ae.setDocument=Dt,Ae.escape=c.escapeSelector,Ae.getText=c.text,Ae.isXML=c.isXMLDoc,Ae.selectors=c.expr,Ae.support=c.support,Ae.uniqueSort=c.uniqueSort})();var H=function(t,r,o){for(var p=[],m=o!==void 0;(t=t[r])&&t.nodeType!==9;)if(t.nodeType===1){if(m&&c(t).is(o))break;p.push(t)}return p},J=function(t,r){for(var o=[];t;t=t.nextSibling)t.nodeType===1&&t!==r&&o.push(t);return o},ie=c.expr.match.needsContext,pe=/^<([a-z][^\/\0>:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i;function fe(t,r,o){return C(r)?c.grep(t,function(p,m){return!!r.call(p,m,p)!==o}):r.nodeType?c.grep(t,function(p){return p===r!==o}):typeof r!="string"?c.grep(t,function(p){return d.call(r,p)>-1!==o}):c.filter(r,t,o)}c.filter=function(t,r,o){var p=r[0];return o&&(t=":not("+t+")"),r.length===1&&p.nodeType===1?c.find.matchesSelector(p,t)?[p]:[]:c.find.matches(t,c.grep(r,function(m){return m.nodeType===1}))},c.fn.extend({find:function(t){var r,o,p=this.length,m=this;if(typeof t!="string")return this.pushStack(c(t).filter(function(){for(r=0;r<p;r++)if(c.contains(m[r],this))return!0}));for(o=this.pushStack([]),r=0;r<p;r++)c.find(t,m[r],o);return p>1?c.uniqueSort(o):o},filter:function(t){return this.pushStack(fe(this,t||[],!1))},not:function(t){return this.pushStack(fe(this,t||[],!0))},is:function(t){return!!fe(this,typeof t=="string"&&ie.test(t)?c(t):t||[],!1).length}});var Ie,He=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]+))$/,Le=c.fn.init=function(t,r,o){var p,m;if(!t)return this;if(o=o||Ie,typeof t=="string")if(t[0]==="<"&&t[t.length-1]===">"&&t.length>=3?p=[null,t,null]:p=He.exec(t),p&&(p[1]||!r))if(p[1]){if(r=r instanceof c?r[0]:r,c.merge(this,c.parseHTML(p[1],r&&r.nodeType?r.ownerDocument||r:x,!0)),pe.test(p[1])&&c.isPlainObject(r))for(p in r)C(this[p])?this[p](r[p]):this.attr(p,r[p]);return this}else return m=x.getElementById(p[2]),m&&(this[0]=m,this.length=1),this;else return!r||r.jquery?(r||o).find(t):this.constructor(r).find(t);else{if(t.nodeType)return this[0]=t,this.length=1,this;if(C(t))return o.ready!==void 0?o.ready(t):t(c)}return c.makeArray(t,this)};Le.prototype=c.fn,Ie=c(x);var Fe=/^(?:parents|prev(?:Until|All))/,je={children:!0,contents:!0,next:!0,prev:!0};c.fn.extend({has:function(t){var r=c(t,this),o=r.length;return this.filter(function(){for(var p=0;p<o;p++)if(c.contains(this,r[p]))return!0})},closest:function(t,r){var o,p=0,m=this.length,g=[],b=typeof t!="string"&&c(t);if(!ie.test(t)){for(;p<m;p++)for(o=this[p];o&&o!==r;o=o.parentNode)if(o.nodeType<11&&(b?b.index(o)>-1:o.nodeType===1&&c.find.matchesSelector(o,t))){g.push(o);break}}return this.pushStack(g.length>1?c.uniqueSort(g):g)},index:function(t){return t?typeof t=="string"?d.call(c(t),this[0]):d.call(this,t.jquery?t[0]:t):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(t,r){return this.pushStack(c.uniqueSort(c.merge(this.get(),c(t,r))))},addBack:function(t){return this.add(t==null?this.prevObject:this.prevObject.filter(t))}});function rt(t,r){for(;(t=t[r])&&t.nodeType!==1;);return t}c.each({parent:function(t){var r=t.parentNode;return r&&r.nodeType!==11?r:null},parents:function(t){return H(t,"parentNode")},parentsUntil:function(t,r,o){return H(t,"parentNode",o)},next:function(t){return rt(t,"nextSibling")},prev:function(t){return rt(t,"previousSibling")},nextAll:function(t){return H(t,"nextSibling")},prevAll:function(t){return H(t,"previousSibling")},nextUntil:function(t,r,o){return H(t,"nextSibling",o)},prevUntil:function(t,r,o){return H(t,"previousSibling",o)},siblings:function(t){return J((t.parentNode||{}).firstChild,t)},children:function(t){return J(t.firstChild)},contents:function(t){return t.contentDocument!=null&&_(t.contentDocument)?t.contentDocument:(K(t,"template")&&(t=t.content||t),c.merge([],t.childNodes))}},function(t,r){c.fn[t]=function(o,p){var m=c.map(this,r,o);return t.slice(-5)!=="Until"&&(p=o),p&&typeof p=="string"&&(m=c.filter(p,m)),this.length>1&&(je[t]||c.uniqueSort(m),Fe.test(t)&&m.reverse()),this.pushStack(m)}});var ue=/[^\x20\t\r\n\f]+/g;function st(t){var r={};return c.each(t.match(ue)||[],function(o,p){r[p]=!0}),r}c.Callbacks=function(t){t=typeof t=="string"?st(t):c.extend({},t);var r,o,p,m,g=[],b=[],v=-1,R=function(){for(m=m||t.once,p=r=!0;b.length;v=-1)for(o=b.shift();++v<g.length;)g[v].apply(o[0],o[1])===!1&&t.stopOnFalse&&(v=g.length,o=!1);t.memory||(o=!1),r=!1,m&&(o?g=[]:g="")},D={add:function(){return g&&(o&&!r&&(v=g.length-1,b.push(o)),function P(U){c.each(U,function(M,V){C(V)?(!t.unique||!D.has(V))&&g.push(V):V&&V.length&&B(V)!=="string"&&P(V)})}(arguments),o&&!r&&R()),this},remove:function(){return c.each(arguments,function(P,U){for(var M;(M=c.inArray(U,g,M))>-1;)g.splice(M,1),M<=v&&v--}),this},has:function(P){return P?c.inArray(P,g)>-1:g.length>0},empty:function(){return g&&(g=[]),this},disable:function(){return m=b=[],g=o="",this},disabled:function(){return!g},lock:function(){return m=b=[],!o&&!r&&(g=o=""),this},locked:function(){return!!m},fireWith:function(P,U){return m||(U=U||[],U=[P,U.slice?U.slice():U],b.push(U),r||R()),this},fire:function(){return D.fireWith(this,arguments),this},fired:function(){return!!p}};return D};function Xe(t){return t}function lt(t){throw t}function zt(t,r,o,p){var m;try{t&&C(m=t.promise)?m.call(t).done(r).fail(o):t&&C(m=t.then)?m.call(t,r,o):r.apply(void 0,[t].slice(p))}catch(g){o.apply(void 0,[g])}}c.extend({Deferred:function(t){var r=[["notify","progress",c.Callbacks("memory"),c.Callbacks("memory"),2],["resolve","done",c.Callbacks("once memory"),c.Callbacks("once memory"),0,"resolved"],["reject","fail",c.Callbacks("once memory"),c.Callbacks("once memory"),1,"rejected"]],o="pending",p={state:function(){return o},always:function(){return m.done(arguments).fail(arguments),this},catch:function(g){return p.then(null,g)},pipe:function(){var g=arguments;return c.Deferred(function(b){c.each(r,function(v,R){var D=C(g[R[4]])&&g[R[4]];m[R[1]](function(){var P=D&&D.apply(this,arguments);P&&C(P.promise)?P.promise().progress(b.notify).done(b.resolve).fail(b.reject):b[R[0]+"With"](this,D?[P]:arguments)})}),g=null}).promise()},then:function(g,b,v){var R=0;function D(P,U,M,V){return function(){var le=this,he=arguments,me=function(){var Be,dt;if(!(P<R)){if(Be=M.apply(le,he),Be===U.promise())throw new TypeError("Thenable self-resolution");dt=Be&&(typeof Be=="object"||typeof Be=="function")&&Be.then,C(dt)?V?dt.call(Be,D(R,U,Xe,V),D(R,U,lt,V)):(R++,dt.call(Be,D(R,U,Xe,V),D(R,U,lt,V),D(R,U,Xe,U.notifyWith))):(M!==Xe&&(le=void 0,he=[Be]),(V||U.resolveWith)(le,he))}},Ye=V?me:function(){try{me()}catch(Be){c.Deferred.exceptionHook&&c.Deferred.exceptionHook(Be,Ye.error),P+1>=R&&(M!==lt&&(le=void 0,he=[Be]),U.rejectWith(le,he))}};P?Ye():(c.Deferred.getErrorHook?Ye.error=c.Deferred.getErrorHook():c.Deferred.getStackHook&&(Ye.error=c.Deferred.getStackHook()),e.setTimeout(Ye))}}return c.Deferred(function(P){r[0][3].add(D(0,P,C(v)?v:Xe,P.notifyWith)),r[1][3].add(D(0,P,C(g)?g:Xe)),r[2][3].add(D(0,P,C(b)?b:lt))}).promise()},promise:function(g){return g!=null?c.extend(g,p):p}},m={};return c.each(r,function(g,b){var v=b[2],R=b[5];p[b[1]]=v.add,R&&v.add(function(){o=R},r[3-g][2].disable,r[3-g][3].disable,r[0][2].lock,r[0][3].lock),v.add(b[3].fire),m[b[0]]=function(){return m[b[0]+"With"](this===m?void 0:this,arguments),this},m[b[0]+"With"]=v.fireWith}),p.promise(m),t&&t.call(m,m),m},when:function(t){var r=arguments.length,o=r,p=Array(o),m=l.call(arguments),g=c.Deferred(),b=function(v){return function(R){p[v]=this,m[v]=arguments.length>1?l.call(arguments):R,--r||g.resolveWith(p,m)}};if(r<=1&&(zt(t,g.done(b(o)).resolve,g.reject,!r),g.state()==="pending"||C(m[o]&&m[o].then)))return g.then();for(;o--;)zt(m[o],b(o),g.reject);return g.promise()}});var ht=/^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/;c.Deferred.exceptionHook=function(t,r){e.console&&e.console.warn&&t&&ht.test(t.name)&&e.console.warn("jQuery.Deferred exception: "+t.message,t.stack,r)},c.readyException=function(t){e.setTimeout(function(){throw t})};var Tt=c.Deferred();c.fn.ready=function(t){return Tt.then(t).catch(function(r){c.readyException(r)}),this},c.extend({isReady:!1,readyWait:1,ready:function(t){(t===!0?--c.readyWait:c.isReady)||(c.isReady=!0,!(t!==!0&&--c.readyWait>0)&&Tt.resolveWith(x,[c]))}}),c.ready.then=Tt.then;function Ge(){x.removeEventListener("DOMContentLoaded",Ge),e.removeEventListener("load",Ge),c.ready()}x.readyState==="complete"||x.readyState!=="loading"&&!x.documentElement.doScroll?e.setTimeout(c.ready):(x.addEventListener("DOMContentLoaded",Ge),e.addEventListener("load",Ge));var Ze=function(t,r,o,p,m,g,b){var v=0,R=t.length,D=o==null;if(B(o)==="object"){m=!0;for(v in o)Ze(t,r,v,o[v],!0,g,b)}else if(p!==void 0&&(m=!0,C(p)||(b=!0),D&&(b?(r.call(t,p),r=null):(D=r,r=function(P,U,M){return D.call(c(P),M)})),r))for(;v<R;v++)r(t[v],o,b?p:p.call(t[v],v,r(t[v],o)));return m?t:D?r.call(t):R?r(t[0],o):g},Mt=/^-ms-/,se=/-([a-z])/g;function Wt(t,r){return r.toUpperCase()}function Ne(t){return t.replace(Mt,"ms-").replace(se,Wt)}var Re=function(t){return t.nodeType===1||t.nodeType===9||!+t.nodeType};function et(){this.expando=c.expando+et.uid++}et.uid=1,et.prototype={cache:function(t){var r=t[this.expando];return r||(r={},Re(t)&&(t.nodeType?t[this.expando]=r:Object.defineProperty(t,this.expando,{value:r,configurable:!0}))),r},set:function(t,r,o){var p,m=this.cache(t);if(typeof r=="string")m[Ne(r)]=o;else for(p in r)m[Ne(p)]=r[p];return m},get:function(t,r){return r===void 0?this.cache(t):t[this.expando]&&t[this.expando][Ne(r)]},access:function(t,r,o){return r===void 0||r&&typeof r=="string"&&o===void 0?this.get(t,r):(this.set(t,r,o),o!==void 0?o:r)},remove:function(t,r){var o,p=t[this.expando];if(p!==void 0){if(r!==void 0)for(Array.isArray(r)?r=r.map(Ne):(r=Ne(r),r=r in p?[r]:r.match(ue)||[]),o=r.length;o--;)delete p[r[o]];(r===void 0||c.isEmptyObject(p))&&(t.nodeType?t[this.expando]=void 0:delete t[this.expando])}},hasData:function(t){var r=t[this.expando];return r!==void 0&&!c.isEmptyObject(r)}};var Z=new et,Ue=new et,Lt=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,$=/[A-Z]/g;function j(t){return t==="true"?!0:t==="false"?!1:t==="null"?null:t===+t+""?+t:Lt.test(t)?JSON.parse(t):t}function _e(t,r,o){var p;if(o===void 0&&t.nodeType===1)if(p="data-"+r.replace($,"-$&").toLowerCase(),o=t.getAttribute(p),typeof o=="string"){try{o=j(o)}catch{}Ue.set(t,r,o)}else o=void 0;return o}c.extend({hasData:function(t){return Ue.hasData(t)||Z.hasData(t)},data:function(t,r,o){return Ue.access(t,r,o)},removeData:function(t,r){Ue.remove(t,r)},_data:function(t,r,o){return Z.access(t,r,o)},_removeData:function(t,r){Z.remove(t,r)}}),c.fn.extend({data:function(t,r){var o,p,m,g=this[0],b=g&&g.attributes;if(t===void 0){if(this.length&&(m=Ue.get(g),g.nodeType===1&&!Z.get(g,"hasDataAttrs"))){for(o=b.length;o--;)b[o]&&(p=b[o].name,p.indexOf("data-")===0&&(p=Ne(p.slice(5)),_e(g,p,m[p])));Z.set(g,"hasDataAttrs",!0)}return m}return typeof t=="object"?this.each(function(){Ue.set(this,t)}):Ze(this,function(v){var R;if(g&&v===void 0)return R=Ue.get(g,t),R!==void 0||(R=_e(g,t),R!==void 0)?R:void 0;this.each(function(){Ue.set(this,t,v)})},null,r,arguments.length>1,null,!0)},removeData:function(t){return this.each(function(){Ue.remove(this,t)})}}),c.extend({queue:function(t,r,o){var p;if(t)return r=(r||"fx")+"queue",p=Z.get(t,r),o&&(!p||Array.isArray(o)?p=Z.access(t,r,c.makeArray(o)):p.push(o)),p||[]},dequeue:function(t,r){r=r||"fx";var o=c.queue(t,r),p=o.length,m=o.shift(),g=c._queueHooks(t,r),b=function(){c.dequeue(t,r)};m==="inprogress"&&(m=o.shift(),p--),m&&(r==="fx"&&o.unshift("inprogress"),delete g.stop,m.call(t,b,g)),!p&&g&&g.empty.fire()},_queueHooks:function(t,r){var o=r+"queueHooks";return Z.get(t,o)||Z.access(t,o,{empty:c.Callbacks("once memory").add(function(){Z.remove(t,[r+"queue",o])})})}}),c.fn.extend({queue:function(t,r){var o=2;return typeof t!="string"&&(r=t,t="fx",o--),arguments.length<o?c.queue(this[0],t):r===void 0?this:this.each(function(){var p=c.queue(this,t,r);c._queueHooks(this,t),t==="fx"&&p[0]!=="inprogress"&&c.dequeue(this,t)})},dequeue:function(t){return this.each(function(){c.dequeue(this,t)})},clearQueue:function(t){return this.queue(t||"fx",[])},promise:function(t,r){var o,p=1,m=c.Deferred(),g=this,b=this.length,v=function(){--p||m.resolveWith(g,[g])};for(typeof t!="string"&&(r=t,t=void 0),t=t||"fx";b--;)o=Z.get(g[b],t+"queueHooks"),o&&o.empty&&(p++,o.empty.add(v));return v(),m.promise(r)}});var Se=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,Me=new RegExp("^(?:([+-])=|)("+Se+")([a-z%]*)$","i"),ke=["Top","Right","Bottom","Left"],it=x.documentElement,ct=function(t){return c.contains(t.ownerDocument,t)},mr={composed:!0};it.getRootNode&&(ct=function(t){return c.contains(t.ownerDocument,t)||t.getRootNode(mr)===t.ownerDocument});var $t=function(t,r){return t=r||t,t.style.display==="none"||t.style.display===""&&ct(t)&&c.css(t,"display")==="none"};function vn(t,r,o,p){var m,g,b=20,v=p?function(){return p.cur()}:function(){return c.css(t,r,"")},R=v(),D=o&&o[3]||(c.cssNumber[r]?"":"px"),P=t.nodeType&&(c.cssNumber[r]||D!=="px"&&+R)&&Me.exec(c.css(t,r));if(P&&P[3]!==D){for(R=R/2,D=D||P[3],P=+R||1;b--;)c.style(t,r,P+D),(1-g)*(1-(g=v()/R||.5))<=0&&(b=0),P=P/g;P=P*2,c.style(t,r,P+D),o=o||[]}return o&&(P=+P||+R||0,m=o[1]?P+(o[1]+1)*o[2]:+o[2],p&&(p.unit=D,p.start=P,p.end=m)),m}var Nn={};function gr(t){var r,o=t.ownerDocument,p=t.nodeName,m=Nn[p];return m||(r=o.body.appendChild(o.createElement(p)),m=c.css(r,"display"),r.parentNode.removeChild(r),m==="none"&&(m="block"),Nn[p]=m,m)}function Rt(t,r){for(var o,p,m=[],g=0,b=t.length;g<b;g++)p=t[g],p.style&&(o=p.style.display,r?(o==="none"&&(m[g]=Z.get(p,"display")||null,m[g]||(p.style.display="")),p.style.display===""&&$t(p)&&(m[g]=gr(p))):o!=="none"&&(m[g]="none",Z.set(p,"display",o)));for(g=0;g<b;g++)m[g]!=null&&(t[g].style.display=m[g]);return t}c.fn.extend({show:function(){return Rt(this,!0)},hide:function(){return Rt(this)},toggle:function(t){return typeof t=="boolean"?t?this.show():this.hide():this.each(function(){$t(this)?c(this).show():c(this).hide()})}});var Pt=/^(?:checkbox|radio)$/i,On=/<([a-z][^\/\0>\x20\t\r\n\f]*)/i,An=/^$|^module$|\/(?:java|ecma)script/i;(function(){var t=x.createDocumentFragment(),r=t.appendChild(x.createElement("div")),o=x.createElement("input");o.setAttribute("type","radio"),o.setAttribute("checked","checked"),o.setAttribute("name","t"),r.appendChild(o),h.checkClone=r.cloneNode(!0).cloneNode(!0).lastChild.checked,r.innerHTML="<textarea>x</textarea>",h.noCloneChecked=!!r.cloneNode(!0).lastChild.defaultValue,r.innerHTML="<option></option>",h.option=!!r.lastChild})();var $e={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,"",""]};$e.tbody=$e.tfoot=$e.colgroup=$e.caption=$e.thead,$e.th=$e.td,h.option||($e.optgroup=$e.option=[1,"<select multiple='multiple'>","</select>"]);function qe(t,r){var o;return typeof t.getElementsByTagName<"u"?o=t.getElementsByTagName(r||"*"):typeof t.querySelectorAll<"u"?o=t.querySelectorAll(r||"*"):o=[],r===void 0||r&&K(t,r)?c.merge([t],o):o}function sn(t,r){for(var o=0,p=t.length;o<p;o++)Z.set(t[o],"globalEval",!r||Z.get(r[o],"globalEval"))}var Er=/<|&#?\w+;/;function yn(t,r,o,p,m){for(var g,b,v,R,D,P,U=r.createDocumentFragment(),M=[],V=0,le=t.length;V<le;V++)if(g=t[V],g||g===0)if(B(g)==="object")c.merge(M,g.nodeType?[g]:g);else if(!Er.test(g))M.push(r.createTextNode(g));else{for(b=b||U.appendChild(r.createElement("div")),v=(On.exec(g)||["",""])[1].toLowerCase(),R=$e[v]||$e._default,b.innerHTML=R[1]+c.htmlPrefilter(g)+R[2],P=R[0];P--;)b=b.lastChild;c.merge(M,b.childNodes),b=U.firstChild,b.textContent=""}for(U.textContent="",V=0;g=M[V++];){if(p&&c.inArray(g,p)>-1){m&&m.push(g);continue}if(D=ct(g),b=qe(U.appendChild(g),"script"),D&&sn(b),o)for(P=0;g=b[P++];)An.test(g.type||"")&&o.push(g)}return U}var In=/^([^.]*)(?:\.(.+)|)/;function Ct(){return!0}function vt(){return!1}function ln(t,r,o,p,m,g){var b,v;if(typeof r=="object"){typeof o!="string"&&(p=p||o,o=void 0);for(v in r)ln(t,v,o,p,r[v],g);return t}if(p==null&&m==null?(m=o,p=o=void 0):m==null&&(typeof o=="string"?(m=p,p=void 0):(m=p,p=o,o=void 0)),m===!1)m=vt;else if(!m)return t;return g===1&&(b=m,m=function(R){return c().off(R),b.apply(this,arguments)},m.guid=b.guid||(b.guid=c.guid++)),t.each(function(){c.event.add(this,r,m,p,o)})}c.event={global:{},add:function(t,r,o,p,m){var g,b,v,R,D,P,U,M,V,le,he,me=Z.get(t);if(Re(t))for(o.handler&&(g=o,o=g.handler,m=g.selector),m&&c.find.matchesSelector(it,m),o.guid||(o.guid=c.guid++),(R=me.events)||(R=me.events=Object.create(null)),(b=me.handle)||(b=me.handle=function(Ye){return typeof c<"u"&&c.event.triggered!==Ye.type?c.event.dispatch.apply(t,arguments):void 0}),r=(r||"").match(ue)||[""],D=r.length;D--;)v=In.exec(r[D])||[],V=he=v[1],le=(v[2]||"").split(".").sort(),V&&(U=c.event.special[V]||{},V=(m?U.delegateType:U.bindType)||V,U=c.event.special[V]||{},P=c.extend({type:V,origType:he,data:p,handler:o,guid:o.guid,selector:m,needsContext:m&&c.expr.match.needsContext.test(m),namespace:le.join(".")},g),(M=R[V])||(M=R[V]=[],M.delegateCount=0,(!U.setup||U.setup.call(t,p,le,b)===!1)&&t.addEventListener&&t.addEventListener(V,b)),U.add&&(U.add.call(t,P),P.handler.guid||(P.handler.guid=o.guid)),m?M.splice(M.delegateCount++,0,P):M.push(P),c.event.global[V]=!0)},remove:function(t,r,o,p,m){var g,b,v,R,D,P,U,M,V,le,he,me=Z.hasData(t)&&Z.get(t);if(!(!me||!(R=me.events))){for(r=(r||"").match(ue)||[""],D=r.length;D--;){if(v=In.exec(r[D])||[],V=he=v[1],le=(v[2]||"").split(".").sort(),!V){for(V in R)c.event.remove(t,V+r[D],o,p,!0);continue}for(U=c.event.special[V]||{},V=(p?U.delegateType:U.bindType)||V,M=R[V]||[],v=v[2]&&new RegExp("(^|\\.)"+le.join("\\.(?:.*\\.|)")+"(\\.|$)"),b=g=M.length;g--;)P=M[g],(m||he===P.origType)&&(!o||o.guid===P.guid)&&(!v||v.test(P.namespace))&&(!p||p===P.selector||p==="**"&&P.selector)&&(M.splice(g,1),P.selector&&M.delegateCount--,U.remove&&U.remove.call(t,P));b&&!M.length&&((!U.teardown||U.teardown.call(t,le,me.handle)===!1)&&c.removeEvent(t,V,me.handle),delete R[V])}c.isEmptyObject(R)&&Z.remove(t,"handle events")}},dispatch:function(t){var r,o,p,m,g,b,v=new Array(arguments.length),R=c.event.fix(t),D=(Z.get(this,"events")||Object.create(null))[R.type]||[],P=c.event.special[R.type]||{};for(v[0]=R,r=1;r<arguments.length;r++)v[r]=arguments[r];if(R.delegateTarget=this,!(P.preDispatch&&P.preDispatch.call(this,R)===!1)){for(b=c.event.handlers.call(this,R,D),r=0;(m=b[r++])&&!R.isPropagationStopped();)for(R.currentTarget=m.elem,o=0;(g=m.handlers[o++])&&!R.isImmediatePropagationStopped();)(!R.rnamespace||g.namespace===!1||R.rnamespace.test(g.namespace))&&(R.handleObj=g,R.data=g.data,p=((c.event.special[g.origType]||{}).handle||g.handler).apply(m.elem,v),p!==void 0&&(R.result=p)===!1&&(R.preventDefault(),R.stopPropagation()));return P.postDispatch&&P.postDispatch.call(this,R),R.result}},handlers:function(t,r){var o,p,m,g,b,v=[],R=r.delegateCount,D=t.target;if(R&&D.nodeType&&!(t.type==="click"&&t.button>=1)){for(;D!==this;D=D.parentNode||this)if(D.nodeType===1&&!(t.type==="click"&&D.disabled===!0)){for(g=[],b={},o=0;o<R;o++)p=r[o],m=p.selector+" ",b[m]===void 0&&(b[m]=p.needsContext?c(m,this).index(D)>-1:c.find(m,this,null,[D]).length),b[m]&&g.push(p);g.length&&v.push({elem:D,handlers:g})}}return D=this,R<r.length&&v.push({elem:D,handlers:r.slice(R)}),v},addProp:function(t,r){Object.defineProperty(c.Event.prototype,t,{enumerable:!0,configurable:!0,get:C(r)?function(){if(this.originalEvent)return r(this.originalEvent)}:function(){if(this.originalEvent)return this.originalEvent[t]},set:function(o){Object.defineProperty(this,t,{enumerable:!0,configurable:!0,writable:!0,value:o})}})},fix:function(t){return t[c.expando]?t:new c.Event(t)},special:{load:{noBubble:!0},click:{setup:function(t){var r=this||t;return Pt.test(r.type)&&r.click&&K(r,"input")&&Kt(r,"click",!0),!1},trigger:function(t){var r=this||t;return Pt.test(r.type)&&r.click&&K(r,"input")&&Kt(r,"click"),!0},_default:function(t){var r=t.target;return Pt.test(r.type)&&r.click&&K(r,"input")&&Z.get(r,"click")||K(r,"a")}},beforeunload:{postDispatch:function(t){t.result!==void 0&&t.originalEvent&&(t.originalEvent.returnValue=t.result)}}}};function Kt(t,r,o){if(!o){Z.get(t,r)===void 0&&c.event.add(t,r,Ct);return}Z.set(t,r,!1),c.event.add(t,r,{namespace:!1,handler:function(p){var m,g=Z.get(this,r);if(p.isTrigger&1&&this[r]){if(g)(c.event.special[r]||{}).delegateType&&p.stopPropagation();else if(g=l.call(arguments),Z.set(this,r,g),this[r](),m=Z.get(this,r),Z.set(this,r,!1),g!==m)return p.stopImmediatePropagation(),p.preventDefault(),m}else g&&(Z.set(this,r,c.event.trigger(g[0],g.slice(1),this)),p.stopPropagation(),p.isImmediatePropagationStopped=Ct)}})}c.removeEvent=function(t,r,o){t.removeEventListener&&t.removeEventListener(r,o)},c.Event=function(t,r){if(!(this instanceof c.Event))return new c.Event(t,r);t&&t.type?(this.originalEvent=t,this.type=t.type,this.isDefaultPrevented=t.defaultPrevented||t.defaultPrevented===void 0&&t.returnValue===!1?Ct:vt,this.target=t.target&&t.target.nodeType===3?t.target.parentNode:t.target,this.currentTarget=t.currentTarget,this.relatedTarget=t.relatedTarget):this.type=t,r&&c.extend(this,r),this.timeStamp=t&&t.timeStamp||Date.now(),this[c.expando]=!0},c.Event.prototype={constructor:c.Event,isDefaultPrevented:vt,isPropagationStopped:vt,isImmediatePropagationStopped:vt,isSimulated:!1,preventDefault:function(){var t=this.originalEvent;this.isDefaultPrevented=Ct,t&&!this.isSimulated&&t.preventDefault()},stopPropagation:function(){var t=this.originalEvent;this.isPropagationStopped=Ct,t&&!this.isSimulated&&t.stopPropagation()},stopImmediatePropagation:function(){var t=this.originalEvent;this.isImmediatePropagationStopped=Ct,t&&!this.isSimulated&&t.stopImmediatePropagation(),this.stopPropagation()}},c.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,code:!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:!0},c.event.addProp),c.each({focus:"focusin",blur:"focusout"},function(t,r){function o(p){if(x.documentMode){var m=Z.get(this,"handle"),g=c.event.fix(p);g.type=p.type==="focusin"?"focus":"blur",g.isSimulated=!0,m(p),g.target===g.currentTarget&&m(g)}else c.event.simulate(r,p.target,c.event.fix(p))}c.event.special[t]={setup:function(){var p;if(Kt(this,t,!0),x.documentMode)p=Z.get(this,r),p||this.addEventListener(r,o),Z.set(this,r,(p||0)+1);else return!1},trigger:function(){return Kt(this,t),!0},teardown:function(){var p;if(x.documentMode)p=Z.get(this,r)-1,p?Z.set(this,r,p):(this.removeEventListener(r,o),Z.remove(this,r));else return!1},_default:function(p){return Z.get(p.target,t)},delegateType:r},c.event.special[r]={setup:function(){var p=this.ownerDocument||this.document||this,m=x.documentMode?this:p,g=Z.get(m,r);g||(x.documentMode?this.addEventListener(r,o):p.addEventListener(t,o,!0)),Z.set(m,r,(g||0)+1)},teardown:function(){var p=this.ownerDocument||this.document||this,m=x.documentMode?this:p,g=Z.get(m,r)-1;g?Z.set(m,r,g):(x.documentMode?this.removeEventListener(r,o):p.removeEventListener(t,o,!0),Z.remove(m,r))}}}),c.each({mouseenter:"mouseover",mouseleave:"mouseout",pointerenter:"pointerover",pointerleave:"pointerout"},function(t,r){c.event.special[t]={delegateType:r,bindType:r,handle:function(o){var p,m=this,g=o.relatedTarget,b=o.handleObj;return(!g||g!==m&&!c.contains(m,g))&&(o.type=b.origType,p=b.handler.apply(this,arguments),o.type=r),p}}}),c.fn.extend({on:function(t,r,o,p){return ln(this,t,r,o,p)},one:function(t,r,o,p){return ln(this,t,r,o,p,1)},off:function(t,r,o){var p,m;if(t&&t.preventDefault&&t.handleObj)return p=t.handleObj,c(t.delegateTarget).off(p.namespace?p.origType+"."+p.namespace:p.origType,p.selector,p.handler),this;if(typeof t=="object"){for(m in t)this.off(m,r,t[m]);return this}return(r===!1||typeof r=="function")&&(o=r,r=void 0),o===!1&&(o=vt),this.each(function(){c.event.remove(this,t,o,r)})}});var br=/<script|<style|<link/i,fr=/checked\s*(?:[^=]|=\s*.checked.)/i,Sr=/^\s*<!\[CDATA\[|\]\]>\s*$/g;function Dn(t,r){return K(t,"table")&&K(r.nodeType!==11?r:r.firstChild,"tr")&&c(t).children("tbody")[0]||t}function hr(t){return t.type=(t.getAttribute("type")!==null)+"/"+t.type,t}function Tr(t){return(t.type||"").slice(0,5)==="true/"?t.type=t.type.slice(5):t.removeAttribute("type"),t}function xn(t,r){var o,p,m,g,b,v,R;if(r.nodeType===1){if(Z.hasData(t)&&(g=Z.get(t),R=g.events,R)){Z.remove(r,"handle events");for(m in R)for(o=0,p=R[m].length;o<p;o++)c.event.add(r,m,R[m][o])}Ue.hasData(t)&&(b=Ue.access(t),v=c.extend({},b),Ue.set(r,v))}}function Rr(t,r){var o=r.nodeName.toLowerCase();o==="input"&&Pt.test(t.type)?r.checked=t.checked:(o==="input"||o==="textarea")&&(r.defaultValue=t.defaultValue)}function Nt(t,r,o,p){r=a(r);var m,g,b,v,R,D,P=0,U=t.length,M=U-1,V=r[0],le=C(V);if(le||U>1&&typeof V=="string"&&!h.checkClone&&fr.test(V))return t.each(function(he){var me=t.eq(he);le&&(r[0]=V.call(this,he,me.html())),Nt(me,r,o,p)});if(U&&(m=yn(r,t[0].ownerDocument,!1,t,p),g=m.firstChild,m.childNodes.length===1&&(m=g),g||p)){for(b=c.map(qe(m,"script"),hr),v=b.length;P<U;P++)R=m,P!==M&&(R=c.clone(R,!0,!0),v&&c.merge(b,qe(R,"script"))),o.call(t[P],R,P);if(v)for(D=b[b.length-1].ownerDocument,c.map(b,Tr),P=0;P<v;P++)R=b[P],An.test(R.type||"")&&!Z.access(R,"globalEval")&&c.contains(D,R)&&(R.src&&(R.type||"").toLowerCase()!=="module"?c._evalUrl&&!R.noModule&&c._evalUrl(R.src,{nonce:R.nonce||R.getAttribute("nonce")},D):q(R.textContent.replace(Sr,""),R,D))}return t}function wn(t,r,o){for(var p,m=r?c.filter(r,t):t,g=0;(p=m[g])!=null;g++)!o&&p.nodeType===1&&c.cleanData(qe(p)),p.parentNode&&(o&&ct(p)&&sn(qe(p,"script")),p.parentNode.removeChild(p));return t}c.extend({htmlPrefilter:function(t){return t},clone:function(t,r,o){var p,m,g,b,v=t.cloneNode(!0),R=ct(t);if(!h.noCloneChecked&&(t.nodeType===1||t.nodeType===11)&&!c.isXMLDoc(t))for(b=qe(v),g=qe(t),p=0,m=g.length;p<m;p++)Rr(g[p],b[p]);if(r)if(o)for(g=g||qe(t),b=b||qe(v),p=0,m=g.length;p<m;p++)xn(g[p],b[p]);else xn(t,v);return b=qe(v,"script"),b.length>0&&sn(b,!R&&qe(t,"script")),v},cleanData:function(t){for(var r,o,p,m=c.event.special,g=0;(o=t[g])!==void 0;g++)if(Re(o)){if(r=o[Z.expando]){if(r.events)for(p in r.events)m[p]?c.event.remove(o,p):c.removeEvent(o,p,r.handle);o[Z.expando]=void 0}o[Ue.expando]&&(o[Ue.expando]=void 0)}}}),c.fn.extend({detach:function(t){return wn(this,t,!0)},remove:function(t){return wn(this,t)},text:function(t){return Ze(this,function(r){return r===void 0?c.text(this):this.empty().each(function(){(this.nodeType===1||this.nodeType===11||this.nodeType===9)&&(this.textContent=r)})},null,t,arguments.length)},append:function(){return Nt(this,arguments,function(t){if(this.nodeType===1||this.nodeType===11||this.nodeType===9){var r=Dn(this,t);r.appendChild(t)}})},prepend:function(){return Nt(this,arguments,function(t){if(this.nodeType===1||this.nodeType===11||this.nodeType===9){var r=Dn(this,t);r.insertBefore(t,r.firstChild)}})},before:function(){return Nt(this,arguments,function(t){this.parentNode&&this.parentNode.insertBefore(t,this)})},after:function(){return Nt(this,arguments,function(t){this.parentNode&&this.parentNode.insertBefore(t,this.nextSibling)})},empty:function(){for(var t,r=0;(t=this[r])!=null;r++)t.nodeType===1&&(c.cleanData(qe(t,!1)),t.textContent="");return this},clone:function(t,r){return t=t??!1,r=r??t,this.map(function(){return c.clone(this,t,r)})},html:function(t){return Ze(this,function(r){var o=this[0]||{},p=0,m=this.length;if(r===void 0&&o.nodeType===1)return o.innerHTML;if(typeof r=="string"&&!br.test(r)&&!$e[(On.exec(r)||["",""])[1].toLowerCase()]){r=c.htmlPrefilter(r);try{for(;p<m;p++)o=this[p]||{},o.nodeType===1&&(c.cleanData(qe(o,!1)),o.innerHTML=r);o=0}catch{}}o&&this.empty().append(r)},null,t,arguments.length)},replaceWith:function(){var t=[];return Nt(this,arguments,function(r){var o=this.parentNode;c.inArray(this,t)<0&&(c.cleanData(qe(this)),o&&o.replaceChild(r,this))},t)}}),c.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(t,r){c.fn[t]=function(o){for(var p,m=[],g=c(o),b=g.length-1,v=0;v<=b;v++)p=v===b?this:this.clone(!0),c(g[v])[r](p),s.apply(m,p.get());return this.pushStack(m)}});var cn=new RegExp("^("+Se+")(?!px)[a-z%]+$","i"),dn=/^--/,Qt=function(t){var r=t.ownerDocument.defaultView;return(!r||!r.opener)&&(r=e),r.getComputedStyle(t)},Mn=function(t,r,o){var p,m,g={};for(m in r)g[m]=t.style[m],t.style[m]=r[m];p=o.call(t);for(m in r)t.style[m]=g[m];return p},Cr=new RegExp(ke.join("|"),"i");(function(){function t(){if(D){R.style.cssText="position:absolute;left:-11111px;width:60px;margin-top:1px;padding:0;border:0",D.style.cssText="position:relative;display:block;box-sizing:border-box;overflow:scroll;margin:auto;border:1px;padding:1px;width:60%;top:1%",it.appendChild(R).appendChild(D);var P=e.getComputedStyle(D);o=P.top!=="1%",v=r(P.marginLeft)===12,D.style.right="60%",g=r(P.right)===36,p=r(P.width)===36,D.style.position="absolute",m=r(D.offsetWidth/3)===12,it.removeChild(R),D=null}}function r(P){return Math.round(parseFloat(P))}var o,p,m,g,b,v,R=x.createElement("div"),D=x.createElement("div");D.style&&(D.style.backgroundClip="content-box",D.cloneNode(!0).style.backgroundClip="",h.clearCloneStyle=D.style.backgroundClip==="content-box",c.extend(h,{boxSizingReliable:function(){return t(),p},pixelBoxStyles:function(){return t(),g},pixelPosition:function(){return t(),o},reliableMarginLeft:function(){return t(),v},scrollboxSize:function(){return t(),m},reliableTrDimensions:function(){var P,U,M,V;return b==null&&(P=x.createElement("table"),U=x.createElement("tr"),M=x.createElement("div"),P.style.cssText="position:absolute;left:-11111px;border-collapse:separate",U.style.cssText="border:1px solid",U.style.height="1px",M.style.height="9px",M.style.display="block",it.appendChild(P).appendChild(U).appendChild(M),V=e.getComputedStyle(U),b=parseInt(V.height,10)+parseInt(V.borderTopWidth,10)+parseInt(V.borderBottomWidth,10)===U.offsetHeight,it.removeChild(P)),b}}))})();function kt(t,r,o){var p,m,g,b,v=dn.test(r),R=t.style;return o=o||Qt(t),o&&(b=o.getPropertyValue(r)||o[r],v&&b&&(b=b.replace(ve,"$1")||void 0),b===""&&!ct(t)&&(b=c.style(t,r)),!h.pixelBoxStyles()&&cn.test(b)&&Cr.test(r)&&(p=R.width,m=R.minWidth,g=R.maxWidth,R.minWidth=R.maxWidth=R.width=b,b=o.width,R.width=p,R.minWidth=m,R.maxWidth=g)),b!==void 0?b+"":b}function Ln(t,r){return{get:function(){if(t()){delete this.get;return}return(this.get=r).apply(this,arguments)}}}var Pn=["Webkit","Moz","ms"],kn=x.createElement("div").style,Un={};function vr(t){for(var r=t[0].toUpperCase()+t.slice(1),o=Pn.length;o--;)if(t=Pn[o]+r,t in kn)return t}function _n(t){var r=c.cssProps[t]||Un[t];return r||(t in kn?t:Un[t]=vr(t)||t)}var Nr=/^(none|table(?!-c[ea]).+)/,Or={position:"absolute",visibility:"hidden",display:"block"},Fn={letterSpacing:"0",fontWeight:"400"};function Bn(t,r,o){var p=Me.exec(r);return p?Math.max(0,p[2]-(o||0))+(p[3]||"px"):r}function pn(t,r,o,p,m,g){var b=r==="width"?1:0,v=0,R=0,D=0;if(o===(p?"border":"content"))return 0;for(;b<4;b+=2)o==="margin"&&(D+=c.css(t,o+ke[b],!0,m)),p?(o==="content"&&(R-=c.css(t,"padding"+ke[b],!0,m)),o!=="margin"&&(R-=c.css(t,"border"+ke[b]+"Width",!0,m))):(R+=c.css(t,"padding"+ke[b],!0,m),o!=="padding"?R+=c.css(t,"border"+ke[b]+"Width",!0,m):v+=c.css(t,"border"+ke[b]+"Width",!0,m));return!p&&g>=0&&(R+=Math.max(0,Math.ceil(t["offset"+r[0].toUpperCase()+r.slice(1)]-g-R-v-.5))||0),R+D}function Gn(t,r,o){var p=Qt(t),m=!h.boxSizingReliable()||o,g=m&&c.css(t,"boxSizing",!1,p)==="border-box",b=g,v=kt(t,r,p),R="offset"+r[0].toUpperCase()+r.slice(1);if(cn.test(v)){if(!o)return v;v="auto"}return(!h.boxSizingReliable()&&g||!h.reliableTrDimensions()&&K(t,"tr")||v==="auto"||!parseFloat(v)&&c.css(t,"display",!1,p)==="inline")&&t.getClientRects().length&&(g=c.css(t,"boxSizing",!1,p)==="border-box",b=R in t,b&&(v=t[R])),v=parseFloat(v)||0,v+pn(t,r,o||(g?"border":"content"),b,p,v)+"px"}c.extend({cssHooks:{opacity:{get:function(t,r){if(r){var o=kt(t,"opacity");return o===""?"1":o}}}},cssNumber:{animationIterationCount:!0,aspectRatio:!0,borderImageSlice:!0,columnCount:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,gridArea:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnStart:!0,gridRow:!0,gridRowEnd:!0,gridRowStart:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,scale:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeMiterlimit:!0,strokeOpacity:!0},cssProps:{},style:function(t,r,o,p){if(!(!t||t.nodeType===3||t.nodeType===8||!t.style)){var m,g,b,v=Ne(r),R=dn.test(r),D=t.style;if(R||(r=_n(v)),b=c.cssHooks[r]||c.cssHooks[v],o!==void 0){if(g=typeof o,g==="string"&&(m=Me.exec(o))&&m[1]&&(o=vn(t,r,m),g="number"),o==null||o!==o)return;g==="number"&&!R&&(o+=m&&m[3]||(c.cssNumber[v]?"":"px")),!h.clearCloneStyle&&o===""&&r.indexOf("background")===0&&(D[r]="inherit"),(!b||!("set"in b)||(o=b.set(t,o,p))!==void 0)&&(R?D.setProperty(r,o):D[r]=o)}else return b&&"get"in b&&(m=b.get(t,!1,p))!==void 0?m:D[r]}},css:function(t,r,o,p){var m,g,b,v=Ne(r),R=dn.test(r);return R||(r=_n(v)),b=c.cssHooks[r]||c.cssHooks[v],b&&"get"in b&&(m=b.get(t,!0,o)),m===void 0&&(m=kt(t,r,p)),m==="normal"&&r in Fn&&(m=Fn[r]),o===""||o?(g=parseFloat(m),o===!0||isFinite(g)?g||0:m):m}}),c.each(["height","width"],function(t,r){c.cssHooks[r]={get:function(o,p,m){if(p)return Nr.test(c.css(o,"display"))&&(!o.getClientRects().length||!o.getBoundingClientRect().width)?Mn(o,Or,function(){return Gn(o,r,m)}):Gn(o,r,m)},set:function(o,p,m){var g,b=Qt(o),v=!h.scrollboxSize()&&b.position==="absolute",R=v||m,D=R&&c.css(o,"boxSizing",!1,b)==="border-box",P=m?pn(o,r,m,D,b):0;return D&&v&&(P-=Math.ceil(o["offset"+r[0].toUpperCase()+r.slice(1)]-parseFloat(b[r])-pn(o,r,"border",!1,b)-.5)),P&&(g=Me.exec(p))&&(g[3]||"px")!=="px"&&(o.style[r]=p,p=c.css(o,r)),Bn(o,p,P)}}}),c.cssHooks.marginLeft=Ln(h.reliableMarginLeft,function(t,r){if(r)return(parseFloat(kt(t,"marginLeft"))||t.getBoundingClientRect().left-Mn(t,{marginLeft:0},function(){return t.getBoundingClientRect().left}))+"px"}),c.each({margin:"",padding:"",border:"Width"},function(t,r){c.cssHooks[t+r]={expand:function(o){for(var p=0,m={},g=typeof o=="string"?o.split(" "):[o];p<4;p++)m[t+ke[p]+r]=g[p]||g[p-2]||g[0];return m}},t!=="margin"&&(c.cssHooks[t+r].set=Bn)}),c.fn.extend({css:function(t,r){return Ze(this,function(o,p,m){var g,b,v={},R=0;if(Array.isArray(p)){for(g=Qt(o),b=p.length;R<b;R++)v[p[R]]=c.css(o,p[R],!1,g);return v}return m!==void 0?c.style(o,p,m):c.css(o,p)},t,r,arguments.length>1)}});function Ve(t,r,o,p,m){return new Ve.prototype.init(t,r,o,p,m)}c.Tween=Ve,Ve.prototype={constructor:Ve,init:function(t,r,o,p,m,g){this.elem=t,this.prop=o,this.easing=m||c.easing._default,this.options=r,this.start=this.now=this.cur(),this.end=p,this.unit=g||(c.cssNumber[o]?"":"px")},cur:function(){var t=Ve.propHooks[this.prop];return t&&t.get?t.get(this):Ve.propHooks._default.get(this)},run:function(t){var r,o=Ve.propHooks[this.prop];return this.options.duration?this.pos=r=c.easing[this.easing](t,this.options.duration*t,0,1,this.options.duration):this.pos=r=t,this.now=(this.end-this.start)*r+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),o&&o.set?o.set(this):Ve.propHooks._default.set(this),this}},Ve.prototype.init.prototype=Ve.prototype,Ve.propHooks={_default:{get:function(t){var r;return t.elem.nodeType!==1||t.elem[t.prop]!=null&&t.elem.style[t.prop]==null?t.elem[t.prop]:(r=c.css(t.elem,t.prop,""),!r||r==="auto"?0:r)},set:function(t){c.fx.step[t.prop]?c.fx.step[t.prop](t):t.elem.nodeType===1&&(c.cssHooks[t.prop]||t.elem.style[_n(t.prop)]!=null)?c.style(t.elem,t.prop,t.now+t.unit):t.elem[t.prop]=t.now}}},Ve.propHooks.scrollTop=Ve.propHooks.scrollLeft={set:function(t){t.elem.nodeType&&t.elem.parentNode&&(t.elem[t.prop]=t.now)}},c.easing={linear:function(t){return t},swing:function(t){return .5-Math.cos(t*Math.PI)/2},_default:"swing"},c.fx=Ve.prototype.init,c.fx.step={};var Ot,Xt,Ar=/^(?:toggle|show|hide)$/,yr=/queueHooks$/;function un(){Xt&&(x.hidden===!1&&e.requestAnimationFrame?e.requestAnimationFrame(un):e.setTimeout(un,c.fx.interval),c.fx.tick())}function Yn(){return e.setTimeout(function(){Ot=void 0}),Ot=Date.now()}function Zt(t,r){var o,p=0,m={height:t};for(r=r?1:0;p<4;p+=2-r)o=ke[p],m["margin"+o]=m["padding"+o]=t;return r&&(m.opacity=m.width=t),m}function Hn(t,r,o){for(var p,m=(Je.tweeners[r]||[]).concat(Je.tweeners["*"]),g=0,b=m.length;g<b;g++)if(p=m[g].call(o,r,t))return p}function Ir(t,r,o){var p,m,g,b,v,R,D,P,U="width"in r||"height"in r,M=this,V={},le=t.style,he=t.nodeType&&$t(t),me=Z.get(t,"fxshow");o.queue||(b=c._queueHooks(t,"fx"),b.unqueued==null&&(b.unqueued=0,v=b.empty.fire,b.empty.fire=function(){b.unqueued||v()}),b.unqueued++,M.always(function(){M.always(function(){b.unqueued--,c.queue(t,"fx").length||b.empty.fire()})}));for(p in r)if(m=r[p],Ar.test(m)){if(delete r[p],g=g||m==="toggle",m===(he?"hide":"show"))if(m==="show"&&me&&me[p]!==void 0)he=!0;else continue;V[p]=me&&me[p]||c.style(t,p)}if(R=!c.isEmptyObject(r),!(!R&&c.isEmptyObject(V))){U&&t.nodeType===1&&(o.overflow=[le.overflow,le.overflowX,le.overflowY],D=me&&me.display,D==null&&(D=Z.get(t,"display")),P=c.css(t,"display"),P==="none"&&(D?P=D:(Rt([t],!0),D=t.style.display||D,P=c.css(t,"display"),Rt([t]))),(P==="inline"||P==="inline-block"&&D!=null)&&c.css(t,"float")==="none"&&(R||(M.done(function(){le.display=D}),D==null&&(P=le.display,D=P==="none"?"":P)),le.display="inline-block")),o.overflow&&(le.overflow="hidden",M.always(function(){le.overflow=o.overflow[0],le.overflowX=o.overflow[1],le.overflowY=o.overflow[2]})),R=!1;for(p in V)R||(me?"hidden"in me&&(he=me.hidden):me=Z.access(t,"fxshow",{display:D}),g&&(me.hidden=!he),he&&Rt([t],!0),M.done(function(){he||Rt([t]),Z.remove(t,"fxshow");for(p in V)c.style(t,p,V[p])})),R=Hn(he?me[p]:0,p,M),p in me||(me[p]=R.start,he&&(R.end=R.start,R.start=0))}}function Dr(t,r){var o,p,m,g,b;for(o in t)if(p=Ne(o),m=r[p],g=t[o],Array.isArray(g)&&(m=g[1],g=t[o]=g[0]),o!==p&&(t[p]=g,delete t[o]),b=c.cssHooks[p],b&&"expand"in b){g=b.expand(g),delete t[p];for(o in g)o in t||(t[o]=g[o],r[o]=m)}else r[p]=m}function Je(t,r,o){var p,m,g=0,b=Je.prefilters.length,v=c.Deferred().always(function(){delete R.elem}),R=function(){if(m)return!1;for(var U=Ot||Yn(),M=Math.max(0,D.startTime+D.duration-U),V=M/D.duration||0,le=1-V,he=0,me=D.tweens.length;he<me;he++)D.tweens[he].run(le);return v.notifyWith(t,[D,le,M]),le<1&&me?M:(me||v.notifyWith(t,[D,1,0]),v.resolveWith(t,[D]),!1)},D=v.promise({elem:t,props:c.extend({},r),opts:c.extend(!0,{specialEasing:{},easing:c.easing._default},o),originalProperties:r,originalOptions:o,startTime:Ot||Yn(),duration:o.duration,tweens:[],createTween:function(U,M){var V=c.Tween(t,D.opts,U,M,D.opts.specialEasing[U]||D.opts.easing);return D.tweens.push(V),V},stop:function(U){var M=0,V=U?D.tweens.length:0;if(m)return this;for(m=!0;M<V;M++)D.tweens[M].run(1);return U?(v.notifyWith(t,[D,1,0]),v.resolveWith(t,[D,U])):v.rejectWith(t,[D,U]),this}}),P=D.props;for(Dr(P,D.opts.specialEasing);g<b;g++)if(p=Je.prefilters[g].call(D,t,P,D.opts),p)return C(p.stop)&&(c._queueHooks(D.elem,D.opts.queue).stop=p.stop.bind(p)),p;return c.map(P,Hn,D),C(D.opts.start)&&D.opts.start.call(t,D),D.progress(D.opts.progress).done(D.opts.done,D.opts.complete).fail(D.opts.fail).always(D.opts.always),c.fx.timer(c.extend(R,{elem:t,anim:D,queue:D.opts.queue})),D}c.Animation=c.extend(Je,{tweeners:{"*":[function(t,r){var o=this.createTween(t,r);return vn(o.elem,t,Me.exec(r),o),o}]},tweener:function(t,r){C(t)?(r=t,t=["*"]):t=t.match(ue);for(var o,p=0,m=t.length;p<m;p++)o=t[p],Je.tweeners[o]=Je.tweeners[o]||[],Je.tweeners[o].unshift(r)},prefilters:[Ir],prefilter:function(t,r){r?Je.prefilters.unshift(t):Je.prefilters.push(t)}}),c.speed=function(t,r,o){var p=t&&typeof t=="object"?c.extend({},t):{complete:o||!o&&r||C(t)&&t,duration:t,easing:o&&r||r&&!C(r)&&r};return c.fx.off?p.duration=0:typeof p.duration!="number"&&(p.duration in c.fx.speeds?p.duration=c.fx.speeds[p.duration]:p.duration=c.fx.speeds._default),(p.queue==null||p.queue===!0)&&(p.queue="fx"),p.old=p.complete,p.complete=function(){C(p.old)&&p.old.call(this),p.queue&&c.dequeue(this,p.queue)},p},c.fn.extend({fadeTo:function(t,r,o,p){return this.filter($t).css("opacity",0).show().end().animate({opacity:r},t,o,p)},animate:function(t,r,o,p){var m=c.isEmptyObject(t),g=c.speed(r,o,p),b=function(){var v=Je(this,c.extend({},t),g);(m||Z.get(this,"finish"))&&v.stop(!0)};return b.finish=b,m||g.queue===!1?this.each(b):this.queue(g.queue,b)},stop:function(t,r,o){var p=function(m){var g=m.stop;delete m.stop,g(o)};return typeof t!="string"&&(o=r,r=t,t=void 0),r&&this.queue(t||"fx",[]),this.each(function(){var m=!0,g=t!=null&&t+"queueHooks",b=c.timers,v=Z.get(this);if(g)v[g]&&v[g].stop&&p(v[g]);else for(g in v)v[g]&&v[g].stop&&yr.test(g)&&p(v[g]);for(g=b.length;g--;)b[g].elem===this&&(t==null||b[g].queue===t)&&(b[g].anim.stop(o),m=!1,b.splice(g,1));(m||!o)&&c.dequeue(this,t)})},finish:function(t){return t!==!1&&(t=t||"fx"),this.each(function(){var r,o=Z.get(this),p=o[t+"queue"],m=o[t+"queueHooks"],g=c.timers,b=p?p.length:0;for(o.finish=!0,c.queue(this,t,[]),m&&m.stop&&m.stop.call(this,!0),r=g.length;r--;)g[r].elem===this&&g[r].queue===t&&(g[r].anim.stop(!0),g.splice(r,1));for(r=0;r<b;r++)p[r]&&p[r].finish&&p[r].finish.call(this);delete o.finish})}}),c.each(["toggle","show","hide"],function(t,r){var o=c.fn[r];c.fn[r]=function(p,m,g){return p==null||typeof p=="boolean"?o.apply(this,arguments):this.animate(Zt(r,!0),p,m,g)}}),c.each({slideDown:Zt("show"),slideUp:Zt("hide"),slideToggle:Zt("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(t,r){c.fn[t]=function(o,p,m){return this.animate(r,o,p,m)}}),c.timers=[],c.fx.tick=function(){var t,r=0,o=c.timers;for(Ot=Date.now();r<o.length;r++)t=o[r],!t()&&o[r]===t&&o.splice(r--,1);o.length||c.fx.stop(),Ot=void 0},c.fx.timer=function(t){c.timers.push(t),c.fx.start()},c.fx.interval=13,c.fx.start=function(){Xt||(Xt=!0,un())},c.fx.stop=function(){Xt=null},c.fx.speeds={slow:600,fast:200,_default:400},c.fn.delay=function(t,r){return t=c.fx&&c.fx.speeds[t]||t,r=r||"fx",this.queue(r,function(o,p){var m=e.setTimeout(o,t);p.stop=function(){e.clearTimeout(m)}})},function(){var t=x.createElement("input"),r=x.createElement("select"),o=r.appendChild(x.createElement("option"));t.type="checkbox",h.checkOn=t.value!=="",h.optSelected=o.selected,t=x.createElement("input"),t.value="t",t.type="radio",h.radioValue=t.value==="t"}();var qn,Ut=c.expr.attrHandle;c.fn.extend({attr:function(t,r){return Ze(this,c.attr,t,r,arguments.length>1)},removeAttr:function(t){return this.each(function(){c.removeAttr(this,t)})}}),c.extend({attr:function(t,r,o){var p,m,g=t.nodeType;if(!(g===3||g===8||g===2)){if(typeof t.getAttribute>"u")return c.prop(t,r,o);if((g!==1||!c.isXMLDoc(t))&&(m=c.attrHooks[r.toLowerCase()]||(c.expr.match.bool.test(r)?qn:void 0)),o!==void 0){if(o===null){c.removeAttr(t,r);return}return m&&"set"in m&&(p=m.set(t,o,r))!==void 0?p:(t.setAttribute(r,o+""),o)}return m&&"get"in m&&(p=m.get(t,r))!==null?p:(p=c.find.attr(t,r),p??void 0)}},attrHooks:{type:{set:function(t,r){if(!h.radioValue&&r==="radio"&&K(t,"input")){var o=t.value;return t.setAttribute("type",r),o&&(t.value=o),r}}}},removeAttr:function(t,r){var o,p=0,m=r&&r.match(ue);if(m&&t.nodeType===1)for(;o=m[p++];)t.removeAttribute(o)}}),qn={set:function(t,r,o){return r===!1?c.removeAttr(t,o):t.setAttribute(o,o),o}},c.each(c.expr.match.bool.source.match(/\w+/g),function(t,r){var o=Ut[r]||c.find.attr;Ut[r]=function(p,m,g){var b,v,R=m.toLowerCase();return g||(v=Ut[R],Ut[R]=b,b=o(p,m,g)!=null?R:null,Ut[R]=v),b}});var xr=/^(?:input|select|textarea|button)$/i,wr=/^(?:a|area)$/i;c.fn.extend({prop:function(t,r){return Ze(this,c.prop,t,r,arguments.length>1)},removeProp:function(t){return this.each(function(){delete this[c.propFix[t]||t]})}}),c.extend({prop:function(t,r,o){var p,m,g=t.nodeType;if(!(g===3||g===8||g===2))return(g!==1||!c.isXMLDoc(t))&&(r=c.propFix[r]||r,m=c.propHooks[r]),o!==void 0?m&&"set"in m&&(p=m.set(t,o,r))!==void 0?p:t[r]=o:m&&"get"in m&&(p=m.get(t,r))!==null?p:t[r]},propHooks:{tabIndex:{get:function(t){var r=c.find.attr(t,"tabindex");return r?parseInt(r,10):xr.test(t.nodeName)||wr.test(t.nodeName)&&t.href?0:-1}}},propFix:{for:"htmlFor",class:"className"}}),h.optSelected||(c.propHooks.selected={get:function(t){var r=t.parentNode;return r&&r.parentNode&&r.parentNode.selectedIndex,null},set:function(t){var r=t.parentNode;r&&(r.selectedIndex,r.parentNode&&r.parentNode.selectedIndex)}}),c.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){c.propFix[this.toLowerCase()]=this});function gt(t){var r=t.match(ue)||[];return r.join(" ")}function Et(t){return t.getAttribute&&t.getAttribute("class")||""}function Jt(t){return Array.isArray(t)?t:typeof t=="string"?t.match(ue)||[]:[]}c.fn.extend({addClass:function(t){var r,o,p,m,g,b;return C(t)?this.each(function(v){c(this).addClass(t.call(this,v,Et(this)))}):(r=Jt(t),r.length?this.each(function(){if(p=Et(this),o=this.nodeType===1&&" "+gt(p)+" ",o){for(g=0;g<r.length;g++)m=r[g],o.indexOf(" "+m+" ")<0&&(o+=m+" ");b=gt(o),p!==b&&this.setAttribute("class",b)}}):this)},removeClass:function(t){var r,o,p,m,g,b;return C(t)?this.each(function(v){c(this).removeClass(t.call(this,v,Et(this)))}):arguments.length?(r=Jt(t),r.length?this.each(function(){if(p=Et(this),o=this.nodeType===1&&" "+gt(p)+" ",o){for(g=0;g<r.length;g++)for(m=r[g];o.indexOf(" "+m+" ")>-1;)o=o.replace(" "+m+" "," ");b=gt(o),p!==b&&this.setAttribute("class",b)}}):this):this.attr("class","")},toggleClass:function(t,r){var o,p,m,g,b=typeof t,v=b==="string"||Array.isArray(t);return C(t)?this.each(function(R){c(this).toggleClass(t.call(this,R,Et(this),r),r)}):typeof r=="boolean"&&v?r?this.addClass(t):this.removeClass(t):(o=Jt(t),this.each(function(){if(v)for(g=c(this),m=0;m<o.length;m++)p=o[m],g.hasClass(p)?g.removeClass(p):g.addClass(p);else(t===void 0||b==="boolean")&&(p=Et(this),p&&Z.set(this,"__className__",p),this.setAttribute&&this.setAttribute("class",p||t===!1?"":Z.get(this,"__className__")||""))}))},hasClass:function(t){var r,o,p=0;for(r=" "+t+" ";o=this[p++];)if(o.nodeType===1&&(" "+gt(Et(o))+" ").indexOf(r)>-1)return!0;return!1}});var Vn=/\r/g;c.fn.extend({val:function(t){var r,o,p,m=this[0];return arguments.length?(p=C(t),this.each(function(g){var b;this.nodeType===1&&(p?b=t.call(this,g,c(this).val()):b=t,b==null?b="":typeof b=="number"?b+="":Array.isArray(b)&&(b=c.map(b,function(v){return v==null?"":v+""})),r=c.valHooks[this.type]||c.valHooks[this.nodeName.toLowerCase()],(!r||!("set"in r)||r.set(this,b,"value")===void 0)&&(this.value=b))})):m?(r=c.valHooks[m.type]||c.valHooks[m.nodeName.toLowerCase()],r&&"get"in r&&(o=r.get(m,"value"))!==void 0?o:(o=m.value,typeof o=="string"?o.replace(Vn,""):o??"")):void 0}}),c.extend({valHooks:{option:{get:function(t){var r=c.find.attr(t,"value");return r??gt(c.text(t))}},select:{get:function(t){var r,o,p,m=t.options,g=t.selectedIndex,b=t.type==="select-one",v=b?null:[],R=b?g+1:m.length;for(g<0?p=R:p=b?g:0;p<R;p++)if(o=m[p],(o.selected||p===g)&&!o.disabled&&(!o.parentNode.disabled||!K(o.parentNode,"optgroup"))){if(r=c(o).val(),b)return r;v.push(r)}return v},set:function(t,r){for(var o,p,m=t.options,g=c.makeArray(r),b=m.length;b--;)p=m[b],(p.selected=c.inArray(c.valHooks.option.get(p),g)>-1)&&(o=!0);return o||(t.selectedIndex=-1),g}}}}),c.each(["radio","checkbox"],function(){c.valHooks[this]={set:function(t,r){if(Array.isArray(r))return t.checked=c.inArray(c(t).val(),r)>-1}},h.checkOn||(c.valHooks[this].get=function(t){return t.getAttribute("value")===null?"on":t.value})});var At=e.location,zn={guid:Date.now()},mn=/\?/;c.parseXML=function(t){var r,o;if(!t||typeof t!="string")return null;try{r=new e.DOMParser().parseFromString(t,"text/xml")}catch{}return o=r&&r.getElementsByTagName("parsererror")[0],(!r||o)&&c.error("Invalid XML: "+(o?c.map(o.childNodes,function(p){return p.textContent}).join(` +`):t)),r};var gn=/^(?:focusinfocus|focusoutblur)$/,Ft=function(t){t.stopPropagation()};c.extend(c.event,{trigger:function(t,r,o,p){var m,g,b,v,R,D,P,U,M=[o||x],V=f.call(t,"type")?t.type:t,le=f.call(t,"namespace")?t.namespace.split("."):[];if(g=U=b=o=o||x,!(o.nodeType===3||o.nodeType===8)&&!gn.test(V+c.event.triggered)&&(V.indexOf(".")>-1&&(le=V.split("."),V=le.shift(),le.sort()),R=V.indexOf(":")<0&&"on"+V,t=t[c.expando]?t:new c.Event(V,typeof t=="object"&&t),t.isTrigger=p?2:3,t.namespace=le.join("."),t.rnamespace=t.namespace?new RegExp("(^|\\.)"+le.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,t.result=void 0,t.target||(t.target=o),r=r==null?[t]:c.makeArray(r,[t]),P=c.event.special[V]||{},!(!p&&P.trigger&&P.trigger.apply(o,r)===!1))){if(!p&&!P.noBubble&&!I(o)){for(v=P.delegateType||V,gn.test(v+V)||(g=g.parentNode);g;g=g.parentNode)M.push(g),b=g;b===(o.ownerDocument||x)&&M.push(b.defaultView||b.parentWindow||e)}for(m=0;(g=M[m++])&&!t.isPropagationStopped();)U=g,t.type=m>1?v:P.bindType||V,D=(Z.get(g,"events")||Object.create(null))[t.type]&&Z.get(g,"handle"),D&&D.apply(g,r),D=R&&g[R],D&&D.apply&&Re(g)&&(t.result=D.apply(g,r),t.result===!1&&t.preventDefault());return t.type=V,!p&&!t.isDefaultPrevented()&&(!P._default||P._default.apply(M.pop(),r)===!1)&&Re(o)&&R&&C(o[V])&&!I(o)&&(b=o[R],b&&(o[R]=null),c.event.triggered=V,t.isPropagationStopped()&&U.addEventListener(V,Ft),o[V](),t.isPropagationStopped()&&U.removeEventListener(V,Ft),c.event.triggered=void 0,b&&(o[R]=b)),t.result}},simulate:function(t,r,o){var p=c.extend(new c.Event,o,{type:t,isSimulated:!0});c.event.trigger(p,null,r)}}),c.fn.extend({trigger:function(t,r){return this.each(function(){c.event.trigger(t,r,this)})},triggerHandler:function(t,r){var o=this[0];if(o)return c.event.trigger(t,r,o,!0)}});var En=/\[\]$/,bn=/\r?\n/g,Wn=/^(?:submit|button|image|reset|file)$/i,$n=/^(?:input|select|textarea|keygen)/i;function Kn(t,r,o,p){var m;if(Array.isArray(r))c.each(r,function(g,b){o||En.test(t)?p(t,b):Kn(t+"["+(typeof b=="object"&&b!=null?g:"")+"]",b,o,p)});else if(!o&&B(r)==="object")for(m in r)Kn(t+"["+m+"]",r[m],o,p);else p(t,r)}c.param=function(t,r){var o,p=[],m=function(g,b){var v=C(b)?b():b;p[p.length]=encodeURIComponent(g)+"="+encodeURIComponent(v??"")};if(t==null)return"";if(Array.isArray(t)||t.jquery&&!c.isPlainObject(t))c.each(t,function(){m(this.name,this.value)});else for(o in t)Kn(o,t[o],r,m);return p.join("&")},c.fn.extend({serialize:function(){return c.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var t=c.prop(this,"elements");return t?c.makeArray(t):this}).filter(function(){var t=this.type;return this.name&&!c(this).is(":disabled")&&$n.test(this.nodeName)&&!Wn.test(t)&&(this.checked||!Pt.test(t))}).map(function(t,r){var o=c(this).val();return o==null?null:Array.isArray(o)?c.map(o,function(p){return{name:r.name,value:p.replace(bn,`\r +`)}}):{name:r.name,value:o.replace(bn,`\r +`)}}).get()}});var ai=/%20/g,kp=/#.*$/,Up=/([?&])_=[^&]*/,Fp=/^(.*?):[ \t]*([^\r\n]*)$/mg,Bp=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Gp=/^(?:GET|HEAD)$/,Yp=/^\/\//,oi={},Mr={},si="*/".concat("*"),Lr=x.createElement("a");Lr.href=At.href;function li(t){return function(r,o){typeof r!="string"&&(o=r,r="*");var p,m=0,g=r.toLowerCase().match(ue)||[];if(C(o))for(;p=g[m++];)p[0]==="+"?(p=p.slice(1)||"*",(t[p]=t[p]||[]).unshift(o)):(t[p]=t[p]||[]).push(o)}}function ci(t,r,o,p){var m={},g=t===Mr;function b(v){var R;return m[v]=!0,c.each(t[v]||[],function(D,P){var U=P(r,o,p);if(typeof U=="string"&&!g&&!m[U])return r.dataTypes.unshift(U),b(U),!1;if(g)return!(R=U)}),R}return b(r.dataTypes[0])||!m["*"]&&b("*")}function Pr(t,r){var o,p,m=c.ajaxSettings.flatOptions||{};for(o in r)r[o]!==void 0&&((m[o]?t:p||(p={}))[o]=r[o]);return p&&c.extend(!0,t,p),t}function Hp(t,r,o){for(var p,m,g,b,v=t.contents,R=t.dataTypes;R[0]==="*";)R.shift(),p===void 0&&(p=t.mimeType||r.getResponseHeader("Content-Type"));if(p){for(m in v)if(v[m]&&v[m].test(p)){R.unshift(m);break}}if(R[0]in o)g=R[0];else{for(m in o){if(!R[0]||t.converters[m+" "+R[0]]){g=m;break}b||(b=m)}g=g||b}if(g)return g!==R[0]&&R.unshift(g),o[g]}function qp(t,r,o,p){var m,g,b,v,R,D={},P=t.dataTypes.slice();if(P[1])for(b in t.converters)D[b.toLowerCase()]=t.converters[b];for(g=P.shift();g;)if(t.responseFields[g]&&(o[t.responseFields[g]]=r),!R&&p&&t.dataFilter&&(r=t.dataFilter(r,t.dataType)),R=g,g=P.shift(),g){if(g==="*")g=R;else if(R!=="*"&&R!==g){if(b=D[R+" "+g]||D["* "+g],!b){for(m in D)if(v=m.split(" "),v[1]===g&&(b=D[R+" "+v[0]]||D["* "+v[0]],b)){b===!0?b=D[m]:D[m]!==!0&&(g=v[0],P.unshift(v[1]));break}}if(b!==!0)if(b&&t.throws)r=b(r);else try{r=b(r)}catch(U){return{state:"parsererror",error:b?U:"No conversion from "+R+" to "+g}}}}return{state:"success",data:r}}c.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:At.href,type:"GET",isLocal:Bp.test(At.protocol),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":si,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":c.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(t,r){return r?Pr(Pr(t,c.ajaxSettings),r):Pr(c.ajaxSettings,t)},ajaxPrefilter:li(oi),ajaxTransport:li(Mr),ajax:function(t,r){typeof t=="object"&&(r=t,t=void 0),r=r||{};var o,p,m,g,b,v,R,D,P,U,M=c.ajaxSetup({},r),V=M.context||M,le=M.context&&(V.nodeType||V.jquery)?c(V):c.event,he=c.Deferred(),me=c.Callbacks("once memory"),Ye=M.statusCode||{},Be={},dt={},_t="canceled",be={readyState:0,getResponseHeader:function(Ce){var Pe;if(R){if(!g)for(g={};Pe=Fp.exec(m);)g[Pe[1].toLowerCase()+" "]=(g[Pe[1].toLowerCase()+" "]||[]).concat(Pe[2]);Pe=g[Ce.toLowerCase()+" "]}return Pe==null?null:Pe.join(", ")},getAllResponseHeaders:function(){return R?m:null},setRequestHeader:function(Ce,Pe){return R==null&&(Ce=dt[Ce.toLowerCase()]=dt[Ce.toLowerCase()]||Ce,Be[Ce]=Pe),this},overrideMimeType:function(Ce){return R==null&&(M.mimeType=Ce),this},statusCode:function(Ce){var Pe;if(Ce)if(R)be.always(Ce[be.status]);else for(Pe in Ce)Ye[Pe]=[Ye[Pe],Ce[Pe]];return this},abort:function(Ce){var Pe=Ce||_t;return o&&o.abort(Pe),Bt(0,Pe),this}};if(he.promise(be),M.url=((t||M.url||At.href)+"").replace(Yp,At.protocol+"//"),M.type=r.method||r.type||M.method||M.type,M.dataTypes=(M.dataType||"*").toLowerCase().match(ue)||[""],M.crossDomain==null){v=x.createElement("a");try{v.href=M.url,v.href=v.href,M.crossDomain=Lr.protocol+"//"+Lr.host!=v.protocol+"//"+v.host}catch{M.crossDomain=!0}}if(M.data&&M.processData&&typeof M.data!="string"&&(M.data=c.param(M.data,M.traditional)),ci(oi,M,r,be),R)return be;D=c.event&&M.global,D&&c.active++===0&&c.event.trigger("ajaxStart"),M.type=M.type.toUpperCase(),M.hasContent=!Gp.test(M.type),p=M.url.replace(kp,""),M.hasContent?M.data&&M.processData&&(M.contentType||"").indexOf("application/x-www-form-urlencoded")===0&&(M.data=M.data.replace(ai,"+")):(U=M.url.slice(p.length),M.data&&(M.processData||typeof M.data=="string")&&(p+=(mn.test(p)?"&":"?")+M.data,delete M.data),M.cache===!1&&(p=p.replace(Up,"$1"),U=(mn.test(p)?"&":"?")+"_="+zn.guid+++U),M.url=p+U),M.ifModified&&(c.lastModified[p]&&be.setRequestHeader("If-Modified-Since",c.lastModified[p]),c.etag[p]&&be.setRequestHeader("If-None-Match",c.etag[p])),(M.data&&M.hasContent&&M.contentType!==!1||r.contentType)&&be.setRequestHeader("Content-Type",M.contentType),be.setRequestHeader("Accept",M.dataTypes[0]&&M.accepts[M.dataTypes[0]]?M.accepts[M.dataTypes[0]]+(M.dataTypes[0]!=="*"?", "+si+"; q=0.01":""):M.accepts["*"]);for(P in M.headers)be.setRequestHeader(P,M.headers[P]);if(M.beforeSend&&(M.beforeSend.call(V,be,M)===!1||R))return be.abort();if(_t="abort",me.add(M.complete),be.done(M.success),be.fail(M.error),o=ci(Mr,M,r,be),!o)Bt(-1,"No Transport");else{if(be.readyState=1,D&&le.trigger("ajaxSend",[be,M]),R)return be;M.async&&M.timeout>0&&(b=e.setTimeout(function(){be.abort("timeout")},M.timeout));try{R=!1,o.send(Be,Bt)}catch(Ce){if(R)throw Ce;Bt(-1,Ce)}}function Bt(Ce,Pe,Sn,Ur){var pt,hn,ut,yt,It,tt=Pe;R||(R=!0,b&&e.clearTimeout(b),o=void 0,m=Ur||"",be.readyState=Ce>0?4:0,pt=Ce>=200&&Ce<300||Ce===304,Sn&&(yt=Hp(M,be,Sn)),!pt&&c.inArray("script",M.dataTypes)>-1&&c.inArray("json",M.dataTypes)<0&&(M.converters["text script"]=function(){}),yt=qp(M,yt,be,pt),pt?(M.ifModified&&(It=be.getResponseHeader("Last-Modified"),It&&(c.lastModified[p]=It),It=be.getResponseHeader("etag"),It&&(c.etag[p]=It)),Ce===204||M.type==="HEAD"?tt="nocontent":Ce===304?tt="notmodified":(tt=yt.state,hn=yt.data,ut=yt.error,pt=!ut)):(ut=tt,(Ce||!tt)&&(tt="error",Ce<0&&(Ce=0))),be.status=Ce,be.statusText=(Pe||tt)+"",pt?he.resolveWith(V,[hn,tt,be]):he.rejectWith(V,[be,tt,ut]),be.statusCode(Ye),Ye=void 0,D&&le.trigger(pt?"ajaxSuccess":"ajaxError",[be,M,pt?hn:ut]),me.fireWith(V,[be,tt]),D&&(le.trigger("ajaxComplete",[be,M]),--c.active||c.event.trigger("ajaxStop")))}return be},getJSON:function(t,r,o){return c.get(t,r,o,"json")},getScript:function(t,r){return c.get(t,void 0,r,"script")}}),c.each(["get","post"],function(t,r){c[r]=function(o,p,m,g){return C(p)&&(g=g||m,m=p,p=void 0),c.ajax(c.extend({url:o,type:r,dataType:g,data:p,success:m},c.isPlainObject(o)&&o))}}),c.ajaxPrefilter(function(t){var r;for(r in t.headers)r.toLowerCase()==="content-type"&&(t.contentType=t.headers[r]||"")}),c._evalUrl=function(t,r,o){return c.ajax({url:t,type:"GET",dataType:"script",cache:!0,async:!1,global:!1,converters:{"text script":function(){}},dataFilter:function(p){c.globalEval(p,r,o)}})},c.fn.extend({wrapAll:function(t){var r;return this[0]&&(C(t)&&(t=t.call(this[0])),r=c(t,this[0].ownerDocument).eq(0).clone(!0),this[0].parentNode&&r.insertBefore(this[0]),r.map(function(){for(var o=this;o.firstElementChild;)o=o.firstElementChild;return o}).append(this)),this},wrapInner:function(t){return C(t)?this.each(function(r){c(this).wrapInner(t.call(this,r))}):this.each(function(){var r=c(this),o=r.contents();o.length?o.wrapAll(t):r.append(t)})},wrap:function(t){var r=C(t);return this.each(function(o){c(this).wrapAll(r?t.call(this,o):t)})},unwrap:function(t){return this.parent(t).not("body").each(function(){c(this).replaceWith(this.childNodes)}),this}}),c.expr.pseudos.hidden=function(t){return!c.expr.pseudos.visible(t)},c.expr.pseudos.visible=function(t){return!!(t.offsetWidth||t.offsetHeight||t.getClientRects().length)},c.ajaxSettings.xhr=function(){try{return new e.XMLHttpRequest}catch{}};var Vp={0:200,1223:204},fn=c.ajaxSettings.xhr();h.cors=!!fn&&"withCredentials"in fn,h.ajax=fn=!!fn,c.ajaxTransport(function(t){var r,o;if(h.cors||fn&&!t.crossDomain)return{send:function(p,m){var g,b=t.xhr();if(b.open(t.type,t.url,t.async,t.username,t.password),t.xhrFields)for(g in t.xhrFields)b[g]=t.xhrFields[g];t.mimeType&&b.overrideMimeType&&b.overrideMimeType(t.mimeType),!t.crossDomain&&!p["X-Requested-With"]&&(p["X-Requested-With"]="XMLHttpRequest");for(g in p)b.setRequestHeader(g,p[g]);r=function(v){return function(){r&&(r=o=b.onload=b.onerror=b.onabort=b.ontimeout=b.onreadystatechange=null,v==="abort"?b.abort():v==="error"?typeof b.status!="number"?m(0,"error"):m(b.status,b.statusText):m(Vp[b.status]||b.status,b.statusText,(b.responseType||"text")!=="text"||typeof b.responseText!="string"?{binary:b.response}:{text:b.responseText},b.getAllResponseHeaders()))}},b.onload=r(),o=b.onerror=b.ontimeout=r("error"),b.onabort!==void 0?b.onabort=o:b.onreadystatechange=function(){b.readyState===4&&e.setTimeout(function(){r&&o()})},r=r("abort");try{b.send(t.hasContent&&t.data||null)}catch(v){if(r)throw v}},abort:function(){r&&r()}}}),c.ajaxPrefilter(function(t){t.crossDomain&&(t.contents.script=!1)}),c.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/\b(?:java|ecma)script\b/},converters:{"text script":function(t){return c.globalEval(t),t}}}),c.ajaxPrefilter("script",function(t){t.cache===void 0&&(t.cache=!1),t.crossDomain&&(t.type="GET")}),c.ajaxTransport("script",function(t){if(t.crossDomain||t.scriptAttrs){var r,o;return{send:function(p,m){r=c("<script>").attr(t.scriptAttrs||{}).prop({charset:t.scriptCharset,src:t.url}).on("load error",o=function(g){r.remove(),o=null,g&&m(g.type==="error"?404:200,g.type)}),x.head.appendChild(r[0])},abort:function(){o&&o()}}}});var di=[],kr=/(=)\?(?=&|$)|\?\?/;c.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var t=di.pop()||c.expando+"_"+zn.guid++;return this[t]=!0,t}}),c.ajaxPrefilter("json jsonp",function(t,r,o){var p,m,g,b=t.jsonp!==!1&&(kr.test(t.url)?"url":typeof t.data=="string"&&(t.contentType||"").indexOf("application/x-www-form-urlencoded")===0&&kr.test(t.data)&&"data");if(b||t.dataTypes[0]==="jsonp")return p=t.jsonpCallback=C(t.jsonpCallback)?t.jsonpCallback():t.jsonpCallback,b?t[b]=t[b].replace(kr,"$1"+p):t.jsonp!==!1&&(t.url+=(mn.test(t.url)?"&":"?")+t.jsonp+"="+p),t.converters["script json"]=function(){return g||c.error(p+" was not called"),g[0]},t.dataTypes[0]="json",m=e[p],e[p]=function(){g=arguments},o.always(function(){m===void 0?c(e).removeProp(p):e[p]=m,t[p]&&(t.jsonpCallback=r.jsonpCallback,di.push(p)),g&&C(m)&&m(g[0]),g=m=void 0}),"script"}),h.createHTMLDocument=function(){var t=x.implementation.createHTMLDocument("").body;return t.innerHTML="<form></form><form></form>",t.childNodes.length===2}(),c.parseHTML=function(t,r,o){if(typeof t!="string")return[];typeof r=="boolean"&&(o=r,r=!1);var p,m,g;return r||(h.createHTMLDocument?(r=x.implementation.createHTMLDocument(""),p=r.createElement("base"),p.href=x.location.href,r.head.appendChild(p)):r=x),m=pe.exec(t),g=!o&&[],m?[r.createElement(m[1])]:(m=yn([t],r,g),g&&g.length&&c(g).remove(),c.merge([],m.childNodes))},c.fn.load=function(t,r,o){var p,m,g,b=this,v=t.indexOf(" ");return v>-1&&(p=gt(t.slice(v)),t=t.slice(0,v)),C(r)?(o=r,r=void 0):r&&typeof r=="object"&&(m="POST"),b.length>0&&c.ajax({url:t,type:m||"GET",dataType:"html",data:r}).done(function(R){g=arguments,b.html(p?c("<div>").append(c.parseHTML(R)).find(p):R)}).always(o&&function(R,D){b.each(function(){o.apply(this,g||[R.responseText,D,R])})}),this},c.expr.pseudos.animated=function(t){return c.grep(c.timers,function(r){return t===r.elem}).length},c.offset={setOffset:function(t,r,o){var p,m,g,b,v,R,D,P=c.css(t,"position"),U=c(t),M={};P==="static"&&(t.style.position="relative"),v=U.offset(),g=c.css(t,"top"),R=c.css(t,"left"),D=(P==="absolute"||P==="fixed")&&(g+R).indexOf("auto")>-1,D?(p=U.position(),b=p.top,m=p.left):(b=parseFloat(g)||0,m=parseFloat(R)||0),C(r)&&(r=r.call(t,o,c.extend({},v))),r.top!=null&&(M.top=r.top-v.top+b),r.left!=null&&(M.left=r.left-v.left+m),"using"in r?r.using.call(t,M):U.css(M)}},c.fn.extend({offset:function(t){if(arguments.length)return t===void 0?this:this.each(function(m){c.offset.setOffset(this,t,m)});var r,o,p=this[0];if(p)return p.getClientRects().length?(r=p.getBoundingClientRect(),o=p.ownerDocument.defaultView,{top:r.top+o.pageYOffset,left:r.left+o.pageXOffset}):{top:0,left:0}},position:function(){if(this[0]){var t,r,o,p=this[0],m={top:0,left:0};if(c.css(p,"position")==="fixed")r=p.getBoundingClientRect();else{for(r=this.offset(),o=p.ownerDocument,t=p.offsetParent||o.documentElement;t&&(t===o.body||t===o.documentElement)&&c.css(t,"position")==="static";)t=t.parentNode;t&&t!==p&&t.nodeType===1&&(m=c(t).offset(),m.top+=c.css(t,"borderTopWidth",!0),m.left+=c.css(t,"borderLeftWidth",!0))}return{top:r.top-m.top-c.css(p,"marginTop",!0),left:r.left-m.left-c.css(p,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){for(var t=this.offsetParent;t&&c.css(t,"position")==="static";)t=t.offsetParent;return t||it})}}),c.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(t,r){var o=r==="pageYOffset";c.fn[t]=function(p){return Ze(this,function(m,g,b){var v;if(I(m)?v=m:m.nodeType===9&&(v=m.defaultView),b===void 0)return v?v[r]:m[g];v?v.scrollTo(o?v.pageXOffset:b,o?b:v.pageYOffset):m[g]=b},t,p,arguments.length)}}),c.each(["top","left"],function(t,r){c.cssHooks[r]=Ln(h.pixelPosition,function(o,p){if(p)return p=kt(o,r),cn.test(p)?c(o).position()[r]+"px":p})}),c.each({Height:"height",Width:"width"},function(t,r){c.each({padding:"inner"+t,content:r,"":"outer"+t},function(o,p){c.fn[p]=function(m,g){var b=arguments.length&&(o||typeof m!="boolean"),v=o||(m===!0||g===!0?"margin":"border");return Ze(this,function(R,D,P){var U;return I(R)?p.indexOf("outer")===0?R["inner"+t]:R.document.documentElement["client"+t]:R.nodeType===9?(U=R.documentElement,Math.max(R.body["scroll"+t],U["scroll"+t],R.body["offset"+t],U["offset"+t],U["client"+t])):P===void 0?c.css(R,D,v):c.style(R,D,P,v)},r,b?m:void 0,b)}})}),c.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(t,r){c.fn[r]=function(o){return this.on(r,o)}}),c.fn.extend({bind:function(t,r,o){return this.on(t,null,r,o)},unbind:function(t,r){return this.off(t,null,r)},delegate:function(t,r,o,p){return this.on(r,t,o,p)},undelegate:function(t,r,o){return arguments.length===1?this.off(t,"**"):this.off(r,t||"**",o)},hover:function(t,r){return this.mouseenter(t).mouseleave(r||t)}}),c.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(t,r){c.fn[r]=function(o,p){return arguments.length>0?this.on(r,null,o,p):this.trigger(r)}});var zp=/^[\s\uFEFF\xA0]+|([^\s\uFEFF\xA0])[\s\uFEFF\xA0]+$/g;c.proxy=function(t,r){var o,p,m;if(typeof r=="string"&&(o=t[r],r=t,t=o),!!C(t))return p=l.call(arguments,2),m=function(){return t.apply(r||this,p.concat(l.call(arguments)))},m.guid=t.guid=t.guid||c.guid++,m},c.holdReady=function(t){t?c.readyWait++:c.ready(!0)},c.isArray=Array.isArray,c.parseJSON=JSON.parse,c.nodeName=K,c.isFunction=C,c.isWindow=I,c.camelCase=Ne,c.type=B,c.now=Date.now,c.isNumeric=function(t){var r=c.type(t);return(r==="number"||r==="string")&&!isNaN(t-parseFloat(t))},c.trim=function(t){return t==null?"":(t+"").replace(zp,"$1")},typeof define=="function"&&define.amd&&define("jquery",[],function(){return c});var Wp=e.jQuery,$p=e.$;return c.noConflict=function(t){return e.$===c&&(e.$=$p),t&&e.jQuery===c&&(e.jQuery=Wp),c},typeof n>"u"&&(e.jQuery=e.$=c),c})});var fi=O(()=>{+function(e){"use strict";function n(){var i=document.createElement("bootstrap"),_={WebkitTransition:"webkitTransitionEnd",MozTransition:"transitionend",OTransition:"oTransitionEnd otransitionend",transition:"transitionend"};for(var l in _)if(i.style[l]!==void 0)return{end:_[l]};return!1}e.fn.emulateTransitionEnd=function(i){var _=!1,l=this;e(this).one("bsTransitionEnd",function(){_=!0});var a=function(){_||e(l).trigger(e.support.transition.end)};return setTimeout(a,i),this},e(function(){e.support.transition=n(),e.support.transition&&(e.event.special.bsTransitionEnd={bindType:e.support.transition.end,delegateType:e.support.transition.end,handle:function(i){if(e(i.target).is(this))return i.handleObj.handler.apply(this,arguments)}})})}(jQuery)});var Si=O(()=>{+function(e){"use strict";var n='[data-dismiss="alert"]',i=function(a){e(a).on("click",n,this.close)};i.VERSION="3.4.1",i.TRANSITION_DURATION=150,i.prototype.close=function(a){var s=e(this),d=s.attr("data-target");d||(d=s.attr("href"),d=d&&d.replace(/.*(?=#[^\s]*$)/,"")),d=d==="#"?[]:d;var u=e(document).find(d);if(a&&a.preventDefault(),u.length||(u=s.closest(".alert")),u.trigger(a=e.Event("close.bs.alert")),a.isDefaultPrevented())return;u.removeClass("in");function E(){u.detach().trigger("closed.bs.alert").remove()}e.support.transition&&u.hasClass("fade")?u.one("bsTransitionEnd",E).emulateTransitionEnd(i.TRANSITION_DURATION):E()};function _(a){return this.each(function(){var s=e(this),d=s.data("bs.alert");d||s.data("bs.alert",d=new i(this)),typeof a=="string"&&d[a].call(s)})}var l=e.fn.alert;e.fn.alert=_,e.fn.alert.Constructor=i,e.fn.alert.noConflict=function(){return e.fn.alert=l,this},e(document).on("click.bs.alert.data-api",n,i.prototype.close)}(jQuery)});var hi=O(()=>{+function(e){"use strict";var n=function(l,a){this.$element=e(l),this.options=e.extend({},n.DEFAULTS,a),this.isLoading=!1};n.VERSION="3.4.1",n.DEFAULTS={loadingText:"loading..."},n.prototype.setState=function(l){var a="disabled",s=this.$element,d=s.is("input")?"val":"html",u=s.data();l+="Text",u.resetText==null&&s.data("resetText",s[d]()),setTimeout(e.proxy(function(){s[d](u[l]==null?this.options[l]:u[l]),l=="loadingText"?(this.isLoading=!0,s.addClass(a).attr(a,a).prop(a,!0)):this.isLoading&&(this.isLoading=!1,s.removeClass(a).removeAttr(a).prop(a,!1))},this),0)},n.prototype.toggle=function(){var l=!0,a=this.$element.closest('[data-toggle="buttons"]');if(a.length){var s=this.$element.find("input");s.prop("type")=="radio"?(s.prop("checked")&&(l=!1),a.find(".active").removeClass("active"),this.$element.addClass("active")):s.prop("type")=="checkbox"&&(s.prop("checked")!==this.$element.hasClass("active")&&(l=!1),this.$element.toggleClass("active")),s.prop("checked",this.$element.hasClass("active")),l&&s.trigger("change")}else this.$element.attr("aria-pressed",!this.$element.hasClass("active")),this.$element.toggleClass("active")};function i(l){return this.each(function(){var a=e(this),s=a.data("bs.button"),d=typeof l=="object"&&l;s||a.data("bs.button",s=new n(this,d)),l=="toggle"?s.toggle():l&&s.setState(l)})}var _=e.fn.button;e.fn.button=i,e.fn.button.Constructor=n,e.fn.button.noConflict=function(){return e.fn.button=_,this},e(document).on("click.bs.button.data-api",'[data-toggle^="button"]',function(l){var a=e(l.target).closest(".btn");i.call(a,"toggle"),e(l.target).is('input[type="radio"], input[type="checkbox"]')||(l.preventDefault(),a.is("input,button")?a.trigger("focus"):a.find("input:visible,button:visible").first().trigger("focus"))}).on("focus.bs.button.data-api blur.bs.button.data-api",'[data-toggle^="button"]',function(l){e(l.target).closest(".btn").toggleClass("focus",/^focus(in)?$/.test(l.type))})}(jQuery)});var Ti=O(()=>{+function(e){"use strict";var n=function(a,s){this.$element=e(a),this.$indicators=this.$element.find(".carousel-indicators"),this.options=s,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)),this.options.pause=="hover"&&!("ontouchstart"in document.documentElement)&&this.$element.on("mouseenter.bs.carousel",e.proxy(this.pause,this)).on("mouseleave.bs.carousel",e.proxy(this.cycle,this))};n.VERSION="3.4.1",n.TRANSITION_DURATION=600,n.DEFAULTS={interval:5e3,pause:"hover",wrap:!0,keyboard:!0},n.prototype.keydown=function(a){if(!/input|textarea/i.test(a.target.tagName)){switch(a.which){case 37:this.prev();break;case 39:this.next();break;default:return}a.preventDefault()}},n.prototype.cycle=function(a){return a||(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},n.prototype.getItemIndex=function(a){return this.$items=a.parent().children(".item"),this.$items.index(a||this.$active)},n.prototype.getItemForDirection=function(a,s){var d=this.getItemIndex(s),u=a=="prev"&&d===0||a=="next"&&d==this.$items.length-1;if(u&&!this.options.wrap)return s;var E=a=="prev"?-1:1,f=(d+E)%this.$items.length;return this.$items.eq(f)},n.prototype.to=function(a){var s=this,d=this.getItemIndex(this.$active=this.$element.find(".item.active"));if(!(a>this.$items.length-1||a<0))return this.sliding?this.$element.one("slid.bs.carousel",function(){s.to(a)}):d==a?this.pause().cycle():this.slide(a>d?"next":"prev",this.$items.eq(a))},n.prototype.pause=function(a){return a||(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},n.prototype.next=function(){if(!this.sliding)return this.slide("next")},n.prototype.prev=function(){if(!this.sliding)return this.slide("prev")},n.prototype.slide=function(a,s){var d=this.$element.find(".item.active"),u=s||this.getItemForDirection(a,d),E=this.interval,f=a=="next"?"left":"right",N=this;if(u.hasClass("active"))return this.sliding=!1;var S=u[0],h=e.Event("slide.bs.carousel",{relatedTarget:S,direction:f});if(this.$element.trigger(h),!h.isDefaultPrevented()){if(this.sliding=!0,E&&this.pause(),this.$indicators.length){this.$indicators.find(".active").removeClass("active");var C=e(this.$indicators.children()[this.getItemIndex(u)]);C&&C.addClass("active")}var I=e.Event("slid.bs.carousel",{relatedTarget:S,direction:f});return e.support.transition&&this.$element.hasClass("slide")?(u.addClass(a),typeof u=="object"&&u.length&&u[0].offsetWidth,d.addClass(f),u.addClass(f),d.one("bsTransitionEnd",function(){u.removeClass([a,f].join(" ")).addClass("active"),d.removeClass(["active",f].join(" ")),N.sliding=!1,setTimeout(function(){N.$element.trigger(I)},0)}).emulateTransitionEnd(n.TRANSITION_DURATION)):(d.removeClass("active"),u.addClass("active"),this.sliding=!1,this.$element.trigger(I)),E&&this.cycle(),this}};function i(a){return this.each(function(){var s=e(this),d=s.data("bs.carousel"),u=e.extend({},n.DEFAULTS,s.data(),typeof a=="object"&&a),E=typeof a=="string"?a:u.slide;d||s.data("bs.carousel",d=new n(this,u)),typeof a=="number"?d.to(a):E?d[E]():u.interval&&d.pause().cycle()})}var _=e.fn.carousel;e.fn.carousel=i,e.fn.carousel.Constructor=n,e.fn.carousel.noConflict=function(){return e.fn.carousel=_,this};var l=function(a){var s=e(this),d=s.attr("href");d&&(d=d.replace(/.*(?=#[^\s]+$)/,""));var u=s.attr("data-target")||d,E=e(document).find(u);if(E.hasClass("carousel")){var f=e.extend({},E.data(),s.data()),N=s.attr("data-slide-to");N&&(f.interval=!1),i.call(E,f),N&&E.data("bs.carousel").to(N),a.preventDefault()}};e(document).on("click.bs.carousel.data-api","[data-slide]",l).on("click.bs.carousel.data-api","[data-slide-to]",l),e(window).on("load",function(){e('[data-ride="carousel"]').each(function(){var a=e(this);i.call(a,a.data())})})}(jQuery)});var Ri=O(()=>{+function(e){"use strict";var n=function(a,s){this.$element=e(a),this.options=e.extend({},n.DEFAULTS,s),this.$trigger=e('[data-toggle="collapse"][href="#'+a.id+'"],[data-toggle="collapse"][data-target="#'+a.id+'"]'),this.transitioning=null,this.options.parent?this.$parent=this.getParent():this.addAriaAndCollapsedClass(this.$element,this.$trigger),this.options.toggle&&this.toggle()};n.VERSION="3.4.1",n.TRANSITION_DURATION=350,n.DEFAULTS={toggle:!0},n.prototype.dimension=function(){var a=this.$element.hasClass("width");return a?"width":"height"},n.prototype.show=function(){if(!(this.transitioning||this.$element.hasClass("in"))){var a,s=this.$parent&&this.$parent.children(".panel").children(".in, .collapsing");if(!(s&&s.length&&(a=s.data("bs.collapse"),a&&a.transitioning))){var d=e.Event("show.bs.collapse");if(this.$element.trigger(d),!d.isDefaultPrevented()){s&&s.length&&(_.call(s,"hide"),a||s.data("bs.collapse",null));var u=this.dimension();this.$element.removeClass("collapse").addClass("collapsing")[u](0).attr("aria-expanded",!0),this.$trigger.removeClass("collapsed").attr("aria-expanded",!0),this.transitioning=1;var E=function(){this.$element.removeClass("collapsing").addClass("collapse in")[u](""),this.transitioning=0,this.$element.trigger("shown.bs.collapse")};if(!e.support.transition)return E.call(this);var f=e.camelCase(["scroll",u].join("-"));this.$element.one("bsTransitionEnd",e.proxy(E,this)).emulateTransitionEnd(n.TRANSITION_DURATION)[u](this.$element[0][f])}}}},n.prototype.hide=function(){if(!(this.transitioning||!this.$element.hasClass("in"))){var a=e.Event("hide.bs.collapse");if(this.$element.trigger(a),!a.isDefaultPrevented()){var s=this.dimension();this.$element[s](this.$element[s]())[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 d=function(){this.transitioning=0,this.$element.removeClass("collapsing").addClass("collapse").trigger("hidden.bs.collapse")};if(!e.support.transition)return d.call(this);this.$element[s](0).one("bsTransitionEnd",e.proxy(d,this)).emulateTransitionEnd(n.TRANSITION_DURATION)}}},n.prototype.toggle=function(){this[this.$element.hasClass("in")?"hide":"show"]()},n.prototype.getParent=function(){return e(document).find(this.options.parent).find('[data-toggle="collapse"][data-parent="'+this.options.parent+'"]').each(e.proxy(function(a,s){var d=e(s);this.addAriaAndCollapsedClass(i(d),d)},this)).end()},n.prototype.addAriaAndCollapsedClass=function(a,s){var d=a.hasClass("in");a.attr("aria-expanded",d),s.toggleClass("collapsed",!d).attr("aria-expanded",d)};function i(a){var s,d=a.attr("data-target")||(s=a.attr("href"))&&s.replace(/.*(?=#[^\s]+$)/,"");return e(document).find(d)}function _(a){return this.each(function(){var s=e(this),d=s.data("bs.collapse"),u=e.extend({},n.DEFAULTS,s.data(),typeof a=="object"&&a);!d&&u.toggle&&/show|hide/.test(a)&&(u.toggle=!1),d||s.data("bs.collapse",d=new n(this,u)),typeof a=="string"&&d[a]()})}var l=e.fn.collapse;e.fn.collapse=_,e.fn.collapse.Constructor=n,e.fn.collapse.noConflict=function(){return e.fn.collapse=l,this},e(document).on("click.bs.collapse.data-api",'[data-toggle="collapse"]',function(a){var s=e(this);s.attr("data-target")||a.preventDefault();var d=i(s),u=d.data("bs.collapse"),E=u?"toggle":s.data();_.call(d,E)})}(jQuery)});var Ci=O(()=>{+function(e){"use strict";var n=".dropdown-backdrop",i='[data-toggle="dropdown"]',_=function(u){e(u).on("click.bs.dropdown",this.toggle)};_.VERSION="3.4.1";function l(u){var E=u.attr("data-target");E||(E=u.attr("href"),E=E&&/#[A-Za-z]/.test(E)&&E.replace(/.*(?=#[^\s]*$)/,""));var f=E!=="#"?e(document).find(E):null;return f&&f.length?f:u.parent()}function a(u){u&&u.which===3||(e(n).remove(),e(i).each(function(){var E=e(this),f=l(E),N={relatedTarget:this};f.hasClass("open")&&(u&&u.type=="click"&&/input|textarea/i.test(u.target.tagName)&&e.contains(f[0],u.target)||(f.trigger(u=e.Event("hide.bs.dropdown",N)),!u.isDefaultPrevented()&&(E.attr("aria-expanded","false"),f.removeClass("open").trigger(e.Event("hidden.bs.dropdown",N)))))}))}_.prototype.toggle=function(u){var E=e(this);if(!E.is(".disabled, :disabled")){var f=l(E),N=f.hasClass("open");if(a(),!N){"ontouchstart"in document.documentElement&&!f.closest(".navbar-nav").length&&e(document.createElement("div")).addClass("dropdown-backdrop").insertAfter(e(this)).on("click",a);var S={relatedTarget:this};if(f.trigger(u=e.Event("show.bs.dropdown",S)),u.isDefaultPrevented())return;E.trigger("focus").attr("aria-expanded","true"),f.toggleClass("open").trigger(e.Event("shown.bs.dropdown",S))}return!1}},_.prototype.keydown=function(u){if(!(!/(38|40|27|32)/.test(u.which)||/input|textarea/i.test(u.target.tagName))){var E=e(this);if(u.preventDefault(),u.stopPropagation(),!E.is(".disabled, :disabled")){var f=l(E),N=f.hasClass("open");if(!N&&u.which!=27||N&&u.which==27)return u.which==27&&f.find(i).trigger("focus"),E.trigger("click");var S=" li:not(.disabled):visible a",h=f.find(".dropdown-menu"+S);if(h.length){var C=h.index(u.target);u.which==38&&C>0&&C--,u.which==40&&C<h.length-1&&C++,~C||(C=0),h.eq(C).trigger("focus")}}}};function s(u){return this.each(function(){var E=e(this),f=E.data("bs.dropdown");f||E.data("bs.dropdown",f=new _(this)),typeof u=="string"&&f[u].call(E)})}var d=e.fn.dropdown;e.fn.dropdown=s,e.fn.dropdown.Constructor=_,e.fn.dropdown.noConflict=function(){return e.fn.dropdown=d,this},e(document).on("click.bs.dropdown.data-api",a).on("click.bs.dropdown.data-api",".dropdown form",function(u){u.stopPropagation()}).on("click.bs.dropdown.data-api",i,_.prototype.toggle).on("keydown.bs.dropdown.data-api",i,_.prototype.keydown).on("keydown.bs.dropdown.data-api",".dropdown-menu",_.prototype.keydown)}(jQuery)});var vi=O(()=>{+function(e){"use strict";var n=function(l,a){this.options=a,this.$body=e(document.body),this.$element=e(l),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))};n.VERSION="3.4.1",n.TRANSITION_DURATION=300,n.BACKDROP_TRANSITION_DURATION=150,n.DEFAULTS={backdrop:!0,keyboard:!0,show:!0},n.prototype.toggle=function(l){return this.isShown?this.hide():this.show(l)},n.prototype.show=function(l){var a=this,s=e.Event("show.bs.modal",{relatedTarget:l});this.$element.trigger(s),!(this.isShown||s.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(){a.$element.one("mouseup.dismiss.bs.modal",function(d){e(d.target).is(a.$element)&&(a.ignoreBackdropClick=!0)})}),this.backdrop(function(){var d=e.support.transition&&a.$element.hasClass("fade");a.$element.parent().length||a.$element.appendTo(a.$body),a.$element.show().scrollTop(0),a.adjustDialog(),d&&a.$element[0].offsetWidth,a.$element.addClass("in"),a.enforceFocus();var u=e.Event("shown.bs.modal",{relatedTarget:l});d?a.$dialog.one("bsTransitionEnd",function(){a.$element.trigger("focus").trigger(u)}).emulateTransitionEnd(n.TRANSITION_DURATION):a.$element.trigger("focus").trigger(u)}))},n.prototype.hide=function(l){l&&l.preventDefault(),l=e.Event("hide.bs.modal"),this.$element.trigger(l),!(!this.isShown||l.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(n.TRANSITION_DURATION):this.hideModal())},n.prototype.enforceFocus=function(){e(document).off("focusin.bs.modal").on("focusin.bs.modal",e.proxy(function(l){document!==l.target&&this.$element[0]!==l.target&&!this.$element.has(l.target).length&&this.$element.trigger("focus")},this))},n.prototype.escape=function(){this.isShown&&this.options.keyboard?this.$element.on("keydown.dismiss.bs.modal",e.proxy(function(l){l.which==27&&this.hide()},this)):this.isShown||this.$element.off("keydown.dismiss.bs.modal")},n.prototype.resize=function(){this.isShown?e(window).on("resize.bs.modal",e.proxy(this.handleUpdate,this)):e(window).off("resize.bs.modal")},n.prototype.hideModal=function(){var l=this;this.$element.hide(),this.backdrop(function(){l.$body.removeClass("modal-open"),l.resetAdjustments(),l.resetScrollbar(),l.$element.trigger("hidden.bs.modal")})},n.prototype.removeBackdrop=function(){this.$backdrop&&this.$backdrop.remove(),this.$backdrop=null},n.prototype.backdrop=function(l){var a=this,s=this.$element.hasClass("fade")?"fade":"";if(this.isShown&&this.options.backdrop){var d=e.support.transition&&s;if(this.$backdrop=e(document.createElement("div")).addClass("modal-backdrop "+s).appendTo(this.$body),this.$element.on("click.dismiss.bs.modal",e.proxy(function(E){if(this.ignoreBackdropClick){this.ignoreBackdropClick=!1;return}E.target===E.currentTarget&&(this.options.backdrop=="static"?this.$element[0].focus():this.hide())},this)),d&&this.$backdrop[0].offsetWidth,this.$backdrop.addClass("in"),!l)return;d?this.$backdrop.one("bsTransitionEnd",l).emulateTransitionEnd(n.BACKDROP_TRANSITION_DURATION):l()}else if(!this.isShown&&this.$backdrop){this.$backdrop.removeClass("in");var u=function(){a.removeBackdrop(),l&&l()};e.support.transition&&this.$element.hasClass("fade")?this.$backdrop.one("bsTransitionEnd",u).emulateTransitionEnd(n.BACKDROP_TRANSITION_DURATION):u()}else l&&l()},n.prototype.handleUpdate=function(){this.adjustDialog()},n.prototype.adjustDialog=function(){var l=this.$element[0].scrollHeight>document.documentElement.clientHeight;this.$element.css({paddingLeft:!this.bodyIsOverflowing&&l?this.scrollbarWidth:"",paddingRight:this.bodyIsOverflowing&&!l?this.scrollbarWidth:""})},n.prototype.resetAdjustments=function(){this.$element.css({paddingLeft:"",paddingRight:""})},n.prototype.checkScrollbar=function(){var l=window.innerWidth;if(!l){var a=document.documentElement.getBoundingClientRect();l=a.right-Math.abs(a.left)}this.bodyIsOverflowing=document.body.clientWidth<l,this.scrollbarWidth=this.measureScrollbar()},n.prototype.setScrollbar=function(){var l=parseInt(this.$body.css("padding-right")||0,10);this.originalBodyPad=document.body.style.paddingRight||"";var a=this.scrollbarWidth;this.bodyIsOverflowing&&(this.$body.css("padding-right",l+a),e(this.fixedContent).each(function(s,d){var u=d.style.paddingRight,E=e(d).css("padding-right");e(d).data("padding-right",u).css("padding-right",parseFloat(E)+a+"px")}))},n.prototype.resetScrollbar=function(){this.$body.css("padding-right",this.originalBodyPad),e(this.fixedContent).each(function(l,a){var s=e(a).data("padding-right");e(a).removeData("padding-right"),a.style.paddingRight=s||""})},n.prototype.measureScrollbar=function(){var l=document.createElement("div");l.className="modal-scrollbar-measure",this.$body.append(l);var a=l.offsetWidth-l.clientWidth;return this.$body[0].removeChild(l),a};function i(l,a){return this.each(function(){var s=e(this),d=s.data("bs.modal"),u=e.extend({},n.DEFAULTS,s.data(),typeof l=="object"&&l);d||s.data("bs.modal",d=new n(this,u)),typeof l=="string"?d[l](a):u.show&&d.show(a)})}var _=e.fn.modal;e.fn.modal=i,e.fn.modal.Constructor=n,e.fn.modal.noConflict=function(){return e.fn.modal=_,this},e(document).on("click.bs.modal.data-api",'[data-toggle="modal"]',function(l){var a=e(this),s=a.attr("href"),d=a.attr("data-target")||s&&s.replace(/.*(?=#[^\s]+$)/,""),u=e(document).find(d),E=u.data("bs.modal")?"toggle":e.extend({remote:!/#/.test(s)&&s},u.data(),a.data());a.is("a")&&l.preventDefault(),u.one("show.bs.modal",function(f){f.isDefaultPrevented()||u.one("hidden.bs.modal",function(){a.is(":visible")&&a.trigger("focus")})}),i.call(u,E,this)})}(jQuery)});var Ni=O(()=>{+function(e){"use strict";var n=["sanitize","whiteList","sanitizeFn"],i=["background","cite","href","itemtype","longdesc","poster","src","xlink:href"],_=/^aria-[\w-]*$/i,l={"*":["class","dir","id","lang","role",_],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:[]},a=/^(?:(?:https?|mailto|ftp|tel|file):|[^&:/?#]*(?:[/?#]|$))/gi,s=/^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 d(S,h){var C=S.nodeName.toLowerCase();if(e.inArray(C,h)!==-1)return e.inArray(C,i)!==-1?!!(S.nodeValue.match(a)||S.nodeValue.match(s)):!0;for(var I=e(h).filter(function(q,B){return B instanceof RegExp}),x=0,F=I.length;x<F;x++)if(C.match(I[x]))return!0;return!1}function u(S,h,C){if(S.length===0)return S;if(C&&typeof C=="function")return C(S);if(!document.implementation||!document.implementation.createHTMLDocument)return S;var I=document.implementation.createHTMLDocument("sanitization");I.body.innerHTML=S;for(var x=e.map(h,function(ne,Te){return Te}),F=e(I.body).find("*"),q=0,B=F.length;q<B;q++){var Y=F[q],z=Y.nodeName.toLowerCase();if(e.inArray(z,x)===-1){Y.parentNode.removeChild(Y);continue}for(var c=e.map(Y.attributes,function(ne){return ne}),te=[].concat(h["*"]||[],h[z]||[]),K=0,ce=c.length;K<ce;K++)d(c[K],te)||Y.removeAttribute(c[K].nodeName)}return I.body.innerHTML}var E=function(S,h){this.type=null,this.options=null,this.enabled=null,this.timeout=null,this.hoverState=null,this.$element=null,this.inState=null,this.init("tooltip",S,h)};E.VERSION="3.4.1",E.TRANSITION_DURATION=150,E.DEFAULTS={animation:!0,placement:"top",selector:!1,template:'<div class="tooltip" role="tooltip"><div class="tooltip-arrow"></div><div class="tooltip-inner"></div></div>',trigger:"hover focus",title:"",delay:0,html:!1,container:!1,viewport:{selector:"body",padding:0},sanitize:!0,sanitizeFn:null,whiteList:l},E.prototype.init=function(S,h,C){if(this.enabled=!0,this.type=S,this.$element=e(h),this.options=this.getOptions(C),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 I=this.options.trigger.split(" "),x=I.length;x--;){var F=I[x];if(F=="click")this.$element.on("click."+this.type,this.options.selector,e.proxy(this.toggle,this));else if(F!="manual"){var q=F=="hover"?"mouseenter":"focusin",B=F=="hover"?"mouseleave":"focusout";this.$element.on(q+"."+this.type,this.options.selector,e.proxy(this.enter,this)),this.$element.on(B+"."+this.type,this.options.selector,e.proxy(this.leave,this))}}this.options.selector?this._options=e.extend({},this.options,{trigger:"manual",selector:""}):this.fixTitle()},E.prototype.getDefaults=function(){return E.DEFAULTS},E.prototype.getOptions=function(S){var h=this.$element.data();for(var C in h)h.hasOwnProperty(C)&&e.inArray(C,n)!==-1&&delete h[C];return S=e.extend({},this.getDefaults(),h,S),S.delay&&typeof S.delay=="number"&&(S.delay={show:S.delay,hide:S.delay}),S.sanitize&&(S.template=u(S.template,S.whiteList,S.sanitizeFn)),S},E.prototype.getDelegateOptions=function(){var S={},h=this.getDefaults();return this._options&&e.each(this._options,function(C,I){h[C]!=I&&(S[C]=I)}),S},E.prototype.enter=function(S){var h=S instanceof this.constructor?S:e(S.currentTarget).data("bs."+this.type);if(h||(h=new this.constructor(S.currentTarget,this.getDelegateOptions()),e(S.currentTarget).data("bs."+this.type,h)),S instanceof e.Event&&(h.inState[S.type=="focusin"?"focus":"hover"]=!0),h.tip().hasClass("in")||h.hoverState=="in"){h.hoverState="in";return}if(clearTimeout(h.timeout),h.hoverState="in",!h.options.delay||!h.options.delay.show)return h.show();h.timeout=setTimeout(function(){h.hoverState=="in"&&h.show()},h.options.delay.show)},E.prototype.isInStateTrue=function(){for(var S in this.inState)if(this.inState[S])return!0;return!1},E.prototype.leave=function(S){var h=S instanceof this.constructor?S:e(S.currentTarget).data("bs."+this.type);if(h||(h=new this.constructor(S.currentTarget,this.getDelegateOptions()),e(S.currentTarget).data("bs."+this.type,h)),S instanceof e.Event&&(h.inState[S.type=="focusout"?"focus":"hover"]=!1),!h.isInStateTrue()){if(clearTimeout(h.timeout),h.hoverState="out",!h.options.delay||!h.options.delay.hide)return h.hide();h.timeout=setTimeout(function(){h.hoverState=="out"&&h.hide()},h.options.delay.hide)}},E.prototype.show=function(){var S=e.Event("show.bs."+this.type);if(this.hasContent()&&this.enabled){this.$element.trigger(S);var h=e.contains(this.$element[0].ownerDocument.documentElement,this.$element[0]);if(S.isDefaultPrevented()||!h)return;var C=this,I=this.tip(),x=this.getUID(this.type);this.setContent(),I.attr("id",x),this.$element.attr("aria-describedby",x),this.options.animation&&I.addClass("fade");var F=typeof this.options.placement=="function"?this.options.placement.call(this,I[0],this.$element[0]):this.options.placement,q=/\s?auto?\s?/i,B=q.test(F);B&&(F=F.replace(q,"")||"top"),I.detach().css({top:0,left:0,display:"block"}).addClass(F).data("bs."+this.type,this),this.options.container?I.appendTo(e(document).find(this.options.container)):I.insertAfter(this.$element),this.$element.trigger("inserted.bs."+this.type);var Y=this.getPosition(),z=I[0].offsetWidth,c=I[0].offsetHeight;if(B){var te=F,K=this.getPosition(this.$viewport);F=F=="bottom"&&Y.bottom+c>K.bottom?"top":F=="top"&&Y.top-c<K.top?"bottom":F=="right"&&Y.right+z>K.width?"left":F=="left"&&Y.left-z<K.left?"right":F,I.removeClass(te).addClass(F)}var ce=this.getCalculatedOffset(F,Y,z,c);this.applyPlacement(ce,F);var ne=function(){var Te=C.hoverState;C.$element.trigger("shown.bs."+C.type),C.hoverState=null,Te=="out"&&C.leave(C)};e.support.transition&&this.$tip.hasClass("fade")?I.one("bsTransitionEnd",ne).emulateTransitionEnd(E.TRANSITION_DURATION):ne()}},E.prototype.applyPlacement=function(S,h){var C=this.tip(),I=C[0].offsetWidth,x=C[0].offsetHeight,F=parseInt(C.css("margin-top"),10),q=parseInt(C.css("margin-left"),10);isNaN(F)&&(F=0),isNaN(q)&&(q=0),S.top+=F,S.left+=q,e.offset.setOffset(C[0],e.extend({using:function(ce){C.css({top:Math.round(ce.top),left:Math.round(ce.left)})}},S),0),C.addClass("in");var B=C[0].offsetWidth,Y=C[0].offsetHeight;h=="top"&&Y!=x&&(S.top=S.top+x-Y);var z=this.getViewportAdjustedDelta(h,S,B,Y);z.left?S.left+=z.left:S.top+=z.top;var c=/top|bottom/.test(h),te=c?z.left*2-I+B:z.top*2-x+Y,K=c?"offsetWidth":"offsetHeight";C.offset(S),this.replaceArrow(te,C[0][K],c)},E.prototype.replaceArrow=function(S,h,C){this.arrow().css(C?"left":"top",50*(1-S/h)+"%").css(C?"top":"left","")},E.prototype.setContent=function(){var S=this.tip(),h=this.getTitle();this.options.html?(this.options.sanitize&&(h=u(h,this.options.whiteList,this.options.sanitizeFn)),S.find(".tooltip-inner").html(h)):S.find(".tooltip-inner").text(h),S.removeClass("fade in top bottom left right")},E.prototype.hide=function(S){var h=this,C=e(this.$tip),I=e.Event("hide.bs."+this.type);function x(){h.hoverState!="in"&&C.detach(),h.$element&&h.$element.removeAttr("aria-describedby").trigger("hidden.bs."+h.type),S&&S()}if(this.$element.trigger(I),!I.isDefaultPrevented())return C.removeClass("in"),e.support.transition&&C.hasClass("fade")?C.one("bsTransitionEnd",x).emulateTransitionEnd(E.TRANSITION_DURATION):x(),this.hoverState=null,this},E.prototype.fixTitle=function(){var S=this.$element;(S.attr("title")||typeof S.attr("data-original-title")!="string")&&S.attr("data-original-title",S.attr("title")||"").attr("title","")},E.prototype.hasContent=function(){return this.getTitle()},E.prototype.getPosition=function(S){S=S||this.$element;var h=S[0],C=h.tagName=="BODY",I=h.getBoundingClientRect();I.width==null&&(I=e.extend({},I,{width:I.right-I.left,height:I.bottom-I.top}));var x=window.SVGElement&&h instanceof window.SVGElement,F=C?{top:0,left:0}:x?null:S.offset(),q={scroll:C?document.documentElement.scrollTop||document.body.scrollTop:S.scrollTop()},B=C?{width:e(window).width(),height:e(window).height()}:null;return e.extend({},I,q,B,F)},E.prototype.getCalculatedOffset=function(S,h,C,I){return S=="bottom"?{top:h.top+h.height,left:h.left+h.width/2-C/2}:S=="top"?{top:h.top-I,left:h.left+h.width/2-C/2}:S=="left"?{top:h.top+h.height/2-I/2,left:h.left-C}:{top:h.top+h.height/2-I/2,left:h.left+h.width}},E.prototype.getViewportAdjustedDelta=function(S,h,C,I){var x={top:0,left:0};if(!this.$viewport)return x;var F=this.options.viewport&&this.options.viewport.padding||0,q=this.getPosition(this.$viewport);if(/right|left/.test(S)){var B=h.top-F-q.scroll,Y=h.top+F-q.scroll+I;B<q.top?x.top=q.top-B:Y>q.top+q.height&&(x.top=q.top+q.height-Y)}else{var z=h.left-F,c=h.left+F+C;z<q.left?x.left=q.left-z:c>q.right&&(x.left=q.left+q.width-c)}return x},E.prototype.getTitle=function(){var S,h=this.$element,C=this.options;return S=h.attr("data-original-title")||(typeof C.title=="function"?C.title.call(h[0]):C.title),S},E.prototype.getUID=function(S){do S+=~~(Math.random()*1e6);while(document.getElementById(S));return S},E.prototype.tip=function(){if(!this.$tip&&(this.$tip=e(this.options.template),this.$tip.length!=1))throw new Error(this.type+" `template` option must consist of exactly 1 top-level element!");return this.$tip},E.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".tooltip-arrow")},E.prototype.enable=function(){this.enabled=!0},E.prototype.disable=function(){this.enabled=!1},E.prototype.toggleEnabled=function(){this.enabled=!this.enabled},E.prototype.toggle=function(S){var h=this;S&&(h=e(S.currentTarget).data("bs."+this.type),h||(h=new this.constructor(S.currentTarget,this.getDelegateOptions()),e(S.currentTarget).data("bs."+this.type,h))),S?(h.inState.click=!h.inState.click,h.isInStateTrue()?h.enter(h):h.leave(h)):h.tip().hasClass("in")?h.leave(h):h.enter(h)},E.prototype.destroy=function(){var S=this;clearTimeout(this.timeout),this.hide(function(){S.$element.off("."+S.type).removeData("bs."+S.type),S.$tip&&S.$tip.detach(),S.$tip=null,S.$arrow=null,S.$viewport=null,S.$element=null})},E.prototype.sanitizeHtml=function(S){return u(S,this.options.whiteList,this.options.sanitizeFn)};function f(S){return this.each(function(){var h=e(this),C=h.data("bs.tooltip"),I=typeof S=="object"&&S;!C&&/destroy|hide/.test(S)||(C||h.data("bs.tooltip",C=new E(this,I)),typeof S=="string"&&C[S]())})}var N=e.fn.tooltip;e.fn.tooltip=f,e.fn.tooltip.Constructor=E,e.fn.tooltip.noConflict=function(){return e.fn.tooltip=N,this}}(jQuery)});var Oi=O(()=>{+function(e){"use strict";var n=function(l,a){this.init("popover",l,a)};if(!e.fn.tooltip)throw new Error("Popover requires tooltip.js");n.VERSION="3.4.1",n.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>'}),n.prototype=e.extend({},e.fn.tooltip.Constructor.prototype),n.prototype.constructor=n,n.prototype.getDefaults=function(){return n.DEFAULTS},n.prototype.setContent=function(){var l=this.tip(),a=this.getTitle(),s=this.getContent();if(this.options.html){var d=typeof s;this.options.sanitize&&(a=this.sanitizeHtml(a),d==="string"&&(s=this.sanitizeHtml(s))),l.find(".popover-title").html(a),l.find(".popover-content").children().detach().end()[d==="string"?"html":"append"](s)}else l.find(".popover-title").text(a),l.find(".popover-content").children().detach().end().text(s);l.removeClass("fade top bottom left right in"),l.find(".popover-title").html()||l.find(".popover-title").hide()},n.prototype.hasContent=function(){return this.getTitle()||this.getContent()},n.prototype.getContent=function(){var l=this.$element,a=this.options;return l.attr("data-content")||(typeof a.content=="function"?a.content.call(l[0]):a.content)},n.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".arrow")};function i(l){return this.each(function(){var a=e(this),s=a.data("bs.popover"),d=typeof l=="object"&&l;!s&&/destroy|hide/.test(l)||(s||a.data("bs.popover",s=new n(this,d)),typeof l=="string"&&s[l]())})}var _=e.fn.popover;e.fn.popover=i,e.fn.popover.Constructor=n,e.fn.popover.noConflict=function(){return e.fn.popover=_,this}}(jQuery)});var Ai=O(()=>{+function(e){"use strict";function n(l,a){this.$body=e(document.body),this.$scrollElement=e(l).is(document.body)?e(window):e(l),this.options=e.extend({},n.DEFAULTS,a),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()}n.VERSION="3.4.1",n.DEFAULTS={offset:10},n.prototype.getScrollHeight=function(){return this.$scrollElement[0].scrollHeight||Math.max(this.$body[0].scrollHeight,document.documentElement.scrollHeight)},n.prototype.refresh=function(){var l=this,a="offset",s=0;this.offsets=[],this.targets=[],this.scrollHeight=this.getScrollHeight(),e.isWindow(this.$scrollElement[0])||(a="position",s=this.$scrollElement.scrollTop()),this.$body.find(this.selector).map(function(){var d=e(this),u=d.data("target")||d.attr("href"),E=/^#./.test(u)&&e(u);return E&&E.length&&E.is(":visible")&&[[E[a]().top+s,u]]||null}).sort(function(d,u){return d[0]-u[0]}).each(function(){l.offsets.push(this[0]),l.targets.push(this[1])})},n.prototype.process=function(){var l=this.$scrollElement.scrollTop()+this.options.offset,a=this.getScrollHeight(),s=this.options.offset+a-this.$scrollElement.height(),d=this.offsets,u=this.targets,E=this.activeTarget,f;if(this.scrollHeight!=a&&this.refresh(),l>=s)return E!=(f=u[u.length-1])&&this.activate(f);if(E&&l<d[0])return this.activeTarget=null,this.clear();for(f=d.length;f--;)E!=u[f]&&l>=d[f]&&(d[f+1]===void 0||l<d[f+1])&&this.activate(u[f])},n.prototype.activate=function(l){this.activeTarget=l,this.clear();var a=this.selector+'[data-target="'+l+'"],'+this.selector+'[href="'+l+'"]',s=e(a).parents("li").addClass("active");s.parent(".dropdown-menu").length&&(s=s.closest("li.dropdown").addClass("active")),s.trigger("activate.bs.scrollspy")},n.prototype.clear=function(){e(this.selector).parentsUntil(this.options.target,".active").removeClass("active")};function i(l){return this.each(function(){var a=e(this),s=a.data("bs.scrollspy"),d=typeof l=="object"&&l;s||a.data("bs.scrollspy",s=new n(this,d)),typeof l=="string"&&s[l]()})}var _=e.fn.scrollspy;e.fn.scrollspy=i,e.fn.scrollspy.Constructor=n,e.fn.scrollspy.noConflict=function(){return e.fn.scrollspy=_,this},e(window).on("load.bs.scrollspy.data-api",function(){e('[data-spy="scroll"]').each(function(){var l=e(this);i.call(l,l.data())})})}(jQuery)});var yi=O(()=>{+function(e){"use strict";var n=function(a){this.element=e(a)};n.VERSION="3.4.1",n.TRANSITION_DURATION=150,n.prototype.show=function(){var a=this.element,s=a.closest("ul:not(.dropdown-menu)"),d=a.data("target");if(d||(d=a.attr("href"),d=d&&d.replace(/.*(?=#[^\s]*$)/,"")),!a.parent("li").hasClass("active")){var u=s.find(".active:last a"),E=e.Event("hide.bs.tab",{relatedTarget:a[0]}),f=e.Event("show.bs.tab",{relatedTarget:u[0]});if(u.trigger(E),a.trigger(f),!(f.isDefaultPrevented()||E.isDefaultPrevented())){var N=e(document).find(d);this.activate(a.closest("li"),s),this.activate(N,N.parent(),function(){u.trigger({type:"hidden.bs.tab",relatedTarget:a[0]}),a.trigger({type:"shown.bs.tab",relatedTarget:u[0]})})}}},n.prototype.activate=function(a,s,d){var u=s.find("> .active"),E=d&&e.support.transition&&(u.length&&u.hasClass("fade")||!!s.find("> .fade").length);function f(){u.removeClass("active").find("> .dropdown-menu > .active").removeClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!1),a.addClass("active").find('[data-toggle="tab"]').attr("aria-expanded",!0),E?(a[0].offsetWidth,a.addClass("in")):a.removeClass("fade"),a.parent(".dropdown-menu").length&&a.closest("li.dropdown").addClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!0),d&&d()}u.length&&E?u.one("bsTransitionEnd",f).emulateTransitionEnd(n.TRANSITION_DURATION):f(),u.removeClass("in")};function i(a){return this.each(function(){var s=e(this),d=s.data("bs.tab");d||s.data("bs.tab",d=new n(this)),typeof a=="string"&&d[a]()})}var _=e.fn.tab;e.fn.tab=i,e.fn.tab.Constructor=n,e.fn.tab.noConflict=function(){return e.fn.tab=_,this};var l=function(a){a.preventDefault(),i.call(e(this),"show")};e(document).on("click.bs.tab.data-api",'[data-toggle="tab"]',l).on("click.bs.tab.data-api",'[data-toggle="pill"]',l)}(jQuery)});var Ii=O(()=>{+function(e){"use strict";var n=function(l,a){this.options=e.extend({},n.DEFAULTS,a);var s=this.options.target===n.DEFAULTS.target?e(this.options.target):e(document).find(this.options.target);this.$target=s.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(l),this.affixed=null,this.unpin=null,this.pinnedOffset=null,this.checkPosition()};n.VERSION="3.4.1",n.RESET="affix affix-top affix-bottom",n.DEFAULTS={offset:0,target:window},n.prototype.getState=function(l,a,s,d){var u=this.$target.scrollTop(),E=this.$element.offset(),f=this.$target.height();if(s!=null&&this.affixed=="top")return u<s?"top":!1;if(this.affixed=="bottom")return s!=null?u+this.unpin<=E.top?!1:"bottom":u+f<=l-d?!1:"bottom";var N=this.affixed==null,S=N?u:E.top,h=N?f:a;return s!=null&&u<=s?"top":d!=null&&S+h>=l-d?"bottom":!1},n.prototype.getPinnedOffset=function(){if(this.pinnedOffset)return this.pinnedOffset;this.$element.removeClass(n.RESET).addClass("affix");var l=this.$target.scrollTop(),a=this.$element.offset();return this.pinnedOffset=a.top-l},n.prototype.checkPositionWithEventLoop=function(){setTimeout(e.proxy(this.checkPosition,this),1)},n.prototype.checkPosition=function(){if(this.$element.is(":visible")){var l=this.$element.height(),a=this.options.offset,s=a.top,d=a.bottom,u=Math.max(e(document).height(),e(document.body).height());typeof a!="object"&&(d=s=a),typeof s=="function"&&(s=a.top(this.$element)),typeof d=="function"&&(d=a.bottom(this.$element));var E=this.getState(u,l,s,d);if(this.affixed!=E){this.unpin!=null&&this.$element.css("top","");var f="affix"+(E?"-"+E:""),N=e.Event(f+".bs.affix");if(this.$element.trigger(N),N.isDefaultPrevented())return;this.affixed=E,this.unpin=E=="bottom"?this.getPinnedOffset():null,this.$element.removeClass(n.RESET).addClass(f).trigger(f.replace("affix","affixed")+".bs.affix")}E=="bottom"&&this.$element.offset({top:u-l-d})}};function i(l){return this.each(function(){var a=e(this),s=a.data("bs.affix"),d=typeof l=="object"&&l;s||a.data("bs.affix",s=new n(this,d)),typeof l=="string"&&s[l]()})}var _=e.fn.affix;e.fn.affix=i,e.fn.affix.Constructor=n,e.fn.affix.noConflict=function(){return e.fn.affix=_,this},e(window).on("load",function(){e('[data-spy="affix"]').each(function(){var l=e(this),a=l.data();a.offset=a.offset||{},a.offsetBottom!=null&&(a.offset.bottom=a.offsetBottom),a.offsetTop!=null&&(a.offset.top=a.offsetTop),i.call(l,a)})})}(jQuery)});var Di=O(()=>{fi();Si();hi();Ti();Ri();Ci();vi();Ni();Oi();Ai();yi();Ii()});var xi=O(()=>{(function(e,n,i,_){"use strict";var l=e.fn.twbsPagination,a=function(s,d){if(this.$element=e(s),this.options=e.extend({},e.fn.twbsPagination.defaults,d),this.options.startPage<1||this.options.startPage>this.options.totalPages)throw new Error("Start page option is incorrect");if(this.options.totalPages=parseInt(this.options.totalPages),isNaN(this.options.totalPages))throw new Error("Total pages option is not correct!");if(this.options.visiblePages=parseInt(this.options.visiblePages),isNaN(this.options.visiblePages))throw new Error("Visible pages option is not correct!");if(this.options.totalPages<this.options.visiblePages&&(this.options.visiblePages=this.options.totalPages),this.options.onPageClick instanceof Function&&this.$element.first().on("page",this.options.onPageClick),this.options.href){var u,E=this.options.href.replace(/[-\/\\^$*+?.|[\]]/g,"\\$&");E=E.replace(this.options.hrefVariable,"(\\d+)"),(u=new RegExp(E,"i").exec(n.location.href))!=null&&(this.options.startPage=parseInt(u[1],10))}var f=typeof this.$element.prop=="function"?this.$element.prop("tagName"):this.$element.attr("tagName");return f==="UL"?this.$listContainer=this.$element:this.$listContainer=e("<ul></ul>"),this.$listContainer.addClass(this.options.paginationClass),f!=="UL"&&this.$element.append(this.$listContainer),this.render(this.getPages(this.options.startPage)),this.setupEvents(),this.options.initiateStartPageClick&&this.$element.trigger("page",this.options.startPage),this};a.prototype={constructor:a,destroy:function(){return this.$element.empty(),this.$element.removeData("twbs-pagination"),this.$element.off("page"),this},show:function(s){if(s<1||s>this.options.totalPages)throw new Error("Page is incorrect.");return this.render(this.getPages(s)),this.setupEvents(),this.$element.trigger("page",s),this},buildListItems:function(s){var d=[];if(this.options.first&&d.push(this.buildItem("first",1)),this.options.prev){var u=s.currentPage>1?s.currentPage-1:this.options.loop?this.options.totalPages:1;d.push(this.buildItem("prev",u))}for(var E=0;E<s.numeric.length;E++)d.push(this.buildItem("page",s.numeric[E]));if(this.options.next){var f=s.currentPage<this.options.totalPages?s.currentPage+1:this.options.loop?1:this.options.totalPages;d.push(this.buildItem("next",f))}return this.options.last&&d.push(this.buildItem("last",this.options.totalPages)),d},buildItem:function(s,d){var u=e("<li></li>"),E=e("<a></a>"),f=null;switch(s){case"page":f=d,u.addClass(this.options.pageClass);break;case"first":f=this.options.first,u.addClass(this.options.firstClass);break;case"prev":f=this.options.prev,u.addClass(this.options.prevClass);break;case"next":f=this.options.next,u.addClass(this.options.nextClass);break;case"last":f=this.options.last,u.addClass(this.options.lastClass);break;default:break}return u.data("page",d),u.data("page-type",s),u.append(E.attr("href",this.makeHref(d)).html(f)),u},getPages:function(s){var d=[],u=Math.floor(this.options.visiblePages/2),E=s-u+1-this.options.visiblePages%2,f=s+u;E<=0&&(E=1,f=this.options.visiblePages),f>this.options.totalPages&&(E=this.options.totalPages-this.options.visiblePages+1,f=this.options.totalPages);for(var N=E;N<=f;)d.push(N),N++;return{currentPage:s,numeric:d}},render:function(s){var d=this;this.$listContainer.children().remove(),this.$listContainer.append(this.buildListItems(s)),this.$listContainer.children().each(function(){var u=e(this),E=u.data("page-type");switch(E){case"page":u.data("page")===s.currentPage&&u.addClass(d.options.activeClass);break;case"first":u.toggleClass(d.options.disabledClass,s.currentPage===1);break;case"last":u.toggleClass(d.options.disabledClass,s.currentPage===d.options.totalPages);break;case"prev":u.toggleClass(d.options.disabledClass,!d.options.loop&&s.currentPage===1);break;case"next":u.toggleClass(d.options.disabledClass,!d.options.loop&&s.currentPage===d.options.totalPages);break;default:break}})},setupEvents:function(){var s=this;this.$listContainer.find("li").each(function(){var d=e(this);if(d.off(),d.hasClass(s.options.disabledClass)||d.hasClass(s.options.activeClass)){d.on("click",!1);return}d.click(function(u){!s.options.href&&u.preventDefault(),s.show(parseInt(d.data("page")))})})},makeHref:function(s){return this.options.href?this.options.href.replace(this.options.hrefVariable,s):"#"}},e.fn.twbsPagination=function(s){var d=Array.prototype.slice.call(arguments,1),u,E=e(this),f=E.data("twbs-pagination"),N=typeof s=="object"&&s;return f||E.data("twbs-pagination",f=new a(this,N)),typeof s=="string"&&(u=f[s].apply(f,d)),u===_?E:u},e.fn.twbsPagination.defaults={totalPages:0,startPage:1,visiblePages:5,initiateStartPageClick:!0,href:!1,hrefVariable:"{{number}}",first:"First",prev:"Previous",next:"Next",last:"Last",loop:!1,onPageClick:null,paginationClass:"pagination",nextClass:"next",prevClass:"prev",lastClass:"last",firstClass:"first",pageClass:"page",activeClass:"active",disabledClass:"disabled"},e.fn.twbsPagination.Constructor=a,e.fn.twbsPagination.noConflict=function(){return e.fn.twbsPagination=l,this}})(window.jQuery,window,document)});var Yt,wi=Vr(()=>{Yt=class e{constructor(n,i=!0,_=[],l=5e3){this.ctx=n,this.iframes=i,this.exclude=_,this.iframesTimeout=l}static matches(n,i){let _=typeof i=="string"?[i]:i,l=n.matches||n.matchesSelector||n.msMatchesSelector||n.mozMatchesSelector||n.oMatchesSelector||n.webkitMatchesSelector;if(l){let a=!1;return _.every(s=>l.call(n,s)?(a=!0,!1):!0),a}else return!1}getContexts(){let n,i=[];return typeof this.ctx>"u"||!this.ctx?n=[]:NodeList.prototype.isPrototypeOf(this.ctx)?n=Array.prototype.slice.call(this.ctx):Array.isArray(this.ctx)?n=this.ctx:typeof this.ctx=="string"?n=Array.prototype.slice.call(document.querySelectorAll(this.ctx)):n=[this.ctx],n.forEach(_=>{let l=i.filter(a=>a.contains(_)).length>0;i.indexOf(_)===-1&&!l&&i.push(_)}),i}getIframeContents(n,i,_=()=>{}){let l;try{let a=n.contentWindow;if(l=a.document,!a||!l)throw new Error("iframe inaccessible")}catch{_()}l&&i(l)}isIframeBlank(n){let i="about:blank",_=n.getAttribute("src").trim();return n.contentWindow.location.href===i&&_!==i&&_}observeIframeLoad(n,i,_){let l=!1,a=null,s=()=>{if(!l){l=!0,clearTimeout(a);try{this.isIframeBlank(n)||(n.removeEventListener("load",s),this.getIframeContents(n,i,_))}catch{_()}}};n.addEventListener("load",s),a=setTimeout(s,this.iframesTimeout)}onIframeReady(n,i,_){try{n.contentWindow.document.readyState==="complete"?this.isIframeBlank(n)?this.observeIframeLoad(n,i,_):this.getIframeContents(n,i,_):this.observeIframeLoad(n,i,_)}catch{_()}}waitForIframes(n,i){let _=0;this.forEachIframe(n,()=>!0,l=>{_++,this.waitForIframes(l.querySelector("html"),()=>{--_||i()})},l=>{l||i()})}forEachIframe(n,i,_,l=()=>{}){let a=n.querySelectorAll("iframe"),s=a.length,d=0;a=Array.prototype.slice.call(a);let u=()=>{--s<=0&&l(d)};s||u(),a.forEach(E=>{e.matches(E,this.exclude)?u():this.onIframeReady(E,f=>{i(E)&&(d++,_(f)),u()},u)})}createIterator(n,i,_){return document.createNodeIterator(n,i,_,!1)}createInstanceOnIframe(n){return new e(n.querySelector("html"),this.iframes)}compareNodeIframe(n,i,_){let l=n.compareDocumentPosition(_),a=Node.DOCUMENT_POSITION_PRECEDING;if(l&a)if(i!==null){let s=i.compareDocumentPosition(_),d=Node.DOCUMENT_POSITION_FOLLOWING;if(s&d)return!0}else return!0;return!1}getIteratorNode(n){let i=n.previousNode(),_;return i===null?_=n.nextNode():_=n.nextNode()&&n.nextNode(),{prevNode:i,node:_}}checkIframeFilter(n,i,_,l){let a=!1,s=!1;return l.forEach((d,u)=>{d.val===_&&(a=u,s=d.handled)}),this.compareNodeIframe(n,i,_)?(a===!1&&!s?l.push({val:_,handled:!0}):a!==!1&&!s&&(l[a].handled=!0),!0):(a===!1&&l.push({val:_,handled:!1}),!1)}handleOpenIframes(n,i,_,l){n.forEach(a=>{a.handled||this.getIframeContents(a.val,s=>{this.createInstanceOnIframe(s).forEachNode(i,_,l)})})}iterateThroughNodes(n,i,_,l,a){let s=this.createIterator(i,n,l),d=[],u=[],E,f,N=()=>({prevNode:f,node:E}=this.getIteratorNode(s),E);for(;N();)this.iframes&&this.forEachIframe(i,S=>this.checkIframeFilter(E,f,S,d),S=>{this.createInstanceOnIframe(S).forEachNode(n,h=>u.push(h),l)}),u.push(E);u.forEach(S=>{_(S)}),this.iframes&&this.handleOpenIframes(d,n,_,l),a()}forEachNode(n,i,_,l=()=>{}){let a=this.getContexts(),s=a.length;s||l(),a.forEach(d=>{let u=()=>{this.iterateThroughNodes(n,d,i,_,()=>{--s<=0&&l()})};this.iframes?this.waitForIframes(d,u):u()})}}});var xt,Mi=Vr(()=>{wi();xt=class{constructor(n){this.ctx=n,this.ie=!1;let i=window.navigator.userAgent;(i.indexOf("MSIE")>-1||i.indexOf("Trident")>-1)&&(this.ie=!0)}set opt(n){this._opt=Object.assign({},{element:"",className:"",exclude:[],iframes:!1,iframesTimeout:5e3,separateWordSearch:!0,diacritics:!0,synonyms:{},accuracy:"partially",acrossElements:!1,caseSensitive:!1,ignoreJoiners:!1,ignoreGroups:0,ignorePunctuation:[],wildcards:"disabled",each:()=>{},noMatch:()=>{},filter:()=>!0,done:()=>{},debug:!1,log:window.console},n)}get opt(){return this._opt}get iterator(){return new Yt(this.ctx,this.opt.iframes,this.opt.exclude,this.opt.iframesTimeout)}log(n,i="debug"){let _=this.opt.log;this.opt.debug&&typeof _=="object"&&typeof _[i]=="function"&&_[i](`mark.js: ${n}`)}escapeStr(n){return n.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g,"\\$&")}createRegExp(n){return this.opt.wildcards!=="disabled"&&(n=this.setupWildcardsRegExp(n)),n=this.escapeStr(n),Object.keys(this.opt.synonyms).length&&(n=this.createSynonymsRegExp(n)),(this.opt.ignoreJoiners||this.opt.ignorePunctuation.length)&&(n=this.setupIgnoreJoinersRegExp(n)),this.opt.diacritics&&(n=this.createDiacriticsRegExp(n)),n=this.createMergedBlanksRegExp(n),(this.opt.ignoreJoiners||this.opt.ignorePunctuation.length)&&(n=this.createJoinersRegExp(n)),this.opt.wildcards!=="disabled"&&(n=this.createWildcardsRegExp(n)),n=this.createAccuracyRegExp(n),n}createSynonymsRegExp(n){let i=this.opt.synonyms,_=this.opt.caseSensitive?"":"i",l=this.opt.ignoreJoiners||this.opt.ignorePunctuation.length?"\0":"";for(let a in i)if(i.hasOwnProperty(a)){let s=i[a],d=this.opt.wildcards!=="disabled"?this.setupWildcardsRegExp(a):this.escapeStr(a),u=this.opt.wildcards!=="disabled"?this.setupWildcardsRegExp(s):this.escapeStr(s);d!==""&&u!==""&&(n=n.replace(new RegExp(`(${this.escapeStr(d)}|${this.escapeStr(u)})`,`gm${_}`),l+`(${this.processSynomyms(d)}|${this.processSynomyms(u)})`+l))}return n}processSynomyms(n){return(this.opt.ignoreJoiners||this.opt.ignorePunctuation.length)&&(n=this.setupIgnoreJoinersRegExp(n)),n}setupWildcardsRegExp(n){return n=n.replace(/(?:\\)*\?/g,i=>i.charAt(0)==="\\"?"?":""),n.replace(/(?:\\)*\*/g,i=>i.charAt(0)==="\\"?"*":"")}createWildcardsRegExp(n){let i=this.opt.wildcards==="withSpaces";return n.replace(/\u0001/g,i?"[\\S\\s]?":"\\S?").replace(/\u0002/g,i?"[\\S\\s]*?":"\\S*")}setupIgnoreJoinersRegExp(n){return n.replace(/[^(|)\\]/g,(i,_,l)=>{let a=l.charAt(_+1);return/[(|)\\]/.test(a)||a===""?i:i+"\0"})}createJoinersRegExp(n){let i=[],_=this.opt.ignorePunctuation;return Array.isArray(_)&&_.length&&i.push(this.escapeStr(_.join(""))),this.opt.ignoreJoiners&&i.push("\\u00ad\\u200b\\u200c\\u200d"),i.length?n.split(/\u0000+/).join(`[${i.join("")}]*`):n}createDiacriticsRegExp(n){let i=this.opt.caseSensitive?"":"i",_=this.opt.caseSensitive?["a\xE0\xE1\u1EA3\xE3\u1EA1\u0103\u1EB1\u1EAF\u1EB3\u1EB5\u1EB7\xE2\u1EA7\u1EA5\u1EA9\u1EAB\u1EAD\xE4\xE5\u0101\u0105","A\xC0\xC1\u1EA2\xC3\u1EA0\u0102\u1EB0\u1EAE\u1EB2\u1EB4\u1EB6\xC2\u1EA6\u1EA4\u1EA8\u1EAA\u1EAC\xC4\xC5\u0100\u0104","c\xE7\u0107\u010D","C\xC7\u0106\u010C","d\u0111\u010F","D\u0110\u010E","e\xE8\xE9\u1EBB\u1EBD\u1EB9\xEA\u1EC1\u1EBF\u1EC3\u1EC5\u1EC7\xEB\u011B\u0113\u0119","E\xC8\xC9\u1EBA\u1EBC\u1EB8\xCA\u1EC0\u1EBE\u1EC2\u1EC4\u1EC6\xCB\u011A\u0112\u0118","i\xEC\xED\u1EC9\u0129\u1ECB\xEE\xEF\u012B","I\xCC\xCD\u1EC8\u0128\u1ECA\xCE\xCF\u012A","l\u0142","L\u0141","n\xF1\u0148\u0144","N\xD1\u0147\u0143","o\xF2\xF3\u1ECF\xF5\u1ECD\xF4\u1ED3\u1ED1\u1ED5\u1ED7\u1ED9\u01A1\u1EDF\u1EE1\u1EDB\u1EDD\u1EE3\xF6\xF8\u014D","O\xD2\xD3\u1ECE\xD5\u1ECC\xD4\u1ED2\u1ED0\u1ED4\u1ED6\u1ED8\u01A0\u1EDE\u1EE0\u1EDA\u1EDC\u1EE2\xD6\xD8\u014C","r\u0159","R\u0158","s\u0161\u015B\u0219\u015F","S\u0160\u015A\u0218\u015E","t\u0165\u021B\u0163","T\u0164\u021A\u0162","u\xF9\xFA\u1EE7\u0169\u1EE5\u01B0\u1EEB\u1EE9\u1EED\u1EEF\u1EF1\xFB\xFC\u016F\u016B","U\xD9\xDA\u1EE6\u0168\u1EE4\u01AF\u1EEA\u1EE8\u1EEC\u1EEE\u1EF0\xDB\xDC\u016E\u016A","y\xFD\u1EF3\u1EF7\u1EF9\u1EF5\xFF","Y\xDD\u1EF2\u1EF6\u1EF8\u1EF4\u0178","z\u017E\u017C\u017A","Z\u017D\u017B\u0179"]:["a\xE0\xE1\u1EA3\xE3\u1EA1\u0103\u1EB1\u1EAF\u1EB3\u1EB5\u1EB7\xE2\u1EA7\u1EA5\u1EA9\u1EAB\u1EAD\xE4\xE5\u0101\u0105A\xC0\xC1\u1EA2\xC3\u1EA0\u0102\u1EB0\u1EAE\u1EB2\u1EB4\u1EB6\xC2\u1EA6\u1EA4\u1EA8\u1EAA\u1EAC\xC4\xC5\u0100\u0104","c\xE7\u0107\u010DC\xC7\u0106\u010C","d\u0111\u010FD\u0110\u010E","e\xE8\xE9\u1EBB\u1EBD\u1EB9\xEA\u1EC1\u1EBF\u1EC3\u1EC5\u1EC7\xEB\u011B\u0113\u0119E\xC8\xC9\u1EBA\u1EBC\u1EB8\xCA\u1EC0\u1EBE\u1EC2\u1EC4\u1EC6\xCB\u011A\u0112\u0118","i\xEC\xED\u1EC9\u0129\u1ECB\xEE\xEF\u012BI\xCC\xCD\u1EC8\u0128\u1ECA\xCE\xCF\u012A","l\u0142L\u0141","n\xF1\u0148\u0144N\xD1\u0147\u0143","o\xF2\xF3\u1ECF\xF5\u1ECD\xF4\u1ED3\u1ED1\u1ED5\u1ED7\u1ED9\u01A1\u1EDF\u1EE1\u1EDB\u1EDD\u1EE3\xF6\xF8\u014DO\xD2\xD3\u1ECE\xD5\u1ECC\xD4\u1ED2\u1ED0\u1ED4\u1ED6\u1ED8\u01A0\u1EDE\u1EE0\u1EDA\u1EDC\u1EE2\xD6\xD8\u014C","r\u0159R\u0158","s\u0161\u015B\u0219\u015FS\u0160\u015A\u0218\u015E","t\u0165\u021B\u0163T\u0164\u021A\u0162","u\xF9\xFA\u1EE7\u0169\u1EE5\u01B0\u1EEB\u1EE9\u1EED\u1EEF\u1EF1\xFB\xFC\u016F\u016BU\xD9\xDA\u1EE6\u0168\u1EE4\u01AF\u1EEA\u1EE8\u1EEC\u1EEE\u1EF0\xDB\xDC\u016E\u016A","y\xFD\u1EF3\u1EF7\u1EF9\u1EF5\xFFY\xDD\u1EF2\u1EF6\u1EF8\u1EF4\u0178","z\u017E\u017C\u017AZ\u017D\u017B\u0179"],l=[];return n.split("").forEach(a=>{_.every(s=>{if(s.indexOf(a)!==-1){if(l.indexOf(s)>-1)return!1;n=n.replace(new RegExp(`[${s}]`,`gm${i}`),`[${s}]`),l.push(s)}return!0})}),n}createMergedBlanksRegExp(n){return n.replace(/[\s]+/gmi,"[\\s]+")}createAccuracyRegExp(n){let i="!\"#$%&'()*+,-./:;<=>?@[\\]^_`{|}~\xA1\xBF",_=this.opt.accuracy,l=typeof _=="string"?_:_.value,a=typeof _=="string"?[]:_.limiters,s="";switch(a.forEach(d=>{s+=`|${this.escapeStr(d)}`}),l){case"partially":default:return`()(${n})`;case"complementary":return s="\\s"+(s||this.escapeStr(i)),`()([^${s}]*${n}[^${s}]*)`;case"exactly":return`(^|\\s${s})(${n})(?=$|\\s${s})`}}getSeparatedKeywords(n){let i=[];return n.forEach(_=>{this.opt.separateWordSearch?_.split(" ").forEach(l=>{l.trim()&&i.indexOf(l)===-1&&i.push(l)}):_.trim()&&i.indexOf(_)===-1&&i.push(_)}),{keywords:i.sort((_,l)=>l.length-_.length),length:i.length}}isNumeric(n){return Number(parseFloat(n))==n}checkRanges(n){if(!Array.isArray(n)||Object.prototype.toString.call(n[0])!=="[object Object]")return this.log("markRanges() will only accept an array of objects"),this.opt.noMatch(n),[];let i=[],_=0;return n.sort((l,a)=>l.start-a.start).forEach(l=>{let{start:a,end:s,valid:d}=this.callNoMatchOnInvalidRanges(l,_);d&&(l.start=a,l.length=s-a,i.push(l),_=s)}),i}callNoMatchOnInvalidRanges(n,i){let _,l,a=!1;return n&&typeof n.start<"u"?(_=parseInt(n.start,10),l=_+parseInt(n.length,10),this.isNumeric(n.start)&&this.isNumeric(n.length)&&l-i>0&&l-_>0?a=!0:(this.log(`Ignoring invalid or overlapping range: ${JSON.stringify(n)}`),this.opt.noMatch(n))):(this.log(`Ignoring invalid range: ${JSON.stringify(n)}`),this.opt.noMatch(n)),{start:_,end:l,valid:a}}checkWhitespaceRanges(n,i,_){let l,a=!0,s=_.length,d=i-s,u=parseInt(n.start,10)-d;return u=u>s?s:u,l=u+parseInt(n.length,10),l>s&&(l=s,this.log(`End range automatically set to the max value of ${s}`)),u<0||l-u<0||u>s||l>s?(a=!1,this.log(`Invalid range: ${JSON.stringify(n)}`),this.opt.noMatch(n)):_.substring(u,l).replace(/\s+/g,"")===""&&(a=!1,this.log("Skipping whitespace only range: "+JSON.stringify(n)),this.opt.noMatch(n)),{start:u,end:l,valid:a}}getTextNodes(n){let i="",_=[];this.iterator.forEachNode(NodeFilter.SHOW_TEXT,l=>{_.push({start:i.length,end:(i+=l.textContent).length,node:l})},l=>this.matchesExclude(l.parentNode)?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT,()=>{n({value:i,nodes:_})})}matchesExclude(n){return Yt.matches(n,this.opt.exclude.concat(["script","style","title","head","html"]))}wrapRangeInTextNode(n,i,_){let l=this.opt.element?this.opt.element:"mark",a=n.splitText(i),s=a.splitText(_-i),d=document.createElement(l);return d.setAttribute("data-markjs","true"),this.opt.className&&d.setAttribute("class",this.opt.className),d.textContent=a.textContent,a.parentNode.replaceChild(d,a),s}wrapRangeInMappedTextNode(n,i,_,l,a){n.nodes.every((s,d)=>{let u=n.nodes[d+1];if(typeof u>"u"||u.start>i){if(!l(s.node))return!1;let E=i-s.start,f=(_>s.end?s.end:_)-s.start,N=n.value.substr(0,s.start),S=n.value.substr(f+s.start);if(s.node=this.wrapRangeInTextNode(s.node,E,f),n.value=N+S,n.nodes.forEach((h,C)=>{C>=d&&(n.nodes[C].start>0&&C!==d&&(n.nodes[C].start-=f),n.nodes[C].end-=f)}),_-=f,a(s.node.previousSibling,s.start),_>s.end)i=s.end;else return!1}return!0})}wrapMatches(n,i,_,l,a){let s=i===0?0:i+1;this.getTextNodes(d=>{d.nodes.forEach(u=>{u=u.node;let E;for(;(E=n.exec(u.textContent))!==null&&E[s]!=="";){if(!_(E[s],u))continue;let f=E.index;if(s!==0)for(let N=1;N<s;N++)f+=E[N].length;u=this.wrapRangeInTextNode(u,f,f+E[s].length),l(u.previousSibling),n.lastIndex=0}}),a()})}wrapMatchesAcrossElements(n,i,_,l,a){let s=i===0?0:i+1;this.getTextNodes(d=>{let u;for(;(u=n.exec(d.value))!==null&&u[s]!=="";){let E=u.index;if(s!==0)for(let N=1;N<s;N++)E+=u[N].length;let f=E+u[s].length;this.wrapRangeInMappedTextNode(d,E,f,N=>_(u[s],N),(N,S)=>{n.lastIndex=S,l(N)})}a()})}wrapRangeFromIndex(n,i,_,l){this.getTextNodes(a=>{let s=a.value.length;n.forEach((d,u)=>{let{start:E,end:f,valid:N}=this.checkWhitespaceRanges(d,s,a.value);N&&this.wrapRangeInMappedTextNode(a,E,f,S=>i(S,d,a.value.substring(E,f),u),S=>{_(S,d)})}),l()})}unwrapMatches(n){let i=n.parentNode,_=document.createDocumentFragment();for(;n.firstChild;)_.appendChild(n.removeChild(n.firstChild));i.replaceChild(_,n),this.ie?this.normalizeTextNode(i):i.normalize()}normalizeTextNode(n){if(n){if(n.nodeType===3)for(;n.nextSibling&&n.nextSibling.nodeType===3;)n.nodeValue+=n.nextSibling.nodeValue,n.parentNode.removeChild(n.nextSibling);else this.normalizeTextNode(n.firstChild);this.normalizeTextNode(n.nextSibling)}}markRegExp(n,i){this.opt=i,this.log(`Searching with expression "${n}"`);let _=0,l="wrapMatches",a=s=>{_++,this.opt.each(s)};this.opt.acrossElements&&(l="wrapMatchesAcrossElements"),this[l](n,this.opt.ignoreGroups,(s,d)=>this.opt.filter(d,s,_),a,()=>{_===0&&this.opt.noMatch(n),this.opt.done(_)})}mark(n,i){this.opt=i;let _=0,l="wrapMatches",{keywords:a,length:s}=this.getSeparatedKeywords(typeof n=="string"?[n]:n),d=this.opt.caseSensitive?"":"i",u=E=>{let f=new RegExp(this.createRegExp(E),`gm${d}`),N=0;this.log(`Searching with expression "${f}"`),this[l](f,1,(S,h)=>this.opt.filter(h,E,_,N),S=>{N++,_++,this.opt.each(S)},()=>{N===0&&this.opt.noMatch(E),a[s-1]===E?this.opt.done(_):u(a[a.indexOf(E)+1])})};this.opt.acrossElements&&(l="wrapMatchesAcrossElements"),s===0?this.opt.done(_):u(a[0])}markRanges(n,i){this.opt=i;let _=0,l=this.checkRanges(n);l&&l.length?(this.log("Starting to mark with the following ranges: "+JSON.stringify(l)),this.wrapRangeFromIndex(l,(a,s,d,u)=>this.opt.filter(a,s,d,u),(a,s)=>{_++,this.opt.each(a,s)},()=>{this.opt.done(_)})):this.opt.done(_)}unmark(n){this.opt=n;let i=this.opt.element?this.opt.element:"*";i+="[data-markjs]",this.opt.className&&(i+=`.${this.opt.className}`),this.log(`Removal selector "${i}"`),this.iterator.forEachNode(NodeFilter.SHOW_ELEMENT,_=>{this.unwrapMatches(_)},_=>{let l=Yt.matches(_,i),a=this.matchesExclude(_);return!l||a?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT},this.opt.done)}}});var Li={};ou(Li,{default:()=>_u});var tn,_u,Pi=Vr(()=>{Mi();tn=su(zr());tn.default.fn.mark=function(e,n){return new xt(this.get()).mark(e,n),this};tn.default.fn.markRegExp=function(e,n){return new xt(this.get()).markRegExp(e,n),this};tn.default.fn.markRanges=function(e,n){return new xt(this.get()).markRanges(e,n),this};tn.default.fn.unmark=function(e){return new xt(this.get()).unmark(e),this};_u=tn.default});var ki=O((pS,nr)=>{(function(e,n){"use strict";typeof define=="function"&&define.amd?define([],n):typeof nr=="object"&&nr.exports?nr.exports=n():(e.AnchorJS=n(),e.anchors=new e.AnchorJS)})(globalThis,function(){"use strict";function e(n){this.options=n||{},this.elements=[];function i(a){a.icon=Object.prototype.hasOwnProperty.call(a,"icon")?a.icon:"\uE9CB",a.visible=Object.prototype.hasOwnProperty.call(a,"visible")?a.visible:"hover",a.placement=Object.prototype.hasOwnProperty.call(a,"placement")?a.placement:"right",a.ariaLabel=Object.prototype.hasOwnProperty.call(a,"ariaLabel")?a.ariaLabel:"Anchor",a.class=Object.prototype.hasOwnProperty.call(a,"class")?a.class:"",a.base=Object.prototype.hasOwnProperty.call(a,"base")?a.base:"",a.truncate=Object.prototype.hasOwnProperty.call(a,"truncate")?Math.floor(a.truncate):64,a.titleText=Object.prototype.hasOwnProperty.call(a,"titleText")?a.titleText:""}i(this.options),this.add=function(a){var s,d,u,E,f,N,S,h,C,I,x,F=[];if(i(this.options),a||(a="h2, h3, h4, h5, h6"),s=_(a),s.length===0)return this;for(l(),d=document.querySelectorAll("[id]"),u=[].map.call(d,function(q){return q.id}),f=0;f<s.length;f++){if(this.hasAnchorJSLink(s[f])){F.push(f);continue}if(s[f].hasAttribute("id"))E=s[f].getAttribute("id");else if(s[f].hasAttribute("data-anchor-id"))E=s[f].getAttribute("data-anchor-id");else{h=this.urlify(s[f].textContent),C=h,S=0;do N!==void 0&&(C=h+"-"+S),N=u.indexOf(C),S+=1;while(N!==-1);N=void 0,u.push(C),s[f].setAttribute("id",C),E=C}I=document.createElement("a"),I.className="anchorjs-link "+this.options.class,I.setAttribute("aria-label",this.options.ariaLabel),I.setAttribute("data-anchorjs-icon",this.options.icon),this.options.titleText&&(I.title=this.options.titleText),x=document.querySelector("base")?window.location.pathname+window.location.search:"",x=this.options.base||x,I.href=x+"#"+E,this.options.visible==="always"&&(I.style.opacity="1"),this.options.icon==="\uE9CB"&&(I.style.font="1em/1 anchorjs-icons",this.options.placement==="left"&&(I.style.lineHeight="inherit")),this.options.placement==="left"?(I.style.position="absolute",I.style.marginLeft="-1.25em",I.style.paddingRight=".25em",I.style.paddingLeft=".25em",s[f].insertBefore(I,s[f].firstChild)):(I.style.marginLeft=".1875em",I.style.paddingRight=".1875em",I.style.paddingLeft=".1875em",s[f].appendChild(I))}for(f=0;f<F.length;f++)s.splice(F[f]-f,1);return this.elements=this.elements.concat(s),this},this.remove=function(a){for(var s,d,u=_(a),E=0;E<u.length;E++)d=u[E].querySelector(".anchorjs-link"),d&&(s=this.elements.indexOf(u[E]),s!==-1&&this.elements.splice(s,1),u[E].removeChild(d));return this},this.removeAll=function(){this.remove(this.elements)},this.urlify=function(a){var s=document.createElement("textarea");s.innerHTML=a,a=s.value;var d=/[& +$,:;=?@"#{}|^~[`%!'<>\]./()*\\\n\t\b\v\u00A0]/g;return this.options.truncate||i(this.options),a.trim().replace(/'/gi,"").replace(d,"-").replace(/-{2,}/g,"-").substring(0,this.options.truncate).replace(/^-+|-+$/gm,"").toLowerCase()},this.hasAnchorJSLink=function(a){var s=a.firstChild&&(" "+a.firstChild.className+" ").indexOf(" anchorjs-link ")>-1,d=a.lastChild&&(" "+a.lastChild.className+" ").indexOf(" anchorjs-link ")>-1;return s||d||!1};function _(a){var s;if(typeof a=="string"||a instanceof String)s=[].slice.call(document.querySelectorAll(a));else if(Array.isArray(a)||a instanceof NodeList)s=[].slice.call(a);else throw new TypeError("The selector provided to AnchorJS was invalid.");return s}function l(){if(document.head.querySelector("style.anchorjs")===null){var a=document.createElement("style"),s=".anchorjs-link{opacity:0;text-decoration:none;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}",d=":hover>.anchorjs-link,.anchorjs-link:focus{opacity:1}",u='@font-face{font-family:anchorjs-icons;src:url(data:n/a;base64,AAEAAAALAIAAAwAwT1MvMg8yG2cAAAE4AAAAYGNtYXDp3gC3AAABpAAAAExnYXNwAAAAEAAAA9wAAAAIZ2x5ZlQCcfwAAAH4AAABCGhlYWQHFvHyAAAAvAAAADZoaGVhBnACFwAAAPQAAAAkaG10eASAADEAAAGYAAAADGxvY2EACACEAAAB8AAAAAhtYXhwAAYAVwAAARgAAAAgbmFtZQGOH9cAAAMAAAAAunBvc3QAAwAAAAADvAAAACAAAQAAAAEAAHzE2p9fDzz1AAkEAAAAAADRecUWAAAAANQA6R8AAAAAAoACwAAAAAgAAgAAAAAAAAABAAADwP/AAAACgAAA/9MCrQABAAAAAAAAAAAAAAAAAAAAAwABAAAAAwBVAAIAAAAAAAIAAAAAAAAAAAAAAAAAAAAAAAMCQAGQAAUAAAKZAswAAACPApkCzAAAAesAMwEJAAAAAAAAAAAAAAAAAAAAARAAAAAAAAAAAAAAAAAAAAAAQAAg//0DwP/AAEADwABAAAAAAQAAAAAAAAAAAAAAIAAAAAAAAAIAAAACgAAxAAAAAwAAAAMAAAAcAAEAAwAAABwAAwABAAAAHAAEADAAAAAIAAgAAgAAACDpy//9//8AAAAg6cv//f///+EWNwADAAEAAAAAAAAAAAAAAAAACACEAAEAAAAAAAAAAAAAAAAxAAACAAQARAKAAsAAKwBUAAABIiYnJjQ3NzY2MzIWFxYUBwcGIicmNDc3NjQnJiYjIgYHBwYUFxYUBwYGIwciJicmNDc3NjIXFhQHBwYUFxYWMzI2Nzc2NCcmNDc2MhcWFAcHBgYjARQGDAUtLXoWOR8fORYtLTgKGwoKCjgaGg0gEhIgDXoaGgkJBQwHdR85Fi0tOAobCgoKOBoaDSASEiANehoaCQkKGwotLXoWOR8BMwUFLYEuehYXFxYugC44CQkKGwo4GkoaDQ0NDXoaShoKGwoFBe8XFi6ALjgJCQobCjgaShoNDQ0NehpKGgobCgoKLYEuehYXAAAADACWAAEAAAAAAAEACAAAAAEAAAAAAAIAAwAIAAEAAAAAAAMACAAAAAEAAAAAAAQACAAAAAEAAAAAAAUAAQALAAEAAAAAAAYACAAAAAMAAQQJAAEAEAAMAAMAAQQJAAIABgAcAAMAAQQJAAMAEAAMAAMAAQQJAAQAEAAMAAMAAQQJAAUAAgAiAAMAAQQJAAYAEAAMYW5jaG9yanM0MDBAAGEAbgBjAGgAbwByAGoAcwA0ADAAMABAAAAAAwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABAAH//wAP) format("truetype")}',E="[data-anchorjs-icon]::after{content:attr(data-anchorjs-icon)}",f;a.className="anchorjs",a.appendChild(document.createTextNode("")),f=document.head.querySelector('[rel="stylesheet"],style'),f===void 0?document.head.appendChild(a):document.head.insertBefore(a,f),a.sheet.insertRule(s,a.sheet.cssRules.length),a.sheet.insertRule(d,a.sheet.cssRules.length),a.sheet.insertRule(E,a.sheet.cssRules.length),a.sheet.insertRule(u,a.sheet.cssRules.length)}}}return e})});var na=O((uS,ta)=>{function qi(e){return e instanceof Map?e.clear=e.delete=e.set=function(){throw new Error("map is read-only")}:e instanceof Set&&(e.add=e.clear=e.delete=function(){throw new Error("set is read-only")}),Object.freeze(e),Object.getOwnPropertyNames(e).forEach(n=>{let i=e[n],_=typeof i;(_==="object"||_==="function")&&!Object.isFrozen(i)&&qi(i)}),e}var ir=class{constructor(n){n.data===void 0&&(n.data={}),this.data=n.data,this.isMatchIgnored=!1}ignoreMatch(){this.isMatchIgnored=!0}};function Vi(e){return e.replace(/&/g,"&").replace(/</g,"<").replace(/>/g,">").replace(/"/g,""").replace(/'/g,"'")}function wt(e,...n){let i=Object.create(null);for(let _ in e)i[_]=e[_];return n.forEach(function(_){for(let l in _)i[l]=_[l]}),i}var pu="</span>",Ui=e=>!!e.scope,uu=(e,{prefix:n})=>{if(e.startsWith("language:"))return e.replace("language:","language-");if(e.includes(".")){let i=e.split(".");return[`${n}${i.shift()}`,...i.map((_,l)=>`${_}${"_".repeat(l+1)}`)].join(" ")}return`${n}${e}`},$r=class{constructor(n,i){this.buffer="",this.classPrefix=i.classPrefix,n.walk(this)}addText(n){this.buffer+=Vi(n)}openNode(n){if(!Ui(n))return;let i=uu(n.scope,{prefix:this.classPrefix});this.span(i)}closeNode(n){Ui(n)&&(this.buffer+=pu)}value(){return this.buffer}span(n){this.buffer+=`<span class="${n}">`}},Fi=(e={})=>{let n={children:[]};return Object.assign(n,e),n},Kr=class e{constructor(){this.rootNode=Fi(),this.stack=[this.rootNode]}get top(){return this.stack[this.stack.length-1]}get root(){return this.rootNode}add(n){this.top.children.push(n)}openNode(n){let i=Fi({scope:n});this.add(i),this.stack.push(i)}closeNode(){if(this.stack.length>1)return this.stack.pop()}closeAllNodes(){for(;this.closeNode(););}toJSON(){return JSON.stringify(this.rootNode,null,4)}walk(n){return this.constructor._walk(n,this.rootNode)}static _walk(n,i){return typeof i=="string"?n.addText(i):i.children&&(n.openNode(i),i.children.forEach(_=>this._walk(n,_)),n.closeNode(i)),n}static _collapse(n){typeof n!="string"&&n.children&&(n.children.every(i=>typeof i=="string")?n.children=[n.children.join("")]:n.children.forEach(i=>{e._collapse(i)}))}},Qr=class extends Kr{constructor(n){super(),this.options=n}addText(n){n!==""&&this.add(n)}startScope(n){this.openNode(n)}endScope(){this.closeNode()}__addSublanguage(n,i){let _=n.root;i&&(_.scope=`language:${i}`),this.add(_)}toHTML(){return new $r(this,this.options).value()}finalize(){return this.closeAllNodes(),!0}};function Tn(e){return e?typeof e=="string"?e:e.source:null}function zi(e){return qt("(?=",e,")")}function mu(e){return qt("(?:",e,")*")}function gu(e){return qt("(?:",e,")?")}function qt(...e){return e.map(i=>Tn(i)).join("")}function Eu(e){let n=e[e.length-1];return typeof n=="object"&&n.constructor===Object?(e.splice(e.length-1,1),n):{}}function Zr(...e){return"("+(Eu(e).capture?"":"?:")+e.map(_=>Tn(_)).join("|")+")"}function Wi(e){return new RegExp(e.toString()+"|").exec("").length-1}function bu(e,n){let i=e&&e.exec(n);return i&&i.index===0}var fu=/\[(?:[^\\\]]|\\.)*\]|\(\??|\\([1-9][0-9]*)|\\./;function Jr(e,{joinWith:n}){let i=0;return e.map(_=>{i+=1;let l=i,a=Tn(_),s="";for(;a.length>0;){let d=fu.exec(a);if(!d){s+=a;break}s+=a.substring(0,d.index),a=a.substring(d.index+d[0].length),d[0][0]==="\\"&&d[1]?s+="\\"+String(Number(d[1])+l):(s+=d[0],d[0]==="("&&i++)}return s}).map(_=>`(${_})`).join(n)}var Su=/\b\B/,$i="[a-zA-Z]\\w*",jr="[a-zA-Z_]\\w*",Ki="\\b\\d+(\\.\\d+)?",Qi="(-?)(\\b0[xX][a-fA-F0-9]+|(\\b\\d+(\\.\\d*)?|\\.\\d+)([eE][-+]?\\d+)?)",Xi="\\b(0b[01]+)",hu="!|!=|!==|%|%=|&|&&|&=|\\*|\\*=|\\+|\\+=|,|-|-=|/=|/|:|;|<<|<<=|<=|<|===|==|=|>>>=|>>=|>=|>>>|>>|>|\\?|\\[|\\{|\\(|\\^|\\^=|\\||\\|=|\\|\\||~",Tu=(e={})=>{let n=/^#![ ]*\//;return e.binary&&(e.begin=qt(n,/.*\b/,e.binary,/\b.*/)),wt({scope:"meta",begin:n,end:/$/,relevance:0,"on:begin":(i,_)=>{i.index!==0&&_.ignoreMatch()}},e)},Rn={begin:"\\\\[\\s\\S]",relevance:0},Ru={scope:"string",begin:"'",end:"'",illegal:"\\n",contains:[Rn]},Cu={scope:"string",begin:'"',end:'"',illegal:"\\n",contains:[Rn]},vu={begin:/\b(a|an|the|are|I'm|isn't|don't|doesn't|won't|but|just|should|pretty|simply|enough|gonna|going|wtf|so|such|will|you|your|they|like|more)\b/},or=function(e,n,i={}){let _=wt({scope:"comment",begin:e,end:n,contains:[]},i);_.contains.push({scope:"doctag",begin:"[ ]*(?=(TODO|FIXME|NOTE|BUG|OPTIMIZE|HACK|XXX):)",end:/(TODO|FIXME|NOTE|BUG|OPTIMIZE|HACK|XXX):/,excludeBegin:!0,relevance:0});let l=Zr("I","a","is","so","us","to","at","if","in","it","on",/[A-Za-z]+['](d|ve|re|ll|t|s|n)/,/[A-Za-z]+[-][a-z]+/,/[A-Za-z][a-z]{2,}/);return _.contains.push({begin:qt(/[ ]+/,"(",l,/[.]?[:]?([.][ ]|[ ])/,"){3}")}),_},Nu=or("//","$"),Ou=or("/\\*","\\*/"),Au=or("#","$"),yu={scope:"number",begin:Ki,relevance:0},Iu={scope:"number",begin:Qi,relevance:0},Du={scope:"number",begin:Xi,relevance:0},xu={begin:/(?=\/[^/\n]*\/)/,contains:[{scope:"regexp",begin:/\//,end:/\/[gimuy]*/,illegal:/\n/,contains:[Rn,{begin:/\[/,end:/\]/,relevance:0,contains:[Rn]}]}]},wu={scope:"title",begin:$i,relevance:0},Mu={scope:"title",begin:jr,relevance:0},Lu={begin:"\\.\\s*"+jr,relevance:0},Pu=function(e){return Object.assign(e,{"on:begin":(n,i)=>{i.data._beginMatch=n[1]},"on:end":(n,i)=>{i.data._beginMatch!==n[1]&&i.ignoreMatch()}})},rr=Object.freeze({__proto__:null,MATCH_NOTHING_RE:Su,IDENT_RE:$i,UNDERSCORE_IDENT_RE:jr,NUMBER_RE:Ki,C_NUMBER_RE:Qi,BINARY_NUMBER_RE:Xi,RE_STARTERS_RE:hu,SHEBANG:Tu,BACKSLASH_ESCAPE:Rn,APOS_STRING_MODE:Ru,QUOTE_STRING_MODE:Cu,PHRASAL_WORDS_MODE:vu,COMMENT:or,C_LINE_COMMENT_MODE:Nu,C_BLOCK_COMMENT_MODE:Ou,HASH_COMMENT_MODE:Au,NUMBER_MODE:yu,C_NUMBER_MODE:Iu,BINARY_NUMBER_MODE:Du,REGEXP_MODE:xu,TITLE_MODE:wu,UNDERSCORE_TITLE_MODE:Mu,METHOD_GUARD:Lu,END_SAME_AS_BEGIN:Pu});function ku(e,n){e.input[e.index-1]==="."&&n.ignoreMatch()}function Uu(e,n){e.className!==void 0&&(e.scope=e.className,delete e.className)}function Fu(e,n){n&&e.beginKeywords&&(e.begin="\\b("+e.beginKeywords.split(" ").join("|")+")(?!\\.)(?=\\b|\\s)",e.__beforeBegin=ku,e.keywords=e.keywords||e.beginKeywords,delete e.beginKeywords,e.relevance===void 0&&(e.relevance=0))}function Bu(e,n){Array.isArray(e.illegal)&&(e.illegal=Zr(...e.illegal))}function Gu(e,n){if(e.match){if(e.begin||e.end)throw new Error("begin & end are not supported with match");e.begin=e.match,delete e.match}}function Yu(e,n){e.relevance===void 0&&(e.relevance=1)}var Hu=(e,n)=>{if(!e.beforeMatch)return;if(e.starts)throw new Error("beforeMatch cannot be used with starts");let i=Object.assign({},e);Object.keys(e).forEach(_=>{delete e[_]}),e.keywords=i.keywords,e.begin=qt(i.beforeMatch,zi(i.begin)),e.starts={relevance:0,contains:[Object.assign(i,{endsParent:!0})]},e.relevance=0,delete i.beforeMatch},qu=["of","and","for","in","not","or","if","then","parent","list","value"],Vu="keyword";function Zi(e,n,i=Vu){let _=Object.create(null);return typeof e=="string"?l(i,e.split(" ")):Array.isArray(e)?l(i,e):Object.keys(e).forEach(function(a){Object.assign(_,Zi(e[a],n,a))}),_;function l(a,s){n&&(s=s.map(d=>d.toLowerCase())),s.forEach(function(d){let u=d.split("|");_[u[0]]=[a,zu(u[0],u[1])]})}}function zu(e,n){return n?Number(n):Wu(e)?0:1}function Wu(e){return qu.includes(e.toLowerCase())}var Bi={},Ht=e=>{console.error(e)},Gi=(e,...n)=>{console.log(`WARN: ${e}`,...n)},nn=(e,n)=>{Bi[`${e}/${n}`]||(console.log(`Deprecated as of ${e}. ${n}`),Bi[`${e}/${n}`]=!0)},ar=new Error;function Ji(e,n,{key:i}){let _=0,l=e[i],a={},s={};for(let d=1;d<=n.length;d++)s[d+_]=l[d],a[d+_]=!0,_+=Wi(n[d-1]);e[i]=s,e[i]._emit=a,e[i]._multi=!0}function $u(e){if(Array.isArray(e.begin)){if(e.skip||e.excludeBegin||e.returnBegin)throw Ht("skip, excludeBegin, returnBegin not compatible with beginScope: {}"),ar;if(typeof e.beginScope!="object"||e.beginScope===null)throw Ht("beginScope must be object"),ar;Ji(e,e.begin,{key:"beginScope"}),e.begin=Jr(e.begin,{joinWith:""})}}function Ku(e){if(Array.isArray(e.end)){if(e.skip||e.excludeEnd||e.returnEnd)throw Ht("skip, excludeEnd, returnEnd not compatible with endScope: {}"),ar;if(typeof e.endScope!="object"||e.endScope===null)throw Ht("endScope must be object"),ar;Ji(e,e.end,{key:"endScope"}),e.end=Jr(e.end,{joinWith:""})}}function Qu(e){e.scope&&typeof e.scope=="object"&&e.scope!==null&&(e.beginScope=e.scope,delete e.scope)}function Xu(e){Qu(e),typeof e.beginScope=="string"&&(e.beginScope={_wrap:e.beginScope}),typeof e.endScope=="string"&&(e.endScope={_wrap:e.endScope}),$u(e),Ku(e)}function Zu(e){function n(s,d){return new RegExp(Tn(s),"m"+(e.case_insensitive?"i":"")+(e.unicodeRegex?"u":"")+(d?"g":""))}class i{constructor(){this.matchIndexes={},this.regexes=[],this.matchAt=1,this.position=0}addRule(d,u){u.position=this.position++,this.matchIndexes[this.matchAt]=u,this.regexes.push([u,d]),this.matchAt+=Wi(d)+1}compile(){this.regexes.length===0&&(this.exec=()=>null);let d=this.regexes.map(u=>u[1]);this.matcherRe=n(Jr(d,{joinWith:"|"}),!0),this.lastIndex=0}exec(d){this.matcherRe.lastIndex=this.lastIndex;let u=this.matcherRe.exec(d);if(!u)return null;let E=u.findIndex((N,S)=>S>0&&N!==void 0),f=this.matchIndexes[E];return u.splice(0,E),Object.assign(u,f)}}class _{constructor(){this.rules=[],this.multiRegexes=[],this.count=0,this.lastIndex=0,this.regexIndex=0}getMatcher(d){if(this.multiRegexes[d])return this.multiRegexes[d];let u=new i;return this.rules.slice(d).forEach(([E,f])=>u.addRule(E,f)),u.compile(),this.multiRegexes[d]=u,u}resumingScanAtSamePosition(){return this.regexIndex!==0}considerAll(){this.regexIndex=0}addRule(d,u){this.rules.push([d,u]),u.type==="begin"&&this.count++}exec(d){let u=this.getMatcher(this.regexIndex);u.lastIndex=this.lastIndex;let E=u.exec(d);if(this.resumingScanAtSamePosition()&&!(E&&E.index===this.lastIndex)){let f=this.getMatcher(0);f.lastIndex=this.lastIndex+1,E=f.exec(d)}return E&&(this.regexIndex+=E.position+1,this.regexIndex===this.count&&this.considerAll()),E}}function l(s){let d=new _;return s.contains.forEach(u=>d.addRule(u.begin,{rule:u,type:"begin"})),s.terminatorEnd&&d.addRule(s.terminatorEnd,{type:"end"}),s.illegal&&d.addRule(s.illegal,{type:"illegal"}),d}function a(s,d){let u=s;if(s.isCompiled)return u;[Uu,Gu,Xu,Hu].forEach(f=>f(s,d)),e.compilerExtensions.forEach(f=>f(s,d)),s.__beforeBegin=null,[Fu,Bu,Yu].forEach(f=>f(s,d)),s.isCompiled=!0;let E=null;return typeof s.keywords=="object"&&s.keywords.$pattern&&(s.keywords=Object.assign({},s.keywords),E=s.keywords.$pattern,delete s.keywords.$pattern),E=E||/\w+/,s.keywords&&(s.keywords=Zi(s.keywords,e.case_insensitive)),u.keywordPatternRe=n(E,!0),d&&(s.begin||(s.begin=/\B|\b/),u.beginRe=n(u.begin),!s.end&&!s.endsWithParent&&(s.end=/\B|\b/),s.end&&(u.endRe=n(u.end)),u.terminatorEnd=Tn(u.end)||"",s.endsWithParent&&d.terminatorEnd&&(u.terminatorEnd+=(s.end?"|":"")+d.terminatorEnd)),s.illegal&&(u.illegalRe=n(s.illegal)),s.contains||(s.contains=[]),s.contains=[].concat(...s.contains.map(function(f){return Ju(f==="self"?s:f)})),s.contains.forEach(function(f){a(f,u)}),s.starts&&a(s.starts,d),u.matcher=l(u),u}if(e.compilerExtensions||(e.compilerExtensions=[]),e.contains&&e.contains.includes("self"))throw new Error("ERR: contains `self` is not supported at the top-level of a language. See documentation.");return e.classNameAliases=wt(e.classNameAliases||{}),a(e)}function ji(e){return e?e.endsWithParent||ji(e.starts):!1}function Ju(e){return e.variants&&!e.cachedVariants&&(e.cachedVariants=e.variants.map(function(n){return wt(e,{variants:null},n)})),e.cachedVariants?e.cachedVariants:ji(e)?wt(e,{starts:e.starts?wt(e.starts):null}):Object.isFrozen(e)?wt(e):e}var ju="11.8.0",Xr=class extends Error{constructor(n,i){super(n),this.name="HTMLInjectionError",this.html=i}},Wr=Vi,Yi=wt,Hi=Symbol("nomatch"),em=7,ea=function(e){let n=Object.create(null),i=Object.create(null),_=[],l=!0,a="Could not find the language '{}', did you forget to load/include a language module?",s={disableAutodetect:!0,name:"Plain text",contains:[]},d={ignoreUnescapedHTML:!1,throwUnescapedHTML:!1,noHighlightRe:/^(no-?highlight)$/i,languageDetectRe:/\blang(?:uage)?-([\w-]+)\b/i,classPrefix:"hljs-",cssSelector:"pre code",languages:null,__emitter:Qr};function u(G){return d.noHighlightRe.test(G)}function E(G){let H=G.className+" ";H+=G.parentNode?G.parentNode.className:"";let J=d.languageDetectRe.exec(H);if(J){let ie=ce(J[1]);return ie||(Gi(a.replace("{}",J[1])),Gi("Falling back to no-highlight mode for this block.",G)),ie?J[1]:"no-highlight"}return H.split(/\s+/).find(ie=>u(ie)||ce(ie))}function f(G,H,J){let ie="",pe="";typeof H=="object"?(ie=G,J=H.ignoreIllegals,pe=H.language):(nn("10.7.0","highlight(lang, code, ...args) has been deprecated."),nn("10.7.0",`Please use highlight(code, options) instead. +https://github.com/highlightjs/highlight.js/issues/2277`),pe=G,ie=H),J===void 0&&(J=!0);let fe={code:ie,language:pe};we("before:highlight",fe);let Ie=fe.result?fe.result:N(fe.language,fe.code,J);return Ie.code=fe.code,we("after:highlight",Ie),Ie}function N(G,H,J,ie){let pe=Object.create(null);function fe($,j){return $.keywords[j]}function Ie(){if(!se.keywords){Ne.addText(Re);return}let $=0;se.keywordPatternRe.lastIndex=0;let j=se.keywordPatternRe.exec(Re),_e="";for(;j;){_e+=Re.substring($,j.index);let Se=Ge.case_insensitive?j[0].toLowerCase():j[0],Me=fe(se,Se);if(Me){let[ke,it]=Me;if(Ne.addText(_e),_e="",pe[Se]=(pe[Se]||0)+1,pe[Se]<=em&&(et+=it),ke.startsWith("_"))_e+=j[0];else{let ct=Ge.classNameAliases[ke]||ke;Fe(j[0],ct)}}else _e+=j[0];$=se.keywordPatternRe.lastIndex,j=se.keywordPatternRe.exec(Re)}_e+=Re.substring($),Ne.addText(_e)}function He(){if(Re==="")return;let $=null;if(typeof se.subLanguage=="string"){if(!n[se.subLanguage]){Ne.addText(Re);return}$=N(se.subLanguage,Re,!0,Wt[se.subLanguage]),Wt[se.subLanguage]=$._top}else $=h(Re,se.subLanguage.length?se.subLanguage:null);se.relevance>0&&(et+=$.relevance),Ne.__addSublanguage($._emitter,$.language)}function Le(){se.subLanguage!=null?He():Ie(),Re=""}function Fe($,j){$!==""&&(Ne.startScope(j),Ne.addText($),Ne.endScope())}function je($,j){let _e=1,Se=j.length-1;for(;_e<=Se;){if(!$._emit[_e]){_e++;continue}let Me=Ge.classNameAliases[$[_e]]||$[_e],ke=j[_e];Me?Fe(ke,Me):(Re=ke,Ie(),Re=""),_e++}}function rt($,j){return $.scope&&typeof $.scope=="string"&&Ne.openNode(Ge.classNameAliases[$.scope]||$.scope),$.beginScope&&($.beginScope._wrap?(Fe(Re,Ge.classNameAliases[$.beginScope._wrap]||$.beginScope._wrap),Re=""):$.beginScope._multi&&(je($.beginScope,j),Re="")),se=Object.create($,{parent:{value:se}}),se}function ue($,j,_e){let Se=bu($.endRe,_e);if(Se){if($["on:end"]){let Me=new ir($);$["on:end"](j,Me),Me.isMatchIgnored&&(Se=!1)}if(Se){for(;$.endsParent&&$.parent;)$=$.parent;return $}}if($.endsWithParent)return ue($.parent,j,_e)}function st($){return se.matcher.regexIndex===0?(Re+=$[0],1):(Lt=!0,0)}function Xe($){let j=$[0],_e=$.rule,Se=new ir(_e),Me=[_e.__beforeBegin,_e["on:begin"]];for(let ke of Me)if(ke&&(ke($,Se),Se.isMatchIgnored))return st(j);return _e.skip?Re+=j:(_e.excludeBegin&&(Re+=j),Le(),!_e.returnBegin&&!_e.excludeBegin&&(Re=j)),rt(_e,$),_e.returnBegin?0:j.length}function lt($){let j=$[0],_e=H.substring($.index),Se=ue(se,$,_e);if(!Se)return Hi;let Me=se;se.endScope&&se.endScope._wrap?(Le(),Fe(j,se.endScope._wrap)):se.endScope&&se.endScope._multi?(Le(),je(se.endScope,$)):Me.skip?Re+=j:(Me.returnEnd||Me.excludeEnd||(Re+=j),Le(),Me.excludeEnd&&(Re=j));do se.scope&&Ne.closeNode(),!se.skip&&!se.subLanguage&&(et+=se.relevance),se=se.parent;while(se!==Se.parent);return Se.starts&&rt(Se.starts,$),Me.returnEnd?0:j.length}function zt(){let $=[];for(let j=se;j!==Ge;j=j.parent)j.scope&&$.unshift(j.scope);$.forEach(j=>Ne.openNode(j))}let ht={};function Tt($,j){let _e=j&&j[0];if(Re+=$,_e==null)return Le(),0;if(ht.type==="begin"&&j.type==="end"&&ht.index===j.index&&_e===""){if(Re+=H.slice(j.index,j.index+1),!l){let Se=new Error(`0 width match regex (${G})`);throw Se.languageName=G,Se.badRule=ht.rule,Se}return 1}if(ht=j,j.type==="begin")return Xe(j);if(j.type==="illegal"&&!J){let Se=new Error('Illegal lexeme "'+_e+'" for mode "'+(se.scope||"<unnamed>")+'"');throw Se.mode=se,Se}else if(j.type==="end"){let Se=lt(j);if(Se!==Hi)return Se}if(j.type==="illegal"&&_e==="")return 1;if(Ue>1e5&&Ue>j.index*3)throw new Error("potential infinite loop, way more iterations than matches");return Re+=_e,_e.length}let Ge=ce(G);if(!Ge)throw Ht(a.replace("{}",G)),new Error('Unknown language: "'+G+'"');let Ze=Zu(Ge),Mt="",se=ie||Ze,Wt={},Ne=new d.__emitter(d);zt();let Re="",et=0,Z=0,Ue=0,Lt=!1;try{if(Ge.__emitTokens)Ge.__emitTokens(H,Ne);else{for(se.matcher.considerAll();;){Ue++,Lt?Lt=!1:se.matcher.considerAll(),se.matcher.lastIndex=Z;let $=se.matcher.exec(H);if(!$)break;let j=H.substring(Z,$.index),_e=Tt(j,$);Z=$.index+_e}Tt(H.substring(Z))}return Ne.finalize(),Mt=Ne.toHTML(),{language:G,value:Mt,relevance:et,illegal:!1,_emitter:Ne,_top:se}}catch($){if($.message&&$.message.includes("Illegal"))return{language:G,value:Wr(H),illegal:!0,relevance:0,_illegalBy:{message:$.message,index:Z,context:H.slice(Z-100,Z+100),mode:$.mode,resultSoFar:Mt},_emitter:Ne};if(l)return{language:G,value:Wr(H),illegal:!1,relevance:0,errorRaised:$,_emitter:Ne,_top:se};throw $}}function S(G){let H={value:Wr(G),illegal:!1,relevance:0,_top:s,_emitter:new d.__emitter(d)};return H._emitter.addText(G),H}function h(G,H){H=H||d.languages||Object.keys(n);let J=S(G),ie=H.filter(ce).filter(Te).map(Le=>N(Le,G,!1));ie.unshift(J);let pe=ie.sort((Le,Fe)=>{if(Le.relevance!==Fe.relevance)return Fe.relevance-Le.relevance;if(Le.language&&Fe.language){if(ce(Le.language).supersetOf===Fe.language)return 1;if(ce(Fe.language).supersetOf===Le.language)return-1}return 0}),[fe,Ie]=pe,He=fe;return He.secondBest=Ie,He}function C(G,H,J){let ie=H&&i[H]||J;G.classList.add("hljs"),G.classList.add(`language-${ie}`)}function I(G){let H=null,J=E(G);if(u(J))return;if(we("before:highlightElement",{el:G,language:J}),G.children.length>0&&(d.ignoreUnescapedHTML||(console.warn("One of your code blocks includes unescaped HTML. This is a potentially serious security risk."),console.warn("https://github.com/highlightjs/highlight.js/wiki/security"),console.warn("The element with unescaped HTML:"),console.warn(G)),d.throwUnescapedHTML))throw new Xr("One of your code blocks includes unescaped HTML.",G.innerHTML);H=G;let ie=H.textContent,pe=J?f(ie,{language:J,ignoreIllegals:!0}):h(ie);G.innerHTML=pe.value,C(G,J,pe.language),G.result={language:pe.language,re:pe.relevance,relevance:pe.relevance},pe.secondBest&&(G.secondBest={language:pe.secondBest.language,relevance:pe.secondBest.relevance}),we("after:highlightElement",{el:G,result:pe,text:ie})}function x(G){d=Yi(d,G)}let F=()=>{Y(),nn("10.6.0","initHighlighting() deprecated. Use highlightAll() now.")};function q(){Y(),nn("10.6.0","initHighlightingOnLoad() deprecated. Use highlightAll() now.")}let B=!1;function Y(){if(document.readyState==="loading"){B=!0;return}document.querySelectorAll(d.cssSelector).forEach(I)}function z(){B&&Y()}typeof window<"u"&&window.addEventListener&&window.addEventListener("DOMContentLoaded",z,!1);function c(G,H){let J=null;try{J=H(e)}catch(ie){if(Ht("Language definition for '{}' could not be registered.".replace("{}",G)),l)Ht(ie);else throw ie;J=s}J.name||(J.name=G),n[G]=J,J.rawDefinition=H.bind(null,e),J.aliases&&ne(J.aliases,{languageName:G})}function te(G){delete n[G];for(let H of Object.keys(i))i[H]===G&&delete i[H]}function K(){return Object.keys(n)}function ce(G){return G=(G||"").toLowerCase(),n[G]||n[i[G]]}function ne(G,{languageName:H}){typeof G=="string"&&(G=[G]),G.forEach(J=>{i[J.toLowerCase()]=H})}function Te(G){let H=ce(G);return H&&!H.disableAutodetect}function oe(G){G["before:highlightBlock"]&&!G["before:highlightElement"]&&(G["before:highlightElement"]=H=>{G["before:highlightBlock"](Object.assign({block:H.el},H))}),G["after:highlightBlock"]&&!G["after:highlightElement"]&&(G["after:highlightElement"]=H=>{G["after:highlightBlock"](Object.assign({block:H.el},H))})}function ve(G){oe(G),_.push(G)}function Oe(G){let H=_.indexOf(G);H!==-1&&_.splice(H,1)}function we(G,H){let J=G;_.forEach(function(ie){ie[J]&&ie[J](H)})}function ye(G){return nn("10.7.0","highlightBlock will be removed entirely in v12.0"),nn("10.7.0","Please use highlightElement now."),I(G)}Object.assign(e,{highlight:f,highlightAuto:h,highlightAll:Y,highlightElement:I,highlightBlock:ye,configure:x,initHighlighting:F,initHighlightingOnLoad:q,registerLanguage:c,unregisterLanguage:te,listLanguages:K,getLanguage:ce,registerAliases:ne,autoDetection:Te,inherit:Yi,addPlugin:ve,removePlugin:Oe}),e.debugMode=function(){l=!1},e.safeMode=function(){l=!0},e.versionString=ju,e.regex={concat:qt,lookahead:zi,either:Zr,optional:gu,anyNumberOfTimes:mu};for(let G in rr)typeof rr[G]=="object"&&qi(rr[G]);return Object.assign(e,rr),e},rn=ea({});rn.newInstance=()=>ea({});ta.exports=rn;rn.HighlightJS=rn;rn.default=rn});var ia=O((mS,ra)=>{function tm(e){let n="[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]+",l="\u0434\u0430\u043B\u0435\u0435 "+"\u0432\u043E\u0437\u0432\u0440\u0430\u0442 \u0432\u044B\u0437\u0432\u0430\u0442\u044C\u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C \u0434\u043B\u044F \u0435\u0441\u043B\u0438 \u0438 \u0438\u0437 \u0438\u043B\u0438 \u0438\u043D\u0430\u0447\u0435 \u0438\u043D\u0430\u0447\u0435\u0435\u0441\u043B\u0438 \u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \u043A\u0430\u0436\u0434\u043E\u0433\u043E \u043A\u043E\u043D\u0435\u0446\u0435\u0441\u043B\u0438 \u043A\u043E\u043D\u0435\u0446\u043F\u043E\u043F\u044B\u0442\u043A\u0438 \u043A\u043E\u043D\u0435\u0446\u0446\u0438\u043A\u043B\u0430 \u043D\u0435 \u043D\u043E\u0432\u044B\u0439 \u043F\u0435\u0440\u0435\u0439\u0442\u0438 \u043F\u0435\u0440\u0435\u043C \u043F\u043E \u043F\u043E\u043A\u0430 \u043F\u043E\u043F\u044B\u0442\u043A\u0430 \u043F\u0440\u0435\u0440\u0432\u0430\u0442\u044C \u043F\u0440\u043E\u0434\u043E\u043B\u0436\u0438\u0442\u044C \u0442\u043E\u0433\u0434\u0430 \u0446\u0438\u043A\u043B \u044D\u043A\u0441\u043F\u043E\u0440\u0442 ",d="\u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0438\u0437\u0444\u0430\u0439\u043B\u0430 "+"\u0432\u0435\u0431\u043A\u043B\u0438\u0435\u043D\u0442 \u0432\u043C\u0435\u0441\u0442\u043E \u0432\u043D\u0435\u0448\u043D\u0435\u0435\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \u043A\u043B\u0438\u0435\u043D\u0442 \u043A\u043E\u043D\u0435\u0446\u043E\u0431\u043B\u0430\u0441\u0442\u0438 \u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043B\u0438\u0435\u043D\u0442 \u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u0435\u0440\u0432\u0435\u0440 \u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435 \u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435\u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435\u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435\u0431\u0435\u0437\u043A\u043E\u043D\u0442\u0435\u043A\u0441\u0442\u0430 \u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435\u0431\u0435\u0437\u043A\u043E\u043D\u0442\u0435\u043A\u0441\u0442\u0430 \u043E\u0431\u043B\u0430\u0441\u0442\u044C \u043F\u0435\u0440\u0435\u0434 \u043F\u043E\u0441\u043B\u0435 \u0441\u0435\u0440\u0432\u0435\u0440 \u0442\u043E\u043B\u0441\u0442\u044B\u0439\u043A\u043B\u0438\u0435\u043D\u0442\u043E\u0431\u044B\u0447\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u043E\u043B\u0441\u0442\u044B\u0439\u043A\u043B\u0438\u0435\u043D\u0442\u0443\u043F\u0440\u0430\u0432\u043B\u044F\u0435\u043C\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u043E\u043D\u043A\u0438\u0439\u043A\u043B\u0438\u0435\u043D\u0442 ",u="\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u0441\u0442\u0440\u0430\u043D\u0438\u0446 \u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u0441\u0442\u0440\u043E\u043A \u0441\u0438\u043C\u0432\u043E\u043B\u0442\u0430\u0431\u0443\u043B\u044F\u0446\u0438\u0438 ",E="ansitooem oemtoansi \u0432\u0432\u0435\u0441\u0442\u0438\u0432\u0438\u0434\u0441\u0443\u0431\u043A\u043E\u043D\u0442\u043E \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u0435 \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u0435\u0440\u0438\u043E\u0434 \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 \u0432\u044B\u0431\u0440\u0430\u043D\u043D\u044B\u0439\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 \u0434\u0430\u0442\u0430\u0433\u043E\u0434 \u0434\u0430\u0442\u0430\u043C\u0435\u0441\u044F\u0446 \u0434\u0430\u0442\u0430\u0447\u0438\u0441\u043B\u043E \u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0441\u0442\u0440\u043E\u043A\u0443 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043E\u043A\u0438 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0438\u0431 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043A\u043E\u0434\u0441\u0438\u043C\u0432 \u043A\u043E\u043D\u0433\u043E\u0434\u0430 \u043A\u043E\u043D\u0435\u0446\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043A\u043E\u043D\u0435\u0446\u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u043D\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043A\u043E\u043D\u0435\u0446\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430 \u043A\u043E\u043D\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043A\u043E\u043D\u043C\u0435\u0441\u044F\u0446\u0430 \u043A\u043E\u043D\u043D\u0435\u0434\u0435\u043B\u0438 \u043B\u043E\u0433 \u043B\u043E\u043310 \u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0435\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u043E\u0441\u0443\u0431\u043A\u043E\u043D\u0442\u043E \u043D\u0430\u0437\u0432\u0430\u043D\u0438\u0435\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043D\u0430\u0437\u0432\u0430\u043D\u0438\u0435\u043D\u0430\u0431\u043E\u0440\u0430\u043F\u0440\u0430\u0432 \u043D\u0430\u0437\u043D\u0430\u0447\u0438\u0442\u044C\u0432\u0438\u0434 \u043D\u0430\u0437\u043D\u0430\u0447\u0438\u0442\u044C\u0441\u0447\u0435\u0442 \u043D\u0430\u0439\u0442\u0438\u0441\u0441\u044B\u043B\u043A\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430 \u043D\u0430\u0447\u0433\u043E\u0434\u0430 \u043D\u0430\u0447\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043D\u0430\u0447\u043C\u0435\u0441\u044F\u0446\u0430 \u043D\u0430\u0447\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u043E\u043C\u0435\u0440\u0434\u043D\u044F\u0433\u043E\u0434\u0430 \u043D\u043E\u043C\u0435\u0440\u0434\u043D\u044F\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u043E\u043C\u0435\u0440\u043D\u0435\u0434\u0435\u043B\u0438\u0433\u043E\u0434\u0430 \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0430\u0441\u0447\u0435\u0442\u043E\u0432 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u044F\u0437\u044B\u043A \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u043E\u043A\u043D\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0439 \u043F\u0435\u0440\u0438\u043E\u0434\u0441\u0442\u0440 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u0430\u0442\u0443\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0443\u0441\u0442\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0442\u0430 \u043F\u0440\u0435\u0444\u0438\u043A\u0441\u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u0438 \u043F\u0440\u043E\u043F\u0438\u0441\u044C \u043F\u0443\u0441\u0442\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0440\u0430\u0437\u043C \u0440\u0430\u0437\u043E\u0431\u0440\u0430\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043D\u0430 \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043F\u043E \u0441\u0438\u043C\u0432 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442 \u0441\u0442\u0430\u0442\u0443\u0441\u0432\u043E\u0437\u0432\u0440\u0430\u0442\u0430 \u0441\u0442\u0440\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u043E\u0441\u0442\u0440\u043E\u043A \u0441\u0444\u043E\u0440\u043C\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0441\u0447\u0435\u0442\u043F\u043E\u043A\u043E\u0434\u0443 \u0442\u0435\u043A\u0443\u0449\u0435\u0435\u0432\u0440\u0435\u043C\u044F \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0441\u0442\u0440 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0442\u0430\u043D\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0442\u0430\u043F\u043E \u0444\u0438\u043A\u0441\u0448\u0430\u0431\u043B\u043E\u043D \u0448\u0430\u0431\u043B\u043E\u043D ",f="acos asin atan base64\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 base64\u0441\u0442\u0440\u043E\u043A\u0430 cos exp log log10 pow sin sqrt tan xml\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 xml\u0441\u0442\u0440\u043E\u043A\u0430 xml\u0442\u0438\u043F xml\u0442\u0438\u043F\u0437\u043D\u0447 \u0430\u043A\u0442\u0438\u0432\u043D\u043E\u0435\u043E\u043A\u043D\u043E \u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0443\u043B\u0435\u0432\u043E \u0432\u0432\u0435\u0441\u0442\u0438\u0434\u0430\u0442\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0432\u0432\u0435\u0441\u0442\u0438\u0441\u0442\u0440\u043E\u043A\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0447\u0438\u0441\u043B\u043E \u0432\u043E\u0437\u043C\u043E\u0436\u043D\u043E\u0441\u0442\u044C\u0447\u0442\u0435\u043D\u0438\u044Fxml \u0432\u043E\u043F\u0440\u043E\u0441 \u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0432\u0440\u0435\u0433 \u0432\u044B\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0443\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F \u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u043F\u0440\u0430\u0432\u0434\u043E\u0441\u0442\u0443\u043F\u0430 \u0432\u044B\u0447\u0438\u0441\u043B\u0438\u0442\u044C \u0433\u043E\u0434 \u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B\u0432\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0434\u0430\u0442\u0430 \u0434\u0435\u043D\u044C \u0434\u0435\u043D\u044C\u0433\u043E\u0434\u0430 \u0434\u0435\u043D\u044C\u043D\u0435\u0434\u0435\u043B\u0438 \u0434\u043E\u0431\u0430\u0432\u0438\u0442\u044C\u043C\u0435\u0441\u044F\u0446 \u0437\u0430\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0434\u043B\u044F\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0437\u0430\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0437\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 \u0437\u0430\u043A\u0440\u044B\u0442\u044C\u0441\u043F\u0440\u0430\u0432\u043A\u0443 \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044Cjson \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044Cxml \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044C\u0434\u0430\u0442\u0443json \u0437\u0430\u043F\u0438\u0441\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0437\u0430\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0441\u0432\u043E\u0439\u0441\u0442\u0432 \u0437\u0430\u043F\u0440\u043E\u0441\u0438\u0442\u044C\u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0437\u0430\u043F\u0443\u0441\u0442\u0438\u0442\u044C\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0437\u0430\u043F\u0443\u0441\u0442\u0438\u0442\u044C\u0441\u0438\u0441\u0442\u0435\u043C\u0443 \u0437\u0430\u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0441\u0442\u0440\u043E\u043A\u0443\u0432\u043D\u0443\u0442\u0440 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0444\u0430\u0439\u043B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u043E \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043E\u043A\u0438\u0432\u043D\u0443\u0442\u0440 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0444\u0430\u0439\u043B\u0430 \u0438\u0437xml\u0442\u0438\u043F\u0430 \u0438\u043C\u043F\u043E\u0440\u0442\u043C\u043E\u0434\u0435\u043B\u0438xdto \u0438\u043C\u044F\u043A\u043E\u043C\u043F\u044C\u044E\u0442\u0435\u0440\u0430 \u0438\u043C\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0438\u043D\u0438\u0446\u0438\u0430\u043B\u0438\u0437\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0435\u0434\u0430\u043D\u043D\u044B\u0435 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u043E\u0431\u043E\u0448\u0438\u0431\u043A\u0435 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0438\u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0433\u043E\u0443\u0441\u0442\u0440\u043E\u0439\u0441\u0442\u0432\u0430 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0445\u0444\u0430\u0439\u043B\u043E\u0432 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043F\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 \u043A\u043E\u0434\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043A\u043E\u0434\u0441\u0438\u043C\u0432\u043E\u043B\u0430 \u043A\u043E\u043C\u0430\u043D\u0434\u0430\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043A\u043E\u043D\u0435\u0446\u0433\u043E\u0434\u0430 \u043A\u043E\u043D\u0435\u0446\u0434\u043D\u044F \u043A\u043E\u043D\u0435\u0446\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043A\u043E\u043D\u0435\u0446\u043C\u0435\u0441\u044F\u0446\u0430 \u043A\u043E\u043D\u0435\u0446\u043C\u0438\u043D\u0443\u0442\u044B \u043A\u043E\u043D\u0435\u0446\u043D\u0435\u0434\u0435\u043B\u0438 \u043A\u043E\u043D\u0435\u0446\u0447\u0430\u0441\u0430 \u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044F\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0430\u0434\u0438\u043D\u0430\u043C\u0438\u0447\u0435\u0441\u043A\u0438 \u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044F\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0430 \u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B \u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0444\u0430\u0439\u043B \u043A\u0440\u0430\u0442\u043A\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 \u043B\u0435\u0432 \u043C\u0430\u043A\u0441 \u043C\u0435\u0441\u0442\u043D\u043E\u0435\u0432\u0440\u0435\u043C\u044F \u043C\u0435\u0441\u044F\u0446 \u043C\u0438\u043D \u043C\u0438\u043D\u0443\u0442\u0430 \u043C\u043E\u043D\u043E\u043F\u043E\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u043D\u0430\u0439\u0442\u0438 \u043D\u0430\u0439\u0442\u0438\u043D\u0435\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u044Bxml \u043D\u0430\u0439\u0442\u0438\u043E\u043A\u043D\u043E\u043F\u043E\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0441\u0441\u044B\u043B\u043A\u0435 \u043D\u0430\u0439\u0442\u0438\u043F\u043E\u043C\u0435\u0447\u0435\u043D\u043D\u044B\u0435\u043D\u0430\u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435 \u043D\u0430\u0439\u0442\u0438\u043F\u043E\u0441\u0441\u044B\u043B\u043A\u0430\u043C \u043D\u0430\u0439\u0442\u0438\u0444\u0430\u0439\u043B\u044B \u043D\u0430\u0447\u0430\u043B\u043E\u0433\u043E\u0434\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u0434\u043D\u044F \u043D\u0430\u0447\u0430\u043B\u043E\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u043C\u0435\u0441\u044F\u0446\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u043C\u0438\u043D\u0443\u0442\u044B \u043D\u0430\u0447\u0430\u043B\u043E\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u0447\u0430\u0441\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u0437\u0430\u043F\u0440\u043E\u0441\u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043D\u0430\u0447\u0430\u0442\u044C\u0437\u0430\u043F\u0443\u0441\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043D\u0430\u0447\u0430\u0442\u044C\u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u0435\u0440\u0435\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0438\u0441\u043A\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0445\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0447\u0435\u0433\u043E\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u0437\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043D\u0435\u0434\u0435\u043B\u044F\u0433\u043E\u0434\u0430 \u043D\u0435\u043E\u0431\u0445\u043E\u0434\u0438\u043C\u043E\u0441\u0442\u044C\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u043D\u043E\u043C\u0435\u0440\u0441\u0435\u0430\u043D\u0441\u0430\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043D\u043E\u043C\u0435\u0440\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043D\u0440\u0435\u0433 \u043D\u0441\u0442\u0440 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u044E\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u0443\u0435\u043C\u044B\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043F\u0440\u0435\u0440\u044B\u0432\u0430\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043E\u0431\u044A\u0435\u0434\u0438\u043D\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043E\u043A\u0440 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 \u043E\u043F\u043E\u0432\u0435\u0441\u0442\u0438\u0442\u044C \u043E\u043F\u043E\u0432\u0435\u0441\u0442\u0438\u0442\u044C\u043E\u0431\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0438 \u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u0437\u0430\u043F\u0440\u043E\u0441\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0438\u043D\u0434\u0435\u043A\u0441\u0441\u043F\u0440\u0430\u0432\u043A\u0438 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0441\u043E\u0434\u0435\u0440\u0436\u0430\u043D\u0438\u0435\u0441\u043F\u0440\u0430\u0432\u043A\u0438 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0441\u043F\u0440\u0430\u0432\u043A\u0443 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0444\u043E\u0440\u043C\u0443 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0444\u043E\u0440\u043C\u0443\u043C\u043E\u0434\u0430\u043B\u044C\u043D\u043E \u043E\u0442\u043C\u0435\u043D\u0438\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0434\u043E\u0441\u0442\u0443\u043F\u0430 \u043F\u0435\u0440\u0435\u0439\u0442\u0438\u043F\u043E\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0441\u0441\u044B\u043B\u043A\u0435 \u043F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u0437\u0430\u043F\u0440\u043E\u0441\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043F\u043E\u0434\u0440\u043E\u0431\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0434\u0430\u0442\u044B \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0441\u0442\u0440\u043E\u043A\u0438 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0447\u0438\u0441\u043B\u0430 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u043E\u043F\u0440\u043E\u0441 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044E\u043E\u0431\u043E\u0448\u0438\u0431\u043A\u0435 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043D\u0430\u043A\u0430\u0440\u0442\u0435 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u0435 \u043F\u043E\u043B\u043D\u043E\u0435\u0438\u043C\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044Ccom\u043E\u0431\u044A\u0435\u043A\u0442 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044Cxml\u0442\u0438\u043F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0430\u0434\u0440\u0435\u0441\u043F\u043E\u043C\u0435\u0441\u0442\u043E\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u044E \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0443\u0441\u0435\u0430\u043D\u0441\u043E\u0432 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043F\u044F\u0449\u0435\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0441\u044B\u043F\u0430\u043D\u0438\u044F\u043F\u0430\u0441\u0441\u0438\u0432\u043D\u043E\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0432\u044B\u0431\u043E\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u044B\u0439\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u043A\u043E\u0434\u044B\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0447\u0430\u0441\u043E\u0432\u044B\u0435\u043F\u043E\u044F\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0434\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0437\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043C\u044F\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0444\u0430\u0439\u043B\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043C\u044F\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044E\u044D\u043A\u0440\u0430\u043D\u043E\u0432\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043A\u0440\u0430\u0442\u043A\u0438\u0439\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u043A\u0435\u0442\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B\u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0435\u0441\u0442\u043E\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0430\u0434\u0440\u0435\u0441\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u0443\u044E\u0434\u043B\u0438\u043D\u0443\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u0443\u044E\u0441\u0441\u044B\u043B\u043A\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u0443\u044E\u0441\u0441\u044B\u043B\u043A\u0443\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u0449\u0438\u0439\u043C\u0430\u043A\u0435\u0442 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u0449\u0443\u044E\u0444\u043E\u0440\u043C\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u043A\u043D\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u043F\u0435\u0440\u0430\u0442\u0438\u0432\u043D\u0443\u044E\u043E\u0442\u043C\u0435\u0442\u043A\u0443\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0442\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u043E\u0433\u043E\u0440\u0435\u0436\u0438\u043C\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u044B\u0445\u043E\u043F\u0446\u0438\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u043E\u043B\u043D\u043E\u0435\u0438\u043C\u044F\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u044B\u0445\u0441\u0441\u044B\u043B\u043E\u043A \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u0441\u043B\u043E\u0436\u043D\u043E\u0441\u0442\u0438\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438\u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0435\u0430\u043D\u0441\u044B\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043A\u043E\u0440\u043E\u0441\u0442\u044C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044E \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0438\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430odata \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0443\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0441\u0435\u0430\u043D\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u043E\u0440\u043C\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u0443\u044E\u043E\u043F\u0446\u0438\u044E \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u0443\u044E\u043E\u043F\u0446\u0438\u044E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0438\u043E\u0441 \u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0432\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0435\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435 \u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043F\u0440\u0430\u0432 \u043F\u0440\u0430\u0432\u043E\u0434\u043E\u0441\u0442\u0443\u043F\u0430 \u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043A\u043E\u0434\u0430\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0438\u043E\u0434\u0430 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0430\u0432\u0430 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0447\u0430\u0441\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u044F\u0441\u0430 \u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u0435 \u043F\u0440\u0435\u043A\u0440\u0430\u0442\u0438\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043F\u0440\u0438\u0432\u0438\u043B\u0435\u0433\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u043F\u0440\u043E\u0434\u043E\u043B\u0436\u0438\u0442\u044C\u0432\u044B\u0437\u043E\u0432 \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044Cjson \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044Cxml \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044C\u0434\u0430\u0442\u0443json \u043F\u0443\u0441\u0442\u0430\u044F\u0441\u0442\u0440\u043E\u043A\u0430 \u0440\u0430\u0431\u043E\u0447\u0438\u0439\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0440\u0430\u0437\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0434\u043B\u044F\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u0440\u0430\u0437\u043E\u0440\u0432\u0430\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0441\u0432\u043D\u0435\u0448\u043D\u0438\u043C\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u043E\u043C\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 \u0440\u043E\u043B\u044C\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u0430 \u0441\u0435\u043A\u0443\u043D\u0434\u0430 \u0441\u0438\u0433\u043D\u0430\u043B \u0441\u0438\u043C\u0432\u043E\u043B \u0441\u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0441\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u043B\u0435\u0442\u043D\u0435\u0433\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0441\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u044C\u0431\u0443\u0444\u0435\u0440\u044B\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u043A\u0430\u0442\u0430\u043B\u043E\u0433 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u0444\u0430\u0431\u0440\u0438\u043A\u0443xdto \u0441\u043E\u043A\u0440\u043B \u0441\u043E\u043A\u0440\u043B\u043F \u0441\u043E\u043A\u0440\u043F \u0441\u043E\u043E\u0431\u0449\u0438\u0442\u044C \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435 \u0441\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0441\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0441\u0440\u0435\u0434 \u0441\u0442\u0440\u0434\u043B\u0438\u043D\u0430 \u0441\u0442\u0440\u0437\u0430\u043A\u0430\u043D\u0447\u0438\u0432\u0430\u0435\u0442\u0441\u044F\u043D\u0430 \u0441\u0442\u0440\u0437\u0430\u043C\u0435\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u043D\u0430\u0439\u0442\u0438 \u0441\u0442\u0440\u043D\u0430\u0447\u0438\u043D\u0430\u0435\u0442\u0441\u044F\u0441 \u0441\u0442\u0440\u043E\u043A\u0430 \u0441\u0442\u0440\u043E\u043A\u0430\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0441\u0442\u0440\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 \u0441\u0442\u0440\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u044C \u0441\u0442\u0440\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u0441\u0440\u0430\u0432\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u0447\u0438\u0441\u043B\u043E\u0432\u0445\u043E\u0436\u0434\u0435\u043D\u0438\u0439 \u0441\u0442\u0440\u0447\u0438\u0441\u043B\u043E\u0441\u0442\u0440\u043E\u043A \u0441\u0442\u0440\u0448\u0430\u0431\u043B\u043E\u043D \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0434\u0430\u0442\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0434\u0430\u0442\u0430\u0441\u0435\u0430\u043D\u0441\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u0430\u044F\u0434\u0430\u0442\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u0430\u044F\u0434\u0430\u0442\u0430\u0432\u043C\u0438\u043B\u043B\u0438\u0441\u0435\u043A\u0443\u043D\u0434\u0430\u0445 \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u0448\u0440\u0438\u0444\u0442\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u043A\u043E\u0434\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0443\u0441\u043A\u0430 \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u044F\u0437\u044B\u043A \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u044F\u0437\u044B\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0442\u0438\u043F \u0442\u0438\u043F\u0437\u043D\u0447 \u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044F\u0430\u043A\u0442\u0438\u0432\u043D\u0430 \u0442\u0440\u0435\u0433 \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0438\u0437\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442\u044B \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u043E\u0435\u0432\u0440\u0435\u043C\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0443\u0441\u0435\u0430\u043D\u0441\u043E\u0432 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043F\u044F\u0449\u0435\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0441\u044B\u043F\u0430\u043D\u0438\u044F\u043F\u0430\u0441\u0441\u0438\u0432\u043D\u043E\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043A\u0440\u0430\u0442\u043A\u0438\u0439\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u0443\u044E\u0434\u043B\u0438\u043D\u0443\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043C\u043E\u043D\u043E\u043F\u043E\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043E\u0442\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u043E\u0433\u043E\u0440\u0435\u0436\u0438\u043C\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u044B\u0445\u043E\u043F\u0446\u0438\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0440\u0438\u0432\u0438\u043B\u0435\u0433\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u0441\u043B\u043E\u0436\u043D\u043E\u0441\u0442\u0438\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0441\u0432\u043D\u0435\u0448\u043D\u0438\u043C\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u043E\u043C\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0438\u0444\u043E\u0440\u043C\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430odata \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0441\u0435\u0430\u043D\u0441\u0430 \u0444\u043E\u0440\u043C\u0430\u0442 \u0446\u0435\u043B \u0447\u0430\u0441 \u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441 \u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0441\u0435\u0430\u043D\u0441\u0430 \u0447\u0438\u0441\u043B\u043E \u0447\u0438\u0441\u043B\u043E\u043F\u0440\u043E\u043F\u0438\u0441\u044C\u044E \u044D\u0442\u043E\u0430\u0434\u0440\u0435\u0441\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 ",N="ws\u0441\u0441\u044B\u043B\u043A\u0438 \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043C\u0430\u043A\u0435\u0442\u043E\u0432\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u0441\u0442\u0438\u043B\u0435\u0439 \u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u044B \u0432\u043D\u0435\u0448\u043D\u0438\u0435\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u043D\u0435\u0448\u043D\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438 \u0432\u043D\u0435\u0448\u043D\u0438\u0435\u043E\u0442\u0447\u0435\u0442\u044B \u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0435\u043F\u043E\u043A\u0443\u043F\u043A\u0438 \u0433\u043B\u0430\u0432\u043D\u044B\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441 \u0433\u043B\u0430\u0432\u043D\u044B\u0439\u0441\u0442\u0438\u043B\u044C \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u044B \u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0435\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u044F \u0436\u0443\u0440\u043D\u0430\u043B\u044B\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u0437\u0430\u0434\u0430\u0447\u0438 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u043E\u0431\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0438 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0447\u0435\u0439\u0434\u0430\u0442\u044B \u0438\u0441\u0442\u043E\u0440\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043A\u043E\u043D\u0441\u0442\u0430\u043D\u0442\u044B \u043A\u0440\u0438\u0442\u0435\u0440\u0438\u0438\u043E\u0442\u0431\u043E\u0440\u0430 \u043C\u0435\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0435 \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u043A\u043B\u0430\u043C\u044B \u043E\u0442\u043F\u0440\u0430\u0432\u043A\u0430\u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0445\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0439 \u043E\u0442\u0447\u0435\u0442\u044B \u043F\u0430\u043D\u0435\u043B\u044C\u0437\u0430\u0434\u0430\u0447\u043E\u0441 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0437\u0430\u043F\u0443\u0441\u043A\u0430 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0441\u0435\u0430\u043D\u0441\u0430 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F \u043F\u043B\u0430\u043D\u044B\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043F\u043B\u0430\u043D\u044B\u0432\u0438\u0434\u043E\u0432\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A \u043F\u043B\u0430\u043D\u044B\u043E\u0431\u043C\u0435\u043D\u0430 \u043F\u043B\u0430\u043D\u044B\u0441\u0447\u0435\u0442\u043E\u0432 \u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u043F\u043E\u0438\u0441\u043A \u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0438\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0438 \u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0430\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0445\u043F\u043E\u043A\u0443\u043F\u043E\u043A \u0440\u0430\u0431\u043E\u0447\u0430\u044F\u0434\u0430\u0442\u0430 \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0438\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0441\u0432\u0435\u0434\u0435\u043D\u0438\u0439 \u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u044B\u0435\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0442\u043E\u0440xdto \u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0438 \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u0433\u0435\u043E\u043F\u043E\u0437\u0438\u0446\u0438\u043E\u043D\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043C\u0443\u043B\u044C\u0442\u0438\u043C\u0435\u0434\u0438\u0430 \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0440\u0435\u043A\u043B\u0430\u043C\u044B \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043F\u043E\u0447\u0442\u044B \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u0442\u0435\u043B\u0435\u0444\u043E\u043D\u0438\u0438 \u0444\u0430\u0431\u0440\u0438\u043A\u0430xdto \u0444\u0430\u0439\u043B\u043E\u0432\u044B\u0435\u043F\u043E\u0442\u043E\u043A\u0438 \u0444\u043E\u043D\u043E\u0432\u044B\u0435\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0432\u043E\u0442\u0447\u0435\u0442\u043E\u0432 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043E\u0431\u0449\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0441\u043A\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u0434\u0438\u043D\u0430\u043C\u0438\u0447\u0435\u0441\u043A\u0438\u0445\u0441\u043F\u0438\u0441\u043A\u043E\u0432 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0441\u043A\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043E\u0442\u0447\u0435\u0442\u043E\u0432 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A ",S=u+E+f+N,h="web\u0446\u0432\u0435\u0442\u0430 windows\u0446\u0432\u0435\u0442\u0430 windows\u0448\u0440\u0438\u0444\u0442\u044B \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u0440\u0430\u043C\u043A\u0438\u0441\u0442\u0438\u043B\u044F \u0441\u0438\u043C\u0432\u043E\u043B\u044B \u0446\u0432\u0435\u0442\u0430\u0441\u0442\u0438\u043B\u044F \u0448\u0440\u0438\u0444\u0442\u044B\u0441\u0442\u0438\u043B\u044F ",C="\u0430\u0432\u0442\u043E\u043C\u0430\u0442\u0438\u0447\u0435\u0441\u043A\u043E\u0435\u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C\u044B\u0432\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0430\u0445 \u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u044F\u0432\u0444\u043E\u0440\u043C\u0435 \u0430\u0432\u0442\u043E\u0440\u0430\u0437\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0435\u0441\u0435\u0440\u0438\u0439 \u0430\u043D\u0438\u043C\u0430\u0446\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0432\u044B\u0440\u0430\u0432\u043D\u0438\u0432\u0430\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0438\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u043E\u0432 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0432\u044B\u0441\u043E\u0442\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u0430\u044F\u043F\u0440\u043E\u043A\u0440\u0443\u0442\u043A\u0430\u0444\u043E\u0440\u043C\u044B \u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430 \u0432\u0438\u0434\u0433\u0440\u0443\u043F\u043F\u044B\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0434\u0435\u043A\u043E\u0440\u0430\u0446\u0438\u0438\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u0438\u0434\u043A\u043D\u043E\u043F\u043A\u0438\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u043F\u0435\u0440\u0435\u043A\u043B\u044E\u0447\u0430\u0442\u0435\u043B\u044F \u0432\u0438\u0434\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 \u0432\u0438\u0434\u043F\u043E\u043B\u044F\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0444\u043B\u0430\u0436\u043A\u0430 \u0432\u043B\u0438\u044F\u043D\u0438\u0435\u0440\u0430\u0437\u043C\u0435\u0440\u0430\u043D\u0430\u043F\u0443\u0437\u044B\u0440\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430 \u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0430\u043A\u043E\u043B\u043E\u043D\u043E\u043A \u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0430\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0444\u043E\u0440\u043C\u044B \u0433\u0440\u0443\u043F\u043F\u044B\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u044B \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043F\u0435\u0440\u0435\u0442\u0430\u0441\u043A\u0438\u0432\u0430\u043D\u0438\u044F \u0434\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u044F\u043F\u0435\u0440\u0435\u0442\u0430\u0441\u043A\u0438\u0432\u0430\u043D\u0438\u044F \u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u043C\u0435\u0436\u0434\u0443\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043C\u0438\u0444\u043E\u0440\u043C\u044B \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0432\u044B\u0432\u043E\u0434\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u043B\u043E\u0441\u044B\u043F\u0440\u043E\u043A\u0440\u0443\u0442\u043A\u0438 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u0443\u0435\u043C\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0442\u043E\u0447\u043A\u0438\u0431\u0438\u0440\u0436\u0435\u0432\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0438\u0441\u0442\u043E\u0440\u0438\u044F\u0432\u044B\u0431\u043E\u0440\u0430\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043E\u0441\u0438\u0442\u043E\u0447\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0440\u0430\u0437\u043C\u0435\u0440\u0430\u043F\u0443\u0437\u044B\u0440\u044C\u043A\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u044B\u043A\u043E\u043C\u0430\u043D\u0434 \u043C\u0430\u043A\u0441\u0438\u043C\u0443\u043C\u0441\u0435\u0440\u0438\u0439 \u043D\u0430\u0447\u0430\u043B\u044C\u043D\u043E\u0435\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0434\u0435\u0440\u0435\u0432\u0430 \u043D\u0430\u0447\u0430\u043B\u044C\u043D\u043E\u0435\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0441\u043F\u0438\u0441\u043A\u0430 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u043C\u0435\u0442\u043E\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u043C\u0435\u0442\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u043B\u0435\u0433\u0435\u043D\u0434\u0435\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u043A\u043D\u043E\u043F\u043E\u043A \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0438\u0437\u043C\u0435\u0440\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043D\u043E\u043F\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043D\u043E\u043F\u043A\u0438\u0432\u044B\u0431\u043E\u0440\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0431\u0441\u0443\u0436\u0434\u0435\u043D\u0438\u0439\u0444\u043E\u0440\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0442\u0440\u0438\u0446\u0430\u0442\u0435\u043B\u044C\u043D\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043F\u0443\u0437\u044B\u0440\u044C\u043A\u043E\u0432\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0430\u043D\u0435\u043B\u0438\u043F\u043E\u0438\u0441\u043A\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u0441\u043A\u0430\u0437\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u044F\u043F\u0440\u0438\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0440\u0430\u0437\u043C\u0435\u0442\u043A\u0438\u043F\u043E\u043B\u043E\u0441\u044B\u0440\u0435\u0433\u0443\u043B\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u0444\u043E\u0440\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0444\u0438\u0433\u0443\u0440\u044B\u043A\u043D\u043E\u043F\u043A\u0438 \u043F\u0430\u043B\u0438\u0442\u0440\u0430\u0446\u0432\u0435\u0442\u043E\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0438\u0441\u043A\u0432\u0442\u0430\u0431\u043B\u0438\u0446\u0435\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438\u043A\u043D\u043E\u043F\u043A\u0438\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u0430\u043D\u0434\u043D\u043E\u0439\u043F\u0430\u043D\u0435\u043B\u0438\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u0430\u043D\u0434\u043D\u043E\u0439\u043F\u0430\u043D\u0435\u043B\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043E\u043F\u043E\u0440\u043D\u043E\u0439\u0442\u043E\u0447\u043A\u0438\u043E\u0442\u0440\u0438\u0441\u043E\u0432\u043A\u0438 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u0448\u043A\u0430\u043B\u044B\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0438\u0437\u043C\u0435\u0440\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0430 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u0442\u0440\u043E\u043A\u0438\u043F\u043E\u0438\u0441\u043A\u0430 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u043B\u0438\u043D\u0438\u0438 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u043E\u0438\u0441\u043A\u043E\u043C \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u043A\u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0439\u0433\u0438\u0441\u0442\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u0441\u0435\u0440\u0438\u0439\u0432\u043B\u0435\u0433\u0435\u043D\u0434\u0435\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0430\u0437\u043C\u0435\u0440\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0430\u0441\u0442\u044F\u0433\u0438\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0432\u0432\u043E\u0434\u0430\u0441\u0442\u0440\u043E\u043A\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0431\u043E\u0440\u0430\u043D\u0435\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u043D\u043E\u0433\u043E \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u0442\u044B \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0441\u0442\u0440\u043E\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0437\u043C\u0435\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0441\u0432\u044F\u0437\u0430\u043D\u043D\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u043F\u0435\u0447\u0430\u0442\u0438 \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u043A\u043E\u043C\u0430\u043D\u0434\u044B \u0440\u0435\u0436\u0438\u043C\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u043E\u043A\u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u043E\u043A\u043D\u0430\u0444\u043E\u0440\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0441\u0435\u0440\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u0440\u0438\u0441\u043E\u0432\u043A\u0438\u0441\u0435\u0442\u043A\u0438\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u0443\u043F\u0440\u043E\u0437\u0440\u0430\u0447\u043D\u043E\u0441\u0442\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0431\u0435\u043B\u043E\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u0435 \u0440\u0435\u0436\u0438\u043C\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043A\u043E\u043B\u043E\u043D\u043A\u0438 \u0440\u0435\u0436\u0438\u043C\u0441\u0433\u043B\u0430\u0436\u0438\u0432\u0430\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u0441\u0433\u043B\u0430\u0436\u0438\u0432\u0430\u043D\u0438\u044F\u0438\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0441\u043F\u0438\u0441\u043A\u0430\u0437\u0430\u0434\u0430\u0447 \u0441\u043A\u0432\u043E\u0437\u043D\u043E\u0435\u0432\u044B\u0440\u0430\u0432\u043D\u0438\u0432\u0430\u043D\u0438\u0435 \u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C\u044B\u0432\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0430\u0445 \u0441\u043F\u043E\u0441\u043E\u0431\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0441\u043F\u043E\u0441\u043E\u0431\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0438\u0432\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u0430\u044F\u0433\u0440\u0443\u043F\u043F\u0430\u043A\u043E\u043C\u0430\u043D\u0434 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0435\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u0435 \u0441\u0442\u0430\u0442\u0443\u0441\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0441\u0442\u0438\u043B\u044C\u0441\u0442\u0440\u0435\u043B\u043A\u0438 \u0442\u0438\u043F\u0430\u043F\u043F\u0440\u043E\u043A\u0441\u0438\u043C\u0430\u0446\u0438\u0438\u043B\u0438\u043D\u0438\u0438\u0442\u0440\u0435\u043D\u0434\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0435\u0434\u0438\u043D\u0438\u0446\u044B\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0442\u0438\u043F\u0438\u043C\u043F\u043E\u0440\u0442\u0430\u0441\u0435\u0440\u0438\u0439\u0441\u043B\u043E\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u043C\u0430\u0440\u043A\u0435\u0440\u0430\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043C\u0430\u0440\u043A\u0435\u0440\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u043E\u0440\u0433\u0430\u043D\u0438\u0437\u0430\u0446\u0438\u0438\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0441\u0435\u0440\u0438\u0438\u0441\u043B\u043E\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u0447\u043D\u043E\u0433\u043E\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0448\u043A\u0430\u043B\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043B\u0435\u0433\u0435\u043D\u0434\u044B\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043F\u043E\u0438\u0441\u043A\u0430\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043F\u0440\u043E\u0435\u043A\u0446\u0438\u0438\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u043E\u0432\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u0440\u0430\u043C\u043A\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0441\u0432\u044F\u0437\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043F\u043E\u0441\u0435\u0440\u0438\u044F\u043C\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u043B\u0438\u043D\u0438\u0438 \u0442\u0438\u043F\u0441\u0442\u043E\u0440\u043E\u043D\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u0444\u043E\u0440\u043C\u044B\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0448\u043A\u0430\u043B\u044B\u0440\u0430\u0434\u0430\u0440\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0444\u0430\u043A\u0442\u043E\u0440\u043B\u0438\u043D\u0438\u0438\u0442\u0440\u0435\u043D\u0434\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0444\u0438\u0433\u0443\u0440\u0430\u043A\u043D\u043E\u043F\u043A\u0438 \u0444\u0438\u0433\u0443\u0440\u044B\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0444\u0438\u043A\u0441\u0430\u0446\u0438\u044F\u0432\u0442\u0430\u0431\u043B\u0438\u0446\u0435 \u0444\u043E\u0440\u043C\u0430\u0442\u0434\u043D\u044F\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0444\u043E\u0440\u043C\u0430\u0442\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0448\u0438\u0440\u0438\u043D\u0430\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0444\u043E\u0440\u043C\u044B ",I="\u0432\u0438\u0434\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u044F\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0438\u0438 \u0432\u0438\u0434\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u044F\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0432\u0438\u0434\u0441\u0447\u0435\u0442\u0430 \u0432\u0438\u0434\u0442\u043E\u0447\u043A\u0438\u043C\u0430\u0440\u0448\u0440\u0443\u0442\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0430\u0433\u0440\u0435\u0433\u0430\u0442\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0435\u0436\u0438\u043C\u0430\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u0440\u0435\u0437\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0430\u0433\u0440\u0435\u0433\u0430\u0442\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u0432\u0440\u0435\u043C\u044F \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0438\u0441\u0438\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 ",x="\u0430\u0432\u0442\u043E\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u044F\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0439 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0439\u043D\u043E\u043C\u0435\u0440\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043E\u0442\u043F\u0440\u0430\u0432\u043A\u0430\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445 ",F="\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u043A\u043E\u043B\u043E\u043D\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u0441\u0442\u0440\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u043E\u0442\u043D\u043E\u0441\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0441\u043F\u043E\u0441\u043E\u0431\u0447\u0442\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0434\u0432\u0443\u0441\u0442\u043E\u0440\u043E\u043D\u043D\u0435\u0439\u043F\u0435\u0447\u0430\u0442\u0438 \u0442\u0438\u043F\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043A\u0443\u0440\u0441\u043E\u0440\u043E\u0432\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0440\u0438\u0441\u0443\u043D\u043A\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u044F\u0447\u0435\u0439\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0435\u0445\u043E\u0434\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043B\u0438\u043D\u0438\u0439\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0440\u0438\u0441\u0443\u043D\u043A\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0441\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0443\u0437\u043E\u0440\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0444\u0430\u0439\u043B\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u043E\u0447\u043D\u043E\u0441\u0442\u044C\u043F\u0435\u0447\u0430\u0442\u0438 \u0447\u0435\u0440\u0435\u0434\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u044F\u0441\u0442\u0440\u0430\u043D\u0438\u0446 ",q="\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u0440\u0435\u043C\u0435\u043D\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u043F\u043B\u0430\u043D\u0438\u0440\u043E\u0432\u0449\u0438\u043A\u0430 ",B="\u0442\u0438\u043F\u0444\u0430\u0439\u043B\u0430\u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 ",Y="\u043E\u0431\u0445\u043E\u0434\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0437\u0430\u043F\u0438\u0441\u0438\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ",z="\u0432\u0438\u0434\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0434\u043E\u0431\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u044F\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0438\u0442\u043E\u0433\u043E\u0432 ",c="\u0434\u043E\u0441\u0442\u0443\u043F\u043A\u0444\u0430\u0439\u043B\u0443 \u0440\u0435\u0436\u0438\u043C\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u0432\u044B\u0431\u043E\u0440\u0430\u0444\u0430\u0439\u043B\u0430 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0444\u0430\u0439\u043B\u0430 ",te="\u0442\u0438\u043F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u044F\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ",K="\u0432\u0438\u0434\u0434\u0430\u043D\u043D\u044B\u0445\u0430\u043D\u0430\u043B\u0438\u0437\u0430 \u043C\u0435\u0442\u043E\u0434\u043A\u043B\u0430\u0441\u0442\u0435\u0440\u0438\u0437\u0430\u0446\u0438\u0438 \u0442\u0438\u043F\u0435\u0434\u0438\u043D\u0438\u0446\u044B\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430\u0432\u0440\u0435\u043C\u0435\u043D\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0447\u0438\u0441\u043B\u043E\u0432\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u0430\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u0434\u0435\u0440\u0435\u0432\u043E\u0440\u0435\u0448\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043A\u043B\u0430\u0441\u0442\u0435\u0440\u0438\u0437\u0430\u0446\u0438\u044F \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0430\u044F\u0441\u0442\u0430\u0442\u0438\u0441\u0442\u0438\u043A\u0430 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u043C\u043E\u0434\u0435\u043B\u0438\u043F\u0440\u043E\u0433\u043D\u043E\u0437\u0430 \u0442\u0438\u043F\u043C\u0435\u0440\u044B\u0440\u0430\u0441\u0441\u0442\u043E\u044F\u043D\u0438\u044F\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043E\u0442\u0441\u0435\u0447\u0435\u043D\u0438\u044F\u043F\u0440\u0430\u0432\u0438\u043B\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0438 \u0442\u0438\u043F\u043F\u043E\u043B\u044F\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u0438\u0437\u0430\u0446\u0438\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0443\u043F\u043E\u0440\u044F\u0434\u043E\u0447\u0438\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u0430\u0432\u0438\u043B\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0443\u043F\u043E\u0440\u044F\u0434\u043E\u0447\u0438\u0432\u0430\u043D\u0438\u044F\u0448\u0430\u0431\u043B\u043E\u043D\u043E\u0432\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0443\u043F\u0440\u043E\u0449\u0435\u043D\u0438\u044F\u0434\u0435\u0440\u0435\u0432\u0430\u0440\u0435\u0448\u0435\u043D\u0438\u0439 ",ce="ws\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430 \u0432\u0430\u0440\u0438\u0430\u043D\u0442xpathxs \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0437\u0430\u043F\u0438\u0441\u0438\u0434\u0430\u0442\u044Bjson \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0432\u0438\u0434\u0433\u0440\u0443\u043F\u043F\u044B\u043C\u043E\u0434\u0435\u043B\u0438xs \u0432\u0438\u0434\u0444\u0430\u0441\u0435\u0442\u0430xdto \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044Fdom \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u043D\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u0441\u0445\u0435\u043C\u044Bxs \u0437\u0430\u043F\u0440\u0435\u0449\u0435\u043D\u043D\u044B\u0435\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs \u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u0438\u0434\u0435\u043D\u0442\u0438\u0447\u043D\u043E\u0441\u0442\u0438xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u0442\u0440\u0430\u043D\u0441\u0442\u0432\u0438\u043C\u0435\u043Dxs \u043C\u0435\u0442\u043E\u0434\u043D\u0430\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u043D\u0438\u044Fxs \u043C\u043E\u0434\u0435\u043B\u044C\u0441\u043E\u0434\u0435\u0440\u0436\u0438\u043C\u043E\u0433\u043Exs \u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0442\u0438\u043F\u0430xml \u043D\u0435\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0445\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432xs \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0441\u043E\u0434\u0435\u0440\u0436\u0438\u043C\u043E\u0433\u043Exs \u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u043E\u0442\u0431\u043E\u0440\u0430\u0443\u0437\u043B\u043E\u0432dom \u043F\u0435\u0440\u0435\u043D\u043E\u0441\u0441\u0442\u0440\u043E\u043Ajson \u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0432\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0435dom \u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u044Bxml \u0442\u0438\u043F\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xml \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fjson \u0442\u0438\u043F\u043A\u0430\u043D\u043E\u043D\u0438\u0447\u0435\u0441\u043A\u043E\u0433\u043Exml \u0442\u0438\u043F\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044Bxs \u0442\u0438\u043F\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0438xml \u0442\u0438\u043F\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430domxpath \u0442\u0438\u043F\u0443\u0437\u043B\u0430dom \u0442\u0438\u043F\u0443\u0437\u043B\u0430xml \u0444\u043E\u0440\u043C\u0430xml \u0444\u043E\u0440\u043C\u0430\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u044Fxs \u0444\u043E\u0440\u043C\u0430\u0442\u0434\u0430\u0442\u044Bjson \u044D\u043A\u0440\u0430\u043D\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432json ",ne="\u0432\u0438\u0434\u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0440\u0442\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0432\u043B\u043E\u0436\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u0435\u0439\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0441\u043A\u043E\u0433\u043E\u043E\u0441\u0442\u0430\u0442\u043A\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0432\u044B\u0432\u043E\u0434\u0430\u0442\u0435\u043A\u0441\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0433\u0440\u0443\u043F\u043F\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u043E\u0442\u0431\u043E\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u043F\u043E\u043B\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043E\u0441\u0442\u0430\u0442\u043A\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0441\u0432\u044F\u0437\u0438\u043D\u0430\u0431\u043E\u0440\u043E\u0432\u0434\u0430\u043D\u043D\u044B\u0445\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043B\u0435\u0433\u0435\u043D\u0434\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043F\u0440\u0438\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043F\u043E\u0441\u043E\u0431\u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0430\u0432\u0442\u043E\u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0444\u0438\u043A\u0441\u0430\u0446\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0443\u0441\u043B\u043E\u0432\u043D\u043E\u0433\u043E\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 ",Te="\u0432\u0430\u0436\u043D\u043E\u0441\u0442\u044C\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0442\u0435\u043A\u0441\u0442\u0430\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0432\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043D\u0435ascii\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0442\u0435\u043A\u0441\u0442\u0430\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043F\u0440\u043E\u0442\u043E\u043A\u043E\u043B\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u044B \u0441\u0442\u0430\u0442\u0443\u0441\u0440\u0430\u0437\u0431\u043E\u0440\u0430\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F ",oe="\u0440\u0435\u0436\u0438\u043C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0438\u0437\u0430\u043F\u0438\u0441\u0438\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0441\u0442\u0430\u0442\u0443\u0441\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0438\u0437\u0430\u043F\u0438\u0441\u0438\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 ",ve="\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u0432\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u044F\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0438\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0430\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0442\u0438\u043F\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 ",Oe="\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430\u0438\u043C\u0435\u043D\u0444\u0430\u0439\u043B\u043E\u0432\u0432zip\u0444\u0430\u0439\u043B\u0435 \u043C\u0435\u0442\u043E\u0434\u0441\u0436\u0430\u0442\u0438\u044Fzip \u043C\u0435\u0442\u043E\u0434\u0448\u0438\u0444\u0440\u043E\u0432\u0430\u043D\u0438\u044Fzip \u0440\u0435\u0436\u0438\u043C\u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0443\u0442\u0435\u0439\u0444\u0430\u0439\u043B\u043E\u0432zip \u0440\u0435\u0436\u0438\u043C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u043F\u043E\u0434\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043E\u0432zip \u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u043F\u0443\u0442\u0435\u0439zip \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0441\u0436\u0430\u0442\u0438\u044Fzip ",we="\u0437\u0432\u0443\u043A\u043E\u0432\u043E\u0435\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u0435 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0445\u043E\u0434\u0430\u043A\u0441\u0442\u0440\u043E\u043A\u0435 \u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0432\u043F\u043E\u0442\u043E\u043A\u0435 \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u0431\u0430\u0439\u0442\u043E\u0432 \u0440\u0435\u0436\u0438\u043C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u043E\u0439\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0435\u0440\u0432\u0438\u0441\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0445\u043F\u043E\u043A\u0443\u043F\u043E\u043A \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u0444\u043E\u043D\u043E\u0432\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0442\u0438\u043F\u043F\u043E\u0434\u043F\u0438\u0441\u0447\u0438\u043A\u0430\u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0445\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0439 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0437\u0430\u0449\u0438\u0449\u0435\u043D\u043D\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044Fftp ",ye="\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043E\u0440\u044F\u0434\u043A\u0430\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043C\u0438\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u043A\u043E\u043D\u0442\u0440\u043E\u043B\u044C\u043D\u043E\u0439\u0442\u043E\u0447\u043A\u0438\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u043E\u0431\u044A\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ",G="http\u043C\u0435\u0442\u043E\u0434 \u0430\u0432\u0442\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0430\u0432\u0442\u043E\u043F\u0440\u0435\u0444\u0438\u043A\u0441\u043D\u043E\u043C\u0435\u0440\u0430\u0437\u0430\u0434\u0430\u0447\u0438 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u043E\u0433\u043E\u044F\u0437\u044B\u043A\u0430 \u0432\u0438\u0434\u0438\u0435\u0440\u0430\u0440\u0445\u0438\u0438 \u0432\u0438\u0434\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0437\u0430\u043F\u0438\u0441\u044C\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0439\u043F\u0440\u0438\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0438 \u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u0435\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439 \u0438\u043D\u0434\u0435\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0431\u0430\u0437\u044B\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0431\u044B\u0441\u0442\u0440\u043E\u0433\u043E\u0432\u044B\u0431\u043E\u0440\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u0438\u044F \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0437\u0434\u0435\u043B\u044F\u0435\u043C\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0434\u0430\u0447\u0438 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u043F\u0435\u0440\u0430\u0442\u0438\u0432\u043D\u043E\u0435\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0432\u0438\u0434\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0432\u0438\u0434\u0430\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A\u0438 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0437\u0430\u0434\u0430\u0447\u0438 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043B\u0430\u043D\u0430\u043E\u0431\u043C\u0435\u043D\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u0447\u0435\u0442\u0430 \u043F\u0435\u0440\u0435\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0433\u0440\u0430\u043D\u0438\u0446\u044B\u043F\u0440\u0438\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0438 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u043D\u043E\u043C\u0435\u0440\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u043D\u043E\u043C\u0435\u0440\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0441\u0432\u0435\u0434\u0435\u043D\u0438\u0439 \u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0432\u043E\u0437\u0432\u0440\u0430\u0449\u0430\u0435\u043C\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u043F\u043E\u0438\u0441\u043A\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u043F\u0440\u0438\u043D\u0430\u0434\u043B\u0435\u0436\u043D\u043E\u0441\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442\u0430 \u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435 \u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0430\u0443\u0442\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0446\u0438\u0438\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u0438\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432 \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0438\u0441\u0438\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043C\u043E\u0434\u0430\u043B\u044C\u043D\u043E\u0441\u0442\u0438 \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0438\u043D\u0445\u0440\u043E\u043D\u043D\u044B\u0445\u0432\u044B\u0437\u043E\u0432\u043E\u0432\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043F\u043B\u0430\u0442\u0444\u043E\u0440\u043C\u044B\u0438\u0432\u043D\u0435\u0448\u043D\u0438\u0445\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442 \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0433\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0435\u0430\u043D\u0441\u043E\u0432 \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u044B\u0431\u043E\u0440\u0430\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0432\u043C\u0435\u0441\u0442\u0438\u043C\u043E\u0441\u0442\u0438 \u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0432\u043C\u0435\u0441\u0442\u0438\u043C\u043E\u0441\u0442\u0438\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u0440\u0435\u0436\u0438\u043C\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u043E\u0439\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0443\u043C\u043E\u043B\u0447\u0430\u043D\u0438\u044E \u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A \u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u043F\u043B\u0430\u043D\u0430\u0441\u0447\u0435\u0442\u043E\u0432 \u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u0441\u043F\u043E\u0441\u043E\u0431\u0432\u044B\u0431\u043E\u0440\u0430 \u0441\u043F\u043E\u0441\u043E\u0431\u043F\u043E\u0438\u0441\u043A\u0430\u0441\u0442\u0440\u043E\u043A\u0438\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u0441\u043F\u043E\u0441\u043E\u0431\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0442\u0438\u043F\u0434\u0430\u043D\u043D\u044B\u0445\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043A\u043E\u0434\u0430\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u043A\u043E\u0434\u0430\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430 \u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 \u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0437\u0430\u0434\u0430\u0447\u0438 \u0442\u0438\u043F\u0444\u043E\u0440\u043C\u044B \u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0439 ",H="\u0432\u0430\u0436\u043D\u043E\u0441\u0442\u044C\u043F\u0440\u043E\u0431\u043B\u0435\u043C\u044B\u043F\u0440\u0438\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0444\u043E\u0440\u043C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u0448\u0440\u0438\u0444\u0442\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0439\u0434\u0430\u0442\u044B\u043D\u0430\u0447\u0430\u043B\u0430 \u0432\u0438\u0434\u0433\u0440\u0430\u043D\u0438\u0446\u044B \u0432\u0438\u0434\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0432\u0438\u0434\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0432\u0438\u0434\u0440\u0430\u043C\u043A\u0438 \u0432\u0438\u0434\u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u0446\u0432\u0435\u0442\u0430 \u0432\u0438\u0434\u0447\u0438\u0441\u043B\u043E\u0432\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u0448\u0440\u0438\u0444\u0442\u0430 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u0430\u044F\u0434\u043B\u0438\u043D\u0430 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0439\u0437\u043D\u0430\u043A \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435byteordermark \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043C\u0435\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043A\u043B\u0430\u0432\u0438\u0448\u0430 \u043A\u043E\u0434\u0432\u043E\u0437\u0432\u0440\u0430\u0442\u0430\u0434\u0438\u0430\u043B\u043E\u0433\u0430 \u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430xbase \u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430\u0442\u0435\u043A\u0441\u0442\u0430 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043E\u0438\u0441\u043A\u0430 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0440\u0442\u0438\u0440\u043E\u0432\u043A\u0438 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0438\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0430\u043D\u0435\u043B\u0438\u0440\u0430\u0437\u0434\u0435\u043B\u043E\u0432 \u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0430\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u0432\u043E\u043F\u0440\u043E\u0441 \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0443\u0441\u043A\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u043A\u0440\u0443\u0433\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0444\u043E\u0440\u043C\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0441\u043A\u043E\u0440\u043E\u0441\u0442\u044C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043F\u043E\u0441\u043E\u0431\u0432\u044B\u0431\u043E\u0440\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0430windows \u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0442\u0440\u043E\u043A\u0438 \u0441\u0442\u0430\u0442\u0443\u0441\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B \u0442\u0438\u043F\u043F\u043B\u0430\u0442\u0444\u043E\u0440\u043C\u044B \u0442\u0438\u043F\u043F\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F\u043A\u043B\u0430\u0432\u0438\u0448\u0438enter \u0442\u0438\u043F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u0438\u043E\u0432\u044B\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u0438\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0438\u0437\u043E\u043B\u044F\u0446\u0438\u0438\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0439 \u0445\u0435\u0448\u0444\u0443\u043D\u043A\u0446\u0438\u044F \u0447\u0430\u0441\u0442\u0438\u0434\u0430\u0442\u044B",J=h+C+I+x+F+q+B+Y+z+c+te+K+ce+ne+Te+oe+ve+Oe+we+ye+G+H,fe="com\u043E\u0431\u044A\u0435\u043A\u0442 ftp\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 http\u0437\u0430\u043F\u0440\u043E\u0441 http\u0441\u0435\u0440\u0432\u0438\u0441\u043E\u0442\u0432\u0435\u0442 http\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 ws\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044F ws\u043F\u0440\u043E\u043A\u0441\u0438 xbase \u0430\u043D\u0430\u043B\u0438\u0437\u0434\u0430\u043D\u043D\u044B\u0445 \u0430\u043D\u043D\u043E\u0442\u0430\u0446\u0438\u044Fxs \u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0443\u0444\u0435\u0440\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435xs \u0432\u044B\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0433\u0435\u043D\u0435\u0440\u0430\u0442\u043E\u0440\u0441\u043B\u0443\u0447\u0430\u0439\u043D\u044B\u0445\u0447\u0438\u0441\u0435\u043B \u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0430\u044F\u0441\u0445\u0435\u043C\u0430 \u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0438\u0435\u043A\u043E\u043E\u0440\u0434\u0438\u043D\u0430\u0442\u044B \u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0430\u044F\u0441\u0445\u0435\u043C\u0430 \u0433\u0440\u0443\u043F\u043F\u0430\u043C\u043E\u0434\u0435\u043B\u0438xs \u0434\u0430\u043D\u043D\u044B\u0435\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0435\u0434\u0430\u043D\u043D\u044B\u0435 \u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u0430 \u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430 \u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430\u0433\u0430\u043D\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0444\u0430\u0439\u043B\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0446\u0432\u0435\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0448\u0440\u0438\u0444\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0440\u0430\u0441\u043F\u0438\u0441\u0430\u043D\u0438\u044F\u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0434\u0438\u0430\u043B\u043E\u0433\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430 \u0434\u0438\u0430\u043F\u0430\u0437\u043E\u043D \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442dom \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442html \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430\u0446\u0438\u044Fxs \u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u043E\u0435\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0435 \u0437\u0430\u043F\u0438\u0441\u044Cdom \u0437\u0430\u043F\u0438\u0441\u044Cfastinfoset \u0437\u0430\u043F\u0438\u0441\u044Chtml \u0437\u0430\u043F\u0438\u0441\u044Cjson \u0437\u0430\u043F\u0438\u0441\u044Cxml \u0437\u0430\u043F\u0438\u0441\u044Czip\u0444\u0430\u0439\u043B\u0430 \u0437\u0430\u043F\u0438\u0441\u044C\u0434\u0430\u043D\u043D\u044B\u0445 \u0437\u0430\u043F\u0438\u0441\u044C\u0442\u0435\u043A\u0441\u0442\u0430 \u0437\u0430\u043F\u0438\u0441\u044C\u0443\u0437\u043B\u043E\u0432dom \u0437\u0430\u043F\u0440\u043E\u0441 \u0437\u0430\u0449\u0438\u0449\u0435\u043D\u043D\u043E\u0435\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435openssl \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u0435\u0439\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0438\u0437\u0432\u043B\u0435\u0447\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430 \u0438\u043C\u043F\u043E\u0440\u0442xs \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u0430 \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0435\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435 \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u044B\u0439\u043F\u0440\u043E\u0444\u0438\u043B\u044C \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u0440\u043E\u043A\u0441\u0438 \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u0434\u043B\u044F\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044Fxs \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u044B\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0438\u0442\u0435\u0440\u0430\u0442\u043E\u0440\u0443\u0437\u043B\u043E\u0432dom \u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0430 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0434\u0430\u0442\u044B \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0441\u0442\u0440\u043E\u043A\u0438 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0447\u0438\u0441\u043B\u0430 \u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u0449\u0438\u043A\u043C\u0430\u043A\u0435\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u0449\u0438\u043A\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u043C\u0430\u043A\u0435\u0442\u0430\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u0444\u043E\u0440\u043C\u0430\u0442\u043D\u043E\u0439\u0441\u0442\u0440\u043E\u043A\u0438 \u043B\u0438\u043D\u0438\u044F \u043C\u0430\u043A\u0435\u0442\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043C\u0430\u043A\u0435\u0442\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043C\u0430\u043A\u0435\u0442\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043C\u0430\u0441\u043A\u0430xs \u043C\u0435\u043D\u0435\u0434\u0436\u0435\u0440\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u043D\u0430\u0431\u043E\u0440\u0441\u0445\u0435\u043Cxml \u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438json \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u0431\u0445\u043E\u0434\u0434\u0435\u0440\u0435\u0432\u0430dom \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u043D\u043E\u0442\u0430\u0446\u0438\u0438xs \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430xs \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0434\u043E\u0441\u0442\u0443\u043F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u043E\u0442\u043A\u0430\u0437\u0432\u0434\u043E\u0441\u0442\u0443\u043F\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0434\u0430\u0432\u0430\u0435\u043C\u043E\u0433\u043E\u0444\u0430\u0439\u043B\u0430 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0442\u0438\u043F\u043E\u0432 \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u043E\u0432xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u043C\u043E\u0434\u0435\u043B\u0438xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u0438\u0434\u0435\u043D\u0442\u0438\u0447\u043D\u043E\u0441\u0442\u0438xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0441\u0442\u0430\u0432\u043D\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0442\u0438\u043F\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430dom \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044Fxpathxs \u043E\u0442\u0431\u043E\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u0430\u043A\u0435\u0442\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0430\u0435\u043C\u044B\u0445\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0432\u044B\u0431\u043E\u0440\u0430 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0437\u0430\u043F\u0438\u0441\u0438json \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0437\u0430\u043F\u0438\u0441\u0438xml \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0447\u0442\u0435\u043D\u0438\u044Fxml \u043F\u0435\u0440\u0435\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435xs \u043F\u043B\u0430\u043D\u0438\u0440\u043E\u0432\u0449\u0438\u043A \u043F\u043E\u043B\u0435\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044Cdom \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u043E\u0442\u0447\u0435\u0442\u0430 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u043E\u0442\u0447\u0435\u0442\u0430\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u0441\u0445\u0435\u043Cxml \u043F\u043E\u0442\u043E\u043A \u043F\u043E\u0442\u043E\u043A\u0432\u043F\u0430\u043C\u044F\u0442\u0438 \u043F\u043E\u0447\u0442\u0430 \u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0435\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435 \u043F\u0440\u0435\u043E\u0431\u0440\u0430\u0437\u043E\u0432\u0430\u043D\u0438\u0435xsl \u043F\u0440\u0435\u043E\u0431\u0440\u0430\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043A\u043A\u0430\u043D\u043E\u043D\u0438\u0447\u0435\u0441\u043A\u043E\u043C\u0443xml \u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u0432\u044B\u0432\u043E\u0434\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u043A\u043E\u043B\u043B\u0435\u043A\u0446\u0438\u044E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u0432\u044B\u0432\u043E\u0434\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0437\u044B\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043F\u0440\u043E\u0441\u0442\u0440\u0430\u043D\u0441\u0442\u0432\u0438\u043C\u0435\u043Ddom \u0440\u0430\u043C\u043A\u0430 \u0440\u0430\u0441\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u043D\u043E\u0435\u0438\u043C\u044Fxml \u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0447\u0442\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0432\u043E\u0434\u043D\u0430\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430 \u0441\u0432\u044F\u0437\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u0432\u044B\u0431\u043E\u0440\u0430 \u0441\u0432\u044F\u0437\u044C\u043F\u043E\u0442\u0438\u043F\u0443 \u0441\u0432\u044F\u0437\u044C\u043F\u043E\u0442\u0438\u043F\u0443\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0442\u043E\u0440xdto \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u043B\u0438\u0435\u043D\u0442\u0430windows \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u0444\u0430\u0439\u043B \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u044B\u0443\u0434\u043E\u0441\u0442\u043E\u0432\u0435\u0440\u044F\u044E\u0449\u0438\u0445\u0446\u0435\u043D\u0442\u0440\u043E\u0432windows \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u044B\u0443\u0434\u043E\u0441\u0442\u043E\u0432\u0435\u0440\u044F\u044E\u0449\u0438\u0445\u0446\u0435\u043D\u0442\u0440\u043E\u0432\u0444\u0430\u0439\u043B \u0441\u0436\u0430\u0442\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u0430\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F \u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044E \u0441\u043E\u0447\u0435\u0442\u0430\u043D\u0438\u0435\u043A\u043B\u0430\u0432\u0438\u0448 \u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u0430\u044F\u0434\u0430\u0442\u0430\u043D\u0430\u0447\u0430\u043B\u0430 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u044B\u0439\u043F\u0435\u0440\u0438\u043E\u0434 \u0441\u0445\u0435\u043C\u0430xml \u0441\u0445\u0435\u043C\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0430\u0431\u043B\u0438\u0447\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u0442\u0435\u0441\u0442\u0438\u0440\u0443\u0435\u043C\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u0438\u043F\u0434\u0430\u043D\u043D\u044B\u0445xml \u0443\u043D\u0438\u043A\u0430\u043B\u044C\u043D\u044B\u0439\u0438\u0434\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440 \u0444\u0430\u0431\u0440\u0438\u043A\u0430xdto \u0444\u0430\u0439\u043B \u0444\u0430\u0439\u043B\u043E\u0432\u044B\u0439\u043F\u043E\u0442\u043E\u043A \u0444\u0430\u0441\u0435\u0442\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u0430\u0440\u0430\u0437\u0440\u044F\u0434\u043E\u0432\u0434\u0440\u043E\u0431\u043D\u043E\u0439\u0447\u0430\u0441\u0442\u0438xs \u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0432\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0438\u0441\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0439\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0432\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0438\u0441\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0439\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043E\u0431\u0440\u0430\u0437\u0446\u0430xs \u0444\u0430\u0441\u0435\u0442\u043E\u0431\u0449\u0435\u0433\u043E\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u0430\u0440\u0430\u0437\u0440\u044F\u0434\u043E\u0432xs \u0444\u0430\u0441\u0435\u0442\u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0445\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432xs \u0444\u0438\u043B\u044C\u0442\u0440\u0443\u0437\u043B\u043E\u0432dom \u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u0430\u044F\u0441\u0442\u0440\u043E\u043A\u0430 \u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u0444\u0440\u0430\u0433\u043C\u0435\u043D\u0442xs \u0445\u0435\u0448\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0446\u0432\u0435\u0442 \u0447\u0442\u0435\u043D\u0438\u0435fastinfoset \u0447\u0442\u0435\u043D\u0438\u0435html \u0447\u0442\u0435\u043D\u0438\u0435json \u0447\u0442\u0435\u043D\u0438\u0435xml \u0447\u0442\u0435\u043D\u0438\u0435zip\u0444\u0430\u0439\u043B\u0430 \u0447\u0442\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0447\u0442\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430 \u0447\u0442\u0435\u043D\u0438\u0435\u0443\u0437\u043B\u043E\u0432dom \u0448\u0440\u0438\u0444\u0442 \u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 "+"comsafearray \u0434\u0435\u0440\u0435\u0432\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043C\u0430\u0441\u0441\u0438\u0432 \u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435 \u0441\u043F\u0438\u0441\u043E\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0430 \u0442\u0430\u0431\u043B\u0438\u0446\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u0430\u044F\u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0430 \u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u043E\u0435\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435 \u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u043C\u0430\u0441\u0441\u0438\u0432 ",Ie="null \u0438\u0441\u0442\u0438\u043D\u0430 \u043B\u043E\u0436\u044C \u043D\u0435\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043E",He=e.inherit(e.NUMBER_MODE),Le={className:"string",begin:'"|\\|',end:'"|$',contains:[{begin:'""'}]},Fe={begin:"'",end:"'",excludeBegin:!0,excludeEnd:!0,contains:[{className:"number",begin:"\\d{4}([\\.\\\\/:-]?\\d{2}){0,5}"}]},je=e.inherit(e.C_LINE_COMMENT_MODE),rt={className:"meta",begin:"#|&",end:"$",keywords:{$pattern:n,keyword:l+d},contains:[je]},ue={className:"symbol",begin:"~",end:";|:",excludeEnd:!0},st={className:"function",variants:[{begin:"\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u0430|\u0444\u0443\u043D\u043A\u0446\u0438\u044F",end:"\\)",keywords:"\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u0430 \u0444\u0443\u043D\u043A\u0446\u0438\u044F"},{begin:"\u043A\u043E\u043D\u0435\u0446\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u044B|\u043A\u043E\u043D\u0435\u0446\u0444\u0443\u043D\u043A\u0446\u0438\u0438",keywords:"\u043A\u043E\u043D\u0435\u0446\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u044B \u043A\u043E\u043D\u0435\u0446\u0444\u0443\u043D\u043A\u0446\u0438\u0438"}],contains:[{begin:"\\(",end:"\\)",endsParent:!0,contains:[{className:"params",begin:n,end:",",excludeEnd:!0,endsWithParent:!0,keywords:{$pattern:n,keyword:"\u0437\u043D\u0430\u0447",literal:Ie},contains:[He,Le,Fe]},je]},e.inherit(e.TITLE_MODE,{begin:n})]};return{name:"1C:Enterprise",case_insensitive:!0,keywords:{$pattern:n,keyword:l,built_in:S,class:J,type:fe,literal:Ie},contains:[rt,st,je,ue,He,Le,Fe]}}ra.exports=tm});var oa=O((gS,aa)=>{function nm(e){let n=e.regex,i=/^[a-zA-Z][a-zA-Z0-9-]*/,_=["ALPHA","BIT","CHAR","CR","CRLF","CTL","DIGIT","DQUOTE","HEXDIG","HTAB","LF","LWSP","OCTET","SP","VCHAR","WSP"],l=e.COMMENT(/;/,/$/),a={scope:"symbol",match:/%b[0-1]+(-[0-1]+|(\.[0-1]+)+)?/},s={scope:"symbol",match:/%d[0-9]+(-[0-9]+|(\.[0-9]+)+)?/},d={scope:"symbol",match:/%x[0-9A-F]+(-[0-9A-F]+|(\.[0-9A-F]+)+)?/},u={scope:"symbol",match:/%[si](?=".*")/},E={scope:"attribute",match:n.concat(i,/(?=\s*=)/)};return{name:"Augmented Backus-Naur Form",illegal:/[!@#$^&',?+~`|:]/,keywords:_,contains:[{scope:"operator",match:/=\/?/},E,l,a,s,d,u,e.QUOTE_STRING_MODE,e.NUMBER_MODE]}}aa.exports=nm});var la=O((ES,sa)=>{function rm(e){let n=e.regex,i=["GET","POST","HEAD","PUT","DELETE","CONNECT","OPTIONS","PATCH","TRACE"];return{name:"Apache Access Log",contains:[{className:"number",begin:/^\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}(:\d{1,5})?\b/,relevance:5},{className:"number",begin:/\b\d+\b/,relevance:0},{className:"string",begin:n.concat(/"/,n.either(...i)),end:/"/,keywords:i,illegal:/\n/,relevance:5,contains:[{begin:/HTTP\/[12]\.\d'/,relevance:5}]},{className:"string",begin:/\[\d[^\]\n]{8,}\]/,illegal:/\n/,relevance:1},{className:"string",begin:/\[/,end:/\]/,illegal:/\n/,relevance:0},{className:"string",begin:/"Mozilla\/\d\.\d \(/,end:/"/,illegal:/\n/,relevance:3},{className:"string",begin:/"/,end:/"/,illegal:/\n/,relevance:0}]}}sa.exports=rm});var da=O((bS,ca)=>{function im(e){let n=e.regex,i=/[a-zA-Z_$][a-zA-Z0-9_$]*/,_=n.concat(i,n.concat("(\\.",i,")*")),l=/([*]|[a-zA-Z_$][a-zA-Z0-9_$]*)/,a={className:"rest_arg",begin:/[.]{3}/,end:i,relevance:10};return{name:"ActionScript",aliases:["as"],keywords:{keyword:["as","break","case","catch","class","const","continue","default","delete","do","dynamic","each","else","extends","final","finally","for","function","get","if","implements","import","in","include","instanceof","interface","internal","is","namespace","native","new","override","package","private","protected","public","return","set","static","super","switch","this","throw","try","typeof","use","var","void","while","with"],literal:["true","false","null","undefined"]},contains:[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.C_NUMBER_MODE,{match:[/\bpackage/,/\s+/,_],className:{1:"keyword",3:"title.class"}},{match:[/\b(?:class|interface|extends|implements)/,/\s+/,i],className:{1:"keyword",3:"title.class"}},{className:"meta",beginKeywords:"import include",end:/;/,keywords:{keyword:"import include"}},{beginKeywords:"function",end:/[{;]/,excludeEnd:!0,illegal:/\S/,contains:[e.inherit(e.TITLE_MODE,{className:"title.function"}),{className:"params",begin:/\(/,end:/\)/,contains:[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,a]},{begin:n.concat(/:\s*/,l)}]},e.METHOD_GUARD],illegal:/#/}}ca.exports=im});var pa=O((fS,_a)=>{function am(e){let n="\\d(_|\\d)*",i="[eE][-+]?"+n,_=n+"(\\."+n+")?("+i+")?",l="\\w+",s="\\b("+(n+"#"+l+"(\\."+l+")?#("+i+")?")+"|"+_+")",d="[A-Za-z](_?[A-Za-z0-9.])*",u=`[]\\{\\}%#'"`,E=e.COMMENT("--","$"),f={begin:"\\s+:\\s+",end:"\\s*(:=|;|\\)|=>|$)",illegal:u,contains:[{beginKeywords:"loop for declare others",endsParent:!0},{className:"keyword",beginKeywords:"not null constant access function procedure in out aliased exception"},{className:"type",begin:d,endsParent:!0,relevance:0}]};return{name:"Ada",case_insensitive:!0,keywords:{keyword:["abort","else","new","return","abs","elsif","not","reverse","abstract","end","accept","entry","select","access","exception","of","separate","aliased","exit","or","some","all","others","subtype","and","for","out","synchronized","array","function","overriding","at","tagged","generic","package","task","begin","goto","pragma","terminate","body","private","then","if","procedure","type","case","in","protected","constant","interface","is","raise","use","declare","range","delay","limited","record","when","delta","loop","rem","while","digits","renames","with","do","mod","requeue","xor"],literal:["True","False"]},contains:[E,{className:"string",begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{className:"string",begin:/'.'/},{className:"number",begin:s,relevance:0},{className:"symbol",begin:"'"+d},{className:"title",begin:"(\\bwith\\s+)?(\\bprivate\\s+)?\\bpackage\\s+(\\bbody\\s+)?",end:"(is|$)",keywords:"package body",excludeBegin:!0,excludeEnd:!0,illegal:u},{begin:"(\\b(with|overriding)\\s+)?\\b(function|procedure)\\s+",end:"(\\bis|\\bwith|\\brenames|\\)\\s*;)",keywords:"overriding function procedure with is renames return",returnBegin:!0,contains:[E,{className:"title",begin:"(\\bwith\\s+)?\\b(function|procedure)\\s+",end:"(\\(|\\s+|$)",excludeBegin:!0,excludeEnd:!0,illegal:u},f,{className:"type",begin:"\\breturn\\s+",end:"(\\s+|;|$)",keywords:"return",excludeBegin:!0,excludeEnd:!0,endsParent:!0,illegal:u}]},{className:"type",begin:"\\b(sub)?type\\s+",end:"\\s+",keywords:"type",excludeBegin:!0,illegal:u},f]}}_a.exports=am});var ma=O((SS,ua)=>{function om(e){let n={className:"built_in",begin:"\\b(void|bool|int8|int16|int32|int64|int|uint8|uint16|uint32|uint64|uint|string|ref|array|double|float|auto|dictionary)"},i={className:"symbol",begin:"[a-zA-Z0-9_]+@"},_={className:"keyword",begin:"<",end:">",contains:[n,i]};return n.contains=[_],i.contains=[_],{name:"AngelScript",aliases:["asc"],keywords:["for","in|0","break","continue","while","do|0","return","if","else","case","switch","namespace","is","cast","or","and","xor","not","get|0","in","inout|10","out","override","set|0","private","public","const","default|0","final","shared","external","mixin|10","enum","typedef","funcdef","this","super","import","from","interface","abstract|0","try","catch","protected","explicit","property"],illegal:"(^using\\s+[A-Za-z0-9_\\.]+;$|\\bfunction\\s*[^\\(])",contains:[{className:"string",begin:"'",end:"'",illegal:"\\n",contains:[e.BACKSLASH_ESCAPE],relevance:0},{className:"string",begin:'"""',end:'"""'},{className:"string",begin:'"',end:'"',illegal:"\\n",contains:[e.BACKSLASH_ESCAPE],relevance:0},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,{className:"string",begin:"^\\s*\\[",end:"\\]"},{beginKeywords:"interface namespace",end:/\{/,illegal:"[;.\\-]",contains:[{className:"symbol",begin:"[a-zA-Z0-9_]+"}]},{beginKeywords:"class",end:/\{/,illegal:"[;.\\-]",contains:[{className:"symbol",begin:"[a-zA-Z0-9_]+",contains:[{begin:"[:,]\\s*",contains:[{className:"symbol",begin:"[a-zA-Z0-9_]+"}]}]}]},n,i,{className:"literal",begin:"\\b(null|true|false)"},{className:"number",relevance:0,begin:"(-?)(\\b0[xXbBoOdD][a-fA-F0-9]+|(\\b\\d+(\\.\\d*)?f?|\\.\\d+f?)([eE][-+]?\\d+f?)?)"}]}}ua.exports=om});var Ea=O((hS,ga)=>{function sm(e){let n={className:"number",begin:/[$%]\d+/},i={className:"number",begin:/\b\d+/},_={className:"number",begin:/\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}(:\d{1,5})?/},l={className:"number",begin:/:\d{1,5}/};return{name:"Apache config",aliases:["apacheconf"],case_insensitive:!0,contains:[e.HASH_COMMENT_MODE,{className:"section",begin:/<\/?/,end:/>/,contains:[_,l,e.inherit(e.QUOTE_STRING_MODE,{relevance:0})]},{className:"attribute",begin:/\w+/,relevance:0,keywords:{_:["order","deny","allow","setenv","rewriterule","rewriteengine","rewritecond","documentroot","sethandler","errordocument","loadmodule","options","header","listen","serverroot","servername"]},starts:{end:/$/,relevance:0,keywords:{literal:"on off all deny allow"},contains:[{className:"meta",begin:/\s\[/,end:/\]$/},{className:"variable",begin:/[\$%]\{/,end:/\}/,contains:["self",n]},_,i,e.QUOTE_STRING_MODE]}}],illegal:/\S/}}ga.exports=sm});var fa=O((TS,ba)=>{function lm(e){let n=e.regex,i=e.inherit(e.QUOTE_STRING_MODE,{illegal:null}),_={className:"params",begin:/\(/,end:/\)/,contains:["self",e.C_NUMBER_MODE,i]},l=e.COMMENT(/--/,/$/),a=e.COMMENT(/\(\*/,/\*\)/,{contains:["self",l]}),s=[l,a,e.HASH_COMMENT_MODE],d=[/apart from/,/aside from/,/instead of/,/out of/,/greater than/,/isn't|(doesn't|does not) (equal|come before|come after|contain)/,/(greater|less) than( or equal)?/,/(starts?|ends|begins?) with/,/contained by/,/comes (before|after)/,/a (ref|reference)/,/POSIX (file|path)/,/(date|time) string/,/quoted form/],u=[/clipboard info/,/the clipboard/,/info for/,/list (disks|folder)/,/mount volume/,/path to/,/(close|open for) access/,/(get|set) eof/,/current date/,/do shell script/,/get volume settings/,/random number/,/set volume/,/system attribute/,/system info/,/time to GMT/,/(load|run|store) script/,/scripting components/,/ASCII (character|number)/,/localized string/,/choose (application|color|file|file name|folder|from list|remote application|URL)/,/display (alert|dialog)/];return{name:"AppleScript",aliases:["osascript"],keywords:{keyword:"about above after against and around as at back before beginning behind below beneath beside between but by considering contain contains continue copy div does eighth else end equal equals error every exit fifth first for fourth from front get given global if ignoring in into is it its last local me middle mod my ninth not of on onto or over prop property put ref reference repeat returning script second set seventh since sixth some tell tenth that the|0 then third through thru timeout times to transaction try until where while whose with without",literal:"AppleScript false linefeed return pi quote result space tab true",built_in:"alias application boolean class constant date file integer list number real record string text activate beep count delay launch log offset read round run say summarize write character characters contents day frontmost id item length month name|0 paragraph paragraphs rest reverse running time version weekday word words year"},contains:[i,e.C_NUMBER_MODE,{className:"built_in",begin:n.concat(/\b/,n.either(...u),/\b/)},{className:"built_in",begin:/^\s*return\b/},{className:"literal",begin:/\b(text item delimiters|current application|missing value)\b/},{className:"keyword",begin:n.concat(/\b/,n.either(...d),/\b/)},{beginKeywords:"on",illegal:/[${=;\n]/,contains:[e.UNDERSCORE_TITLE_MODE,_]},...s],illegal:/\/\/|->|=>|\[\[/}}ba.exports=lm});var ha=O((RS,Sa)=>{function cm(e){let n="[A-Za-z_][0-9A-Za-z_]*",i={keyword:["if","for","while","var","new","function","do","return","void","else","break"],literal:["BackSlash","DoubleQuote","false","ForwardSlash","Infinity","NaN","NewLine","null","PI","SingleQuote","Tab","TextFormatting","true","undefined"],built_in:["Abs","Acos","All","Angle","Any","Area","AreaGeodetic","Array","Asin","Atan","Atan2","Attachments","Average","Back","Bearing","Boolean","Buffer","BufferGeodetic","Ceil","Centroid","Clip","Concatenate","Console","Constrain","Contains","ConvertDirection","Cos","Count","Crosses","Cut","Date","DateAdd","DateDiff","Day","Decode","DefaultValue","Densify","DensifyGeodetic","Dictionary","Difference","Disjoint","Distance","DistanceGeodetic","Distinct","Domain","DomainCode","DomainName","EnvelopeIntersects","Equals","Erase","Exp","Expects","Extent","Feature","FeatureSet","FeatureSetByAssociation","FeatureSetById","FeatureSetByName","FeatureSetByPortalItem","FeatureSetByRelationshipName","Filter","Find","First","Floor","FromCharCode","FromCodePoint","FromJSON","GdbVersion","Generalize","Geometry","GetFeatureSet","GetUser","GroupBy","Guid","Hash","HasKey","Hour","IIf","Includes","IndexOf","Insert","Intersection","Intersects","IsEmpty","IsNan","ISOMonth","ISOWeek","ISOWeekday","ISOYear","IsSelfIntersecting","IsSimple","Left|0","Length","Length3D","LengthGeodetic","Log","Lower","Map","Max","Mean","Mid","Millisecond","Min","Minute","Month","MultiPartToSinglePart","Multipoint","NextSequenceValue","None","Now","Number","Offset|0","OrderBy","Overlaps","Point","Polygon","Polyline","Pop","Portal","Pow","Proper","Push","Random","Reduce","Relate","Replace","Resize","Reverse","Right|0","RingIsClockwise","Rotate","Round","Schema","Second","SetGeometry","Simplify","Sin","Slice","Sort","Splice","Split","Sqrt","Stdev","SubtypeCode","SubtypeName","Subtypes","Sum","SymmetricDifference","Tan","Text","Timestamp","ToCharCode","ToCodePoint","Today","ToHex","ToLocal","Top|0","Touches","ToUTC","TrackAccelerationAt","TrackAccelerationWindow","TrackCurrentAcceleration","TrackCurrentDistance","TrackCurrentSpeed","TrackCurrentTime","TrackDistanceAt","TrackDistanceWindow","TrackDuration","TrackFieldWindow","TrackGeometryWindow","TrackIndex","TrackSpeedAt","TrackSpeedWindow","TrackStartTime","TrackWindow","Trim","TypeOf","Union","Upper","UrlEncode","Variance","Week","Weekday","When","Within","Year"]},_={className:"symbol",begin:"\\$[datastore|feature|layer|map|measure|sourcefeature|sourcelayer|targetfeature|targetlayer|value|view]+"},l={className:"number",variants:[{begin:"\\b(0[bB][01]+)"},{begin:"\\b(0[oO][0-7]+)"},{begin:e.C_NUMBER_RE}],relevance:0},a={className:"subst",begin:"\\$\\{",end:"\\}",keywords:i,contains:[]},s={className:"string",begin:"`",end:"`",contains:[e.BACKSLASH_ESCAPE,a]};a.contains=[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,s,l,e.REGEXP_MODE];let d=a.contains.concat([e.C_BLOCK_COMMENT_MODE,e.C_LINE_COMMENT_MODE]);return{name:"ArcGIS Arcade",case_insensitive:!0,keywords:i,contains:[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,s,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,_,l,{begin:/[{,]\s*/,relevance:0,contains:[{begin:n+"\\s*:",returnBegin:!0,relevance:0,contains:[{className:"attr",begin:n,relevance:0}]}]},{begin:"("+e.RE_STARTERS_RE+"|\\b(return)\\b)\\s*",keywords:"return",contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.REGEXP_MODE,{className:"function",begin:"(\\(.*?\\)|"+n+")\\s*=>",returnBegin:!0,end:"\\s*=>",contains:[{className:"params",variants:[{begin:n},{begin:/\(\s*\)/},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:i,contains:d}]}]}],relevance:0},{beginKeywords:"function",end:/\{/,excludeEnd:!0,contains:[e.inherit(e.TITLE_MODE,{className:"title.function",begin:n}),{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,contains:d}],illegal:/\[|%/},{begin:/\$[(.]/}],illegal:/#(?!!)/}}Sa.exports=cm});var Ra=O((CS,Ta)=>{function dm(e){let n=e.regex,i=e.COMMENT("//","$",{contains:[{begin:/\\\n/}]}),_="decltype\\(auto\\)",l="[a-zA-Z_]\\w*::",a="<[^<>]+>",s="(?!struct)("+_+"|"+n.optional(l)+"[a-zA-Z_]\\w*"+n.optional(a)+")",d={className:"type",begin:"\\b[a-z\\d_]*_t\\b"},u="\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\S)",E={className:"string",variants:[{begin:'(u8?|U|L)?"',end:'"',illegal:"\\n",contains:[e.BACKSLASH_ESCAPE]},{begin:"(u8?|U|L)?'("+u+"|.)",end:"'",illegal:"."},e.END_SAME_AS_BEGIN({begin:/(?:u8?|U|L)?R"([^()\\ ]{0,16})\(/,end:/\)([^()\\ ]{0,16})"/})]},f={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},N={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma _Pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},e.inherit(E,{className:"string"}),{className:"string",begin:/<.*?>/},i,e.C_BLOCK_COMMENT_MODE]},S={className:"title",begin:n.optional(l)+e.IDENT_RE,relevance:0},h=n.optional(l)+e.IDENT_RE+"\\s*\\(",C=["alignas","alignof","and","and_eq","asm","atomic_cancel","atomic_commit","atomic_noexcept","auto","bitand","bitor","break","case","catch","class","co_await","co_return","co_yield","compl","concept","const_cast|10","consteval","constexpr","constinit","continue","decltype","default","delete","do","dynamic_cast|10","else","enum","explicit","export","extern","false","final","for","friend","goto","if","import","inline","module","mutable","namespace","new","noexcept","not","not_eq","nullptr","operator","or","or_eq","override","private","protected","public","reflexpr","register","reinterpret_cast|10","requires","return","sizeof","static_assert","static_cast|10","struct","switch","synchronized","template","this","thread_local","throw","transaction_safe","transaction_safe_dynamic","true","try","typedef","typeid","typename","union","using","virtual","volatile","while","xor","xor_eq"],I=["bool","char","char16_t","char32_t","char8_t","double","float","int","long","short","void","wchar_t","unsigned","signed","const","static"],x=["any","auto_ptr","barrier","binary_semaphore","bitset","complex","condition_variable","condition_variable_any","counting_semaphore","deque","false_type","future","imaginary","initializer_list","istringstream","jthread","latch","lock_guard","multimap","multiset","mutex","optional","ostringstream","packaged_task","pair","promise","priority_queue","queue","recursive_mutex","recursive_timed_mutex","scoped_lock","set","shared_future","shared_lock","shared_mutex","shared_timed_mutex","shared_ptr","stack","string_view","stringstream","timed_mutex","thread","true_type","tuple","unique_lock","unique_ptr","unordered_map","unordered_multimap","unordered_multiset","unordered_set","variant","vector","weak_ptr","wstring","wstring_view"],F=["abort","abs","acos","apply","as_const","asin","atan","atan2","calloc","ceil","cerr","cin","clog","cos","cosh","cout","declval","endl","exchange","exit","exp","fabs","floor","fmod","forward","fprintf","fputs","free","frexp","fscanf","future","invoke","isalnum","isalpha","iscntrl","isdigit","isgraph","islower","isprint","ispunct","isspace","isupper","isxdigit","labs","launder","ldexp","log","log10","make_pair","make_shared","make_shared_for_overwrite","make_tuple","make_unique","malloc","memchr","memcmp","memcpy","memset","modf","move","pow","printf","putchar","puts","realloc","scanf","sin","sinh","snprintf","sprintf","sqrt","sscanf","std","stderr","stdin","stdout","strcat","strchr","strcmp","strcpy","strcspn","strlen","strncat","strncmp","strncpy","strpbrk","strrchr","strspn","strstr","swap","tan","tanh","terminate","to_underlying","tolower","toupper","vfprintf","visit","vprintf","vsprintf"],Y={type:I,keyword:C,literal:["NULL","false","nullopt","nullptr","true"],built_in:["_Pragma"],_type_hints:x},z={className:"function.dispatch",relevance:0,keywords:{_hint:F},begin:n.concat(/\b/,/(?!decltype)/,/(?!if)/,/(?!for)/,/(?!switch)/,/(?!while)/,e.IDENT_RE,n.lookahead(/(<[^<>]+>|)\s*\(/))},c=[z,N,d,i,e.C_BLOCK_COMMENT_MODE,f,E],te={variants:[{begin:/=/,end:/;/},{begin:/\(/,end:/\)/},{beginKeywords:"new throw return else",end:/;/}],keywords:Y,contains:c.concat([{begin:/\(/,end:/\)/,keywords:Y,contains:c.concat(["self"]),relevance:0}]),relevance:0},K={className:"function",begin:"("+s+"[\\*&\\s]+)+"+h,returnBegin:!0,end:/[{;=]/,excludeEnd:!0,keywords:Y,illegal:/[^\w\s\*&:<>.]/,contains:[{begin:_,keywords:Y,relevance:0},{begin:h,returnBegin:!0,contains:[S],relevance:0},{begin:/::/,relevance:0},{begin:/:/,endsWithParent:!0,contains:[E,f]},{relevance:0,match:/,/},{className:"params",begin:/\(/,end:/\)/,keywords:Y,relevance:0,contains:[i,e.C_BLOCK_COMMENT_MODE,E,f,d,{begin:/\(/,end:/\)/,keywords:Y,relevance:0,contains:["self",i,e.C_BLOCK_COMMENT_MODE,E,f,d]}]},d,i,e.C_BLOCK_COMMENT_MODE,N]};return{name:"C++",aliases:["cc","c++","h++","hpp","hh","hxx","cxx"],keywords:Y,illegal:"</",classNameAliases:{"function.dispatch":"built_in"},contains:[].concat(te,K,z,c,[N,{begin:"\\b(deque|list|queue|priority_queue|pair|stack|vector|map|set|bitset|multiset|multimap|unordered_map|unordered_set|unordered_multiset|unordered_multimap|array|tuple|optional|variant|function)\\s*<(?!<)",end:">",keywords:Y,contains:["self",d]},{begin:e.IDENT_RE+"::",keywords:Y},{match:[/\b(?:enum(?:\s+(?:class|struct))?|class|struct|union)/,/\s+/,/\w+/],className:{1:"keyword",3:"title.class"}}])}}function _m(e){let n={type:["boolean","byte","word","String"],built_in:["KeyboardController","MouseController","SoftwareSerial","EthernetServer","EthernetClient","LiquidCrystal","RobotControl","GSMVoiceCall","EthernetUDP","EsploraTFT","HttpClient","RobotMotor","WiFiClient","GSMScanner","FileSystem","Scheduler","GSMServer","YunClient","YunServer","IPAddress","GSMClient","GSMModem","Keyboard","Ethernet","Console","GSMBand","Esplora","Stepper","Process","WiFiUDP","GSM_SMS","Mailbox","USBHost","Firmata","PImage","Client","Server","GSMPIN","FileIO","Bridge","Serial","EEPROM","Stream","Mouse","Audio","Servo","File","Task","GPRS","WiFi","Wire","TFT","GSM","SPI","SD"],_hints:["setup","loop","runShellCommandAsynchronously","analogWriteResolution","retrieveCallingNumber","printFirmwareVersion","analogReadResolution","sendDigitalPortPair","noListenOnLocalhost","readJoystickButton","setFirmwareVersion","readJoystickSwitch","scrollDisplayRight","getVoiceCallStatus","scrollDisplayLeft","writeMicroseconds","delayMicroseconds","beginTransmission","getSignalStrength","runAsynchronously","getAsynchronously","listenOnLocalhost","getCurrentCarrier","readAccelerometer","messageAvailable","sendDigitalPorts","lineFollowConfig","countryNameWrite","runShellCommand","readStringUntil","rewindDirectory","readTemperature","setClockDivider","readLightSensor","endTransmission","analogReference","detachInterrupt","countryNameRead","attachInterrupt","encryptionType","readBytesUntil","robotNameWrite","readMicrophone","robotNameRead","cityNameWrite","userNameWrite","readJoystickY","readJoystickX","mouseReleased","openNextFile","scanNetworks","noInterrupts","digitalWrite","beginSpeaker","mousePressed","isActionDone","mouseDragged","displayLogos","noAutoscroll","addParameter","remoteNumber","getModifiers","keyboardRead","userNameRead","waitContinue","processInput","parseCommand","printVersion","readNetworks","writeMessage","blinkVersion","cityNameRead","readMessage","setDataMode","parsePacket","isListening","setBitOrder","beginPacket","isDirectory","motorsWrite","drawCompass","digitalRead","clearScreen","serialEvent","rightToLeft","setTextSize","leftToRight","requestFrom","keyReleased","compassRead","analogWrite","interrupts","WiFiServer","disconnect","playMelody","parseFloat","autoscroll","getPINUsed","setPINUsed","setTimeout","sendAnalog","readSlider","analogRead","beginWrite","createChar","motorsStop","keyPressed","tempoWrite","readButton","subnetMask","debugPrint","macAddress","writeGreen","randomSeed","attachGPRS","readString","sendString","remotePort","releaseAll","mouseMoved","background","getXChange","getYChange","answerCall","getResult","voiceCall","endPacket","constrain","getSocket","writeJSON","getButton","available","connected","findUntil","readBytes","exitValue","readGreen","writeBlue","startLoop","IPAddress","isPressed","sendSysex","pauseMode","gatewayIP","setCursor","getOemKey","tuneWrite","noDisplay","loadImage","switchPIN","onRequest","onReceive","changePIN","playFile","noBuffer","parseInt","overflow","checkPIN","knobRead","beginTFT","bitClear","updateIR","bitWrite","position","writeRGB","highByte","writeRed","setSpeed","readBlue","noStroke","remoteIP","transfer","shutdown","hangCall","beginSMS","endWrite","attached","maintain","noCursor","checkReg","checkPUK","shiftOut","isValid","shiftIn","pulseIn","connect","println","localIP","pinMode","getIMEI","display","noBlink","process","getBand","running","beginSD","drawBMP","lowByte","setBand","release","bitRead","prepare","pointTo","readRed","setMode","noFill","remove","listen","stroke","detach","attach","noTone","exists","buffer","height","bitSet","circle","config","cursor","random","IRread","setDNS","endSMS","getKey","micros","millis","begin","print","write","ready","flush","width","isPIN","blink","clear","press","mkdir","rmdir","close","point","yield","image","BSSID","click","delay","read","text","move","peek","beep","rect","line","open","seek","fill","size","turn","stop","home","find","step","tone","sqrt","RSSI","SSID","end","bit","tan","cos","sin","pow","map","abs","max","min","get","run","put"],literal:["DIGITAL_MESSAGE","FIRMATA_STRING","ANALOG_MESSAGE","REPORT_DIGITAL","REPORT_ANALOG","INPUT_PULLUP","SET_PIN_MODE","INTERNAL2V56","SYSTEM_RESET","LED_BUILTIN","INTERNAL1V1","SYSEX_START","INTERNAL","EXTERNAL","DEFAULT","OUTPUT","INPUT","HIGH","LOW"]},i=dm(e),_=i.keywords;return _.type=[..._.type,...n.type],_.literal=[..._.literal,...n.literal],_.built_in=[..._.built_in,...n.built_in],_._hints=n._hints,i.name="Arduino",i.aliases=["ino"],i.supersetOf="cpp",i}Ta.exports=_m});var va=O((vS,Ca)=>{function pm(e){let n={variants:[e.COMMENT("^[ \\t]*(?=#)","$",{relevance:0,excludeBegin:!0}),e.COMMENT("[;@]","$",{relevance:0}),e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]};return{name:"ARM Assembly",case_insensitive:!0,aliases:["arm"],keywords:{$pattern:"\\.?"+e.IDENT_RE,meta:".2byte .4byte .align .ascii .asciz .balign .byte .code .data .else .end .endif .endm .endr .equ .err .exitm .extern .global .hword .if .ifdef .ifndef .include .irp .long .macro .rept .req .section .set .skip .space .text .word .arm .thumb .code16 .code32 .force_thumb .thumb_func .ltorg ALIAS ALIGN ARM AREA ASSERT ATTR CN CODE CODE16 CODE32 COMMON CP DATA DCB DCD DCDU DCDO DCFD DCFDU DCI DCQ DCQU DCW DCWU DN ELIF ELSE END ENDFUNC ENDIF ENDP ENTRY EQU EXPORT EXPORTAS EXTERN FIELD FILL FUNCTION GBLA GBLL GBLS GET GLOBAL IF IMPORT INCBIN INCLUDE INFO KEEP LCLA LCLL LCLS LTORG MACRO MAP MEND MEXIT NOFP OPT PRESERVE8 PROC QN READONLY RELOC REQUIRE REQUIRE8 RLIST FN ROUT SETA SETL SETS SN SPACE SUBT THUMB THUMBX TTL WHILE WEND ",built_in:"r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 pc lr sp ip sl sb fp a1 a2 a3 a4 v1 v2 v3 v4 v5 v6 v7 v8 f0 f1 f2 f3 f4 f5 f6 f7 p0 p1 p2 p3 p4 p5 p6 p7 p8 p9 p10 p11 p12 p13 p14 p15 c0 c1 c2 c3 c4 c5 c6 c7 c8 c9 c10 c11 c12 c13 c14 c15 q0 q1 q2 q3 q4 q5 q6 q7 q8 q9 q10 q11 q12 q13 q14 q15 cpsr_c cpsr_x cpsr_s cpsr_f cpsr_cx cpsr_cxs cpsr_xs cpsr_xsf cpsr_sf cpsr_cxsf spsr_c spsr_x spsr_s spsr_f spsr_cx spsr_cxs spsr_xs spsr_xsf spsr_sf spsr_cxsf s0 s1 s2 s3 s4 s5 s6 s7 s8 s9 s10 s11 s12 s13 s14 s15 s16 s17 s18 s19 s20 s21 s22 s23 s24 s25 s26 s27 s28 s29 s30 s31 d0 d1 d2 d3 d4 d5 d6 d7 d8 d9 d10 d11 d12 d13 d14 d15 d16 d17 d18 d19 d20 d21 d22 d23 d24 d25 d26 d27 d28 d29 d30 d31 {PC} {VAR} {TRUE} {FALSE} {OPT} {CONFIG} {ENDIAN} {CODESIZE} {CPU} {FPU} {ARCHITECTURE} {PCSTOREOFFSET} {ARMASM_VERSION} {INTER} {ROPI} {RWPI} {SWST} {NOSWST} . @"},contains:[{className:"keyword",begin:"\\b(adc|(qd?|sh?|u[qh]?)?add(8|16)?|usada?8|(q|sh?|u[qh]?)?(as|sa)x|and|adrl?|sbc|rs[bc]|asr|b[lx]?|blx|bxj|cbn?z|tb[bh]|bic|bfc|bfi|[su]bfx|bkpt|cdp2?|clz|clrex|cmp|cmn|cpsi[ed]|cps|setend|dbg|dmb|dsb|eor|isb|it[te]{0,3}|lsl|lsr|ror|rrx|ldm(([id][ab])|f[ds])?|ldr((s|ex)?[bhd])?|movt?|mvn|mra|mar|mul|[us]mull|smul[bwt][bt]|smu[as]d|smmul|smmla|mla|umlaal|smlal?([wbt][bt]|d)|mls|smlsl?[ds]|smc|svc|sev|mia([bt]{2}|ph)?|mrr?c2?|mcrr2?|mrs|msr|orr|orn|pkh(tb|bt)|rbit|rev(16|sh)?|sel|[su]sat(16)?|nop|pop|push|rfe([id][ab])?|stm([id][ab])?|str(ex)?[bhd]?|(qd?)?sub|(sh?|q|u[qh]?)?sub(8|16)|[su]xt(a?h|a?b(16)?)|srs([id][ab])?|swpb?|swi|smi|tst|teq|wfe|wfi|yield)(eq|ne|cs|cc|mi|pl|vs|vc|hi|ls|ge|lt|gt|le|al|hs|lo)?[sptrx]?(?=\\s)"},n,e.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"[^\\\\]'",relevance:0},{className:"title",begin:"\\|",end:"\\|",illegal:"\\n",relevance:0},{className:"number",variants:[{begin:"[#$=]?0x[0-9a-f]+"},{begin:"[#$=]?0b[01]+"},{begin:"[#$=]\\d+"},{begin:"\\b\\d+"}],relevance:0},{className:"symbol",variants:[{begin:"^[ \\t]*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{begin:"^[a-z_\\.\\$][a-z0-9_\\.\\$]+"},{begin:"[=#]\\w+"}],relevance:0}]}}Ca.exports=pm});var Oa=O((NS,Na)=>{function um(e){let n=e.regex,i=n.concat(/[\p{L}_]/u,n.optional(/[\p{L}0-9_.-]*:/u),/[\p{L}0-9_.-]*/u),_=/[\p{L}0-9._:-]+/u,l={className:"symbol",begin:/&[a-z]+;|&#[0-9]+;|&#x[a-f0-9]+;/},a={begin:/\s/,contains:[{className:"keyword",begin:/#?[a-z_][a-z1-9_-]+/,illegal:/\n/}]},s=e.inherit(a,{begin:/\(/,end:/\)/}),d=e.inherit(e.APOS_STRING_MODE,{className:"string"}),u=e.inherit(e.QUOTE_STRING_MODE,{className:"string"}),E={endsWithParent:!0,illegal:/</,relevance:0,contains:[{className:"attr",begin:_,relevance:0},{begin:/=\s*/,relevance:0,contains:[{className:"string",endsParent:!0,variants:[{begin:/"/,end:/"/,contains:[l]},{begin:/'/,end:/'/,contains:[l]},{begin:/[^\s"'=<>`]+/}]}]}]};return{name:"HTML, XML",aliases:["html","xhtml","rss","atom","xjb","xsd","xsl","plist","wsf","svg"],case_insensitive:!0,unicodeRegex:!0,contains:[{className:"meta",begin:/<![a-z]/,end:/>/,relevance:10,contains:[a,u,d,s,{begin:/\[/,end:/\]/,contains:[{className:"meta",begin:/<![a-z]/,end:/>/,contains:[a,s,u,d]}]}]},e.COMMENT(/<!--/,/-->/,{relevance:10}),{begin:/<!\[CDATA\[/,end:/\]\]>/,relevance:10},l,{className:"meta",end:/\?>/,variants:[{begin:/<\?xml/,relevance:10,contains:[u]},{begin:/<\?[a-z][a-z0-9]+/}]},{className:"tag",begin:/<style(?=\s|>)/,end:/>/,keywords:{name:"style"},contains:[E],starts:{end:/<\/style>/,returnEnd:!0,subLanguage:["css","xml"]}},{className:"tag",begin:/<script(?=\s|>)/,end:/>/,keywords:{name:"script"},contains:[E],starts:{end:/<\/script>/,returnEnd:!0,subLanguage:["javascript","handlebars","xml"]}},{className:"tag",begin:/<>|<\/>/},{className:"tag",begin:n.concat(/</,n.lookahead(n.concat(i,n.either(/\/>/,/>/,/\s/)))),end:/\/?>/,contains:[{className:"name",begin:i,relevance:0,starts:E}]},{className:"tag",begin:n.concat(/<\//,n.lookahead(n.concat(i,/>/))),contains:[{className:"name",begin:i,relevance:0},{begin:/>/,relevance:0,endsParent:!0}]}]}}Na.exports=um});var ya=O((OS,Aa)=>{function mm(e){let n=e.regex,i={begin:"^'{3,}[ \\t]*$",relevance:10},_=[{begin:/\\[*_`]/},{begin:/\\\\\*{2}[^\n]*?\*{2}/},{begin:/\\\\_{2}[^\n]*_{2}/},{begin:/\\\\`{2}[^\n]*`{2}/},{begin:/[:;}][*_`](?![*_`])/}],l=[{className:"strong",begin:/\*{2}([^\n]+?)\*{2}/},{className:"strong",begin:n.concat(/\*\*/,/((\*(?!\*)|\\[^\n]|[^*\n\\])+\n)+/,/(\*(?!\*)|\\[^\n]|[^*\n\\])*/,/\*\*/),relevance:0},{className:"strong",begin:/\B\*(\S|\S[^\n]*?\S)\*(?!\w)/},{className:"strong",begin:/\*[^\s]([^\n]+\n)+([^\n]+)\*/}],a=[{className:"emphasis",begin:/_{2}([^\n]+?)_{2}/},{className:"emphasis",begin:n.concat(/__/,/((_(?!_)|\\[^\n]|[^_\n\\])+\n)+/,/(_(?!_)|\\[^\n]|[^_\n\\])*/,/__/),relevance:0},{className:"emphasis",begin:/\b_(\S|\S[^\n]*?\S)_(?!\w)/},{className:"emphasis",begin:/_[^\s]([^\n]+\n)+([^\n]+)_/},{className:"emphasis",begin:"\\B'(?!['\\s])",end:"(\\n{2}|')",contains:[{begin:"\\\\'\\w",relevance:0}],relevance:0}],s={className:"symbol",begin:"^(NOTE|TIP|IMPORTANT|WARNING|CAUTION):\\s+",relevance:10},d={className:"bullet",begin:"^(\\*+|-+|\\.+|[^\\n]+?::)\\s+"};return{name:"AsciiDoc",aliases:["adoc"],contains:[e.COMMENT("^/{4,}\\n","\\n/{4,}$",{relevance:10}),e.COMMENT("^//","$",{relevance:0}),{className:"title",begin:"^\\.\\w.*$"},{begin:"^[=\\*]{4,}\\n",end:"\\n^[=\\*]{4,}$",relevance:10},{className:"section",relevance:10,variants:[{begin:"^(={1,6})[ ].+?([ ]\\1)?$"},{begin:"^[^\\[\\]\\n]+?\\n[=\\-~\\^\\+]{2,}$"}]},{className:"meta",begin:"^:.+?:",end:"\\s",excludeEnd:!0,relevance:10},{className:"meta",begin:"^\\[.+?\\]$",relevance:0},{className:"quote",begin:"^_{4,}\\n",end:"\\n_{4,}$",relevance:10},{className:"code",begin:"^[\\-\\.]{4,}\\n",end:"\\n[\\-\\.]{4,}$",relevance:10},{begin:"^\\+{4,}\\n",end:"\\n\\+{4,}$",contains:[{begin:"<",end:">",subLanguage:"xml",relevance:0}],relevance:10},d,s,..._,...l,...a,{className:"string",variants:[{begin:"``.+?''"},{begin:"`.+?'"}]},{className:"code",begin:/`{2}/,end:/(\n{2}|`{2})/},{className:"code",begin:"(`.+?`|\\+.+?\\+)",relevance:0},{className:"code",begin:"^[ \\t]",end:"$",relevance:0},i,{begin:"(link:)?(http|https|ftp|file|irc|image:?):\\S+?\\[[^[]*?\\]",returnBegin:!0,contains:[{begin:"(link|image:?):",relevance:0},{className:"link",begin:"\\w",end:"[^\\[]+",relevance:0},{className:"string",begin:"\\[",end:"\\]",excludeBegin:!0,excludeEnd:!0,relevance:0}],relevance:10}]}}Aa.exports=mm});var Da=O((AS,Ia)=>{function gm(e){let n=e.regex,i=["false","synchronized","int","abstract","float","private","char","boolean","static","null","if","const","for","true","while","long","throw","strictfp","finally","protected","import","native","final","return","void","enum","else","extends","implements","break","transient","new","catch","instanceof","byte","super","volatile","case","assert","short","package","default","double","public","try","this","switch","continue","throws","privileged","aspectOf","adviceexecution","proceed","cflowbelow","cflow","initialization","preinitialization","staticinitialization","withincode","target","within","execution","getWithinTypeName","handler","thisJoinPoint","thisJoinPointStaticPart","thisEnclosingJoinPointStaticPart","declare","parents","warning","error","soft","precedence","thisAspectInstance"],_=["get","set","args","call"];return{name:"AspectJ",keywords:i,illegal:/<\/|#/,contains:[e.COMMENT(/\/\*\*/,/\*\//,{relevance:0,contains:[{begin:/\w+@/,relevance:0},{className:"doctag",begin:/@[A-Za-z]+/}]}),e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,{className:"class",beginKeywords:"aspect",end:/[{;=]/,excludeEnd:!0,illegal:/[:;"\[\]]/,contains:[{beginKeywords:"extends implements pertypewithin perthis pertarget percflowbelow percflow issingleton"},e.UNDERSCORE_TITLE_MODE,{begin:/\([^\)]*/,end:/[)]+/,keywords:i.concat(_),excludeEnd:!1}]},{className:"class",beginKeywords:"class interface",end:/[{;=]/,excludeEnd:!0,relevance:0,keywords:"class interface",illegal:/[:"\[\]]/,contains:[{beginKeywords:"extends implements"},e.UNDERSCORE_TITLE_MODE]},{beginKeywords:"pointcut after before around throwing returning",end:/[)]/,excludeEnd:!1,illegal:/["\[\]]/,contains:[{begin:n.concat(e.UNDERSCORE_IDENT_RE,/\s*\(/),returnBegin:!0,contains:[e.UNDERSCORE_TITLE_MODE]}]},{begin:/[:]/,returnBegin:!0,end:/[{;]/,relevance:0,excludeEnd:!1,keywords:i,illegal:/["\[\]]/,contains:[{begin:n.concat(e.UNDERSCORE_IDENT_RE,/\s*\(/),keywords:i.concat(_),relevance:0},e.QUOTE_STRING_MODE]},{beginKeywords:"new throw",relevance:0},{className:"function",begin:/\w+ +\w+(\.\w+)?\s*\([^\)]*\)\s*((throws)[\w\s,]+)?[\{;]/,returnBegin:!0,end:/[{;=]/,keywords:i,excludeEnd:!0,contains:[{begin:n.concat(e.UNDERSCORE_IDENT_RE,/\s*\(/),returnBegin:!0,relevance:0,contains:[e.UNDERSCORE_TITLE_MODE]},{className:"params",begin:/\(/,end:/\)/,relevance:0,keywords:i,contains:[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.C_NUMBER_MODE,e.C_BLOCK_COMMENT_MODE]},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]},e.C_NUMBER_MODE,{className:"meta",begin:/@[A-Za-z]+/}]}}Ia.exports=gm});var wa=O((yS,xa)=>{function Em(e){let n={begin:"`[\\s\\S]"};return{name:"AutoHotkey",case_insensitive:!0,aliases:["ahk"],keywords:{keyword:"Break Continue Critical Exit ExitApp Gosub Goto New OnExit Pause return SetBatchLines SetTimer Suspend Thread Throw Until ahk_id ahk_class ahk_pid ahk_exe ahk_group",literal:"true false NOT AND OR",built_in:"ComSpec Clipboard ClipboardAll ErrorLevel"},contains:[n,e.inherit(e.QUOTE_STRING_MODE,{contains:[n]}),e.COMMENT(";","$",{relevance:0}),e.C_BLOCK_COMMENT_MODE,{className:"number",begin:e.NUMBER_RE,relevance:0},{className:"variable",begin:"%[a-zA-Z0-9#_$@]+%"},{className:"built_in",begin:"^\\s*\\w+\\s*(,|%)"},{className:"title",variants:[{begin:'^[^\\n";]+::(?!=)'},{begin:'^[^\\n";]+:(?!=)',relevance:0}]},{className:"meta",begin:"^\\s*#\\w+",end:"$",relevance:0},{className:"built_in",begin:"A_[a-zA-Z0-9]+"},{begin:",\\s*,"}]}}xa.exports=Em});var La=O((IS,Ma)=>{function bm(e){let n="ByRef Case Const ContinueCase ContinueLoop Dim Do Else ElseIf EndFunc EndIf EndSelect EndSwitch EndWith Enum Exit ExitLoop For Func Global If In Local Next ReDim Return Select Static Step Switch Then To Until Volatile WEnd While With",i=["EndRegion","forcedef","forceref","ignorefunc","include","include-once","NoTrayIcon","OnAutoItStartRegister","pragma","Region","RequireAdmin","Tidy_Off","Tidy_On","Tidy_Parameters"],_="True False And Null Not Or Default",l="Abs ACos AdlibRegister AdlibUnRegister Asc AscW ASin Assign ATan AutoItSetOption AutoItWinGetTitle AutoItWinSetTitle Beep Binary BinaryLen BinaryMid BinaryToString BitAND BitNOT BitOR BitRotate BitShift BitXOR BlockInput Break Call CDTray Ceiling Chr ChrW ClipGet ClipPut ConsoleRead ConsoleWrite ConsoleWriteError ControlClick ControlCommand ControlDisable ControlEnable ControlFocus ControlGetFocus ControlGetHandle ControlGetPos ControlGetText ControlHide ControlListView ControlMove ControlSend ControlSetText ControlShow ControlTreeView Cos Dec DirCopy DirCreate DirGetSize DirMove DirRemove DllCall DllCallAddress DllCallbackFree DllCallbackGetPtr DllCallbackRegister DllClose DllOpen DllStructCreate DllStructGetData DllStructGetPtr DllStructGetSize DllStructSetData DriveGetDrive DriveGetFileSystem DriveGetLabel DriveGetSerial DriveGetType DriveMapAdd DriveMapDel DriveMapGet DriveSetLabel DriveSpaceFree DriveSpaceTotal DriveStatus EnvGet EnvSet EnvUpdate Eval Execute Exp FileChangeDir FileClose FileCopy FileCreateNTFSLink FileCreateShortcut FileDelete FileExists FileFindFirstFile FileFindNextFile FileFlush FileGetAttrib FileGetEncoding FileGetLongName FileGetPos FileGetShortcut FileGetShortName FileGetSize FileGetTime FileGetVersion FileInstall FileMove FileOpen FileOpenDialog FileRead FileReadLine FileReadToArray FileRecycle FileRecycleEmpty FileSaveDialog FileSelectFolder FileSetAttrib FileSetEnd FileSetPos FileSetTime FileWrite FileWriteLine Floor FtpSetProxy FuncName GUICreate GUICtrlCreateAvi GUICtrlCreateButton GUICtrlCreateCheckbox GUICtrlCreateCombo GUICtrlCreateContextMenu GUICtrlCreateDate GUICtrlCreateDummy GUICtrlCreateEdit GUICtrlCreateGraphic GUICtrlCreateGroup GUICtrlCreateIcon GUICtrlCreateInput GUICtrlCreateLabel GUICtrlCreateList GUICtrlCreateListView GUICtrlCreateListViewItem GUICtrlCreateMenu GUICtrlCreateMenuItem GUICtrlCreateMonthCal GUICtrlCreateObj GUICtrlCreatePic GUICtrlCreateProgress GUICtrlCreateRadio GUICtrlCreateSlider GUICtrlCreateTab GUICtrlCreateTabItem GUICtrlCreateTreeView GUICtrlCreateTreeViewItem GUICtrlCreateUpdown GUICtrlDelete GUICtrlGetHandle GUICtrlGetState GUICtrlRead GUICtrlRecvMsg GUICtrlRegisterListViewSort GUICtrlSendMsg GUICtrlSendToDummy GUICtrlSetBkColor GUICtrlSetColor GUICtrlSetCursor GUICtrlSetData GUICtrlSetDefBkColor GUICtrlSetDefColor GUICtrlSetFont GUICtrlSetGraphic GUICtrlSetImage GUICtrlSetLimit GUICtrlSetOnEvent GUICtrlSetPos GUICtrlSetResizing GUICtrlSetState GUICtrlSetStyle GUICtrlSetTip GUIDelete GUIGetCursorInfo GUIGetMsg GUIGetStyle GUIRegisterMsg GUISetAccelerators GUISetBkColor GUISetCoord GUISetCursor GUISetFont GUISetHelp GUISetIcon GUISetOnEvent GUISetState GUISetStyle GUIStartGroup GUISwitch Hex HotKeySet HttpSetProxy HttpSetUserAgent HWnd InetClose InetGet InetGetInfo InetGetSize InetRead IniDelete IniRead IniReadSection IniReadSectionNames IniRenameSection IniWrite IniWriteSection InputBox Int IsAdmin IsArray IsBinary IsBool IsDeclared IsDllStruct IsFloat IsFunc IsHWnd IsInt IsKeyword IsNumber IsObj IsPtr IsString Log MemGetStats Mod MouseClick MouseClickDrag MouseDown MouseGetCursor MouseGetPos MouseMove MouseUp MouseWheel MsgBox Number ObjCreate ObjCreateInterface ObjEvent ObjGet ObjName OnAutoItExitRegister OnAutoItExitUnRegister Ping PixelChecksum PixelGetColor PixelSearch ProcessClose ProcessExists ProcessGetStats ProcessList ProcessSetPriority ProcessWait ProcessWaitClose ProgressOff ProgressOn ProgressSet Ptr Random RegDelete RegEnumKey RegEnumVal RegRead RegWrite Round Run RunAs RunAsWait RunWait Send SendKeepActive SetError SetExtended ShellExecute ShellExecuteWait Shutdown Sin Sleep SoundPlay SoundSetWaveVolume SplashImageOn SplashOff SplashTextOn Sqrt SRandom StatusbarGetText StderrRead StdinWrite StdioClose StdoutRead String StringAddCR StringCompare StringFormat StringFromASCIIArray StringInStr StringIsAlNum StringIsAlpha StringIsASCII StringIsDigit StringIsFloat StringIsInt StringIsLower StringIsSpace StringIsUpper StringIsXDigit StringLeft StringLen StringLower StringMid StringRegExp StringRegExpReplace StringReplace StringReverse StringRight StringSplit StringStripCR StringStripWS StringToASCIIArray StringToBinary StringTrimLeft StringTrimRight StringUpper Tan TCPAccept TCPCloseSocket TCPConnect TCPListen TCPNameToIP TCPRecv TCPSend TCPShutdown, UDPShutdown TCPStartup, UDPStartup TimerDiff TimerInit ToolTip TrayCreateItem TrayCreateMenu TrayGetMsg TrayItemDelete TrayItemGetHandle TrayItemGetState TrayItemGetText TrayItemSetOnEvent TrayItemSetState TrayItemSetText TraySetClick TraySetIcon TraySetOnEvent TraySetPauseIcon TraySetState TraySetToolTip TrayTip UBound UDPBind UDPCloseSocket UDPOpen UDPRecv UDPSend VarGetType WinActivate WinActive WinClose WinExists WinFlash WinGetCaretPos WinGetClassList WinGetClientSize WinGetHandle WinGetPos WinGetProcess WinGetState WinGetText WinGetTitle WinKill WinList WinMenuSelectItem WinMinimizeAll WinMinimizeAllUndo WinMove WinSetOnTop WinSetState WinSetTitle WinSetTrans WinWait WinWaitActive WinWaitClose WinWaitNotActive",a={variants:[e.COMMENT(";","$",{relevance:0}),e.COMMENT("#cs","#ce"),e.COMMENT("#comments-start","#comments-end")]},s={begin:"\\$[A-z0-9_]+"},d={className:"string",variants:[{begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{begin:/'/,end:/'/,contains:[{begin:/''/,relevance:0}]}]},u={variants:[e.BINARY_NUMBER_MODE,e.C_NUMBER_MODE]},E={className:"meta",begin:"#",end:"$",keywords:{keyword:i},contains:[{begin:/\\\n/,relevance:0},{beginKeywords:"include",keywords:{keyword:"include"},end:"$",contains:[d,{className:"string",variants:[{begin:"<",end:">"},{begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{begin:/'/,end:/'/,contains:[{begin:/''/,relevance:0}]}]}]},d,a]},f={className:"symbol",begin:"@[A-z0-9_]+"},N={beginKeywords:"Func",end:"$",illegal:"\\$|\\[|%",contains:[e.inherit(e.UNDERSCORE_TITLE_MODE,{className:"title.function"}),{className:"params",begin:"\\(",end:"\\)",contains:[s,d,u]}]};return{name:"AutoIt",case_insensitive:!0,illegal:/\/\*/,keywords:{keyword:n,built_in:l,literal:_},contains:[a,s,d,u,E,f,N]}}Ma.exports=bm});var ka=O((DS,Pa)=>{function fm(e){return{name:"AVR Assembly",case_insensitive:!0,keywords:{$pattern:"\\.?"+e.IDENT_RE,keyword:"adc add adiw and andi asr bclr bld brbc brbs brcc brcs break breq brge brhc brhs brid brie brlo brlt brmi brne brpl brsh brtc brts brvc brvs bset bst call cbi cbr clc clh cli cln clr cls clt clv clz com cp cpc cpi cpse dec eicall eijmp elpm eor fmul fmuls fmulsu icall ijmp in inc jmp ld ldd ldi lds lpm lsl lsr mov movw mul muls mulsu neg nop or ori out pop push rcall ret reti rjmp rol ror sbc sbr sbrc sbrs sec seh sbi sbci sbic sbis sbiw sei sen ser ses set sev sez sleep spm st std sts sub subi swap tst wdr",built_in:"r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 r16 r17 r18 r19 r20 r21 r22 r23 r24 r25 r26 r27 r28 r29 r30 r31 x|0 xh xl y|0 yh yl z|0 zh zl ucsr1c udr1 ucsr1a ucsr1b ubrr1l ubrr1h ucsr0c ubrr0h tccr3c tccr3a tccr3b tcnt3h tcnt3l ocr3ah ocr3al ocr3bh ocr3bl ocr3ch ocr3cl icr3h icr3l etimsk etifr tccr1c ocr1ch ocr1cl twcr twdr twar twsr twbr osccal xmcra xmcrb eicra spmcsr spmcr portg ddrg ping portf ddrf sreg sph spl xdiv rampz eicrb eimsk gimsk gicr eifr gifr timsk tifr mcucr mcucsr tccr0 tcnt0 ocr0 assr tccr1a tccr1b tcnt1h tcnt1l ocr1ah ocr1al ocr1bh ocr1bl icr1h icr1l tccr2 tcnt2 ocr2 ocdr wdtcr sfior eearh eearl eedr eecr porta ddra pina portb ddrb pinb portc ddrc pinc portd ddrd pind spdr spsr spcr udr0 ucsr0a ucsr0b ubrr0l acsr admux adcsr adch adcl porte ddre pine pinf",meta:".byte .cseg .db .def .device .dseg .dw .endmacro .equ .eseg .exit .include .list .listmac .macro .nolist .org .set"},contains:[e.C_BLOCK_COMMENT_MODE,e.COMMENT(";","$",{relevance:0}),e.C_NUMBER_MODE,e.BINARY_NUMBER_MODE,{className:"number",begin:"\\b(\\$[a-zA-Z0-9]+|0o[0-7]+)"},e.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"[^\\\\]'",illegal:"[^\\\\][^']"},{className:"symbol",begin:"^[A-Za-z0-9_.$]+:"},{className:"meta",begin:"#",end:"$"},{className:"subst",begin:"@[0-9]+"}]}}Pa.exports=fm});var Fa=O((xS,Ua)=>{function Sm(e){let n={className:"variable",variants:[{begin:/\$[\w\d#@][\w\d_]*/},{begin:/\$\{(.*?)\}/}]},i="BEGIN END if else while do for in break continue delete next nextfile function func exit|10",_={className:"string",contains:[e.BACKSLASH_ESCAPE],variants:[{begin:/(u|b)?r?'''/,end:/'''/,relevance:10},{begin:/(u|b)?r?"""/,end:/"""/,relevance:10},{begin:/(u|r|ur)'/,end:/'/,relevance:10},{begin:/(u|r|ur)"/,end:/"/,relevance:10},{begin:/(b|br)'/,end:/'/},{begin:/(b|br)"/,end:/"/},e.APOS_STRING_MODE,e.QUOTE_STRING_MODE]};return{name:"Awk",keywords:{keyword:i},contains:[n,_,e.REGEXP_MODE,e.HASH_COMMENT_MODE,e.NUMBER_MODE]}}Ua.exports=Sm});var Ga=O((wS,Ba)=>{function hm(e){let n=e.UNDERSCORE_IDENT_RE,a={keyword:["abstract","as","asc","avg","break","breakpoint","by","byref","case","catch","changecompany","class","client","client","common","const","continue","count","crosscompany","delegate","delete_from","desc","display","div","do","edit","else","eventhandler","exists","extends","final","finally","firstfast","firstonly","firstonly1","firstonly10","firstonly100","firstonly1000","flush","for","forceliterals","forcenestedloop","forceplaceholders","forceselectorder","forupdate","from","generateonly","group","hint","if","implements","in","index","insert_recordset","interface","internal","is","join","like","maxof","minof","mod","namespace","new","next","nofetch","notexists","optimisticlock","order","outer","pessimisticlock","print","private","protected","public","readonly","repeatableread","retry","return","reverse","select","server","setting","static","sum","super","switch","this","throw","try","ttsabort","ttsbegin","ttscommit","unchecked","update_recordset","using","validtimestate","void","where","while"],built_in:["anytype","boolean","byte","char","container","date","double","enum","guid","int","int64","long","real","short","str","utcdatetime","var"],literal:["default","false","null","true"]},s={variants:[{match:[/(class|interface)\s+/,n,/\s+(extends|implements)\s+/,n]},{match:[/class\s+/,n]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:a};return{name:"X++",aliases:["x++"],keywords:a,contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.C_NUMBER_MODE,{className:"meta",begin:"#",end:"$"},s]}}Ba.exports=hm});var Ha=O((MS,Ya)=>{function Tm(e){let n=e.regex,i={},_={begin:/\$\{/,end:/\}/,contains:["self",{begin:/:-/,contains:[i]}]};Object.assign(i,{className:"variable",variants:[{begin:n.concat(/\$[\w\d#@][\w\d_]*/,"(?![\\w\\d])(?![$])")},_]});let l={className:"subst",begin:/\$\(/,end:/\)/,contains:[e.BACKSLASH_ESCAPE]},a={begin:/<<-?\s*(?=\w+)/,starts:{contains:[e.END_SAME_AS_BEGIN({begin:/(\w+)/,end:/(\w+)/,className:"string"})]}},s={className:"string",begin:/"/,end:/"/,contains:[e.BACKSLASH_ESCAPE,i,l]};l.contains.push(s);let d={className:"",begin:/\\"/},u={className:"string",begin:/'/,end:/'/},E={begin:/\$?\(\(/,end:/\)\)/,contains:[{begin:/\d+#[0-9a-f]+/,className:"number"},e.NUMBER_MODE,i]},f=["fish","bash","zsh","sh","csh","ksh","tcsh","dash","scsh"],N=e.SHEBANG({binary:`(${f.join("|")})`,relevance:10}),S={className:"function",begin:/\w[\w\d_]*\s*\(\s*\)\s*\{/,returnBegin:!0,contains:[e.inherit(e.TITLE_MODE,{begin:/\w[\w\d_]*/})],relevance:0},h=["if","then","else","elif","fi","for","while","until","in","do","done","case","esac","function","select"],C=["true","false"],I={match:/(\/[a-z._-]+)+/},x=["break","cd","continue","eval","exec","exit","export","getopts","hash","pwd","readonly","return","shift","test","times","trap","umask","unset"],F=["alias","bind","builtin","caller","command","declare","echo","enable","help","let","local","logout","mapfile","printf","read","readarray","source","type","typeset","ulimit","unalias"],q=["autoload","bg","bindkey","bye","cap","chdir","clone","comparguments","compcall","compctl","compdescribe","compfiles","compgroups","compquote","comptags","comptry","compvalues","dirs","disable","disown","echotc","echoti","emulate","fc","fg","float","functions","getcap","getln","history","integer","jobs","kill","limit","log","noglob","popd","print","pushd","pushln","rehash","sched","setcap","setopt","stat","suspend","ttyctl","unfunction","unhash","unlimit","unsetopt","vared","wait","whence","where","which","zcompile","zformat","zftp","zle","zmodload","zparseopts","zprof","zpty","zregexparse","zsocket","zstyle","ztcp"],B=["chcon","chgrp","chown","chmod","cp","dd","df","dir","dircolors","ln","ls","mkdir","mkfifo","mknod","mktemp","mv","realpath","rm","rmdir","shred","sync","touch","truncate","vdir","b2sum","base32","base64","cat","cksum","comm","csplit","cut","expand","fmt","fold","head","join","md5sum","nl","numfmt","od","paste","ptx","pr","sha1sum","sha224sum","sha256sum","sha384sum","sha512sum","shuf","sort","split","sum","tac","tail","tr","tsort","unexpand","uniq","wc","arch","basename","chroot","date","dirname","du","echo","env","expr","factor","groups","hostid","id","link","logname","nice","nohup","nproc","pathchk","pinky","printenv","printf","pwd","readlink","runcon","seq","sleep","stat","stdbuf","stty","tee","test","timeout","tty","uname","unlink","uptime","users","who","whoami","yes"];return{name:"Bash",aliases:["sh"],keywords:{$pattern:/\b[a-z][a-z0-9._-]+\b/,keyword:h,literal:C,built_in:[...x,...F,"set","shopt",...q,...B]},contains:[N,e.SHEBANG(),S,E,e.HASH_COMMENT_MODE,a,I,s,d,u,i]}}Ya.exports=Tm});var Va=O((LS,qa)=>{function Rm(e){return{name:"BASIC",case_insensitive:!0,illegal:"^.",keywords:{$pattern:"[a-zA-Z][a-zA-Z0-9_$%!#]*",keyword:["ABS","ASC","AND","ATN","AUTO|0","BEEP","BLOAD|10","BSAVE|10","CALL","CALLS","CDBL","CHAIN","CHDIR","CHR$|10","CINT","CIRCLE","CLEAR","CLOSE","CLS","COLOR","COM","COMMON","CONT","COS","CSNG","CSRLIN","CVD","CVI","CVS","DATA","DATE$","DEFDBL","DEFINT","DEFSNG","DEFSTR","DEF|0","SEG","USR","DELETE","DIM","DRAW","EDIT","END","ENVIRON","ENVIRON$","EOF","EQV","ERASE","ERDEV","ERDEV$","ERL","ERR","ERROR","EXP","FIELD","FILES","FIX","FOR|0","FRE","GET","GOSUB|10","GOTO","HEX$","IF","THEN","ELSE|0","INKEY$","INP","INPUT","INPUT#","INPUT$","INSTR","IMP","INT","IOCTL","IOCTL$","KEY","ON","OFF","LIST","KILL","LEFT$","LEN","LET","LINE","LLIST","LOAD","LOC","LOCATE","LOF","LOG","LPRINT","USING","LSET","MERGE","MID$","MKDIR","MKD$","MKI$","MKS$","MOD","NAME","NEW","NEXT","NOISE","NOT","OCT$","ON","OR","PEN","PLAY","STRIG","OPEN","OPTION","BASE","OUT","PAINT","PALETTE","PCOPY","PEEK","PMAP","POINT","POKE","POS","PRINT","PRINT]","PSET","PRESET","PUT","RANDOMIZE","READ","REM","RENUM","RESET|0","RESTORE","RESUME","RETURN|0","RIGHT$","RMDIR","RND","RSET","RUN","SAVE","SCREEN","SGN","SHELL","SIN","SOUND","SPACE$","SPC","SQR","STEP","STICK","STOP","STR$","STRING$","SWAP","SYSTEM","TAB","TAN","TIME$","TIMER","TROFF","TRON","TO","USR","VAL","VARPTR","VARPTR$","VIEW","WAIT","WHILE","WEND","WIDTH","WINDOW","WRITE","XOR"]},contains:[e.QUOTE_STRING_MODE,e.COMMENT("REM","$",{relevance:10}),e.COMMENT("'","$",{relevance:0}),{className:"symbol",begin:"^[0-9]+ ",relevance:10},{className:"number",begin:"\\b\\d+(\\.\\d+)?([edED]\\d+)?[#!]?",relevance:0},{className:"number",begin:"(&[hH][0-9a-fA-F]{1,4})"},{className:"number",begin:"(&[oO][0-7]{1,6})"}]}}qa.exports=Rm});var Wa=O((PS,za)=>{function Cm(e){return{name:"Backus\u2013Naur Form",contains:[{className:"attribute",begin:/</,end:/>/},{begin:/::=/,end:/$/,contains:[{begin:/</,end:/>/},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE]}]}}za.exports=Cm});var Ka=O((kS,$a)=>{function vm(e){let n={className:"literal",begin:/[+-]+/,relevance:0};return{name:"Brainfuck",aliases:["bf"],contains:[e.COMMENT(/[^\[\]\.,\+\-<> \r\n]/,/[\[\]\.,\+\-<> \r\n]/,{contains:[{match:/[ ]+[^\[\]\.,\+\-<> \r\n]/,relevance:0}],returnEnd:!0,relevance:0}),{className:"title",begin:"[\\[\\]]",relevance:0},{className:"string",begin:"[\\.,]",relevance:0},{begin:/(?=\+\+|--)/,contains:[n]},n]}}$a.exports=vm});var Xa=O((US,Qa)=>{function Nm(e){let n=e.regex,i=e.COMMENT("//","$",{contains:[{begin:/\\\n/}]}),_="decltype\\(auto\\)",l="[a-zA-Z_]\\w*::",a="<[^<>]+>",s="("+_+"|"+n.optional(l)+"[a-zA-Z_]\\w*"+n.optional(a)+")",d={className:"type",variants:[{begin:"\\b[a-z\\d_]*_t\\b"},{match:/\batomic_[a-z]{3,6}\b/}]},u="\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\S)",E={className:"string",variants:[{begin:'(u8?|U|L)?"',end:'"',illegal:"\\n",contains:[e.BACKSLASH_ESCAPE]},{begin:"(u8?|U|L)?'("+u+"|.)",end:"'",illegal:"."},e.END_SAME_AS_BEGIN({begin:/(?:u8?|U|L)?R"([^()\\ ]{0,16})\(/,end:/\)([^()\\ ]{0,16})"/})]},f={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},N={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma _Pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},e.inherit(E,{className:"string"}),{className:"string",begin:/<.*?>/},i,e.C_BLOCK_COMMENT_MODE]},S={className:"title",begin:n.optional(l)+e.IDENT_RE,relevance:0},h=n.optional(l)+e.IDENT_RE+"\\s*\\(",x={keyword:["asm","auto","break","case","continue","default","do","else","enum","extern","for","fortran","goto","if","inline","register","restrict","return","sizeof","struct","switch","typedef","union","volatile","while","_Alignas","_Alignof","_Atomic","_Generic","_Noreturn","_Static_assert","_Thread_local","alignas","alignof","noreturn","static_assert","thread_local","_Pragma"],type:["float","double","signed","unsigned","int","short","long","char","void","_Bool","_Complex","_Imaginary","_Decimal32","_Decimal64","_Decimal128","const","static","complex","bool","imaginary"],literal:"true false NULL",built_in:"std string wstring cin cout cerr clog stdin stdout stderr stringstream istringstream ostringstream auto_ptr deque list queue stack vector map set pair bitset multiset multimap unordered_set unordered_map unordered_multiset unordered_multimap priority_queue make_pair array shared_ptr abort terminate abs acos asin atan2 atan calloc ceil cosh cos exit exp fabs floor fmod fprintf fputs free frexp fscanf future isalnum isalpha iscntrl isdigit isgraph islower isprint ispunct isspace isupper isxdigit tolower toupper labs ldexp log10 log malloc realloc memchr memcmp memcpy memset modf pow printf putchar puts scanf sinh sin snprintf sprintf sqrt sscanf strcat strchr strcmp strcpy strcspn strlen strncat strncmp strncpy strpbrk strrchr strspn strstr tanh tan vfprintf vprintf vsprintf endl initializer_list unique_ptr"},F=[N,d,i,e.C_BLOCK_COMMENT_MODE,f,E],q={variants:[{begin:/=/,end:/;/},{begin:/\(/,end:/\)/},{beginKeywords:"new throw return else",end:/;/}],keywords:x,contains:F.concat([{begin:/\(/,end:/\)/,keywords:x,contains:F.concat(["self"]),relevance:0}]),relevance:0},B={begin:"("+s+"[\\*&\\s]+)+"+h,returnBegin:!0,end:/[{;=]/,excludeEnd:!0,keywords:x,illegal:/[^\w\s\*&:<>.]/,contains:[{begin:_,keywords:x,relevance:0},{begin:h,returnBegin:!0,contains:[e.inherit(S,{className:"title.function"})],relevance:0},{relevance:0,match:/,/},{className:"params",begin:/\(/,end:/\)/,keywords:x,relevance:0,contains:[i,e.C_BLOCK_COMMENT_MODE,E,f,d,{begin:/\(/,end:/\)/,keywords:x,relevance:0,contains:["self",i,e.C_BLOCK_COMMENT_MODE,E,f,d]}]},d,i,e.C_BLOCK_COMMENT_MODE,N]};return{name:"C",aliases:["h"],keywords:x,disableAutodetect:!0,illegal:"</",contains:[].concat(q,B,F,[N,{begin:e.IDENT_RE+"::",keywords:x},{className:"class",beginKeywords:"enum class struct union",end:/[{;:<>=]/,contains:[{beginKeywords:"final class struct"},e.TITLE_MODE]}]),exports:{preprocessor:N,strings:E,keywords:x}}}Qa.exports=Nm});var Ja=O((FS,Za)=>{function Om(e){let n=e.regex,i=["div","mod","in","and","or","not","xor","asserterror","begin","case","do","downto","else","end","exit","for","local","if","of","repeat","then","to","until","while","with","var"],_="false true",l=[e.C_LINE_COMMENT_MODE,e.COMMENT(/\{/,/\}/,{relevance:0}),e.COMMENT(/\(\*/,/\*\)/,{relevance:10})],a={className:"string",begin:/'/,end:/'/,contains:[{begin:/''/}]},s={className:"string",begin:/(#\d+)+/},d={className:"number",begin:"\\b\\d+(\\.\\d+)?(DT|D|T)",relevance:0},u={className:"string",begin:'"',end:'"'},E={match:[/procedure/,/\s+/,/[a-zA-Z_][\w@]*/,/\s*/],scope:{1:"keyword",3:"title.function"},contains:[{className:"params",begin:/\(/,end:/\)/,keywords:i,contains:[a,s,e.NUMBER_MODE]},...l]},f=["Table","Form","Report","Dataport","Codeunit","XMLport","MenuSuite","Page","Query"],N={match:[/OBJECT/,/\s+/,n.either(...f),/\s+/,/\d+/,/\s+(?=[^\s])/,/.*/,/$/],relevance:3,scope:{1:"keyword",3:"type",5:"number",7:"title"}};return{name:"C/AL",case_insensitive:!0,keywords:{keyword:i,literal:_},illegal:/\/\*/,contains:[{match:/[\w]+(?=\=)/,scope:"attribute",relevance:0},a,s,d,u,e.NUMBER_MODE,N,E]}}Za.exports=Om});var eo=O((BS,ja)=>{function Am(e){let n=["struct","enum","interface","union","group","import","using","const","annotation","extends","in","of","on","as","with","from","fixed"],i=["Void","Bool","Int8","Int16","Int32","Int64","UInt8","UInt16","UInt32","UInt64","Float32","Float64","Text","Data","AnyPointer","AnyStruct","Capability","List"],_=["true","false"],l={variants:[{match:[/(struct|enum|interface)/,/\s+/,e.IDENT_RE]},{match:[/extends/,/\s*\(/,e.IDENT_RE,/\s*\)/]}],scope:{1:"keyword",3:"title.class"}};return{name:"Cap\u2019n Proto",aliases:["capnp"],keywords:{keyword:n,type:i,literal:_},contains:[e.QUOTE_STRING_MODE,e.NUMBER_MODE,e.HASH_COMMENT_MODE,{className:"meta",begin:/@0x[\w\d]{16};/,illegal:/\n/},{className:"symbol",begin:/@\d+\b/},l]}}ja.exports=Am});var no=O((GS,to)=>{function ym(e){let n=["assembly","module","package","import","alias","class","interface","object","given","value","assign","void","function","new","of","extends","satisfies","abstracts","in","out","return","break","continue","throw","assert","dynamic","if","else","switch","case","for","while","try","catch","finally","then","let","this","outer","super","is","exists","nonempty"],i=["shared","abstract","formal","default","actual","variable","late","native","deprecated","final","sealed","annotation","suppressWarnings","small"],_=["doc","by","license","see","throws","tagged"],l={className:"subst",excludeBegin:!0,excludeEnd:!0,begin:/``/,end:/``/,keywords:n,relevance:10},a=[{className:"string",begin:'"""',end:'"""',relevance:10},{className:"string",begin:'"',end:'"',contains:[l]},{className:"string",begin:"'",end:"'"},{className:"number",begin:"#[0-9a-fA-F_]+|\\$[01_]+|[0-9_]+(?:\\.[0-9_](?:[eE][+-]?\\d+)?)?[kMGTPmunpf]?",relevance:0}];return l.contains=a,{name:"Ceylon",keywords:{keyword:n.concat(i),meta:_},illegal:"\\$[^01]|#[^0-9a-fA-F]",contains:[e.C_LINE_COMMENT_MODE,e.COMMENT("/\\*","\\*/",{contains:["self"]}),{className:"meta",begin:'@[a-z]\\w*(?::"[^"]*")?'}].concat(a)}}to.exports=ym});var io=O((YS,ro)=>{function Im(e){return{name:"Clean",aliases:["icl","dcl"],keywords:{keyword:["if","let","in","with","where","case","of","class","instance","otherwise","implementation","definition","system","module","from","import","qualified","as","special","code","inline","foreign","export","ccall","stdcall","generic","derive","infix","infixl","infixr"],built_in:"Int Real Char Bool",literal:"True False"},contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.C_NUMBER_MODE,{begin:"->|<-[|:]?|#!?|>>=|\\{\\||\\|\\}|:==|=:|<>"}]}}ro.exports=Im});var oo=O((HS,ao)=>{function Dm(e){let n="a-zA-Z_\\-!.?+*=<>&'",i="[#]?["+n+"]["+n+"0-9/;:$#]*",_="def defonce defprotocol defstruct defmulti defmethod defn- defn defmacro deftype defrecord",l={$pattern:i,built_in:_+" cond apply if-not if-let if not not= =|0 <|0 >|0 <=|0 >=|0 ==|0 +|0 /|0 *|0 -|0 rem quot neg? pos? delay? symbol? keyword? true? false? integer? empty? coll? list? set? ifn? fn? associative? sequential? sorted? counted? reversible? number? decimal? class? distinct? isa? float? rational? reduced? ratio? odd? even? char? seq? vector? string? map? nil? contains? zero? instance? not-every? not-any? libspec? -> ->> .. . inc compare do dotimes mapcat take remove take-while drop letfn drop-last take-last drop-while while intern condp case reduced cycle split-at split-with repeat replicate iterate range merge zipmap declare line-seq sort comparator sort-by dorun doall nthnext nthrest partition eval doseq await await-for let agent atom send send-off release-pending-sends add-watch mapv filterv remove-watch agent-error restart-agent set-error-handler error-handler set-error-mode! error-mode shutdown-agents quote var fn loop recur throw try monitor-enter monitor-exit macroexpand macroexpand-1 for dosync and or when when-not when-let comp juxt partial sequence memoize constantly complement identity assert peek pop doto proxy first rest cons cast coll last butlast sigs reify second ffirst fnext nfirst nnext meta with-meta ns in-ns create-ns import refer keys select-keys vals key val rseq name namespace promise into transient persistent! conj! assoc! dissoc! pop! disj! use class type num float double short byte boolean bigint biginteger bigdec print-method print-dup throw-if printf format load compile get-in update-in pr pr-on newline flush read slurp read-line subvec with-open memfn time re-find re-groups rand-int rand mod locking assert-valid-fdecl alias resolve ref deref refset swap! reset! set-validator! compare-and-set! alter-meta! reset-meta! commute get-validator alter ref-set ref-history-count ref-min-history ref-max-history ensure sync io! new next conj set! to-array future future-call into-array aset gen-class reduce map filter find empty hash-map hash-set sorted-map sorted-map-by sorted-set sorted-set-by vec vector seq flatten reverse assoc dissoc list disj get union difference intersection extend extend-type extend-protocol int nth delay count concat chunk chunk-buffer chunk-append chunk-first chunk-rest max min dec unchecked-inc-int unchecked-inc unchecked-dec-inc unchecked-dec unchecked-negate unchecked-add-int unchecked-add unchecked-subtract-int unchecked-subtract chunk-next chunk-cons chunked-seq? prn vary-meta lazy-seq spread list* str find-keyword keyword symbol gensym force rationalize"},a={begin:i,relevance:0},s={scope:"number",relevance:0,variants:[{match:/[-+]?0[xX][0-9a-fA-F]+N?/},{match:/[-+]?0[0-7]+N?/},{match:/[-+]?[1-9][0-9]?[rR][0-9a-zA-Z]+N?/},{match:/[-+]?[0-9]+\/[0-9]+N?/},{match:/[-+]?[0-9]+((\.[0-9]*([eE][+-]?[0-9]+)?M?)|([eE][+-]?[0-9]+M?|M))/},{match:/[-+]?([1-9][0-9]*|0)N?/}]},d={scope:"character",variants:[{match:/\\o[0-3]?[0-7]{1,2}/},{match:/\\u[0-9a-fA-F]{4}/},{match:/\\(newline|space|tab|formfeed|backspace|return)/},{match:/\\\S/,relevance:0}]},u={scope:"regex",begin:/#"/,end:/"/,contains:[e.BACKSLASH_ESCAPE]},E=e.inherit(e.QUOTE_STRING_MODE,{illegal:null}),f={scope:"punctuation",match:/,/,relevance:0},N=e.COMMENT(";","$",{relevance:0}),S={className:"literal",begin:/\b(true|false|nil)\b/},h={begin:"\\[|(#::?"+i+")?\\{",end:"[\\]\\}]",relevance:0},C={className:"symbol",begin:"[:]{1,2}"+i},I={begin:"\\(",end:"\\)"},x={endsWithParent:!0,relevance:0},F={keywords:l,className:"name",begin:i,relevance:0,starts:x},q=[f,I,d,u,E,N,C,h,s,S,a],B={beginKeywords:_,keywords:{$pattern:i,keyword:_},end:'(\\[|#|\\d|"|:|\\{|\\)|\\(|$)',contains:[{className:"title",begin:i,relevance:0,excludeEnd:!0,endsParent:!0}].concat(q)};return I.contains=[B,F,x],x.contains=q,h.contains=q,{name:"Clojure",aliases:["clj","edn"],illegal:/\S/,contains:[f,I,d,u,E,N,C,h,s,S]}}ao.exports=Dm});var lo=O((qS,so)=>{function xm(e){return{name:"Clojure REPL",contains:[{className:"meta.prompt",begin:/^([\w.-]+|\s*#_)?=>/,starts:{end:/$/,subLanguage:"clojure"}}]}}so.exports=xm});var _o=O((VS,co)=>{function wm(e){return{name:"CMake",aliases:["cmake.in"],case_insensitive:!0,keywords:{keyword:"break cmake_host_system_information cmake_minimum_required cmake_parse_arguments cmake_policy configure_file continue elseif else endforeach endfunction endif endmacro endwhile execute_process file find_file find_library find_package find_path find_program foreach function get_cmake_property get_directory_property get_filename_component get_property if include include_guard list macro mark_as_advanced math message option return separate_arguments set_directory_properties set_property set site_name string unset variable_watch while add_compile_definitions add_compile_options add_custom_command add_custom_target add_definitions add_dependencies add_executable add_library add_link_options add_subdirectory add_test aux_source_directory build_command create_test_sourcelist define_property enable_language enable_testing export fltk_wrap_ui get_source_file_property get_target_property get_test_property include_directories include_external_msproject include_regular_expression install link_directories link_libraries load_cache project qt_wrap_cpp qt_wrap_ui remove_definitions set_source_files_properties set_target_properties set_tests_properties source_group target_compile_definitions target_compile_features target_compile_options target_include_directories target_link_directories target_link_libraries target_link_options target_sources try_compile try_run ctest_build ctest_configure ctest_coverage ctest_empty_binary_directory ctest_memcheck ctest_read_custom_files ctest_run_script ctest_sleep ctest_start ctest_submit ctest_test ctest_update ctest_upload build_name exec_program export_library_dependencies install_files install_programs install_targets load_command make_directory output_required_files remove subdir_depends subdirs use_mangled_mesa utility_source variable_requires write_file qt5_use_modules qt5_use_package qt5_wrap_cpp on off true false and or not command policy target test exists is_newer_than is_directory is_symlink is_absolute matches less greater equal less_equal greater_equal strless strgreater strequal strless_equal strgreater_equal version_less version_greater version_equal version_less_equal version_greater_equal in_list defined"},contains:[{className:"variable",begin:/\$\{/,end:/\}/},e.COMMENT(/#\[\[/,/]]/),e.HASH_COMMENT_MODE,e.QUOTE_STRING_MODE,e.NUMBER_MODE]}}co.exports=wm});var uo=O((zS,po)=>{var Mm=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],Lm=["true","false","null","undefined","NaN","Infinity"],Pm=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],km=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],Um=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],Fm=[].concat(Um,Pm,km);function Bm(e){let n=["npm","print"],i=["yes","no","on","off"],_=["then","unless","until","loop","by","when","and","or","is","isnt","not"],l=["var","const","let","function","static"],a=C=>I=>!C.includes(I),s={keyword:Mm.concat(_).filter(a(l)),literal:Lm.concat(i),built_in:Fm.concat(n)},d="[A-Za-z$_][0-9A-Za-z$_]*",u={className:"subst",begin:/#\{/,end:/\}/,keywords:s},E=[e.BINARY_NUMBER_MODE,e.inherit(e.C_NUMBER_MODE,{starts:{end:"(\\s*/)?",relevance:0}}),{className:"string",variants:[{begin:/'''/,end:/'''/,contains:[e.BACKSLASH_ESCAPE]},{begin:/'/,end:/'/,contains:[e.BACKSLASH_ESCAPE]},{begin:/"""/,end:/"""/,contains:[e.BACKSLASH_ESCAPE,u]},{begin:/"/,end:/"/,contains:[e.BACKSLASH_ESCAPE,u]}]},{className:"regexp",variants:[{begin:"///",end:"///",contains:[u,e.HASH_COMMENT_MODE]},{begin:"//[gim]{0,3}(?=\\W)",relevance:0},{begin:/\/(?![ *]).*?(?![\\]).\/[gim]{0,3}(?=\W)/}]},{begin:"@"+d},{subLanguage:"javascript",excludeBegin:!0,excludeEnd:!0,variants:[{begin:"```",end:"```"},{begin:"`",end:"`"}]}];u.contains=E;let f=e.inherit(e.TITLE_MODE,{begin:d}),N="(\\(.*\\)\\s*)?\\B[-=]>",S={className:"params",begin:"\\([^\\(]",returnBegin:!0,contains:[{begin:/\(/,end:/\)/,keywords:s,contains:["self"].concat(E)}]},h={variants:[{match:[/class\s+/,d,/\s+extends\s+/,d]},{match:[/class\s+/,d]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:s};return{name:"CoffeeScript",aliases:["coffee","cson","iced"],keywords:s,illegal:/\/\*/,contains:[...E,e.COMMENT("###","###"),e.HASH_COMMENT_MODE,{className:"function",begin:"^\\s*"+d+"\\s*=\\s*"+N,end:"[-=]>",returnBegin:!0,contains:[f,S]},{begin:/[:\(,=]\s*/,relevance:0,contains:[{className:"function",begin:N,end:"[-=]>",returnBegin:!0,contains:[S]}]},h,{begin:d+":",end:":",returnBegin:!0,returnEnd:!0,relevance:0}]}}po.exports=Bm});var go=O((WS,mo)=>{function Gm(e){return{name:"Coq",keywords:{keyword:["_|0","as","at","cofix","else","end","exists","exists2","fix","for","forall","fun","if","IF","in","let","match","mod","Prop","return","Set","then","Type","using","where","with","Abort","About","Add","Admit","Admitted","All","Arguments","Assumptions","Axiom","Back","BackTo","Backtrack","Bind","Blacklist","Canonical","Cd","Check","Class","Classes","Close","Coercion","Coercions","CoFixpoint","CoInductive","Collection","Combined","Compute","Conjecture","Conjectures","Constant","constr","Constraint","Constructors","Context","Corollary","CreateHintDb","Cut","Declare","Defined","Definition","Delimit","Dependencies","Dependent","Derive","Drop","eauto","End","Equality","Eval","Example","Existential","Existentials","Existing","Export","exporting","Extern","Extract","Extraction","Fact","Field","Fields","File","Fixpoint","Focus","for","From","Function","Functional","Generalizable","Global","Goal","Grab","Grammar","Graph","Guarded","Heap","Hint","HintDb","Hints","Hypotheses","Hypothesis","ident","Identity","If","Immediate","Implicit","Import","Include","Inductive","Infix","Info","Initial","Inline","Inspect","Instance","Instances","Intro","Intros","Inversion","Inversion_clear","Language","Left","Lemma","Let","Libraries","Library","Load","LoadPath","Local","Locate","Ltac","ML","Mode","Module","Modules","Monomorphic","Morphism","Next","NoInline","Notation","Obligation","Obligations","Opaque","Open","Optimize","Options","Parameter","Parameters","Parametric","Path","Paths","pattern","Polymorphic","Preterm","Print","Printing","Program","Projections","Proof","Proposition","Pwd","Qed","Quit","Rec","Record","Recursive","Redirect","Relation","Remark","Remove","Require","Reserved","Reset","Resolve","Restart","Rewrite","Right","Ring","Rings","Save","Scheme","Scope","Scopes","Script","Search","SearchAbout","SearchHead","SearchPattern","SearchRewrite","Section","Separate","Set","Setoid","Show","Solve","Sorted","Step","Strategies","Strategy","Structure","SubClass","Table","Tables","Tactic","Term","Test","Theorem","Time","Timeout","Transparent","Type","Typeclasses","Types","Undelimit","Undo","Unfocus","Unfocused","Unfold","Universe","Universes","Unset","Unshelve","using","Variable","Variables","Variant","Verbose","Visibility","where","with"],built_in:["abstract","absurd","admit","after","apply","as","assert","assumption","at","auto","autorewrite","autounfold","before","bottom","btauto","by","case","case_eq","cbn","cbv","change","classical_left","classical_right","clear","clearbody","cofix","compare","compute","congruence","constr_eq","constructor","contradict","contradiction","cut","cutrewrite","cycle","decide","decompose","dependent","destruct","destruction","dintuition","discriminate","discrR","do","double","dtauto","eapply","eassumption","eauto","ecase","econstructor","edestruct","ediscriminate","eelim","eexact","eexists","einduction","einjection","eleft","elim","elimtype","enough","equality","erewrite","eright","esimplify_eq","esplit","evar","exact","exactly_once","exfalso","exists","f_equal","fail","field","field_simplify","field_simplify_eq","first","firstorder","fix","fold","fourier","functional","generalize","generalizing","gfail","give_up","has_evar","hnf","idtac","in","induction","injection","instantiate","intro","intro_pattern","intros","intuition","inversion","inversion_clear","is_evar","is_var","lapply","lazy","left","lia","lra","move","native_compute","nia","nsatz","omega","once","pattern","pose","progress","proof","psatz","quote","record","red","refine","reflexivity","remember","rename","repeat","replace","revert","revgoals","rewrite","rewrite_strat","right","ring","ring_simplify","rtauto","set","setoid_reflexivity","setoid_replace","setoid_rewrite","setoid_symmetry","setoid_transitivity","shelve","shelve_unifiable","simpl","simple","simplify_eq","solve","specialize","split","split_Rabs","split_Rmult","stepl","stepr","subst","sum","swap","symmetry","tactic","tauto","time","timeout","top","transitivity","trivial","try","tryif","unfold","unify","until","using","vm_compute","with"]},contains:[e.QUOTE_STRING_MODE,e.COMMENT("\\(\\*","\\*\\)"),e.C_NUMBER_MODE,{className:"type",excludeBegin:!0,begin:"\\|\\s*",end:"\\w+"},{begin:/[-=]>/}]}}mo.exports=Gm});var bo=O(($S,Eo)=>{function Ym(e){return{name:"Cach\xE9 Object Script",case_insensitive:!0,aliases:["cls"],keywords:"property parameter class classmethod clientmethod extends as break catch close continue do d|0 else elseif for goto halt hang h|0 if job j|0 kill k|0 lock l|0 merge new open quit q|0 read r|0 return set s|0 tcommit throw trollback try tstart use view while write w|0 xecute x|0 zkill znspace zn ztrap zwrite zw zzdump zzwrite print zbreak zinsert zload zprint zremove zsave zzprint mv mvcall mvcrt mvdim mvprint zquit zsync ascii",contains:[{className:"number",begin:"\\b(\\d+(\\.\\d*)?|\\.\\d+)",relevance:0},{className:"string",variants:[{begin:'"',end:'"',contains:[{begin:'""',relevance:0}]}]},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,{className:"comment",begin:/;/,end:"$",relevance:0},{className:"built_in",begin:/(?:\$\$?|\.\.)\^?[a-zA-Z]+/},{className:"built_in",begin:/\$\$\$[a-zA-Z]+/},{className:"built_in",begin:/%[a-z]+(?:\.[a-z]+)*/},{className:"symbol",begin:/\^%?[a-zA-Z][\w]*/},{className:"keyword",begin:/##class|##super|#define|#dim/},{begin:/&sql\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,subLanguage:"sql"},{begin:/&(js|jscript|javascript)</,end:/>/,excludeBegin:!0,excludeEnd:!0,subLanguage:"javascript"},{begin:/&html<\s*</,end:/>\s*>/,subLanguage:"xml"}]}}Eo.exports=Ym});var So=O((KS,fo)=>{function Hm(e){let n=e.regex,i=e.COMMENT("//","$",{contains:[{begin:/\\\n/}]}),_="decltype\\(auto\\)",l="[a-zA-Z_]\\w*::",a="<[^<>]+>",s="(?!struct)("+_+"|"+n.optional(l)+"[a-zA-Z_]\\w*"+n.optional(a)+")",d={className:"type",begin:"\\b[a-z\\d_]*_t\\b"},u="\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\S)",E={className:"string",variants:[{begin:'(u8?|U|L)?"',end:'"',illegal:"\\n",contains:[e.BACKSLASH_ESCAPE]},{begin:"(u8?|U|L)?'("+u+"|.)",end:"'",illegal:"."},e.END_SAME_AS_BEGIN({begin:/(?:u8?|U|L)?R"([^()\\ ]{0,16})\(/,end:/\)([^()\\ ]{0,16})"/})]},f={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},N={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma _Pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},e.inherit(E,{className:"string"}),{className:"string",begin:/<.*?>/},i,e.C_BLOCK_COMMENT_MODE]},S={className:"title",begin:n.optional(l)+e.IDENT_RE,relevance:0},h=n.optional(l)+e.IDENT_RE+"\\s*\\(",C=["alignas","alignof","and","and_eq","asm","atomic_cancel","atomic_commit","atomic_noexcept","auto","bitand","bitor","break","case","catch","class","co_await","co_return","co_yield","compl","concept","const_cast|10","consteval","constexpr","constinit","continue","decltype","default","delete","do","dynamic_cast|10","else","enum","explicit","export","extern","false","final","for","friend","goto","if","import","inline","module","mutable","namespace","new","noexcept","not","not_eq","nullptr","operator","or","or_eq","override","private","protected","public","reflexpr","register","reinterpret_cast|10","requires","return","sizeof","static_assert","static_cast|10","struct","switch","synchronized","template","this","thread_local","throw","transaction_safe","transaction_safe_dynamic","true","try","typedef","typeid","typename","union","using","virtual","volatile","while","xor","xor_eq"],I=["bool","char","char16_t","char32_t","char8_t","double","float","int","long","short","void","wchar_t","unsigned","signed","const","static"],x=["any","auto_ptr","barrier","binary_semaphore","bitset","complex","condition_variable","condition_variable_any","counting_semaphore","deque","false_type","future","imaginary","initializer_list","istringstream","jthread","latch","lock_guard","multimap","multiset","mutex","optional","ostringstream","packaged_task","pair","promise","priority_queue","queue","recursive_mutex","recursive_timed_mutex","scoped_lock","set","shared_future","shared_lock","shared_mutex","shared_timed_mutex","shared_ptr","stack","string_view","stringstream","timed_mutex","thread","true_type","tuple","unique_lock","unique_ptr","unordered_map","unordered_multimap","unordered_multiset","unordered_set","variant","vector","weak_ptr","wstring","wstring_view"],F=["abort","abs","acos","apply","as_const","asin","atan","atan2","calloc","ceil","cerr","cin","clog","cos","cosh","cout","declval","endl","exchange","exit","exp","fabs","floor","fmod","forward","fprintf","fputs","free","frexp","fscanf","future","invoke","isalnum","isalpha","iscntrl","isdigit","isgraph","islower","isprint","ispunct","isspace","isupper","isxdigit","labs","launder","ldexp","log","log10","make_pair","make_shared","make_shared_for_overwrite","make_tuple","make_unique","malloc","memchr","memcmp","memcpy","memset","modf","move","pow","printf","putchar","puts","realloc","scanf","sin","sinh","snprintf","sprintf","sqrt","sscanf","std","stderr","stdin","stdout","strcat","strchr","strcmp","strcpy","strcspn","strlen","strncat","strncmp","strncpy","strpbrk","strrchr","strspn","strstr","swap","tan","tanh","terminate","to_underlying","tolower","toupper","vfprintf","visit","vprintf","vsprintf"],Y={type:I,keyword:C,literal:["NULL","false","nullopt","nullptr","true"],built_in:["_Pragma"],_type_hints:x},z={className:"function.dispatch",relevance:0,keywords:{_hint:F},begin:n.concat(/\b/,/(?!decltype)/,/(?!if)/,/(?!for)/,/(?!switch)/,/(?!while)/,e.IDENT_RE,n.lookahead(/(<[^<>]+>|)\s*\(/))},c=[z,N,d,i,e.C_BLOCK_COMMENT_MODE,f,E],te={variants:[{begin:/=/,end:/;/},{begin:/\(/,end:/\)/},{beginKeywords:"new throw return else",end:/;/}],keywords:Y,contains:c.concat([{begin:/\(/,end:/\)/,keywords:Y,contains:c.concat(["self"]),relevance:0}]),relevance:0},K={className:"function",begin:"("+s+"[\\*&\\s]+)+"+h,returnBegin:!0,end:/[{;=]/,excludeEnd:!0,keywords:Y,illegal:/[^\w\s\*&:<>.]/,contains:[{begin:_,keywords:Y,relevance:0},{begin:h,returnBegin:!0,contains:[S],relevance:0},{begin:/::/,relevance:0},{begin:/:/,endsWithParent:!0,contains:[E,f]},{relevance:0,match:/,/},{className:"params",begin:/\(/,end:/\)/,keywords:Y,relevance:0,contains:[i,e.C_BLOCK_COMMENT_MODE,E,f,d,{begin:/\(/,end:/\)/,keywords:Y,relevance:0,contains:["self",i,e.C_BLOCK_COMMENT_MODE,E,f,d]}]},d,i,e.C_BLOCK_COMMENT_MODE,N]};return{name:"C++",aliases:["cc","c++","h++","hpp","hh","hxx","cxx"],keywords:Y,illegal:"</",classNameAliases:{"function.dispatch":"built_in"},contains:[].concat(te,K,z,c,[N,{begin:"\\b(deque|list|queue|priority_queue|pair|stack|vector|map|set|bitset|multiset|multimap|unordered_map|unordered_set|unordered_multiset|unordered_multimap|array|tuple|optional|variant|function)\\s*<(?!<)",end:">",keywords:Y,contains:["self",d]},{begin:e.IDENT_RE+"::",keywords:Y},{match:[/\b(?:enum(?:\s+(?:class|struct))?|class|struct|union)/,/\s+/,/\w+/],className:{1:"keyword",3:"title.class"}}])}}fo.exports=Hm});var To=O((QS,ho)=>{function qm(e){let n="primitive rsc_template",i="group clone ms master location colocation order fencing_topology rsc_ticket acl_target acl_group user role tag xml",_="property rsc_defaults op_defaults",l="params meta operations op rule attributes utilization",a="read write deny defined not_defined in_range date spec in ref reference attribute type xpath version and or lt gt tag lte gte eq ne \\",s="number string",d="Master Started Slave Stopped start promote demote stop monitor true false";return{name:"crmsh",aliases:["crm","pcmk"],case_insensitive:!0,keywords:{keyword:l+" "+a+" "+s,literal:d},contains:[e.HASH_COMMENT_MODE,{beginKeywords:"node",starts:{end:"\\s*([\\w_-]+:)?",starts:{className:"title",end:"\\s*[\\$\\w_][\\w_-]*"}}},{beginKeywords:n,starts:{className:"title",end:"\\s*[\\$\\w_][\\w_-]*",starts:{end:"\\s*@?[\\w_][\\w_\\.:-]*"}}},{begin:"\\b("+i.split(" ").join("|")+")\\s+",keywords:i,starts:{className:"title",end:"[\\$\\w_][\\w_-]*"}},{beginKeywords:_,starts:{className:"title",end:"\\s*([\\w_-]+:)?"}},e.QUOTE_STRING_MODE,{className:"meta",begin:"(ocf|systemd|service|lsb):[\\w_:-]+",relevance:0},{className:"number",begin:"\\b\\d+(\\.\\d+)?(ms|s|h|m)?",relevance:0},{className:"literal",begin:"[-]?(infinity|inf)",relevance:0},{className:"attr",begin:/([A-Za-z$_#][\w_-]+)=/,relevance:0},{className:"tag",begin:"</?",end:"/?>",relevance:0}]}}ho.exports=qm});var Co=O((XS,Ro)=>{function Vm(e){let n="(_?[ui](8|16|32|64|128))?",i="(_?f(32|64))?",_="[a-zA-Z_]\\w*[!?=]?",l="[a-zA-Z_]\\w*[!?=]?|[-+~]@|<<|>>|[=!]~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~|]|//|//=|&[-+*]=?|&\\*\\*|\\[\\][=?]?",a="[A-Za-z_]\\w*(::\\w+)*(\\?|!)?",s={$pattern:_,keyword:"abstract alias annotation as as? asm begin break case class def do else elsif end ensure enum extend for fun if include instance_sizeof is_a? lib macro module next nil? of out pointerof private protected rescue responds_to? return require select self sizeof struct super then type typeof union uninitialized unless until verbatim when while with yield __DIR__ __END_LINE__ __FILE__ __LINE__",literal:"false nil true"},d={className:"subst",begin:/#\{/,end:/\}/,keywords:s},u={className:"variable",begin:"(\\$\\W)|((\\$|@@?)(\\w+))(?=[^@$?])(?![A-Za-z])(?![@$?'])"},E={className:"template-variable",variants:[{begin:"\\{\\{",end:"\\}\\}"},{begin:"\\{%",end:"%\\}"}],keywords:s};function f(F,q){let B=[{begin:F,end:q}];return B[0].contains=B,B}let N={className:"string",contains:[e.BACKSLASH_ESCAPE,d],variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/`/,end:/`/},{begin:"%[Qwi]?\\(",end:"\\)",contains:f("\\(","\\)")},{begin:"%[Qwi]?\\[",end:"\\]",contains:f("\\[","\\]")},{begin:"%[Qwi]?\\{",end:/\}/,contains:f(/\{/,/\}/)},{begin:"%[Qwi]?<",end:">",contains:f("<",">")},{begin:"%[Qwi]?\\|",end:"\\|"},{begin:/<<-\w+$/,end:/^\s*\w+$/}],relevance:0},S={className:"string",variants:[{begin:"%q\\(",end:"\\)",contains:f("\\(","\\)")},{begin:"%q\\[",end:"\\]",contains:f("\\[","\\]")},{begin:"%q\\{",end:/\}/,contains:f(/\{/,/\}/)},{begin:"%q<",end:">",contains:f("<",">")},{begin:"%q\\|",end:"\\|"},{begin:/<<-'\w+'$/,end:/^\s*\w+$/}],relevance:0},h={begin:"(?!%\\})("+e.RE_STARTERS_RE+"|\\n|\\b(case|if|select|unless|until|when|while)\\b)\\s*",keywords:"case if select unless until when while",contains:[{className:"regexp",contains:[e.BACKSLASH_ESCAPE,d],variants:[{begin:"//[a-z]*",relevance:0},{begin:"/(?!\\/)",end:"/[a-z]*"}]}],relevance:0},C={className:"regexp",contains:[e.BACKSLASH_ESCAPE,d],variants:[{begin:"%r\\(",end:"\\)",contains:f("\\(","\\)")},{begin:"%r\\[",end:"\\]",contains:f("\\[","\\]")},{begin:"%r\\{",end:/\}/,contains:f(/\{/,/\}/)},{begin:"%r<",end:">",contains:f("<",">")},{begin:"%r\\|",end:"\\|"}],relevance:0},I={className:"meta",begin:"@\\[",end:"\\]",contains:[e.inherit(e.QUOTE_STRING_MODE,{className:"string"})]},x=[E,N,S,C,h,I,u,e.HASH_COMMENT_MODE,{className:"class",beginKeywords:"class module struct",end:"$|;",illegal:/=/,contains:[e.HASH_COMMENT_MODE,e.inherit(e.TITLE_MODE,{begin:a}),{begin:"<"}]},{className:"class",beginKeywords:"lib enum union",end:"$|;",illegal:/=/,contains:[e.HASH_COMMENT_MODE,e.inherit(e.TITLE_MODE,{begin:a})]},{beginKeywords:"annotation",end:"$|;",illegal:/=/,contains:[e.HASH_COMMENT_MODE,e.inherit(e.TITLE_MODE,{begin:a})],relevance:2},{className:"function",beginKeywords:"def",end:/\B\b/,contains:[e.inherit(e.TITLE_MODE,{begin:l,endsParent:!0})]},{className:"function",beginKeywords:"fun macro",end:/\B\b/,contains:[e.inherit(e.TITLE_MODE,{begin:l,endsParent:!0})],relevance:2},{className:"symbol",begin:e.UNDERSCORE_IDENT_RE+"(!|\\?)?:",relevance:0},{className:"symbol",begin:":",contains:[N,{begin:l}],relevance:0},{className:"number",variants:[{begin:"\\b0b([01_]+)"+n},{begin:"\\b0o([0-7_]+)"+n},{begin:"\\b0x([A-Fa-f0-9_]+)"+n},{begin:"\\b([1-9][0-9_]*[0-9]|[0-9])(\\.[0-9][0-9_]*)?([eE]_?[-+]?[0-9_]*)?"+i+"(?!_)"},{begin:"\\b([1-9][0-9_]*|0)"+n}],relevance:0}];return d.contains=x,E.contains=x.slice(1),{name:"Crystal",aliases:["cr"],keywords:s,contains:x}}Ro.exports=Vm});var No=O((ZS,vo)=>{function zm(e){let n=["bool","byte","char","decimal","delegate","double","dynamic","enum","float","int","long","nint","nuint","object","sbyte","short","string","ulong","uint","ushort"],i=["public","private","protected","static","internal","protected","abstract","async","extern","override","unsafe","virtual","new","sealed","partial"],_=["default","false","null","true"],l=["abstract","as","base","break","case","catch","class","const","continue","do","else","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","record","ref","return","scoped","sealed","sizeof","stackalloc","static","struct","switch","this","throw","try","typeof","unchecked","unsafe","using","virtual","void","volatile","while"],a=["add","alias","and","ascending","async","await","by","descending","equals","from","get","global","group","init","into","join","let","nameof","not","notnull","on","or","orderby","partial","remove","select","set","unmanaged","value|0","var","when","where","with","yield"],s={keyword:l.concat(a),built_in:n,literal:_},d=e.inherit(e.TITLE_MODE,{begin:"[a-zA-Z](\\.?\\w)*"}),u={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)(u|U|l|L|ul|UL|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},E={className:"string",begin:'@"',end:'"',contains:[{begin:'""'}]},f=e.inherit(E,{illegal:/\n/}),N={className:"subst",begin:/\{/,end:/\}/,keywords:s},S=e.inherit(N,{illegal:/\n/}),h={className:"string",begin:/\$"/,end:'"',illegal:/\n/,contains:[{begin:/\{\{/},{begin:/\}\}/},e.BACKSLASH_ESCAPE,S]},C={className:"string",begin:/\$@"/,end:'"',contains:[{begin:/\{\{/},{begin:/\}\}/},{begin:'""'},N]},I=e.inherit(C,{illegal:/\n/,contains:[{begin:/\{\{/},{begin:/\}\}/},{begin:'""'},S]});N.contains=[C,h,E,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,u,e.C_BLOCK_COMMENT_MODE],S.contains=[I,h,f,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,u,e.inherit(e.C_BLOCK_COMMENT_MODE,{illegal:/\n/})];let x={variants:[C,h,E,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE]},F={begin:"<",end:">",contains:[{beginKeywords:"in out"},d]},q=e.IDENT_RE+"(<"+e.IDENT_RE+"(\\s*,\\s*"+e.IDENT_RE+")*>)?(\\[\\])?",B={begin:"@"+e.IDENT_RE,relevance:0};return{name:"C#",aliases:["cs","c#"],keywords:s,illegal:/::/,contains:[e.COMMENT("///","$",{returnBegin:!0,contains:[{className:"doctag",variants:[{begin:"///",relevance:0},{begin:"<!--|-->"},{begin:"</?",end:">"}]}]}),e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,{className:"meta",begin:"#",end:"$",keywords:{keyword:"if else elif endif define undef warning error line region endregion pragma checksum"}},x,u,{beginKeywords:"class interface",relevance:0,end:/[{;=]/,illegal:/[^\s:,]/,contains:[{beginKeywords:"where class"},d,F,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]},{beginKeywords:"namespace",relevance:0,end:/[{;=]/,illegal:/[^\s:]/,contains:[d,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]},{beginKeywords:"record",relevance:0,end:/[{;=]/,illegal:/[^\s:]/,contains:[d,F,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]},{className:"meta",begin:"^\\s*\\[(?=[\\w])",excludeBegin:!0,end:"\\]",excludeEnd:!0,contains:[{className:"string",begin:/"/,end:/"/}]},{beginKeywords:"new return throw await else",relevance:0},{className:"function",begin:"("+q+"\\s+)+"+e.IDENT_RE+"\\s*(<[^=]+>\\s*)?\\(",returnBegin:!0,end:/\s*[{;=]/,excludeEnd:!0,keywords:s,contains:[{beginKeywords:i.join(" "),relevance:0},{begin:e.IDENT_RE+"\\s*(<[^=]+>\\s*)?\\(",returnBegin:!0,contains:[e.TITLE_MODE,F],relevance:0},{match:/\(\)/},{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:s,relevance:0,contains:[x,u,e.C_BLOCK_COMMENT_MODE]},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]},B]}}vo.exports=zm});var Ao=O((JS,Oo)=>{function Wm(e){return{name:"CSP",case_insensitive:!1,keywords:{$pattern:"[a-zA-Z][a-zA-Z0-9_-]*",keyword:["base-uri","child-src","connect-src","default-src","font-src","form-action","frame-ancestors","frame-src","img-src","manifest-src","media-src","object-src","plugin-types","report-uri","sandbox","script-src","style-src","trusted-types","unsafe-hashes","worker-src"]},contains:[{className:"string",begin:"'",end:"'"},{className:"attribute",begin:"^Content",end:":",excludeEnd:!0}]}}Oo.exports=Wm});var Io=O((jS,yo)=>{var $m=e=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:e.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:e.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z][A-Za-z0-9_-]*/}}),Km=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],Qm=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],Xm=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],Zm=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],Jm=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","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-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-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","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","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","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse();function jm(e){let n=e.regex,i=$m(e),_={begin:/-(webkit|moz|ms|o)-(?=[a-z])/},l="and or not only",a=/@-?\w[\w]*(-\w+)*/,s="[a-zA-Z-][a-zA-Z0-9_-]*",d=[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE];return{name:"CSS",case_insensitive:!0,illegal:/[=|'\$]/,keywords:{keyframePosition:"from to"},classNameAliases:{keyframePosition:"selector-tag"},contains:[i.BLOCK_COMMENT,_,i.CSS_NUMBER_MODE,{className:"selector-id",begin:/#[A-Za-z0-9_-]+/,relevance:0},{className:"selector-class",begin:"\\."+s,relevance:0},i.ATTRIBUTE_SELECTOR_MODE,{className:"selector-pseudo",variants:[{begin:":("+Xm.join("|")+")"},{begin:":(:)?("+Zm.join("|")+")"}]},i.CSS_VARIABLE,{className:"attribute",begin:"\\b("+Jm.join("|")+")\\b"},{begin:/:/,end:/[;}{]/,contains:[i.BLOCK_COMMENT,i.HEXCOLOR,i.IMPORTANT,i.CSS_NUMBER_MODE,...d,{begin:/(url|data-uri)\(/,end:/\)/,relevance:0,keywords:{built_in:"url data-uri"},contains:[...d,{className:"string",begin:/[^)]/,endsWithParent:!0,excludeEnd:!0}]},i.FUNCTION_DISPATCH]},{begin:n.lookahead(/@/),end:"[{;]",relevance:0,illegal:/:/,contains:[{className:"keyword",begin:a},{begin:/\s/,endsWithParent:!0,excludeEnd:!0,relevance:0,keywords:{$pattern:/[a-z-]+/,keyword:l,attribute:Qm.join(" ")},contains:[{begin:/[a-z-]+(?=:)/,className:"attribute"},...d,i.CSS_NUMBER_MODE]}]},{className:"selector-tag",begin:"\\b("+Km.join("|")+")\\b"}]}}yo.exports=jm});var xo=O((eh,Do)=>{function eg(e){let n={$pattern:e.UNDERSCORE_IDENT_RE,keyword:"abstract alias align asm assert auto body break byte case cast catch class const continue debug default delete deprecated do else enum export extern final finally for foreach foreach_reverse|10 goto if immutable import in inout int interface invariant is lazy macro mixin module new nothrow out override package pragma private protected public pure ref return scope shared static struct super switch synchronized template this throw try typedef typeid typeof union unittest version void volatile while with __FILE__ __LINE__ __gshared|10 __thread __traits __DATE__ __EOF__ __TIME__ __TIMESTAMP__ __VENDOR__ __VERSION__",built_in:"bool cdouble cent cfloat char creal dchar delegate double dstring float function idouble ifloat ireal long real short string ubyte ucent uint ulong ushort wchar wstring",literal:"false null true"},i="(0|[1-9][\\d_]*)",_="(0|[1-9][\\d_]*|\\d[\\d_]*|[\\d_]+?\\d)",l="0[bB][01_]+",a="([\\da-fA-F][\\da-fA-F_]*|_[\\da-fA-F][\\da-fA-F_]*)",s="0[xX]"+a,d="([eE][+-]?"+_+")",u="("+_+"(\\.\\d*|"+d+")|\\d+\\."+_+"|\\."+i+d+"?)",E="(0[xX]("+a+"\\."+a+"|\\.?"+a+")[pP][+-]?"+_+")",f="("+i+"|"+l+"|"+s+")",N="("+E+"|"+u+")",S=`\\\\(['"\\?\\\\abfnrtv]|u[\\dA-Fa-f]{4}|[0-7]{1,3}|x[\\dA-Fa-f]{2}|U[\\dA-Fa-f]{8})|&[a-zA-Z\\d]{2,};`,h={className:"number",begin:"\\b"+f+"(L|u|U|Lu|LU|uL|UL)?",relevance:0},C={className:"number",begin:"\\b("+N+"([fF]|L|i|[fF]i|Li)?|"+f+"(i|[fF]i|Li))",relevance:0},I={className:"string",begin:"'("+S+"|.)",end:"'",illegal:"."},F={className:"string",begin:'"',contains:[{begin:S,relevance:0}],end:'"[cwd]?'},q={className:"string",begin:'[rq]"',end:'"[cwd]?',relevance:5},B={className:"string",begin:"`",end:"`[cwd]?"},Y={className:"string",begin:'x"[\\da-fA-F\\s\\n\\r]*"[cwd]?',relevance:10},z={className:"string",begin:'q"\\{',end:'\\}"'},c={className:"meta",begin:"^#!",end:"$",relevance:5},te={className:"meta",begin:"#(line)",end:"$",relevance:5},K={className:"keyword",begin:"@[a-zA-Z_][a-zA-Z_\\d]*"},ce=e.COMMENT("\\/\\+","\\+\\/",{contains:["self"],relevance:10});return{name:"D",keywords:n,contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,ce,Y,F,q,B,z,C,h,I,c,te,K]}}Do.exports=eg});var Mo=O((th,wo)=>{function tg(e){let n=e.regex,i={begin:/<\/?[A-Za-z_]/,end:">",subLanguage:"xml",relevance:0},_={begin:"^[-\\*]{3,}",end:"$"},l={className:"code",variants:[{begin:"(`{3,})[^`](.|\\n)*?\\1`*[ ]*"},{begin:"(~{3,})[^~](.|\\n)*?\\1~*[ ]*"},{begin:"```",end:"```+[ ]*$"},{begin:"~~~",end:"~~~+[ ]*$"},{begin:"`.+?`"},{begin:"(?=^( {4}|\\t))",contains:[{begin:"^( {4}|\\t)",end:"(\\n)$"}],relevance:0}]},a={className:"bullet",begin:"^[ ]*([*+-]|(\\d+\\.))(?=\\s+)",end:"\\s+",excludeEnd:!0},s={begin:/^\[[^\n]+\]:/,returnBegin:!0,contains:[{className:"symbol",begin:/\[/,end:/\]/,excludeBegin:!0,excludeEnd:!0},{className:"link",begin:/:\s*/,end:/$/,excludeBegin:!0}]},d=/[A-Za-z][A-Za-z0-9+.-]*/,u={variants:[{begin:/\[.+?\]\[.*?\]/,relevance:0},{begin:/\[.+?\]\(((data|javascript|mailto):|(?:http|ftp)s?:\/\/).*?\)/,relevance:2},{begin:n.concat(/\[.+?\]\(/,d,/:\/\/.*?\)/),relevance:2},{begin:/\[.+?\]\([./?&#].*?\)/,relevance:1},{begin:/\[.*?\]\(.*?\)/,relevance:0}],returnBegin:!0,contains:[{match:/\[(?=\])/},{className:"string",relevance:0,begin:"\\[",end:"\\]",excludeBegin:!0,returnEnd:!0},{className:"link",relevance:0,begin:"\\]\\(",end:"\\)",excludeBegin:!0,excludeEnd:!0},{className:"symbol",relevance:0,begin:"\\]\\[",end:"\\]",excludeBegin:!0,excludeEnd:!0}]},E={className:"strong",contains:[],variants:[{begin:/_{2}(?!\s)/,end:/_{2}/},{begin:/\*{2}(?!\s)/,end:/\*{2}/}]},f={className:"emphasis",contains:[],variants:[{begin:/\*(?![*\s])/,end:/\*/},{begin:/_(?![_\s])/,end:/_/,relevance:0}]},N=e.inherit(E,{contains:[]}),S=e.inherit(f,{contains:[]});E.contains.push(S),f.contains.push(N);let h=[i,u];return[E,f,N,S].forEach(x=>{x.contains=x.contains.concat(h)}),h=h.concat(E,f),{name:"Markdown",aliases:["md","mkdown","mkd"],contains:[{className:"section",variants:[{begin:"^#{1,6}",end:"$",contains:h},{begin:"(?=^.+?\\n[=-]{2,}$)",contains:[{begin:"^[=-]*$"},{begin:"^",end:"\\n",contains:h}]}]},i,a,E,f,{className:"quote",begin:"^>\\s+",contains:h,end:"$"},l,_,u,s]}}wo.exports=tg});var Po=O((nh,Lo)=>{function ng(e){let n={className:"subst",variants:[{begin:"\\$[A-Za-z0-9_]+"}]},i={className:"subst",variants:[{begin:/\$\{/,end:/\}/}],keywords:"true false null this is new super"},_={className:"string",variants:[{begin:"r'''",end:"'''"},{begin:'r"""',end:'"""'},{begin:"r'",end:"'",illegal:"\\n"},{begin:'r"',end:'"',illegal:"\\n"},{begin:"'''",end:"'''",contains:[e.BACKSLASH_ESCAPE,n,i]},{begin:'"""',end:'"""',contains:[e.BACKSLASH_ESCAPE,n,i]},{begin:"'",end:"'",illegal:"\\n",contains:[e.BACKSLASH_ESCAPE,n,i]},{begin:'"',end:'"',illegal:"\\n",contains:[e.BACKSLASH_ESCAPE,n,i]}]};i.contains=[e.C_NUMBER_MODE,_];let l=["Comparable","DateTime","Duration","Function","Iterable","Iterator","List","Map","Match","Object","Pattern","RegExp","Set","Stopwatch","String","StringBuffer","StringSink","Symbol","Type","Uri","bool","double","int","num","Element","ElementList"],a=l.map(u=>`${u}?`);return{name:"Dart",keywords:{keyword:["abstract","as","assert","async","await","base","break","case","catch","class","const","continue","covariant","default","deferred","do","dynamic","else","enum","export","extends","extension","external","factory","false","final","finally","for","Function","get","hide","if","implements","import","in","interface","is","late","library","mixin","new","null","on","operator","part","required","rethrow","return","sealed","set","show","static","super","switch","sync","this","throw","true","try","typedef","var","void","when","while","with","yield"],built_in:l.concat(a).concat(["Never","Null","dynamic","print","document","querySelector","querySelectorAll","window"]),$pattern:/[A-Za-z][A-Za-z0-9_]*\??/},contains:[_,e.COMMENT(/\/\*\*(?!\/)/,/\*\//,{subLanguage:"markdown",relevance:0}),e.COMMENT(/\/{3,} ?/,/$/,{contains:[{subLanguage:"markdown",begin:".",end:"$",relevance:0}]}),e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,{className:"class",beginKeywords:"class interface",end:/\{/,excludeEnd:!0,contains:[{beginKeywords:"extends implements"},e.UNDERSCORE_TITLE_MODE]},e.C_NUMBER_MODE,{className:"meta",begin:"@[A-Za-z]+"},{begin:"=>"}]}}Lo.exports=ng});var Uo=O((rh,ko)=>{function rg(e){let n=["exports","register","file","shl","array","record","property","for","mod","while","set","ally","label","uses","raise","not","stored","class","safecall","var","interface","or","private","static","exit","index","inherited","to","else","stdcall","override","shr","asm","far","resourcestring","finalization","packed","virtual","out","and","protected","library","do","xorwrite","goto","near","function","end","div","overload","object","unit","begin","string","on","inline","repeat","until","destructor","write","message","program","with","read","initialization","except","default","nil","if","case","cdecl","in","downto","threadvar","of","try","pascal","const","external","constructor","type","public","then","implementation","finally","published","procedure","absolute","reintroduce","operator","as","is","abstract","alias","assembler","bitpacked","break","continue","cppdecl","cvar","enumerator","experimental","platform","deprecated","unimplemented","dynamic","export","far16","forward","generic","helper","implements","interrupt","iochecks","local","name","nodefault","noreturn","nostackframe","oldfpccall","otherwise","saveregisters","softfloat","specialize","strict","unaligned","varargs"],i=[e.C_LINE_COMMENT_MODE,e.COMMENT(/\{/,/\}/,{relevance:0}),e.COMMENT(/\(\*/,/\*\)/,{relevance:10})],_={className:"meta",variants:[{begin:/\{\$/,end:/\}/},{begin:/\(\*\$/,end:/\*\)/}]},l={className:"string",begin:/'/,end:/'/,contains:[{begin:/''/}]},a={className:"number",relevance:0,variants:[{begin:"\\$[0-9A-Fa-f]+"},{begin:"&[0-7]+"},{begin:"%[01]+"}]},s={className:"string",begin:/(#\d+)+/},d={begin:e.IDENT_RE+"\\s*=\\s*class\\s*\\(",returnBegin:!0,contains:[e.TITLE_MODE]},u={className:"function",beginKeywords:"function constructor destructor procedure",end:/[:;]/,keywords:"function constructor|10 destructor|10 procedure|10",contains:[e.TITLE_MODE,{className:"params",begin:/\(/,end:/\)/,keywords:n,contains:[l,s,_].concat(i)},_].concat(i)};return{name:"Delphi",aliases:["dpr","dfm","pas","pascal"],case_insensitive:!0,keywords:n,illegal:/"|\$[G-Zg-z]|\/\*|<\/|\|/,contains:[l,s,e.NUMBER_MODE,a,d,u,_].concat(i)}}ko.exports=rg});var Bo=O((ih,Fo)=>{function ig(e){let n=e.regex;return{name:"Diff",aliases:["patch"],contains:[{className:"meta",relevance:10,match:n.either(/^@@ +-\d+,\d+ +\+\d+,\d+ +@@/,/^\*\*\* +\d+,\d+ +\*\*\*\*$/,/^--- +\d+,\d+ +----$/)},{className:"comment",variants:[{begin:n.either(/Index: /,/^index/,/={3,}/,/^-{3}/,/^\*{3} /,/^\+{3}/,/^diff --git/),end:/$/},{match:/^\*{15}$/}]},{className:"addition",begin:/^\+/,end:/$/},{className:"deletion",begin:/^-/,end:/$/},{className:"addition",begin:/^!/,end:/$/}]}}Fo.exports=ig});var Yo=O((ah,Go)=>{function ag(e){let n={begin:/\|[A-Za-z]+:?/,keywords:{name:"truncatewords removetags linebreaksbr yesno get_digit timesince random striptags filesizeformat escape linebreaks length_is ljust rjust cut urlize fix_ampersands title floatformat capfirst pprint divisibleby add make_list unordered_list urlencode timeuntil urlizetrunc wordcount stringformat linenumbers slice date dictsort dictsortreversed default_if_none pluralize lower join center default truncatewords_html upper length phone2numeric wordwrap time addslashes slugify first escapejs force_escape iriencode last safe safeseq truncatechars localize unlocalize localtime utc timezone"},contains:[e.QUOTE_STRING_MODE,e.APOS_STRING_MODE]};return{name:"Django",aliases:["jinja"],case_insensitive:!0,subLanguage:"xml",contains:[e.COMMENT(/\{%\s*comment\s*%\}/,/\{%\s*endcomment\s*%\}/),e.COMMENT(/\{#/,/#\}/),{className:"template-tag",begin:/\{%/,end:/%\}/,contains:[{className:"name",begin:/\w+/,keywords:{name:"comment endcomment load templatetag ifchanged endifchanged if endif firstof for endfor ifnotequal endifnotequal widthratio extends include spaceless endspaceless regroup ifequal endifequal ssi now with cycle url filter endfilter debug block endblock else autoescape endautoescape csrf_token empty elif endwith static trans blocktrans endblocktrans get_static_prefix get_media_prefix plural get_current_language language get_available_languages get_current_language_bidi get_language_info get_language_info_list localize endlocalize localtime endlocaltime timezone endtimezone get_current_timezone verbatim"},starts:{endsWithParent:!0,keywords:"in by as",contains:[n],relevance:0}}]},{className:"template-variable",begin:/\{\{/,end:/\}\}/,contains:[n]}]}}Go.exports=ag});var qo=O((oh,Ho)=>{function og(e){return{name:"DNS Zone",aliases:["bind","zone"],keywords:["IN","A","AAAA","AFSDB","APL","CAA","CDNSKEY","CDS","CERT","CNAME","DHCID","DLV","DNAME","DNSKEY","DS","HIP","IPSECKEY","KEY","KX","LOC","MX","NAPTR","NS","NSEC","NSEC3","NSEC3PARAM","PTR","RRSIG","RP","SIG","SOA","SRV","SSHFP","TA","TKEY","TLSA","TSIG","TXT"],contains:[e.COMMENT(";","$",{relevance:0}),{className:"meta",begin:/^\$(TTL|GENERATE|INCLUDE|ORIGIN)\b/},{className:"number",begin:"((([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}))|:)))\\b"},{className:"number",begin:"((25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9]).){3,3}(25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9])\\b"},e.inherit(e.NUMBER_MODE,{begin:/\b\d+[dhwm]?/})]}}Ho.exports=og});var zo=O((sh,Vo)=>{function sg(e){return{name:"Dockerfile",aliases:["docker"],case_insensitive:!0,keywords:["from","maintainer","expose","env","arg","user","onbuild","stopsignal"],contains:[e.HASH_COMMENT_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.NUMBER_MODE,{beginKeywords:"run cmd entrypoint volume add copy workdir label healthcheck shell",starts:{end:/[^\\]$/,subLanguage:"bash"}}],illegal:"</"}}Vo.exports=sg});var $o=O((lh,Wo)=>{function lg(e){let n=e.COMMENT(/^\s*@?rem\b/,/$/,{relevance:10});return{name:"Batch file (DOS)",aliases:["bat","cmd"],case_insensitive:!0,illegal:/\/\*/,keywords:{keyword:["if","else","goto","for","in","do","call","exit","not","exist","errorlevel","defined","equ","neq","lss","leq","gtr","geq"],built_in:["prn","nul","lpt3","lpt2","lpt1","con","com4","com3","com2","com1","aux","shift","cd","dir","echo","setlocal","endlocal","set","pause","copy","append","assoc","at","attrib","break","cacls","cd","chcp","chdir","chkdsk","chkntfs","cls","cmd","color","comp","compact","convert","date","dir","diskcomp","diskcopy","doskey","erase","fs","find","findstr","format","ftype","graftabl","help","keyb","label","md","mkdir","mode","more","move","path","pause","print","popd","pushd","promt","rd","recover","rem","rename","replace","restore","rmdir","shift","sort","start","subst","time","title","tree","type","ver","verify","vol","ping","net","ipconfig","taskkill","xcopy","ren","del"]},contains:[{className:"variable",begin:/%%[^ ]|%[^ ]+?%|![^ ]+?!/},{className:"function",begin:{className:"symbol",begin:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)",relevance:0}.begin,end:"goto:eof",contains:[e.inherit(e.TITLE_MODE,{begin:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),n]},{className:"number",begin:"\\b\\d+",relevance:0},n]}}Wo.exports=lg});var Qo=O((ch,Ko)=>{function cg(e){return{keywords:"dsconfig",contains:[{className:"keyword",begin:"^dsconfig",end:/\s/,excludeEnd:!0,relevance:10},{className:"built_in",begin:/(list|create|get|set|delete)-(\w+)/,end:/\s/,excludeEnd:!0,illegal:"!@#$%^&*()",relevance:10},{className:"built_in",begin:/--(\w+)/,end:/\s/,excludeEnd:!0},{className:"string",begin:/"/,end:/"/},{className:"string",begin:/'/,end:/'/},{className:"string",begin:/[\w\-?]+:\w+/,end:/\W/,relevance:0},{className:"string",begin:/\w+(\-\w+)*/,end:/(?=\W)/,relevance:0},e.HASH_COMMENT_MODE]}}Ko.exports=cg});var Zo=O((dh,Xo)=>{function dg(e){let n={className:"string",variants:[e.inherit(e.QUOTE_STRING_MODE,{begin:'((u8?|U)|L)?"'}),{begin:'(u8?|U)?R"',end:'"',contains:[e.BACKSLASH_ESCAPE]},{begin:"'\\\\?.",end:"'",illegal:"."}]},i={className:"number",variants:[{begin:"\\b(\\d+(\\.\\d*)?|\\.\\d+)(u|U|l|L|ul|UL|f|F)"},{begin:e.C_NUMBER_RE}],relevance:0},_={className:"meta",begin:"#",end:"$",keywords:{keyword:"if else elif endif define undef ifdef ifndef"},contains:[{begin:/\\\n/,relevance:0},{beginKeywords:"include",end:"$",keywords:{keyword:"include"},contains:[e.inherit(n,{className:"string"}),{className:"string",begin:"<",end:">",illegal:"\\n"}]},n,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]},l={className:"variable",begin:/&[a-z\d_]*\b/},a={className:"keyword",begin:"/[a-z][a-z\\d-]*/"},s={className:"symbol",begin:"^\\s*[a-zA-Z_][a-zA-Z\\d_]*:"},d={className:"params",relevance:0,begin:"<",end:">",contains:[i,l]},u={className:"title.class",begin:/[a-zA-Z_][a-zA-Z\d_@-]*(?=\s\{)/,relevance:.2},E={className:"title.class",begin:/^\/(?=\s*\{)/,relevance:10},f={match:/[a-z][a-z-,]+(?=;)/,relevance:0,scope:"attr"},N={relevance:0,match:[/[a-z][a-z-,]+/,/\s*/,/=/],scope:{1:"attr",3:"operator"}},S={scope:"punctuation",relevance:0,match:/\};|[;{}]/};return{name:"Device Tree",contains:[E,l,a,s,u,N,f,d,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,i,n,_,S,{begin:e.IDENT_RE+"::",keywords:""}]}}Xo.exports=dg});var jo=O((_h,Jo)=>{function _g(e){let n="if eq ne lt lte gt gte select default math sep";return{name:"Dust",aliases:["dst"],case_insensitive:!0,subLanguage:"xml",contains:[{className:"template-tag",begin:/\{[#\/]/,end:/\}/,illegal:/;/,contains:[{className:"name",begin:/[a-zA-Z\.-]+/,starts:{endsWithParent:!0,relevance:0,contains:[e.QUOTE_STRING_MODE]}}]},{className:"template-variable",begin:/\{/,end:/\}/,illegal:/;/,keywords:n}]}}Jo.exports=_g});var ts=O((ph,es)=>{function pg(e){let n=e.COMMENT(/\(\*/,/\*\)/),i={className:"attribute",begin:/^[ ]*[a-zA-Z]+([\s_-]+[a-zA-Z]+)*/},l={begin:/=/,end:/[.;]/,contains:[n,{className:"meta",begin:/\?.*\?/},{className:"string",variants:[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,{begin:"`",end:"`"}]}]};return{name:"Extended Backus-Naur Form",illegal:/\S/,contains:[n,i,l]}}es.exports=pg});var rs=O((uh,ns)=>{function ug(e){let n=e.regex,i="[a-zA-Z_][a-zA-Z0-9_.]*(!|\\?)?",_="[a-zA-Z_]\\w*[!?=]?|[-+~]@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?",s={$pattern:i,keyword:["after","alias","and","case","catch","cond","defstruct","defguard","do","else","end","fn","for","if","import","in","not","or","quote","raise","receive","require","reraise","rescue","try","unless","unquote","unquote_splicing","use","when","with|0"],literal:["false","nil","true"]},d={className:"subst",begin:/#\{/,end:/\}/,keywords:s},u={className:"number",begin:"(\\b0o[0-7_]+)|(\\b0b[01_]+)|(\\b0x[0-9a-fA-F_]+)|(-?\\b[0-9][0-9_]*(\\.[0-9_]+([eE][-+]?[0-9]+)?)?)",relevance:0},f={match:/\\[\s\S]/,scope:"char.escape",relevance:0},N=`[/|([{<"']`,S=[{begin:/"/,end:/"/},{begin:/'/,end:/'/},{begin:/\//,end:/\//},{begin:/\|/,end:/\|/},{begin:/\(/,end:/\)/},{begin:/\[/,end:/\]/},{begin:/\{/,end:/\}/},{begin:/</,end:/>/}],h=z=>({scope:"char.escape",begin:n.concat(/\\/,z),relevance:0}),C={className:"string",begin:"~[a-z](?="+N+")",contains:S.map(z=>e.inherit(z,{contains:[h(z.end),f,d]}))},I={className:"string",begin:"~[A-Z](?="+N+")",contains:S.map(z=>e.inherit(z,{contains:[h(z.end)]}))},x={className:"regex",variants:[{begin:"~r(?="+N+")",contains:S.map(z=>e.inherit(z,{end:n.concat(z.end,/[uismxfU]{0,7}/),contains:[h(z.end),f,d]}))},{begin:"~R(?="+N+")",contains:S.map(z=>e.inherit(z,{end:n.concat(z.end,/[uismxfU]{0,7}/),contains:[h(z.end)]}))}]},F={className:"string",contains:[e.BACKSLASH_ESCAPE,d],variants:[{begin:/"""/,end:/"""/},{begin:/'''/,end:/'''/},{begin:/~S"""/,end:/"""/,contains:[]},{begin:/~S"/,end:/"/,contains:[]},{begin:/~S'''/,end:/'''/,contains:[]},{begin:/~S'/,end:/'/,contains:[]},{begin:/'/,end:/'/},{begin:/"/,end:/"/}]},q={className:"function",beginKeywords:"def defp defmacro defmacrop",end:/\B\b/,contains:[e.inherit(e.TITLE_MODE,{begin:i,endsParent:!0})]},B=e.inherit(q,{className:"class",beginKeywords:"defimpl defmodule defprotocol defrecord",end:/\bdo\b|$|;/}),Y=[F,x,I,C,e.HASH_COMMENT_MODE,B,q,{begin:"::"},{className:"symbol",begin:":(?![\\s:])",contains:[F,{begin:_}],relevance:0},{className:"symbol",begin:i+":(?!:)",relevance:0},{className:"title.class",begin:/(\b[A-Z][a-zA-Z0-9_]+)/,relevance:0},u,{className:"variable",begin:"(\\$\\W)|((\\$|@@?)(\\w+))"}];return d.contains=Y,{name:"Elixir",aliases:["ex","exs"],keywords:s,contains:Y}}ns.exports=ug});var as=O((mh,is)=>{function mg(e){let n={variants:[e.COMMENT("--","$"),e.COMMENT(/\{-/,/-\}/,{contains:["self"]})]},i={className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},_={begin:"\\(",end:"\\)",illegal:'"',contains:[{className:"type",begin:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},n]},l={begin:/\{/,end:/\}/,contains:_.contains},a={className:"string",begin:"'\\\\?.",end:"'",illegal:"."};return{name:"Elm",keywords:["let","in","if","then","else","case","of","where","module","import","exposing","type","alias","as","infix","infixl","infixr","port","effect","command","subscription"],contains:[{beginKeywords:"port effect module",end:"exposing",keywords:"port effect module where command subscription exposing",contains:[_,n],illegal:"\\W\\.|;"},{begin:"import",end:"$",keywords:"import as exposing",contains:[_,n],illegal:"\\W\\.|;"},{begin:"type",end:"$",keywords:"type alias",contains:[i,_,l,n]},{beginKeywords:"infix infixl infixr",end:"$",contains:[e.C_NUMBER_MODE,n]},{begin:"port",end:"$",keywords:"port",contains:[n]},a,e.QUOTE_STRING_MODE,e.C_NUMBER_MODE,i,e.inherit(e.TITLE_MODE,{begin:"^[_a-z][\\w']*"}),n,{begin:"->|<-"}],illegal:/;/}}is.exports=mg});var ss=O((gh,os)=>{function gg(e){let n=e.regex,i="([a-zA-Z_]\\w*[!?=]?|[-+~]@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?)",_=n.either(/\b([A-Z]+[a-z0-9]+)+/,/\b([A-Z]+[a-z0-9]+)+[A-Z]+/),l=n.concat(_,/(::\w+)*/),s={"variable.constant":["__FILE__","__LINE__","__ENCODING__"],"variable.language":["self","super"],keyword:["alias","and","begin","BEGIN","break","case","class","defined","do","else","elsif","end","END","ensure","for","if","in","module","next","not","or","redo","require","rescue","retry","return","then","undef","unless","until","when","while","yield",...["include","extend","prepend","public","private","protected","raise","throw"]],built_in:["proc","lambda","attr_accessor","attr_reader","attr_writer","define_method","private_constant","module_function"],literal:["true","false","nil"]},d={className:"doctag",begin:"@[A-Za-z]+"},u={begin:"#<",end:">"},E=[e.COMMENT("#","$",{contains:[d]}),e.COMMENT("^=begin","^=end",{contains:[d],relevance:10}),e.COMMENT("^__END__",e.MATCH_NOTHING_RE)],f={className:"subst",begin:/#\{/,end:/\}/,keywords:s},N={className:"string",contains:[e.BACKSLASH_ESCAPE,f],variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/`/,end:/`/},{begin:/%[qQwWx]?\(/,end:/\)/},{begin:/%[qQwWx]?\[/,end:/\]/},{begin:/%[qQwWx]?\{/,end:/\}/},{begin:/%[qQwWx]?</,end:/>/},{begin:/%[qQwWx]?\//,end:/\//},{begin:/%[qQwWx]?%/,end:/%/},{begin:/%[qQwWx]?-/,end:/-/},{begin:/%[qQwWx]?\|/,end:/\|/},{begin:/\B\?(\\\d{1,3})/},{begin:/\B\?(\\x[A-Fa-f0-9]{1,2})/},{begin:/\B\?(\\u\{?[A-Fa-f0-9]{1,6}\}?)/},{begin:/\B\?(\\M-\\C-|\\M-\\c|\\c\\M-|\\M-|\\C-\\M-)[\x20-\x7e]/},{begin:/\B\?\\(c|C-)[\x20-\x7e]/},{begin:/\B\?\\?\S/},{begin:n.concat(/<<[-~]?'?/,n.lookahead(/(\w+)(?=\W)[^\n]*\n(?:[^\n]*\n)*?\s*\1\b/)),contains:[e.END_SAME_AS_BEGIN({begin:/(\w+)/,end:/(\w+)/,contains:[e.BACKSLASH_ESCAPE,f]})]}]},S="[1-9](_?[0-9])*|0",h="[0-9](_?[0-9])*",C={className:"number",relevance:0,variants:[{begin:`\\b(${S})(\\.(${h}))?([eE][+-]?(${h})|r)?i?\\b`},{begin:"\\b0[dD][0-9](_?[0-9])*r?i?\\b"},{begin:"\\b0[bB][0-1](_?[0-1])*r?i?\\b"},{begin:"\\b0[oO][0-7](_?[0-7])*r?i?\\b"},{begin:"\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*r?i?\\b"},{begin:"\\b0(_?[0-7])+r?i?\\b"}]},I={variants:[{match:/\(\)/},{className:"params",begin:/\(/,end:/(?=\))/,excludeBegin:!0,endsParent:!0,keywords:s}]},c=[N,{variants:[{match:[/class\s+/,l,/\s+<\s+/,l]},{match:[/\b(class|module)\s+/,l]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:s},{match:[/(include|extend)\s+/,l],scope:{2:"title.class"},keywords:s},{relevance:0,match:[l,/\.new[. (]/],scope:{1:"title.class"}},{relevance:0,match:/\b[A-Z][A-Z_0-9]+\b/,className:"variable.constant"},{relevance:0,match:_,scope:"title.class"},{match:[/def/,/\s+/,i],scope:{1:"keyword",3:"title.function"},contains:[I]},{begin:e.IDENT_RE+"::"},{className:"symbol",begin:e.UNDERSCORE_IDENT_RE+"(!|\\?)?:",relevance:0},{className:"symbol",begin:":(?!\\s)",contains:[N,{begin:i}],relevance:0},C,{className:"variable",begin:"(\\$\\W)|((\\$|@@?)(\\w+))(?=[^@$?])(?![A-Za-z])(?![@$?'])"},{className:"params",begin:/\|/,end:/\|/,excludeBegin:!0,excludeEnd:!0,relevance:0,keywords:s},{begin:"("+e.RE_STARTERS_RE+"|unless)\\s*",keywords:"unless",contains:[{className:"regexp",contains:[e.BACKSLASH_ESCAPE,f],illegal:/\n/,variants:[{begin:"/",end:"/[a-z]*"},{begin:/%r\{/,end:/\}[a-z]*/},{begin:"%r\\(",end:"\\)[a-z]*"},{begin:"%r!",end:"![a-z]*"},{begin:"%r\\[",end:"\\][a-z]*"}]}].concat(u,E),relevance:0}].concat(u,E);f.contains=c,I.contains=c;let te="[>?]>",K="[\\w#]+\\(\\w+\\):\\d+:\\d+[>*]",ce="(\\w+-)?\\d+\\.\\d+\\.\\d+(p\\d+)?[^\\d][^>]+>",ne=[{begin:/^\s*=>/,starts:{end:"$",contains:c}},{className:"meta.prompt",begin:"^("+te+"|"+K+"|"+ce+")(?=[ ])",starts:{end:"$",keywords:s,contains:c}}];return E.unshift(u),{name:"Ruby",aliases:["rb","gemspec","podspec","thor","irb"],keywords:s,illegal:/\/\*/,contains:[e.SHEBANG({binary:"ruby"})].concat(ne).concat(E).concat(c)}}os.exports=gg});var cs=O((Eh,ls)=>{function Eg(e){return{name:"ERB",subLanguage:"xml",contains:[e.COMMENT("<%#","%>"),{begin:"<%[%=-]?",end:"[%-]?%>",subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0}]}}ls.exports=Eg});var _s=O((bh,ds)=>{function bg(e){let n=e.regex;return{name:"Erlang REPL",keywords:{built_in:"spawn spawn_link self",keyword:"after and andalso|10 band begin bnot bor bsl bsr bxor case catch cond div end fun if let not of or orelse|10 query receive rem try when xor"},contains:[{className:"meta.prompt",begin:"^[0-9]+> ",relevance:10},e.COMMENT("%","$"),{className:"number",begin:"\\b(\\d+(_\\d+)*#[a-fA-F0-9]+(_[a-fA-F0-9]+)*|\\d+(_\\d+)*(\\.\\d+(_\\d+)*)?([eE][-+]?\\d+)?)",relevance:0},e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,{begin:n.concat(/\?(::)?/,/([A-Z]\w*)/,/((::)[A-Z]\w*)*/)},{begin:"->"},{begin:"ok"},{begin:"!"},{begin:"(\\b[a-z'][a-zA-Z0-9_']*:[a-z'][a-zA-Z0-9_']*)|(\\b[a-z'][a-zA-Z0-9_']*)",relevance:0},{begin:"[A-Z][a-zA-Z0-9_']*",relevance:0}]}}ds.exports=bg});var us=O((fh,ps)=>{function fg(e){let n="[a-z'][a-zA-Z0-9_']*",i="("+n+":"+n+"|"+n+")",_={keyword:"after and andalso|10 band begin bnot bor bsl bzr bxor case catch cond div end fun if let not of orelse|10 query receive rem try when xor",literal:"false true"},l=e.COMMENT("%","$"),a={className:"number",begin:"\\b(\\d+(_\\d+)*#[a-fA-F0-9]+(_[a-fA-F0-9]+)*|\\d+(_\\d+)*(\\.\\d+(_\\d+)*)?([eE][-+]?\\d+)?)",relevance:0},s={begin:"fun\\s+"+n+"/\\d+"},d={begin:i+"\\(",end:"\\)",returnBegin:!0,relevance:0,contains:[{begin:i,relevance:0},{begin:"\\(",end:"\\)",endsWithParent:!0,returnEnd:!0,relevance:0}]},u={begin:/\{/,end:/\}/,relevance:0},E={begin:"\\b_([A-Z][A-Za-z0-9_]*)?",relevance:0},f={begin:"[A-Z][a-zA-Z0-9_]*",relevance:0},N={begin:"#"+e.UNDERSCORE_IDENT_RE,relevance:0,returnBegin:!0,contains:[{begin:"#"+e.UNDERSCORE_IDENT_RE,relevance:0},{begin:/\{/,end:/\}/,relevance:0}]},S={beginKeywords:"fun receive if try case",end:"end",keywords:_};S.contains=[l,s,e.inherit(e.APOS_STRING_MODE,{className:""}),S,d,e.QUOTE_STRING_MODE,a,u,E,f,N];let h=[l,s,S,d,e.QUOTE_STRING_MODE,a,u,E,f,N];d.contains[1].contains=h,u.contains=h,N.contains[1].contains=h;let C=["-module","-record","-undef","-export","-ifdef","-ifndef","-author","-copyright","-doc","-vsn","-import","-include","-include_lib","-compile","-define","-else","-endif","-file","-behaviour","-behavior","-spec"],I={className:"params",begin:"\\(",end:"\\)",contains:h};return{name:"Erlang",aliases:["erl"],keywords:_,illegal:"(</|\\*=|\\+=|-=|/\\*|\\*/|\\(\\*|\\*\\))",contains:[{className:"function",begin:"^"+n+"\\s*\\(",end:"->",returnBegin:!0,illegal:"\\(|#|//|/\\*|\\\\|:|;",contains:[I,e.inherit(e.TITLE_MODE,{begin:n})],starts:{end:";|\\.",keywords:_,contains:h}},l,{begin:"^-",end:"\\.",relevance:0,excludeEnd:!0,returnBegin:!0,keywords:{$pattern:"-"+e.IDENT_RE,keyword:C.map(x=>`${x}|1.5`).join(" ")},contains:[I]},a,e.QUOTE_STRING_MODE,N,E,f,u,{begin:/\.$/}]}}ps.exports=fg});var gs=O((Sh,ms)=>{function Sg(e){return{name:"Excel formulae",aliases:["xlsx","xls"],case_insensitive:!0,keywords:{$pattern:/[a-zA-Z][\w\.]*/,built_in:["ABS","ACCRINT","ACCRINTM","ACOS","ACOSH","ACOT","ACOTH","AGGREGATE","ADDRESS","AMORDEGRC","AMORLINC","AND","ARABIC","AREAS","ASC","ASIN","ASINH","ATAN","ATAN2","ATANH","AVEDEV","AVERAGE","AVERAGEA","AVERAGEIF","AVERAGEIFS","BAHTTEXT","BASE","BESSELI","BESSELJ","BESSELK","BESSELY","BETADIST","BETA.DIST","BETAINV","BETA.INV","BIN2DEC","BIN2HEX","BIN2OCT","BINOMDIST","BINOM.DIST","BINOM.DIST.RANGE","BINOM.INV","BITAND","BITLSHIFT","BITOR","BITRSHIFT","BITXOR","CALL","CEILING","CEILING.MATH","CEILING.PRECISE","CELL","CHAR","CHIDIST","CHIINV","CHITEST","CHISQ.DIST","CHISQ.DIST.RT","CHISQ.INV","CHISQ.INV.RT","CHISQ.TEST","CHOOSE","CLEAN","CODE","COLUMN","COLUMNS","COMBIN","COMBINA","COMPLEX","CONCAT","CONCATENATE","CONFIDENCE","CONFIDENCE.NORM","CONFIDENCE.T","CONVERT","CORREL","COS","COSH","COT","COTH","COUNT","COUNTA","COUNTBLANK","COUNTIF","COUNTIFS","COUPDAYBS","COUPDAYS","COUPDAYSNC","COUPNCD","COUPNUM","COUPPCD","COVAR","COVARIANCE.P","COVARIANCE.S","CRITBINOM","CSC","CSCH","CUBEKPIMEMBER","CUBEMEMBER","CUBEMEMBERPROPERTY","CUBERANKEDMEMBER","CUBESET","CUBESETCOUNT","CUBEVALUE","CUMIPMT","CUMPRINC","DATE","DATEDIF","DATEVALUE","DAVERAGE","DAY","DAYS","DAYS360","DB","DBCS","DCOUNT","DCOUNTA","DDB","DEC2BIN","DEC2HEX","DEC2OCT","DECIMAL","DEGREES","DELTA","DEVSQ","DGET","DISC","DMAX","DMIN","DOLLAR","DOLLARDE","DOLLARFR","DPRODUCT","DSTDEV","DSTDEVP","DSUM","DURATION","DVAR","DVARP","EDATE","EFFECT","ENCODEURL","EOMONTH","ERF","ERF.PRECISE","ERFC","ERFC.PRECISE","ERROR.TYPE","EUROCONVERT","EVEN","EXACT","EXP","EXPON.DIST","EXPONDIST","FACT","FACTDOUBLE","FALSE|0","F.DIST","FDIST","F.DIST.RT","FILTERXML","FIND","FINDB","F.INV","F.INV.RT","FINV","FISHER","FISHERINV","FIXED","FLOOR","FLOOR.MATH","FLOOR.PRECISE","FORECAST","FORECAST.ETS","FORECAST.ETS.CONFINT","FORECAST.ETS.SEASONALITY","FORECAST.ETS.STAT","FORECAST.LINEAR","FORMULATEXT","FREQUENCY","F.TEST","FTEST","FV","FVSCHEDULE","GAMMA","GAMMA.DIST","GAMMADIST","GAMMA.INV","GAMMAINV","GAMMALN","GAMMALN.PRECISE","GAUSS","GCD","GEOMEAN","GESTEP","GETPIVOTDATA","GROWTH","HARMEAN","HEX2BIN","HEX2DEC","HEX2OCT","HLOOKUP","HOUR","HYPERLINK","HYPGEOM.DIST","HYPGEOMDIST","IF","IFERROR","IFNA","IFS","IMABS","IMAGINARY","IMARGUMENT","IMCONJUGATE","IMCOS","IMCOSH","IMCOT","IMCSC","IMCSCH","IMDIV","IMEXP","IMLN","IMLOG10","IMLOG2","IMPOWER","IMPRODUCT","IMREAL","IMSEC","IMSECH","IMSIN","IMSINH","IMSQRT","IMSUB","IMSUM","IMTAN","INDEX","INDIRECT","INFO","INT","INTERCEPT","INTRATE","IPMT","IRR","ISBLANK","ISERR","ISERROR","ISEVEN","ISFORMULA","ISLOGICAL","ISNA","ISNONTEXT","ISNUMBER","ISODD","ISREF","ISTEXT","ISO.CEILING","ISOWEEKNUM","ISPMT","JIS","KURT","LARGE","LCM","LEFT","LEFTB","LEN","LENB","LINEST","LN","LOG","LOG10","LOGEST","LOGINV","LOGNORM.DIST","LOGNORMDIST","LOGNORM.INV","LOOKUP","LOWER","MATCH","MAX","MAXA","MAXIFS","MDETERM","MDURATION","MEDIAN","MID","MIDBs","MIN","MINIFS","MINA","MINUTE","MINVERSE","MIRR","MMULT","MOD","MODE","MODE.MULT","MODE.SNGL","MONTH","MROUND","MULTINOMIAL","MUNIT","N","NA","NEGBINOM.DIST","NEGBINOMDIST","NETWORKDAYS","NETWORKDAYS.INTL","NOMINAL","NORM.DIST","NORMDIST","NORMINV","NORM.INV","NORM.S.DIST","NORMSDIST","NORM.S.INV","NORMSINV","NOT","NOW","NPER","NPV","NUMBERVALUE","OCT2BIN","OCT2DEC","OCT2HEX","ODD","ODDFPRICE","ODDFYIELD","ODDLPRICE","ODDLYIELD","OFFSET","OR","PDURATION","PEARSON","PERCENTILE.EXC","PERCENTILE.INC","PERCENTILE","PERCENTRANK.EXC","PERCENTRANK.INC","PERCENTRANK","PERMUT","PERMUTATIONA","PHI","PHONETIC","PI","PMT","POISSON.DIST","POISSON","POWER","PPMT","PRICE","PRICEDISC","PRICEMAT","PROB","PRODUCT","PROPER","PV","QUARTILE","QUARTILE.EXC","QUARTILE.INC","QUOTIENT","RADIANS","RAND","RANDBETWEEN","RANK.AVG","RANK.EQ","RANK","RATE","RECEIVED","REGISTER.ID","REPLACE","REPLACEB","REPT","RIGHT","RIGHTB","ROMAN","ROUND","ROUNDDOWN","ROUNDUP","ROW","ROWS","RRI","RSQ","RTD","SEARCH","SEARCHB","SEC","SECH","SECOND","SERIESSUM","SHEET","SHEETS","SIGN","SIN","SINH","SKEW","SKEW.P","SLN","SLOPE","SMALL","SQL.REQUEST","SQRT","SQRTPI","STANDARDIZE","STDEV","STDEV.P","STDEV.S","STDEVA","STDEVP","STDEVPA","STEYX","SUBSTITUTE","SUBTOTAL","SUM","SUMIF","SUMIFS","SUMPRODUCT","SUMSQ","SUMX2MY2","SUMX2PY2","SUMXMY2","SWITCH","SYD","T","TAN","TANH","TBILLEQ","TBILLPRICE","TBILLYIELD","T.DIST","T.DIST.2T","T.DIST.RT","TDIST","TEXT","TEXTJOIN","TIME","TIMEVALUE","T.INV","T.INV.2T","TINV","TODAY","TRANSPOSE","TREND","TRIM","TRIMMEAN","TRUE|0","TRUNC","T.TEST","TTEST","TYPE","UNICHAR","UNICODE","UPPER","VALUE","VAR","VAR.P","VAR.S","VARA","VARP","VARPA","VDB","VLOOKUP","WEBSERVICE","WEEKDAY","WEEKNUM","WEIBULL","WEIBULL.DIST","WORKDAY","WORKDAY.INTL","XIRR","XNPV","XOR","YEAR","YEARFRAC","YIELD","YIELDDISC","YIELDMAT","Z.TEST","ZTEST"]},contains:[{begin:/^=/,end:/[^=]/,returnEnd:!0,illegal:/=/,relevance:10},{className:"symbol",begin:/\b[A-Z]{1,2}\d+\b/,end:/[^\d]/,excludeEnd:!0,relevance:0},{className:"symbol",begin:/[A-Z]{0,2}\d*:[A-Z]{0,2}\d*/,relevance:0},e.BACKSLASH_ESCAPE,e.QUOTE_STRING_MODE,{className:"number",begin:e.NUMBER_RE+"(%)?",relevance:0},e.COMMENT(/\bN\(/,/\)/,{excludeBegin:!0,excludeEnd:!0,illegal:/\n/})]}}ms.exports=Sg});var bs=O((hh,Es)=>{function hg(e){return{name:"FIX",contains:[{begin:/[^\u2401\u0001]+/,end:/[\u2401\u0001]/,excludeEnd:!0,returnBegin:!0,returnEnd:!1,contains:[{begin:/([^\u2401\u0001=]+)/,end:/=([^\u2401\u0001=]+)/,returnEnd:!0,returnBegin:!1,className:"attr"},{begin:/=/,end:/([\u2401\u0001])/,excludeEnd:!0,excludeBegin:!0,className:"string"}]}],case_insensitive:!0}}Es.exports=hg});var Ss=O((Th,fs)=>{function Tg(e){let n={className:"string",begin:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},i={className:"string",variants:[{begin:'"',end:'"'}]},l={className:"function",beginKeywords:"def",end:/[:={\[(\n;]/,excludeEnd:!0,contains:[{className:"title",relevance:0,begin:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/}]};return{name:"Flix",keywords:{keyword:["case","class","def","else","enum","if","impl","import","in","lat","rel","index","let","match","namespace","switch","type","yield","with"],literal:["true","false"]},contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,n,i,l,e.C_NUMBER_MODE]}}fs.exports=Tg});var Ts=O((Rh,hs)=>{function Rg(e){let n=e.regex,i={className:"params",begin:"\\(",end:"\\)"},_={variants:[e.COMMENT("!","$",{relevance:0}),e.COMMENT("^C[ ]","$",{relevance:0}),e.COMMENT("^C$","$",{relevance:0})]},l=/(_[a-z_\d]+)?/,a=/([de][+-]?\d+)?/,s={className:"number",variants:[{begin:n.concat(/\b\d+/,/\.(\d*)/,a,l)},{begin:n.concat(/\b\d+/,a,l)},{begin:n.concat(/\.\d+/,a,l)}],relevance:0},d={className:"function",beginKeywords:"subroutine function program",illegal:"[${=\\n]",contains:[e.UNDERSCORE_TITLE_MODE,i]},u={className:"string",relevance:0,variants:[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE]};return{name:"Fortran",case_insensitive:!0,aliases:["f90","f95"],keywords:{keyword:["kind","do","concurrent","local","shared","while","private","call","intrinsic","where","elsewhere","type","endtype","endmodule","endselect","endinterface","end","enddo","endif","if","forall","endforall","only","contains","default","return","stop","then","block","endblock","endassociate","public","subroutine|10","function","program",".and.",".or.",".not.",".le.",".eq.",".ge.",".gt.",".lt.","goto","save","else","use","module","select","case","access","blank","direct","exist","file","fmt","form","formatted","iostat","name","named","nextrec","number","opened","rec","recl","sequential","status","unformatted","unit","continue","format","pause","cycle","exit","c_null_char","c_alert","c_backspace","c_form_feed","flush","wait","decimal","round","iomsg","synchronous","nopass","non_overridable","pass","protected","volatile","abstract","extends","import","non_intrinsic","value","deferred","generic","final","enumerator","class","associate","bind","enum","c_int","c_short","c_long","c_long_long","c_signed_char","c_size_t","c_int8_t","c_int16_t","c_int32_t","c_int64_t","c_int_least8_t","c_int_least16_t","c_int_least32_t","c_int_least64_t","c_int_fast8_t","c_int_fast16_t","c_int_fast32_t","c_int_fast64_t","c_intmax_t","C_intptr_t","c_float","c_double","c_long_double","c_float_complex","c_double_complex","c_long_double_complex","c_bool","c_char","c_null_ptr","c_null_funptr","c_new_line","c_carriage_return","c_horizontal_tab","c_vertical_tab","iso_c_binding","c_loc","c_funloc","c_associated","c_f_pointer","c_ptr","c_funptr","iso_fortran_env","character_storage_size","error_unit","file_storage_size","input_unit","iostat_end","iostat_eor","numeric_storage_size","output_unit","c_f_procpointer","ieee_arithmetic","ieee_support_underflow_control","ieee_get_underflow_mode","ieee_set_underflow_mode","newunit","contiguous","recursive","pad","position","action","delim","readwrite","eor","advance","nml","interface","procedure","namelist","include","sequence","elemental","pure","impure","integer","real","character","complex","logical","codimension","dimension","allocatable|10","parameter","external","implicit|10","none","double","precision","assign","intent","optional","pointer","target","in","out","common","equivalence","data"],literal:[".False.",".True."],built_in:["alog","alog10","amax0","amax1","amin0","amin1","amod","cabs","ccos","cexp","clog","csin","csqrt","dabs","dacos","dasin","datan","datan2","dcos","dcosh","ddim","dexp","dint","dlog","dlog10","dmax1","dmin1","dmod","dnint","dsign","dsin","dsinh","dsqrt","dtan","dtanh","float","iabs","idim","idint","idnint","ifix","isign","max0","max1","min0","min1","sngl","algama","cdabs","cdcos","cdexp","cdlog","cdsin","cdsqrt","cqabs","cqcos","cqexp","cqlog","cqsin","cqsqrt","dcmplx","dconjg","derf","derfc","dfloat","dgamma","dimag","dlgama","iqint","qabs","qacos","qasin","qatan","qatan2","qcmplx","qconjg","qcos","qcosh","qdim","qerf","qerfc","qexp","qgamma","qimag","qlgama","qlog","qlog10","qmax1","qmin1","qmod","qnint","qsign","qsin","qsinh","qsqrt","qtan","qtanh","abs","acos","aimag","aint","anint","asin","atan","atan2","char","cmplx","conjg","cos","cosh","exp","ichar","index","int","log","log10","max","min","nint","sign","sin","sinh","sqrt","tan","tanh","print","write","dim","lge","lgt","lle","llt","mod","nullify","allocate","deallocate","adjustl","adjustr","all","allocated","any","associated","bit_size","btest","ceiling","count","cshift","date_and_time","digits","dot_product","eoshift","epsilon","exponent","floor","fraction","huge","iand","ibclr","ibits","ibset","ieor","ior","ishft","ishftc","lbound","len_trim","matmul","maxexponent","maxloc","maxval","merge","minexponent","minloc","minval","modulo","mvbits","nearest","pack","present","product","radix","random_number","random_seed","range","repeat","reshape","rrspacing","scale","scan","selected_int_kind","selected_real_kind","set_exponent","shape","size","spacing","spread","sum","system_clock","tiny","transpose","trim","ubound","unpack","verify","achar","iachar","transfer","dble","entry","dprod","cpu_time","command_argument_count","get_command","get_command_argument","get_environment_variable","is_iostat_end","ieee_arithmetic","ieee_support_underflow_control","ieee_get_underflow_mode","ieee_set_underflow_mode","is_iostat_eor","move_alloc","new_line","selected_char_kind","same_type_as","extends_type_of","acosh","asinh","atanh","bessel_j0","bessel_j1","bessel_jn","bessel_y0","bessel_y1","bessel_yn","erf","erfc","erfc_scaled","gamma","log_gamma","hypot","norm2","atomic_define","atomic_ref","execute_command_line","leadz","trailz","storage_size","merge_bits","bge","bgt","ble","blt","dshiftl","dshiftr","findloc","iall","iany","iparity","image_index","lcobound","ucobound","maskl","maskr","num_images","parity","popcnt","poppar","shifta","shiftl","shiftr","this_image","sync","change","team","co_broadcast","co_max","co_min","co_sum","co_reduce"]},illegal:/\/\*/,contains:[u,d,{begin:/^C\s*=(?!=)/,relevance:0},_,s]}}hs.exports=Rg});var vs=O((Ch,Cs)=>{function Cg(e){return new RegExp(e.replace(/[-/\\^$*+?.()|[\]{}]/g,"\\$&"),"m")}function Rs(e){return e?typeof e=="string"?e:e.source:null}function Cn(e){return ot("(?=",e,")")}function ot(...e){return e.map(i=>Rs(i)).join("")}function vg(e){let n=e[e.length-1];return typeof n=="object"&&n.constructor===Object?(e.splice(e.length-1,1),n):{}}function Vt(...e){return"("+(vg(e).capture?"":"?:")+e.map(_=>Rs(_)).join("|")+")"}function Ng(e){let n=["abstract","and","as","assert","base","begin","class","default","delegate","do","done","downcast","downto","elif","else","end","exception","extern","finally","fixed","for","fun","function","global","if","in","inherit","inline","interface","internal","lazy","let","match","member","module","mutable","namespace","new","of","open","or","override","private","public","rec","return","static","struct","then","to","try","type","upcast","use","val","void","when","while","with","yield"],i={scope:"keyword",match:/\b(yield|return|let|do|match|use)!/},_=["if","else","endif","line","nowarn","light","r","i","I","load","time","help","quit"],l=["true","false","null","Some","None","Ok","Error","infinity","infinityf","nan","nanf"],a=["__LINE__","__SOURCE_DIRECTORY__","__SOURCE_FILE__"],s=["bool","byte","sbyte","int8","int16","int32","uint8","uint16","uint32","int","uint","int64","uint64","nativeint","unativeint","decimal","float","double","float32","single","char","string","unit","bigint","option","voption","list","array","seq","byref","exn","inref","nativeptr","obj","outref","voidptr","Result"],u={keyword:n,literal:l,built_in:["not","ref","raise","reraise","dict","readOnlyDict","set","get","enum","sizeof","typeof","typedefof","nameof","nullArg","invalidArg","invalidOp","id","fst","snd","ignore","lock","using","box","unbox","tryUnbox","printf","printfn","sprintf","eprintf","eprintfn","fprintf","fprintfn","failwith","failwithf"],"variable.constant":a},f={variants:[e.COMMENT(/\(\*(?!\))/,/\*\)/,{contains:["self"]}),e.C_LINE_COMMENT_MODE]},N=/[a-zA-Z_](\w|')*/,S={scope:"variable",begin:/``/,end:/``/},h=/\B('|\^)/,C={scope:"symbol",variants:[{match:ot(h,/``.*?``/)},{match:ot(h,e.UNDERSCORE_IDENT_RE)}],relevance:0},I=function({includeEqual:H}){let J;H?J="!%&*+-/<=>@^|~?":J="!%&*+-/<>@^|~?";let ie=Array.from(J),pe=ot("[",...ie.map(Cg),"]"),fe=Vt(pe,/\./),Ie=ot(fe,Cn(fe)),He=Vt(ot(Ie,fe,"*"),ot(pe,"+"));return{scope:"operator",match:Vt(He,/:\?>/,/:\?/,/:>/,/:=/,/::?/,/\$/),relevance:0}},x=I({includeEqual:!0}),F=I({includeEqual:!1}),q=function(H,J){return{begin:ot(H,Cn(ot(/\s*/,Vt(/\w/,/'/,/\^/,/#/,/``/,/\(/,/{\|/)))),beginScope:J,end:Cn(Vt(/\n/,/=/)),relevance:0,keywords:e.inherit(u,{type:s}),contains:[f,C,e.inherit(S,{scope:null}),F]}},B=q(/:/,"operator"),Y=q(/\bof\b/,"keyword"),z={begin:[/(^|\s+)/,/type/,/\s+/,N],beginScope:{2:"keyword",4:"title.class"},end:Cn(/\(|=|$/),keywords:u,contains:[f,e.inherit(S,{scope:null}),C,{scope:"operator",match:/<|>/},B]},c={scope:"computation-expression",match:/\b[_a-z]\w*(?=\s*\{)/},te={begin:[/^\s*/,ot(/#/,Vt(..._)),/\b/],beginScope:{2:"meta"},end:Cn(/\s|$/)},K={variants:[e.BINARY_NUMBER_MODE,e.C_NUMBER_MODE]},ce={scope:"string",begin:/"/,end:/"/,contains:[e.BACKSLASH_ESCAPE]},ne={scope:"string",begin:/@"/,end:/"/,contains:[{match:/""/},e.BACKSLASH_ESCAPE]},Te={scope:"string",begin:/"""/,end:/"""/,relevance:2},oe={scope:"subst",begin:/\{/,end:/\}/,keywords:u},ve={scope:"string",begin:/\$"/,end:/"/,contains:[{match:/\{\{/},{match:/\}\}/},e.BACKSLASH_ESCAPE,oe]},Oe={scope:"string",begin:/(\$@|@\$)"/,end:/"/,contains:[{match:/\{\{/},{match:/\}\}/},{match:/""/},e.BACKSLASH_ESCAPE,oe]},we={scope:"string",begin:/\$"""/,end:/"""/,contains:[{match:/\{\{/},{match:/\}\}/},oe],relevance:2},ye={scope:"string",match:ot(/'/,Vt(/[^\\']/,/\\(?:.|\d{3}|x[a-fA-F\d]{2}|u[a-fA-F\d]{4}|U[a-fA-F\d]{8})/),/'/)};return oe.contains=[Oe,ve,ne,ce,ye,i,f,S,B,c,te,K,C,x],{name:"F#",aliases:["fs","f#"],keywords:u,illegal:/\/\*/,classNameAliases:{"computation-expression":"keyword"},contains:[i,{variants:[we,Oe,ve,Te,ne,ce,ye]},f,S,z,{scope:"meta",begin:/\[</,end:/>\]/,relevance:2,contains:[S,Te,ne,ce,ye,K]},Y,B,c,te,K,C,x]}}Cs.exports=Ng});var Os=O((vh,Ns)=>{function Og(e){let n=e.regex,i={keyword:"abort acronym acronyms alias all and assign binary card diag display else eq file files for free ge gt if integer le loop lt maximizing minimizing model models ne negative no not option options or ord positive prod put putpage puttl repeat sameas semicont semiint smax smin solve sos1 sos2 sum system table then until using while xor yes",literal:"eps inf na",built_in:"abs arccos arcsin arctan arctan2 Beta betaReg binomial ceil centropy cos cosh cvPower div div0 eDist entropy errorf execSeed exp fact floor frac gamma gammaReg log logBeta logGamma log10 log2 mapVal max min mod ncpCM ncpF ncpVUpow ncpVUsin normal pi poly power randBinomial randLinear randTriangle round rPower sigmoid sign signPower sin sinh slexp sllog10 slrec sqexp sqlog10 sqr sqrec sqrt tan tanh trunc uniform uniformInt vcPower bool_and bool_eqv bool_imp bool_not bool_or bool_xor ifThen rel_eq rel_ge rel_gt rel_le rel_lt rel_ne gday gdow ghour gleap gmillisec gminute gmonth gsecond gyear jdate jnow jstart jtime errorLevel execError gamsRelease gamsVersion handleCollect handleDelete handleStatus handleSubmit heapFree heapLimit heapSize jobHandle jobKill jobStatus jobTerminate licenseLevel licenseStatus maxExecError sleep timeClose timeComp timeElapsed timeExec timeStart"},_={className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0},l={className:"symbol",variants:[{begin:/=[lgenxc]=/},{begin:/\$/}]},a={className:"comment",variants:[{begin:"'",end:"'"},{begin:'"',end:'"'}],illegal:"\\n",contains:[e.BACKSLASH_ESCAPE]},s={begin:"/",end:"/",keywords:i,contains:[a,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,e.C_NUMBER_MODE]},d=/[a-z0-9&#*=?@\\><:,()$[\]_.{}!+%^-]+/,u={begin:/[a-z][a-z0-9_]*(\([a-z0-9_, ]*\))?[ \t]+/,excludeBegin:!0,end:"$",endsWithParent:!0,contains:[a,s,{className:"comment",begin:n.concat(d,n.anyNumberOfTimes(n.concat(/[ ]+/,d))),relevance:0}]};return{name:"GAMS",aliases:["gms"],case_insensitive:!0,keywords:i,contains:[e.COMMENT(/^\$ontext/,/^\$offtext/),{className:"meta",begin:"^\\$[a-z0-9]+",end:"$",returnBegin:!0,contains:[{className:"keyword",begin:"^\\$[a-z0-9]+"}]},e.COMMENT("^\\*","$"),e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,{beginKeywords:"set sets parameter parameters variable variables scalar scalars equation equations",end:";",contains:[e.COMMENT("^\\*","$"),e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,s,u]},{beginKeywords:"table",end:";",returnBegin:!0,contains:[{beginKeywords:"table",end:"$",contains:[u]},e.COMMENT("^\\*","$"),e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,e.C_NUMBER_MODE]},{className:"function",begin:/^[a-z][a-z0-9_,\-+' ()$]+\.{2}/,returnBegin:!0,contains:[{className:"title",begin:/^[a-z0-9_]+/},_,l]},e.C_NUMBER_MODE,l]}}Ns.exports=Og});var ys=O((Nh,As)=>{function Ag(e){let n={keyword:"bool break call callexe checkinterrupt clear clearg closeall cls comlog compile continue create debug declare delete disable dlibrary dllcall do dos ed edit else elseif enable end endfor endif endp endo errorlog errorlogat expr external fn for format goto gosub graph if keyword let lib library line load loadarray loadexe loadf loadk loadm loadp loads loadx local locate loopnextindex lprint lpwidth lshow matrix msym ndpclex new open output outwidth plot plotsym pop prcsn print printdos proc push retp return rndcon rndmod rndmult rndseed run save saveall screen scroll setarray show sparse stop string struct system trace trap threadfor threadendfor threadbegin threadjoin threadstat threadend until use while winprint ne ge le gt lt and xor or not eq eqv",built_in:"abs acf aconcat aeye amax amean AmericanBinomCall AmericanBinomCall_Greeks AmericanBinomCall_ImpVol AmericanBinomPut AmericanBinomPut_Greeks AmericanBinomPut_ImpVol AmericanBSCall AmericanBSCall_Greeks AmericanBSCall_ImpVol AmericanBSPut AmericanBSPut_Greeks AmericanBSPut_ImpVol amin amult annotationGetDefaults annotationSetBkd annotationSetFont annotationSetLineColor annotationSetLineStyle annotationSetLineThickness annualTradingDays arccos arcsin areshape arrayalloc arrayindex arrayinit arraytomat asciiload asclabel astd astds asum atan atan2 atranspose axmargin balance band bandchol bandcholsol bandltsol bandrv bandsolpd bar base10 begwind besselj bessely beta box boxcox cdfBeta cdfBetaInv cdfBinomial cdfBinomialInv cdfBvn cdfBvn2 cdfBvn2e cdfCauchy cdfCauchyInv cdfChic cdfChii cdfChinc cdfChincInv cdfExp cdfExpInv cdfFc cdfFnc cdfFncInv cdfGam cdfGenPareto cdfHyperGeo cdfLaplace cdfLaplaceInv cdfLogistic cdfLogisticInv cdfmControlCreate cdfMvn cdfMvn2e cdfMvnce cdfMvne cdfMvt2e cdfMvtce cdfMvte cdfN cdfN2 cdfNc cdfNegBinomial cdfNegBinomialInv cdfNi cdfPoisson cdfPoissonInv cdfRayleigh cdfRayleighInv cdfTc cdfTci cdfTnc cdfTvn cdfWeibull cdfWeibullInv cdir ceil ChangeDir chdir chiBarSquare chol choldn cholsol cholup chrs close code cols colsf combinate combinated complex con cond conj cons ConScore contour conv convertsatostr convertstrtosa corrm corrms corrvc corrx corrxs cos cosh counts countwts crossprd crout croutp csrcol csrlin csvReadM csvReadSA cumprodc cumsumc curve cvtos datacreate datacreatecomplex datalist dataload dataloop dataopen datasave date datestr datestring datestrymd dayinyr dayofweek dbAddDatabase dbClose dbCommit dbCreateQuery dbExecQuery dbGetConnectOptions dbGetDatabaseName dbGetDriverName dbGetDrivers dbGetHostName dbGetLastErrorNum dbGetLastErrorText dbGetNumericalPrecPolicy dbGetPassword dbGetPort dbGetTableHeaders dbGetTables dbGetUserName dbHasFeature dbIsDriverAvailable dbIsOpen dbIsOpenError dbOpen dbQueryBindValue dbQueryClear dbQueryCols dbQueryExecPrepared dbQueryFetchAllM dbQueryFetchAllSA dbQueryFetchOneM dbQueryFetchOneSA dbQueryFinish dbQueryGetBoundValue dbQueryGetBoundValues dbQueryGetField dbQueryGetLastErrorNum dbQueryGetLastErrorText dbQueryGetLastInsertID dbQueryGetLastQuery dbQueryGetPosition dbQueryIsActive dbQueryIsForwardOnly dbQueryIsNull dbQueryIsSelect dbQueryIsValid dbQueryPrepare dbQueryRows dbQuerySeek dbQuerySeekFirst dbQuerySeekLast dbQuerySeekNext dbQuerySeekPrevious dbQuerySetForwardOnly dbRemoveDatabase dbRollback dbSetConnectOptions dbSetDatabaseName dbSetHostName dbSetNumericalPrecPolicy dbSetPort dbSetUserName dbTransaction DeleteFile delif delrows denseToSp denseToSpRE denToZero design det detl dfft dffti diag diagrv digamma doswin DOSWinCloseall DOSWinOpen dotfeq dotfeqmt dotfge dotfgemt dotfgt dotfgtmt dotfle dotflemt dotflt dotfltmt dotfne dotfnemt draw drop dsCreate dstat dstatmt dstatmtControlCreate dtdate dtday dttime dttodtv dttostr dttoutc dtvnormal dtvtodt dtvtoutc dummy dummybr dummydn eig eigh eighv eigv elapsedTradingDays endwind envget eof eqSolve eqSolvemt eqSolvemtControlCreate eqSolvemtOutCreate eqSolveset erf erfc erfccplx erfcplx error etdays ethsec etstr EuropeanBinomCall EuropeanBinomCall_Greeks EuropeanBinomCall_ImpVol EuropeanBinomPut EuropeanBinomPut_Greeks EuropeanBinomPut_ImpVol EuropeanBSCall EuropeanBSCall_Greeks EuropeanBSCall_ImpVol EuropeanBSPut EuropeanBSPut_Greeks EuropeanBSPut_ImpVol exctsmpl exec execbg exp extern eye fcheckerr fclearerr feq feqmt fflush fft ffti fftm fftmi fftn fge fgemt fgets fgetsa fgetsat fgetst fgt fgtmt fileinfo filesa fle flemt floor flt fltmt fmod fne fnemt fonts fopen formatcv formatnv fputs fputst fseek fstrerror ftell ftocv ftos ftostrC gamma gammacplx gammaii gausset gdaAppend gdaCreate gdaDStat gdaDStatMat gdaGetIndex gdaGetName gdaGetNames gdaGetOrders gdaGetType gdaGetTypes gdaGetVarInfo gdaIsCplx gdaLoad gdaPack gdaRead gdaReadByIndex gdaReadSome gdaReadSparse gdaReadStruct gdaReportVarInfo gdaSave gdaUpdate gdaUpdateAndPack gdaVars gdaWrite gdaWrite32 gdaWriteSome getarray getdims getf getGAUSShome getmatrix getmatrix4D getname getnamef getNextTradingDay getNextWeekDay getnr getorders getpath getPreviousTradingDay getPreviousWeekDay getRow getscalar3D getscalar4D getTrRow getwind glm gradcplx gradMT gradMTm gradMTT gradMTTm gradp graphprt graphset hasimag header headermt hess hessMT hessMTg hessMTgw hessMTm hessMTmw hessMTT hessMTTg hessMTTgw hessMTTm hessMTw hessp hist histf histp hsec imag indcv indexcat indices indices2 indicesf indicesfn indnv indsav integrate1d integrateControlCreate intgrat2 intgrat3 inthp1 inthp2 inthp3 inthp4 inthpControlCreate intquad1 intquad2 intquad3 intrleav intrleavsa intrsect intsimp inv invpd invswp iscplx iscplxf isden isinfnanmiss ismiss key keyav keyw lag lag1 lagn lapEighb lapEighi lapEighvb lapEighvi lapgEig lapgEigh lapgEighv lapgEigv lapgSchur lapgSvdcst lapgSvds lapgSvdst lapSvdcusv lapSvds lapSvdusv ldlp ldlsol linSolve listwise ln lncdfbvn lncdfbvn2 lncdfmvn lncdfn lncdfn2 lncdfnc lnfact lngammacplx lnpdfmvn lnpdfmvt lnpdfn lnpdft loadd loadstruct loadwind loess loessmt loessmtControlCreate log loglog logx logy lower lowmat lowmat1 ltrisol lu lusol machEpsilon make makevars makewind margin matalloc matinit mattoarray maxbytes maxc maxindc maxv maxvec mbesselei mbesselei0 mbesselei1 mbesseli mbesseli0 mbesseli1 meanc median mergeby mergevar minc minindc minv miss missex missrv moment momentd movingave movingaveExpwgt movingaveWgt nextindex nextn nextnevn nextwind ntos null null1 numCombinations ols olsmt olsmtControlCreate olsqr olsqr2 olsqrmt ones optn optnevn orth outtyp pacf packedToSp packr parse pause pdfCauchy pdfChi pdfExp pdfGenPareto pdfHyperGeo pdfLaplace pdfLogistic pdfn pdfPoisson pdfRayleigh pdfWeibull pi pinv pinvmt plotAddArrow plotAddBar plotAddBox plotAddHist plotAddHistF plotAddHistP plotAddPolar plotAddScatter plotAddShape plotAddTextbox plotAddTS plotAddXY plotArea plotBar plotBox plotClearLayout plotContour plotCustomLayout plotGetDefaults plotHist plotHistF plotHistP plotLayout plotLogLog plotLogX plotLogY plotOpenWindow plotPolar plotSave plotScatter plotSetAxesPen plotSetBar plotSetBarFill plotSetBarStacked plotSetBkdColor plotSetFill plotSetGrid plotSetLegend plotSetLineColor plotSetLineStyle plotSetLineSymbol plotSetLineThickness plotSetNewWindow plotSetTitle plotSetWhichYAxis plotSetXAxisShow plotSetXLabel plotSetXRange plotSetXTicInterval plotSetXTicLabel plotSetYAxisShow plotSetYLabel plotSetYRange plotSetZAxisShow plotSetZLabel plotSurface plotTS plotXY polar polychar polyeval polygamma polyint polymake polymat polymroot polymult polyroot pqgwin previousindex princomp printfm printfmt prodc psi putarray putf putvals pvCreate pvGetIndex pvGetParNames pvGetParVector pvLength pvList pvPack pvPacki pvPackm pvPackmi pvPacks pvPacksi pvPacksm pvPacksmi pvPutParVector pvTest pvUnpack QNewton QNewtonmt QNewtonmtControlCreate QNewtonmtOutCreate QNewtonSet QProg QProgmt QProgmtInCreate qqr qqre qqrep qr qre qrep qrsol qrtsol qtyr qtyre qtyrep quantile quantiled qyr qyre qyrep qz rank rankindx readr real reclassify reclassifyCuts recode recserar recsercp recserrc rerun rescale reshape rets rev rfft rffti rfftip rfftn rfftnp rfftp rndBernoulli rndBeta rndBinomial rndCauchy rndChiSquare rndCon rndCreateState rndExp rndGamma rndGeo rndGumbel rndHyperGeo rndi rndKMbeta rndKMgam rndKMi rndKMn rndKMnb rndKMp rndKMu rndKMvm rndLaplace rndLCbeta rndLCgam rndLCi rndLCn rndLCnb rndLCp rndLCu rndLCvm rndLogNorm rndMTu rndMVn rndMVt rndn rndnb rndNegBinomial rndp rndPoisson rndRayleigh rndStateSkip rndu rndvm rndWeibull rndWishart rotater round rows rowsf rref sampleData satostrC saved saveStruct savewind scale scale3d scalerr scalinfnanmiss scalmiss schtoc schur searchsourcepath seekr select selif seqa seqm setdif setdifsa setvars setvwrmode setwind shell shiftr sin singleindex sinh sleep solpd sortc sortcc sortd sorthc sorthcc sortind sortindc sortmc sortr sortrc spBiconjGradSol spChol spConjGradSol spCreate spDenseSubmat spDiagRvMat spEigv spEye spLDL spline spLU spNumNZE spOnes spreadSheetReadM spreadSheetReadSA spreadSheetWrite spScale spSubmat spToDense spTrTDense spTScalar spZeros sqpSolve sqpSolveMT sqpSolveMTControlCreate sqpSolveMTlagrangeCreate sqpSolveMToutCreate sqpSolveSet sqrt statements stdc stdsc stocv stof strcombine strindx strlen strput strrindx strsect strsplit strsplitPad strtodt strtof strtofcplx strtriml strtrimr strtrunc strtruncl strtruncpad strtruncr submat subscat substute subvec sumc sumr surface svd svd1 svd2 svdcusv svds svdusv sysstate tab tan tanh tempname time timedt timestr timeutc title tkf2eps tkf2ps tocart todaydt toeplitz token topolar trapchk trigamma trimr trunc type typecv typef union unionsa uniqindx uniqindxsa unique uniquesa upmat upmat1 upper utctodt utctodtv utrisol vals varCovMS varCovXS varget vargetl varmall varmares varput varputl vartypef vcm vcms vcx vcxs vec vech vecr vector vget view viewxyz vlist vnamecv volume vput vread vtypecv wait waitc walkindex where window writer xlabel xlsGetSheetCount xlsGetSheetSize xlsGetSheetTypes xlsMakeRange xlsReadM xlsReadSA xlsWrite xlsWriteM xlsWriteSA xpnd xtics xy xyz ylabel ytics zeros zeta zlabel ztics cdfEmpirical dot h5create h5open h5read h5readAttribute h5write h5writeAttribute ldl plotAddErrorBar plotAddSurface plotCDFEmpirical plotSetColormap plotSetContourLabels plotSetLegendFont plotSetTextInterpreter plotSetXTicCount plotSetYTicCount plotSetZLevels powerm strjoin sylvester strtrim",literal:"DB_AFTER_LAST_ROW DB_ALL_TABLES DB_BATCH_OPERATIONS DB_BEFORE_FIRST_ROW DB_BLOB DB_EVENT_NOTIFICATIONS DB_FINISH_QUERY DB_HIGH_PRECISION DB_LAST_INSERT_ID DB_LOW_PRECISION_DOUBLE DB_LOW_PRECISION_INT32 DB_LOW_PRECISION_INT64 DB_LOW_PRECISION_NUMBERS DB_MULTIPLE_RESULT_SETS DB_NAMED_PLACEHOLDERS DB_POSITIONAL_PLACEHOLDERS DB_PREPARED_QUERIES DB_QUERY_SIZE DB_SIMPLE_LOCKING DB_SYSTEM_TABLES DB_TABLES DB_TRANSACTIONS DB_UNICODE DB_VIEWS __STDIN __STDOUT __STDERR __FILE_DIR"},i=e.COMMENT("@","@"),_={className:"meta",begin:"#",end:"$",keywords:{keyword:"define definecs|10 undef ifdef ifndef iflight ifdllcall ifmac ifos2win ifunix else endif lineson linesoff srcfile srcline"},contains:[{begin:/\\\n/,relevance:0},{beginKeywords:"include",end:"$",keywords:{keyword:"include"},contains:[{className:"string",begin:'"',end:'"',illegal:"\\n"}]},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,i]},l={begin:/\bstruct\s+/,end:/\s/,keywords:"struct",contains:[{className:"type",begin:e.UNDERSCORE_IDENT_RE,relevance:0}]},a=[{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,endsWithParent:!0,relevance:0,contains:[{className:"literal",begin:/\.\.\./},e.C_NUMBER_MODE,e.C_BLOCK_COMMENT_MODE,i,l]}],s={className:"title",begin:e.UNDERSCORE_IDENT_RE,relevance:0},d=function(S,h,C){let I=e.inherit({className:"function",beginKeywords:S,end:h,excludeEnd:!0,contains:[].concat(a)},C||{});return I.contains.push(s),I.contains.push(e.C_NUMBER_MODE),I.contains.push(e.C_BLOCK_COMMENT_MODE),I.contains.push(i),I},u={className:"built_in",begin:"\\b("+n.built_in.split(" ").join("|")+")\\b"},E={className:"string",begin:'"',end:'"',contains:[e.BACKSLASH_ESCAPE],relevance:0},f={begin:e.UNDERSCORE_IDENT_RE+"\\s*\\(",returnBegin:!0,keywords:n,relevance:0,contains:[{beginKeywords:n.keyword},u,{className:"built_in",begin:e.UNDERSCORE_IDENT_RE,relevance:0}]},N={begin:/\(/,end:/\)/,relevance:0,keywords:{built_in:n.built_in,literal:n.literal},contains:[e.C_NUMBER_MODE,e.C_BLOCK_COMMENT_MODE,i,u,f,E,"self"]};return f.contains.push(N),{name:"GAUSS",aliases:["gss"],case_insensitive:!0,keywords:n,illegal:/(\{[%#]|[%#]\}| <- )/,contains:[e.C_NUMBER_MODE,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,i,E,_,{className:"keyword",begin:/\bexternal (matrix|string|array|sparse matrix|struct|proc|keyword|fn)/},d("proc keyword",";"),d("fn","="),{beginKeywords:"for threadfor",end:/;/,relevance:0,contains:[e.C_BLOCK_COMMENT_MODE,i,N]},{variants:[{begin:e.UNDERSCORE_IDENT_RE+"\\."+e.UNDERSCORE_IDENT_RE},{begin:e.UNDERSCORE_IDENT_RE+"\\s*="}],relevance:0},f,l]}}As.exports=Ag});var Ds=O((Oh,Is)=>{function yg(e){let n="[A-Z_][A-Z0-9_.]*",i="%",_={$pattern:n,keyword:"IF DO WHILE ENDWHILE CALL ENDIF SUB ENDSUB GOTO REPEAT ENDREPEAT EQ LT GT NE GE LE OR XOR"},l={className:"meta",begin:"([O])([0-9]+)"},a=e.inherit(e.C_NUMBER_MODE,{begin:"([-+]?((\\.\\d+)|(\\d+)(\\.\\d*)?))|"+e.C_NUMBER_RE}),s=[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.COMMENT(/\(/,/\)/),a,e.inherit(e.APOS_STRING_MODE,{illegal:null}),e.inherit(e.QUOTE_STRING_MODE,{illegal:null}),{className:"name",begin:"([G])([0-9]+\\.?[0-9]?)"},{className:"name",begin:"([M])([0-9]+\\.?[0-9]?)"},{className:"attr",begin:"(VC|VS|#)",end:"(\\d+)"},{className:"attr",begin:"(VZOFX|VZOFY|VZOFZ)"},{className:"built_in",begin:"(ATAN|ABS|ACOS|ASIN|SIN|COS|EXP|FIX|FUP|ROUND|LN|TAN)(\\[)",contains:[a],end:"\\]"},{className:"symbol",variants:[{begin:"N",end:"\\d+",illegal:"\\W"}]}];return{name:"G-code (ISO 6983)",aliases:["nc"],case_insensitive:!0,keywords:_,contains:[{className:"meta",begin:i},l].concat(s)}}Is.exports=yg});var ws=O((Ah,xs)=>{function Ig(e){return{name:"Gherkin",aliases:["feature"],keywords:"Feature Background Ability Business Need Scenario Scenarios Scenario Outline Scenario Template Examples Given And Then But When",contains:[{className:"symbol",begin:"\\*",relevance:0},{className:"meta",begin:"@[^@\\s]+"},{begin:"\\|",end:"\\|\\w*$",contains:[{className:"string",begin:"[^|]+"}]},{className:"variable",begin:"<",end:">"},e.HASH_COMMENT_MODE,{className:"string",begin:'"""',end:'"""'},e.QUOTE_STRING_MODE]}}xs.exports=Ig});var Ls=O((yh,Ms)=>{function Dg(e){return{name:"GLSL",keywords:{keyword:"break continue discard do else for if return while switch case default attribute binding buffer ccw centroid centroid varying coherent column_major const cw depth_any depth_greater depth_less depth_unchanged early_fragment_tests equal_spacing flat fractional_even_spacing fractional_odd_spacing highp in index inout invariant invocations isolines layout line_strip lines lines_adjacency local_size_x local_size_y local_size_z location lowp max_vertices mediump noperspective offset origin_upper_left out packed patch pixel_center_integer point_mode points precise precision quads r11f_g11f_b10f r16 r16_snorm r16f r16i r16ui r32f r32i r32ui r8 r8_snorm r8i r8ui readonly restrict rg16 rg16_snorm rg16f rg16i rg16ui rg32f rg32i rg32ui rg8 rg8_snorm rg8i rg8ui rgb10_a2 rgb10_a2ui rgba16 rgba16_snorm rgba16f rgba16i rgba16ui rgba32f rgba32i rgba32ui rgba8 rgba8_snorm rgba8i rgba8ui row_major sample shared smooth std140 std430 stream triangle_strip triangles triangles_adjacency uniform varying vertices volatile writeonly",type:"atomic_uint bool bvec2 bvec3 bvec4 dmat2 dmat2x2 dmat2x3 dmat2x4 dmat3 dmat3x2 dmat3x3 dmat3x4 dmat4 dmat4x2 dmat4x3 dmat4x4 double dvec2 dvec3 dvec4 float iimage1D iimage1DArray iimage2D iimage2DArray iimage2DMS iimage2DMSArray iimage2DRect iimage3D iimageBuffer iimageCube iimageCubeArray image1D image1DArray image2D image2DArray image2DMS image2DMSArray image2DRect image3D imageBuffer imageCube imageCubeArray int isampler1D isampler1DArray isampler2D isampler2DArray isampler2DMS isampler2DMSArray isampler2DRect isampler3D isamplerBuffer isamplerCube isamplerCubeArray ivec2 ivec3 ivec4 mat2 mat2x2 mat2x3 mat2x4 mat3 mat3x2 mat3x3 mat3x4 mat4 mat4x2 mat4x3 mat4x4 sampler1D sampler1DArray sampler1DArrayShadow sampler1DShadow sampler2D sampler2DArray sampler2DArrayShadow sampler2DMS sampler2DMSArray sampler2DRect sampler2DRectShadow sampler2DShadow sampler3D samplerBuffer samplerCube samplerCubeArray samplerCubeArrayShadow samplerCubeShadow image1D uimage1DArray uimage2D uimage2DArray uimage2DMS uimage2DMSArray uimage2DRect uimage3D uimageBuffer uimageCube uimageCubeArray uint usampler1D usampler1DArray usampler2D usampler2DArray usampler2DMS usampler2DMSArray usampler2DRect usampler3D samplerBuffer usamplerCube usamplerCubeArray uvec2 uvec3 uvec4 vec2 vec3 vec4 void",built_in:"gl_MaxAtomicCounterBindings gl_MaxAtomicCounterBufferSize gl_MaxClipDistances gl_MaxClipPlanes gl_MaxCombinedAtomicCounterBuffers gl_MaxCombinedAtomicCounters gl_MaxCombinedImageUniforms gl_MaxCombinedImageUnitsAndFragmentOutputs gl_MaxCombinedTextureImageUnits gl_MaxComputeAtomicCounterBuffers gl_MaxComputeAtomicCounters gl_MaxComputeImageUniforms gl_MaxComputeTextureImageUnits gl_MaxComputeUniformComponents gl_MaxComputeWorkGroupCount gl_MaxComputeWorkGroupSize gl_MaxDrawBuffers gl_MaxFragmentAtomicCounterBuffers gl_MaxFragmentAtomicCounters gl_MaxFragmentImageUniforms gl_MaxFragmentInputComponents gl_MaxFragmentInputVectors gl_MaxFragmentUniformComponents gl_MaxFragmentUniformVectors gl_MaxGeometryAtomicCounterBuffers gl_MaxGeometryAtomicCounters gl_MaxGeometryImageUniforms gl_MaxGeometryInputComponents gl_MaxGeometryOutputComponents gl_MaxGeometryOutputVertices gl_MaxGeometryTextureImageUnits gl_MaxGeometryTotalOutputComponents gl_MaxGeometryUniformComponents gl_MaxGeometryVaryingComponents gl_MaxImageSamples gl_MaxImageUnits gl_MaxLights gl_MaxPatchVertices gl_MaxProgramTexelOffset gl_MaxTessControlAtomicCounterBuffers gl_MaxTessControlAtomicCounters gl_MaxTessControlImageUniforms gl_MaxTessControlInputComponents gl_MaxTessControlOutputComponents gl_MaxTessControlTextureImageUnits gl_MaxTessControlTotalOutputComponents gl_MaxTessControlUniformComponents gl_MaxTessEvaluationAtomicCounterBuffers gl_MaxTessEvaluationAtomicCounters gl_MaxTessEvaluationImageUniforms gl_MaxTessEvaluationInputComponents gl_MaxTessEvaluationOutputComponents gl_MaxTessEvaluationTextureImageUnits gl_MaxTessEvaluationUniformComponents gl_MaxTessGenLevel gl_MaxTessPatchComponents gl_MaxTextureCoords gl_MaxTextureImageUnits gl_MaxTextureUnits gl_MaxVaryingComponents gl_MaxVaryingFloats gl_MaxVaryingVectors gl_MaxVertexAtomicCounterBuffers gl_MaxVertexAtomicCounters gl_MaxVertexAttribs gl_MaxVertexImageUniforms gl_MaxVertexOutputComponents gl_MaxVertexOutputVectors gl_MaxVertexTextureImageUnits gl_MaxVertexUniformComponents gl_MaxVertexUniformVectors gl_MaxViewports gl_MinProgramTexelOffset gl_BackColor gl_BackLightModelProduct gl_BackLightProduct gl_BackMaterial gl_BackSecondaryColor gl_ClipDistance gl_ClipPlane gl_ClipVertex gl_Color gl_DepthRange gl_EyePlaneQ gl_EyePlaneR gl_EyePlaneS gl_EyePlaneT gl_Fog gl_FogCoord gl_FogFragCoord gl_FragColor gl_FragCoord gl_FragData gl_FragDepth gl_FrontColor gl_FrontFacing gl_FrontLightModelProduct gl_FrontLightProduct gl_FrontMaterial gl_FrontSecondaryColor gl_GlobalInvocationID gl_InstanceID gl_InvocationID gl_Layer gl_LightModel gl_LightSource gl_LocalInvocationID gl_LocalInvocationIndex gl_ModelViewMatrix gl_ModelViewMatrixInverse gl_ModelViewMatrixInverseTranspose gl_ModelViewMatrixTranspose gl_ModelViewProjectionMatrix gl_ModelViewProjectionMatrixInverse gl_ModelViewProjectionMatrixInverseTranspose gl_ModelViewProjectionMatrixTranspose gl_MultiTexCoord0 gl_MultiTexCoord1 gl_MultiTexCoord2 gl_MultiTexCoord3 gl_MultiTexCoord4 gl_MultiTexCoord5 gl_MultiTexCoord6 gl_MultiTexCoord7 gl_Normal gl_NormalMatrix gl_NormalScale gl_NumSamples gl_NumWorkGroups gl_ObjectPlaneQ gl_ObjectPlaneR gl_ObjectPlaneS gl_ObjectPlaneT gl_PatchVerticesIn gl_Point gl_PointCoord gl_PointSize gl_Position gl_PrimitiveID gl_PrimitiveIDIn gl_ProjectionMatrix gl_ProjectionMatrixInverse gl_ProjectionMatrixInverseTranspose gl_ProjectionMatrixTranspose gl_SampleID gl_SampleMask gl_SampleMaskIn gl_SamplePosition gl_SecondaryColor gl_TessCoord gl_TessLevelInner gl_TessLevelOuter gl_TexCoord gl_TextureEnvColor gl_TextureMatrix gl_TextureMatrixInverse gl_TextureMatrixInverseTranspose gl_TextureMatrixTranspose gl_Vertex gl_VertexID gl_ViewportIndex gl_WorkGroupID gl_WorkGroupSize gl_in gl_out EmitStreamVertex EmitVertex EndPrimitive EndStreamPrimitive abs acos acosh all any asin asinh atan atanh atomicAdd atomicAnd atomicCompSwap atomicCounter atomicCounterDecrement atomicCounterIncrement atomicExchange atomicMax atomicMin atomicOr atomicXor barrier bitCount bitfieldExtract bitfieldInsert bitfieldReverse ceil clamp cos cosh cross dFdx dFdy degrees determinant distance dot equal exp exp2 faceforward findLSB findMSB floatBitsToInt floatBitsToUint floor fma fract frexp ftransform fwidth greaterThan greaterThanEqual groupMemoryBarrier imageAtomicAdd imageAtomicAnd imageAtomicCompSwap imageAtomicExchange imageAtomicMax imageAtomicMin imageAtomicOr imageAtomicXor imageLoad imageSize imageStore imulExtended intBitsToFloat interpolateAtCentroid interpolateAtOffset interpolateAtSample inverse inversesqrt isinf isnan ldexp length lessThan lessThanEqual log log2 matrixCompMult max memoryBarrier memoryBarrierAtomicCounter memoryBarrierBuffer memoryBarrierImage memoryBarrierShared min mix mod modf noise1 noise2 noise3 noise4 normalize not notEqual outerProduct packDouble2x32 packHalf2x16 packSnorm2x16 packSnorm4x8 packUnorm2x16 packUnorm4x8 pow radians reflect refract round roundEven shadow1D shadow1DLod shadow1DProj shadow1DProjLod shadow2D shadow2DLod shadow2DProj shadow2DProjLod sign sin sinh smoothstep sqrt step tan tanh texelFetch texelFetchOffset texture texture1D texture1DLod texture1DProj texture1DProjLod texture2D texture2DLod texture2DProj texture2DProjLod texture3D texture3DLod texture3DProj texture3DProjLod textureCube textureCubeLod textureGather textureGatherOffset textureGatherOffsets textureGrad textureGradOffset textureLod textureLodOffset textureOffset textureProj textureProjGrad textureProjGradOffset textureProjLod textureProjLodOffset textureProjOffset textureQueryLevels textureQueryLod textureSize transpose trunc uaddCarry uintBitsToFloat umulExtended unpackDouble2x32 unpackHalf2x16 unpackSnorm2x16 unpackSnorm4x8 unpackUnorm2x16 unpackUnorm4x8 usubBorrow",literal:"true false"},illegal:'"',contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.C_NUMBER_MODE,{className:"meta",begin:"#",end:"$"}]}}Ms.exports=Dg});var ks=O((Ih,Ps)=>{function xg(e){return{name:"GML",case_insensitive:!1,keywords:{keyword:["#endregion","#macro","#region","and","begin","break","case","constructor","continue","default","delete","div","do","else","end","enum","exit","for","function","globalvar","if","mod","not","or","repeat","return","switch","then","until","var","while","with","xor"],built_in:["abs","achievement_available","achievement_event","achievement_get_challenges","achievement_get_info","achievement_get_pic","achievement_increment","achievement_load_friends","achievement_load_leaderboard","achievement_load_progress","achievement_login","achievement_login_status","achievement_logout","achievement_post","achievement_post_score","achievement_reset","achievement_send_challenge","achievement_show","achievement_show_achievements","achievement_show_challenge_notifications","achievement_show_leaderboards","action_inherited","action_kill_object","ads_disable","ads_enable","ads_engagement_active","ads_engagement_available","ads_engagement_launch","ads_event","ads_event_preload","ads_get_display_height","ads_get_display_width","ads_interstitial_available","ads_interstitial_display","ads_move","ads_set_reward_callback","ads_setup","alarm_get","alarm_set","analytics_event","analytics_event_ext","angle_difference","ansi_char","application_get_position","application_surface_draw_enable","application_surface_enable","application_surface_is_enabled","arccos","arcsin","arctan","arctan2","array_copy","array_create","array_delete","array_equals","array_height_2d","array_insert","array_length","array_length_1d","array_length_2d","array_pop","array_push","array_resize","array_sort","asset_get_index","asset_get_type","audio_channel_num","audio_create_buffer_sound","audio_create_play_queue","audio_create_stream","audio_create_sync_group","audio_debug","audio_destroy_stream","audio_destroy_sync_group","audio_emitter_create","audio_emitter_exists","audio_emitter_falloff","audio_emitter_free","audio_emitter_gain","audio_emitter_get_gain","audio_emitter_get_listener_mask","audio_emitter_get_pitch","audio_emitter_get_vx","audio_emitter_get_vy","audio_emitter_get_vz","audio_emitter_get_x","audio_emitter_get_y","audio_emitter_get_z","audio_emitter_pitch","audio_emitter_position","audio_emitter_set_listener_mask","audio_emitter_velocity","audio_exists","audio_falloff_set_model","audio_free_buffer_sound","audio_free_play_queue","audio_get_listener_count","audio_get_listener_info","audio_get_listener_mask","audio_get_master_gain","audio_get_name","audio_get_recorder_count","audio_get_recorder_info","audio_get_type","audio_group_is_loaded","audio_group_load","audio_group_load_progress","audio_group_name","audio_group_set_gain","audio_group_stop_all","audio_group_unload","audio_is_paused","audio_is_playing","audio_listener_get_data","audio_listener_orientation","audio_listener_position","audio_listener_set_orientation","audio_listener_set_position","audio_listener_set_velocity","audio_listener_velocity","audio_master_gain","audio_music_gain","audio_music_is_playing","audio_pause_all","audio_pause_music","audio_pause_sound","audio_pause_sync_group","audio_play_in_sync_group","audio_play_music","audio_play_sound","audio_play_sound_at","audio_play_sound_on","audio_queue_sound","audio_resume_all","audio_resume_music","audio_resume_sound","audio_resume_sync_group","audio_set_listener_mask","audio_set_master_gain","audio_sound_gain","audio_sound_get_gain","audio_sound_get_listener_mask","audio_sound_get_pitch","audio_sound_get_track_position","audio_sound_length","audio_sound_pitch","audio_sound_set_listener_mask","audio_sound_set_track_position","audio_start_recording","audio_start_sync_group","audio_stop_all","audio_stop_music","audio_stop_recording","audio_stop_sound","audio_stop_sync_group","audio_sync_group_debug","audio_sync_group_get_track_pos","audio_sync_group_is_playing","audio_system","background_get_height","background_get_width","base64_decode","base64_encode","browser_input_capture","buffer_async_group_begin","buffer_async_group_end","buffer_async_group_option","buffer_base64_decode","buffer_base64_decode_ext","buffer_base64_encode","buffer_copy","buffer_copy_from_vertex_buffer","buffer_create","buffer_create_from_vertex_buffer","buffer_create_from_vertex_buffer_ext","buffer_delete","buffer_exists","buffer_fill","buffer_get_address","buffer_get_alignment","buffer_get_size","buffer_get_surface","buffer_get_type","buffer_load","buffer_load_async","buffer_load_ext","buffer_load_partial","buffer_md5","buffer_peek","buffer_poke","buffer_read","buffer_resize","buffer_save","buffer_save_async","buffer_save_ext","buffer_seek","buffer_set_surface","buffer_sha1","buffer_sizeof","buffer_tell","buffer_write","camera_apply","camera_create","camera_create_view","camera_destroy","camera_get_active","camera_get_begin_script","camera_get_default","camera_get_end_script","camera_get_proj_mat","camera_get_update_script","camera_get_view_angle","camera_get_view_border_x","camera_get_view_border_y","camera_get_view_height","camera_get_view_mat","camera_get_view_speed_x","camera_get_view_speed_y","camera_get_view_target","camera_get_view_width","camera_get_view_x","camera_get_view_y","camera_set_begin_script","camera_set_default","camera_set_end_script","camera_set_proj_mat","camera_set_update_script","camera_set_view_angle","camera_set_view_border","camera_set_view_mat","camera_set_view_pos","camera_set_view_size","camera_set_view_speed","camera_set_view_target","ceil","choose","chr","clamp","clickable_add","clickable_add_ext","clickable_change","clickable_change_ext","clickable_delete","clickable_exists","clickable_set_style","clipboard_get_text","clipboard_has_text","clipboard_set_text","cloud_file_save","cloud_string_save","cloud_synchronise","code_is_compiled","collision_circle","collision_circle_list","collision_ellipse","collision_ellipse_list","collision_line","collision_line_list","collision_point","collision_point_list","collision_rectangle","collision_rectangle_list","color_get_blue","color_get_green","color_get_hue","color_get_red","color_get_saturation","color_get_value","colour_get_blue","colour_get_green","colour_get_hue","colour_get_red","colour_get_saturation","colour_get_value","cos","darccos","darcsin","darctan","darctan2","date_compare_date","date_compare_datetime","date_compare_time","date_create_datetime","date_current_datetime","date_date_of","date_date_string","date_datetime_string","date_day_span","date_days_in_month","date_days_in_year","date_get_day","date_get_day_of_year","date_get_hour","date_get_hour_of_year","date_get_minute","date_get_minute_of_year","date_get_month","date_get_second","date_get_second_of_year","date_get_timezone","date_get_week","date_get_weekday","date_get_year","date_hour_span","date_inc_day","date_inc_hour","date_inc_minute","date_inc_month","date_inc_second","date_inc_week","date_inc_year","date_is_today","date_leap_year","date_minute_span","date_month_span","date_second_span","date_set_timezone","date_time_of","date_time_string","date_valid_datetime","date_week_span","date_year_span","dcos","debug_event","debug_get_callstack","degtorad","device_get_tilt_x","device_get_tilt_y","device_get_tilt_z","device_is_keypad_open","device_mouse_check_button","device_mouse_check_button_pressed","device_mouse_check_button_released","device_mouse_dbclick_enable","device_mouse_raw_x","device_mouse_raw_y","device_mouse_x","device_mouse_x_to_gui","device_mouse_y","device_mouse_y_to_gui","directory_create","directory_destroy","directory_exists","display_get_dpi_x","display_get_dpi_y","display_get_gui_height","display_get_gui_width","display_get_height","display_get_orientation","display_get_sleep_margin","display_get_timing_method","display_get_width","display_mouse_get_x","display_mouse_get_y","display_mouse_set","display_reset","display_set_gui_maximise","display_set_gui_maximize","display_set_gui_size","display_set_sleep_margin","display_set_timing_method","display_set_ui_visibility","distance_to_object","distance_to_point","dot_product","dot_product_3d","dot_product_3d_normalised","dot_product_3d_normalized","dot_product_normalised","dot_product_normalized","draw_arrow","draw_background","draw_background_ext","draw_background_part_ext","draw_background_tiled","draw_button","draw_circle","draw_circle_color","draw_circle_colour","draw_clear","draw_clear_alpha","draw_ellipse","draw_ellipse_color","draw_ellipse_colour","draw_enable_alphablend","draw_enable_drawevent","draw_enable_swf_aa","draw_flush","draw_get_alpha","draw_get_color","draw_get_colour","draw_get_lighting","draw_get_swf_aa_level","draw_getpixel","draw_getpixel_ext","draw_healthbar","draw_highscore","draw_light_define_ambient","draw_light_define_direction","draw_light_define_point","draw_light_enable","draw_light_get","draw_light_get_ambient","draw_line","draw_line_color","draw_line_colour","draw_line_width","draw_line_width_color","draw_line_width_colour","draw_path","draw_point","draw_point_color","draw_point_colour","draw_primitive_begin","draw_primitive_begin_texture","draw_primitive_end","draw_rectangle","draw_rectangle_color","draw_rectangle_colour","draw_roundrect","draw_roundrect_color","draw_roundrect_color_ext","draw_roundrect_colour","draw_roundrect_colour_ext","draw_roundrect_ext","draw_self","draw_set_alpha","draw_set_alpha_test","draw_set_alpha_test_ref_value","draw_set_blend_mode","draw_set_blend_mode_ext","draw_set_circle_precision","draw_set_color","draw_set_color_write_enable","draw_set_colour","draw_set_font","draw_set_halign","draw_set_lighting","draw_set_swf_aa_level","draw_set_valign","draw_skeleton","draw_skeleton_collision","draw_skeleton_instance","draw_skeleton_time","draw_sprite","draw_sprite_ext","draw_sprite_general","draw_sprite_part","draw_sprite_part_ext","draw_sprite_pos","draw_sprite_stretched","draw_sprite_stretched_ext","draw_sprite_tiled","draw_sprite_tiled_ext","draw_surface","draw_surface_ext","draw_surface_general","draw_surface_part","draw_surface_part_ext","draw_surface_stretched","draw_surface_stretched_ext","draw_surface_tiled","draw_surface_tiled_ext","draw_text","draw_text_color","draw_text_colour","draw_text_ext","draw_text_ext_color","draw_text_ext_colour","draw_text_ext_transformed","draw_text_ext_transformed_color","draw_text_ext_transformed_colour","draw_text_transformed","draw_text_transformed_color","draw_text_transformed_colour","draw_texture_flush","draw_tile","draw_tilemap","draw_triangle","draw_triangle_color","draw_triangle_colour","draw_vertex","draw_vertex_color","draw_vertex_colour","draw_vertex_texture","draw_vertex_texture_color","draw_vertex_texture_colour","ds_exists","ds_grid_add","ds_grid_add_disk","ds_grid_add_grid_region","ds_grid_add_region","ds_grid_clear","ds_grid_copy","ds_grid_create","ds_grid_destroy","ds_grid_get","ds_grid_get_disk_max","ds_grid_get_disk_mean","ds_grid_get_disk_min","ds_grid_get_disk_sum","ds_grid_get_max","ds_grid_get_mean","ds_grid_get_min","ds_grid_get_sum","ds_grid_height","ds_grid_multiply","ds_grid_multiply_disk","ds_grid_multiply_grid_region","ds_grid_multiply_region","ds_grid_read","ds_grid_resize","ds_grid_set","ds_grid_set_disk","ds_grid_set_grid_region","ds_grid_set_region","ds_grid_shuffle","ds_grid_sort","ds_grid_value_disk_exists","ds_grid_value_disk_x","ds_grid_value_disk_y","ds_grid_value_exists","ds_grid_value_x","ds_grid_value_y","ds_grid_width","ds_grid_write","ds_list_add","ds_list_clear","ds_list_copy","ds_list_create","ds_list_delete","ds_list_destroy","ds_list_empty","ds_list_find_index","ds_list_find_value","ds_list_insert","ds_list_mark_as_list","ds_list_mark_as_map","ds_list_read","ds_list_replace","ds_list_set","ds_list_shuffle","ds_list_size","ds_list_sort","ds_list_write","ds_map_add","ds_map_add_list","ds_map_add_map","ds_map_clear","ds_map_copy","ds_map_create","ds_map_delete","ds_map_destroy","ds_map_empty","ds_map_exists","ds_map_find_first","ds_map_find_last","ds_map_find_next","ds_map_find_previous","ds_map_find_value","ds_map_read","ds_map_replace","ds_map_replace_list","ds_map_replace_map","ds_map_secure_load","ds_map_secure_load_buffer","ds_map_secure_save","ds_map_secure_save_buffer","ds_map_set","ds_map_size","ds_map_write","ds_priority_add","ds_priority_change_priority","ds_priority_clear","ds_priority_copy","ds_priority_create","ds_priority_delete_max","ds_priority_delete_min","ds_priority_delete_value","ds_priority_destroy","ds_priority_empty","ds_priority_find_max","ds_priority_find_min","ds_priority_find_priority","ds_priority_read","ds_priority_size","ds_priority_write","ds_queue_clear","ds_queue_copy","ds_queue_create","ds_queue_dequeue","ds_queue_destroy","ds_queue_empty","ds_queue_enqueue","ds_queue_head","ds_queue_read","ds_queue_size","ds_queue_tail","ds_queue_write","ds_set_precision","ds_stack_clear","ds_stack_copy","ds_stack_create","ds_stack_destroy","ds_stack_empty","ds_stack_pop","ds_stack_push","ds_stack_read","ds_stack_size","ds_stack_top","ds_stack_write","dsin","dtan","effect_clear","effect_create_above","effect_create_below","environment_get_variable","event_inherited","event_perform","event_perform_object","event_user","exp","external_call","external_define","external_free","facebook_accesstoken","facebook_check_permission","facebook_dialog","facebook_graph_request","facebook_init","facebook_launch_offerwall","facebook_login","facebook_logout","facebook_post_message","facebook_request_publish_permissions","facebook_request_read_permissions","facebook_send_invite","facebook_status","facebook_user_id","file_attributes","file_bin_close","file_bin_open","file_bin_position","file_bin_read_byte","file_bin_rewrite","file_bin_seek","file_bin_size","file_bin_write_byte","file_copy","file_delete","file_exists","file_find_close","file_find_first","file_find_next","file_rename","file_text_close","file_text_eof","file_text_eoln","file_text_open_append","file_text_open_from_string","file_text_open_read","file_text_open_write","file_text_read_real","file_text_read_string","file_text_readln","file_text_write_real","file_text_write_string","file_text_writeln","filename_change_ext","filename_dir","filename_drive","filename_ext","filename_name","filename_path","floor","font_add","font_add_enable_aa","font_add_get_enable_aa","font_add_sprite","font_add_sprite_ext","font_delete","font_exists","font_get_bold","font_get_first","font_get_fontname","font_get_italic","font_get_last","font_get_name","font_get_size","font_get_texture","font_get_uvs","font_replace","font_replace_sprite","font_replace_sprite_ext","font_set_cache_size","font_texture_page_size","frac","game_end","game_get_speed","game_load","game_load_buffer","game_restart","game_save","game_save_buffer","game_set_speed","gamepad_axis_count","gamepad_axis_value","gamepad_button_check","gamepad_button_check_pressed","gamepad_button_check_released","gamepad_button_count","gamepad_button_value","gamepad_get_axis_deadzone","gamepad_get_button_threshold","gamepad_get_description","gamepad_get_device_count","gamepad_is_connected","gamepad_is_supported","gamepad_set_axis_deadzone","gamepad_set_button_threshold","gamepad_set_color","gamepad_set_colour","gamepad_set_vibration","gesture_double_tap_distance","gesture_double_tap_time","gesture_drag_distance","gesture_drag_time","gesture_flick_speed","gesture_get_double_tap_distance","gesture_get_double_tap_time","gesture_get_drag_distance","gesture_get_drag_time","gesture_get_flick_speed","gesture_get_pinch_angle_away","gesture_get_pinch_angle_towards","gesture_get_pinch_distance","gesture_get_rotate_angle","gesture_get_rotate_time","gesture_get_tap_count","gesture_pinch_angle_away","gesture_pinch_angle_towards","gesture_pinch_distance","gesture_rotate_angle","gesture_rotate_time","gesture_tap_count","get_integer","get_integer_async","get_login_async","get_open_filename","get_open_filename_ext","get_save_filename","get_save_filename_ext","get_string","get_string_async","get_timer","gml_pragma","gml_release_mode","gpu_get_alphatestenable","gpu_get_alphatestfunc","gpu_get_alphatestref","gpu_get_blendenable","gpu_get_blendmode","gpu_get_blendmode_dest","gpu_get_blendmode_destalpha","gpu_get_blendmode_ext","gpu_get_blendmode_ext_sepalpha","gpu_get_blendmode_src","gpu_get_blendmode_srcalpha","gpu_get_colorwriteenable","gpu_get_colourwriteenable","gpu_get_cullmode","gpu_get_fog","gpu_get_lightingenable","gpu_get_state","gpu_get_tex_filter","gpu_get_tex_filter_ext","gpu_get_tex_max_aniso","gpu_get_tex_max_aniso_ext","gpu_get_tex_max_mip","gpu_get_tex_max_mip_ext","gpu_get_tex_min_mip","gpu_get_tex_min_mip_ext","gpu_get_tex_mip_bias","gpu_get_tex_mip_bias_ext","gpu_get_tex_mip_enable","gpu_get_tex_mip_enable_ext","gpu_get_tex_mip_filter","gpu_get_tex_mip_filter_ext","gpu_get_tex_repeat","gpu_get_tex_repeat_ext","gpu_get_texfilter","gpu_get_texfilter_ext","gpu_get_texrepeat","gpu_get_texrepeat_ext","gpu_get_zfunc","gpu_get_ztestenable","gpu_get_zwriteenable","gpu_pop_state","gpu_push_state","gpu_set_alphatestenable","gpu_set_alphatestfunc","gpu_set_alphatestref","gpu_set_blendenable","gpu_set_blendmode","gpu_set_blendmode_ext","gpu_set_blendmode_ext_sepalpha","gpu_set_colorwriteenable","gpu_set_colourwriteenable","gpu_set_cullmode","gpu_set_fog","gpu_set_lightingenable","gpu_set_state","gpu_set_tex_filter","gpu_set_tex_filter_ext","gpu_set_tex_max_aniso","gpu_set_tex_max_aniso_ext","gpu_set_tex_max_mip","gpu_set_tex_max_mip_ext","gpu_set_tex_min_mip","gpu_set_tex_min_mip_ext","gpu_set_tex_mip_bias","gpu_set_tex_mip_bias_ext","gpu_set_tex_mip_enable","gpu_set_tex_mip_enable_ext","gpu_set_tex_mip_filter","gpu_set_tex_mip_filter_ext","gpu_set_tex_repeat","gpu_set_tex_repeat_ext","gpu_set_texfilter","gpu_set_texfilter_ext","gpu_set_texrepeat","gpu_set_texrepeat_ext","gpu_set_zfunc","gpu_set_ztestenable","gpu_set_zwriteenable","highscore_add","highscore_clear","highscore_name","highscore_value","http_get","http_get_file","http_post_string","http_request","iap_acquire","iap_activate","iap_consume","iap_enumerate_products","iap_product_details","iap_purchase_details","iap_restore_all","iap_status","ini_close","ini_key_delete","ini_key_exists","ini_open","ini_open_from_string","ini_read_real","ini_read_string","ini_section_delete","ini_section_exists","ini_write_real","ini_write_string","instance_activate_all","instance_activate_layer","instance_activate_object","instance_activate_region","instance_change","instance_copy","instance_create","instance_create_depth","instance_create_layer","instance_deactivate_all","instance_deactivate_layer","instance_deactivate_object","instance_deactivate_region","instance_destroy","instance_exists","instance_find","instance_furthest","instance_id_get","instance_nearest","instance_number","instance_place","instance_place_list","instance_position","instance_position_list","int64","io_clear","irandom","irandom_range","is_array","is_bool","is_infinity","is_int32","is_int64","is_matrix","is_method","is_nan","is_numeric","is_ptr","is_real","is_string","is_struct","is_undefined","is_vec3","is_vec4","json_decode","json_encode","keyboard_check","keyboard_check_direct","keyboard_check_pressed","keyboard_check_released","keyboard_clear","keyboard_get_map","keyboard_get_numlock","keyboard_key_press","keyboard_key_release","keyboard_set_map","keyboard_set_numlock","keyboard_unset_map","keyboard_virtual_height","keyboard_virtual_hide","keyboard_virtual_show","keyboard_virtual_status","layer_add_instance","layer_background_alpha","layer_background_blend","layer_background_change","layer_background_create","layer_background_destroy","layer_background_exists","layer_background_get_alpha","layer_background_get_blend","layer_background_get_htiled","layer_background_get_id","layer_background_get_index","layer_background_get_speed","layer_background_get_sprite","layer_background_get_stretch","layer_background_get_visible","layer_background_get_vtiled","layer_background_get_xscale","layer_background_get_yscale","layer_background_htiled","layer_background_index","layer_background_speed","layer_background_sprite","layer_background_stretch","layer_background_visible","layer_background_vtiled","layer_background_xscale","layer_background_yscale","layer_create","layer_depth","layer_destroy","layer_destroy_instances","layer_element_move","layer_exists","layer_force_draw_depth","layer_get_all","layer_get_all_elements","layer_get_depth","layer_get_element_layer","layer_get_element_type","layer_get_forced_depth","layer_get_hspeed","layer_get_id","layer_get_id_at_depth","layer_get_name","layer_get_script_begin","layer_get_script_end","layer_get_shader","layer_get_target_room","layer_get_visible","layer_get_vspeed","layer_get_x","layer_get_y","layer_has_instance","layer_hspeed","layer_instance_get_instance","layer_is_draw_depth_forced","layer_reset_target_room","layer_script_begin","layer_script_end","layer_set_target_room","layer_set_visible","layer_shader","layer_sprite_alpha","layer_sprite_angle","layer_sprite_blend","layer_sprite_change","layer_sprite_create","layer_sprite_destroy","layer_sprite_exists","layer_sprite_get_alpha","layer_sprite_get_angle","layer_sprite_get_blend","layer_sprite_get_id","layer_sprite_get_index","layer_sprite_get_speed","layer_sprite_get_sprite","layer_sprite_get_x","layer_sprite_get_xscale","layer_sprite_get_y","layer_sprite_get_yscale","layer_sprite_index","layer_sprite_speed","layer_sprite_x","layer_sprite_xscale","layer_sprite_y","layer_sprite_yscale","layer_tile_alpha","layer_tile_blend","layer_tile_change","layer_tile_create","layer_tile_destroy","layer_tile_exists","layer_tile_get_alpha","layer_tile_get_blend","layer_tile_get_region","layer_tile_get_sprite","layer_tile_get_visible","layer_tile_get_x","layer_tile_get_xscale","layer_tile_get_y","layer_tile_get_yscale","layer_tile_region","layer_tile_visible","layer_tile_x","layer_tile_xscale","layer_tile_y","layer_tile_yscale","layer_tilemap_create","layer_tilemap_destroy","layer_tilemap_exists","layer_tilemap_get_id","layer_vspeed","layer_x","layer_y","lengthdir_x","lengthdir_y","lerp","ln","load_csv","log10","log2","logn","make_color_hsv","make_color_rgb","make_colour_hsv","make_colour_rgb","math_get_epsilon","math_set_epsilon","matrix_build","matrix_build_identity","matrix_build_lookat","matrix_build_projection_ortho","matrix_build_projection_perspective","matrix_build_projection_perspective_fov","matrix_get","matrix_multiply","matrix_set","matrix_stack_clear","matrix_stack_is_empty","matrix_stack_multiply","matrix_stack_pop","matrix_stack_push","matrix_stack_set","matrix_stack_top","matrix_transform_vertex","max","md5_file","md5_string_unicode","md5_string_utf8","mean","median","merge_color","merge_colour","min","motion_add","motion_set","mouse_check_button","mouse_check_button_pressed","mouse_check_button_released","mouse_clear","mouse_wheel_down","mouse_wheel_up","move_bounce_all","move_bounce_solid","move_contact_all","move_contact_solid","move_outside_all","move_outside_solid","move_random","move_snap","move_towards_point","move_wrap","mp_grid_add_cell","mp_grid_add_instances","mp_grid_add_rectangle","mp_grid_clear_all","mp_grid_clear_cell","mp_grid_clear_rectangle","mp_grid_create","mp_grid_destroy","mp_grid_draw","mp_grid_get_cell","mp_grid_path","mp_grid_to_ds_grid","mp_linear_path","mp_linear_path_object","mp_linear_step","mp_linear_step_object","mp_potential_path","mp_potential_path_object","mp_potential_settings","mp_potential_step","mp_potential_step_object","network_connect","network_connect_raw","network_create_server","network_create_server_raw","network_create_socket","network_create_socket_ext","network_destroy","network_resolve","network_send_broadcast","network_send_packet","network_send_raw","network_send_udp","network_send_udp_raw","network_set_config","network_set_timeout","object_exists","object_get_depth","object_get_mask","object_get_name","object_get_parent","object_get_persistent","object_get_physics","object_get_solid","object_get_sprite","object_get_visible","object_is_ancestor","object_set_mask","object_set_persistent","object_set_solid","object_set_sprite","object_set_visible","ord","os_get_config","os_get_info","os_get_language","os_get_region","os_is_network_connected","os_is_paused","os_lock_orientation","os_powersave_enable","parameter_count","parameter_string","part_emitter_burst","part_emitter_clear","part_emitter_create","part_emitter_destroy","part_emitter_destroy_all","part_emitter_exists","part_emitter_region","part_emitter_stream","part_particles_clear","part_particles_count","part_particles_create","part_particles_create_color","part_particles_create_colour","part_system_automatic_draw","part_system_automatic_update","part_system_clear","part_system_create","part_system_create_layer","part_system_depth","part_system_destroy","part_system_draw_order","part_system_drawit","part_system_exists","part_system_get_layer","part_system_layer","part_system_position","part_system_update","part_type_alpha1","part_type_alpha2","part_type_alpha3","part_type_blend","part_type_clear","part_type_color1","part_type_color2","part_type_color3","part_type_color_hsv","part_type_color_mix","part_type_color_rgb","part_type_colour1","part_type_colour2","part_type_colour3","part_type_colour_hsv","part_type_colour_mix","part_type_colour_rgb","part_type_create","part_type_death","part_type_destroy","part_type_direction","part_type_exists","part_type_gravity","part_type_life","part_type_orientation","part_type_scale","part_type_shape","part_type_size","part_type_speed","part_type_sprite","part_type_step","path_add","path_add_point","path_append","path_assign","path_change_point","path_clear_points","path_delete","path_delete_point","path_duplicate","path_end","path_exists","path_flip","path_get_closed","path_get_kind","path_get_length","path_get_name","path_get_number","path_get_point_speed","path_get_point_x","path_get_point_y","path_get_precision","path_get_speed","path_get_time","path_get_x","path_get_y","path_insert_point","path_mirror","path_rescale","path_reverse","path_rotate","path_set_closed","path_set_kind","path_set_precision","path_shift","path_start","physics_apply_angular_impulse","physics_apply_force","physics_apply_impulse","physics_apply_local_force","physics_apply_local_impulse","physics_apply_torque","physics_draw_debug","physics_fixture_add_point","physics_fixture_bind","physics_fixture_bind_ext","physics_fixture_create","physics_fixture_delete","physics_fixture_set_angular_damping","physics_fixture_set_awake","physics_fixture_set_box_shape","physics_fixture_set_chain_shape","physics_fixture_set_circle_shape","physics_fixture_set_collision_group","physics_fixture_set_density","physics_fixture_set_edge_shape","physics_fixture_set_friction","physics_fixture_set_kinematic","physics_fixture_set_linear_damping","physics_fixture_set_polygon_shape","physics_fixture_set_restitution","physics_fixture_set_sensor","physics_get_density","physics_get_friction","physics_get_restitution","physics_joint_delete","physics_joint_distance_create","physics_joint_enable_motor","physics_joint_friction_create","physics_joint_gear_create","physics_joint_get_value","physics_joint_prismatic_create","physics_joint_pulley_create","physics_joint_revolute_create","physics_joint_rope_create","physics_joint_set_value","physics_joint_weld_create","physics_joint_wheel_create","physics_mass_properties","physics_particle_count","physics_particle_create","physics_particle_delete","physics_particle_delete_region_box","physics_particle_delete_region_circle","physics_particle_delete_region_poly","physics_particle_draw","physics_particle_draw_ext","physics_particle_get_damping","physics_particle_get_data","physics_particle_get_data_particle","physics_particle_get_density","physics_particle_get_gravity_scale","physics_particle_get_group_flags","physics_particle_get_max_count","physics_particle_get_radius","physics_particle_group_add_point","physics_particle_group_begin","physics_particle_group_box","physics_particle_group_circle","physics_particle_group_count","physics_particle_group_delete","physics_particle_group_end","physics_particle_group_get_ang_vel","physics_particle_group_get_angle","physics_particle_group_get_centre_x","physics_particle_group_get_centre_y","physics_particle_group_get_data","physics_particle_group_get_inertia","physics_particle_group_get_mass","physics_particle_group_get_vel_x","physics_particle_group_get_vel_y","physics_particle_group_get_x","physics_particle_group_get_y","physics_particle_group_join","physics_particle_group_polygon","physics_particle_set_category_flags","physics_particle_set_damping","physics_particle_set_density","physics_particle_set_flags","physics_particle_set_gravity_scale","physics_particle_set_group_flags","physics_particle_set_max_count","physics_particle_set_radius","physics_pause_enable","physics_remove_fixture","physics_set_density","physics_set_friction","physics_set_restitution","physics_test_overlap","physics_world_create","physics_world_draw_debug","physics_world_gravity","physics_world_update_iterations","physics_world_update_speed","place_empty","place_free","place_meeting","place_snapped","point_direction","point_distance","point_distance_3d","point_in_circle","point_in_rectangle","point_in_triangle","position_change","position_destroy","position_empty","position_meeting","power","ptr","push_cancel_local_notification","push_get_first_local_notification","push_get_next_local_notification","push_local_notification","radtodeg","random","random_get_seed","random_range","random_set_seed","randomise","randomize","real","rectangle_in_circle","rectangle_in_rectangle","rectangle_in_triangle","room_add","room_assign","room_duplicate","room_exists","room_get_camera","room_get_name","room_get_viewport","room_goto","room_goto_next","room_goto_previous","room_instance_add","room_instance_clear","room_next","room_previous","room_restart","room_set_background_color","room_set_background_colour","room_set_camera","room_set_height","room_set_persistent","room_set_view","room_set_view_enabled","room_set_viewport","room_set_width","round","screen_save","screen_save_part","script_execute","script_exists","script_get_name","sha1_file","sha1_string_unicode","sha1_string_utf8","shader_current","shader_enable_corner_id","shader_get_name","shader_get_sampler_index","shader_get_uniform","shader_is_compiled","shader_reset","shader_set","shader_set_uniform_f","shader_set_uniform_f_array","shader_set_uniform_i","shader_set_uniform_i_array","shader_set_uniform_matrix","shader_set_uniform_matrix_array","shaders_are_supported","shop_leave_rating","show_debug_message","show_debug_overlay","show_error","show_message","show_message_async","show_question","show_question_async","sign","sin","skeleton_animation_clear","skeleton_animation_get","skeleton_animation_get_duration","skeleton_animation_get_ext","skeleton_animation_get_frame","skeleton_animation_get_frames","skeleton_animation_list","skeleton_animation_mix","skeleton_animation_set","skeleton_animation_set_ext","skeleton_animation_set_frame","skeleton_attachment_create","skeleton_attachment_get","skeleton_attachment_set","skeleton_bone_data_get","skeleton_bone_data_set","skeleton_bone_state_get","skeleton_bone_state_set","skeleton_collision_draw_set","skeleton_get_bounds","skeleton_get_minmax","skeleton_get_num_bounds","skeleton_skin_get","skeleton_skin_list","skeleton_skin_set","skeleton_slot_data","sprite_add","sprite_add_from_surface","sprite_assign","sprite_collision_mask","sprite_create_from_surface","sprite_delete","sprite_duplicate","sprite_exists","sprite_flush","sprite_flush_multi","sprite_get_bbox_bottom","sprite_get_bbox_left","sprite_get_bbox_right","sprite_get_bbox_top","sprite_get_height","sprite_get_name","sprite_get_number","sprite_get_speed","sprite_get_speed_type","sprite_get_texture","sprite_get_tpe","sprite_get_uvs","sprite_get_width","sprite_get_xoffset","sprite_get_yoffset","sprite_merge","sprite_prefetch","sprite_prefetch_multi","sprite_replace","sprite_save","sprite_save_strip","sprite_set_alpha_from_sprite","sprite_set_cache_size","sprite_set_cache_size_ext","sprite_set_offset","sprite_set_speed","sqr","sqrt","steam_activate_overlay","steam_activate_overlay_browser","steam_activate_overlay_store","steam_activate_overlay_user","steam_available_languages","steam_clear_achievement","steam_create_leaderboard","steam_current_game_language","steam_download_friends_scores","steam_download_scores","steam_download_scores_around_user","steam_file_delete","steam_file_exists","steam_file_persisted","steam_file_read","steam_file_share","steam_file_size","steam_file_write","steam_file_write_file","steam_get_achievement","steam_get_app_id","steam_get_persona_name","steam_get_quota_free","steam_get_quota_total","steam_get_stat_avg_rate","steam_get_stat_float","steam_get_stat_int","steam_get_user_account_id","steam_get_user_persona_name","steam_get_user_steam_id","steam_initialised","steam_is_cloud_enabled_for_account","steam_is_cloud_enabled_for_app","steam_is_overlay_activated","steam_is_overlay_enabled","steam_is_screenshot_requested","steam_is_user_logged_on","steam_reset_all_stats","steam_reset_all_stats_achievements","steam_send_screenshot","steam_set_achievement","steam_set_stat_avg_rate","steam_set_stat_float","steam_set_stat_int","steam_stats_ready","steam_ugc_create_item","steam_ugc_create_query_all","steam_ugc_create_query_all_ex","steam_ugc_create_query_user","steam_ugc_create_query_user_ex","steam_ugc_download","steam_ugc_get_item_install_info","steam_ugc_get_item_update_info","steam_ugc_get_item_update_progress","steam_ugc_get_subscribed_items","steam_ugc_num_subscribed_items","steam_ugc_query_add_excluded_tag","steam_ugc_query_add_required_tag","steam_ugc_query_set_allow_cached_response","steam_ugc_query_set_cloud_filename_filter","steam_ugc_query_set_match_any_tag","steam_ugc_query_set_ranked_by_trend_days","steam_ugc_query_set_return_long_description","steam_ugc_query_set_return_total_only","steam_ugc_query_set_search_text","steam_ugc_request_item_details","steam_ugc_send_query","steam_ugc_set_item_content","steam_ugc_set_item_description","steam_ugc_set_item_preview","steam_ugc_set_item_tags","steam_ugc_set_item_title","steam_ugc_set_item_visibility","steam_ugc_start_item_update","steam_ugc_submit_item_update","steam_ugc_subscribe_item","steam_ugc_unsubscribe_item","steam_upload_score","steam_upload_score_buffer","steam_upload_score_buffer_ext","steam_upload_score_ext","steam_user_installed_dlc","steam_user_owns_dlc","string","string_byte_at","string_byte_length","string_char_at","string_copy","string_count","string_delete","string_digits","string_format","string_hash_to_newline","string_height","string_height_ext","string_insert","string_length","string_letters","string_lettersdigits","string_lower","string_ord_at","string_pos","string_repeat","string_replace","string_replace_all","string_set_byte_at","string_upper","string_width","string_width_ext","surface_copy","surface_copy_part","surface_create","surface_create_ext","surface_depth_disable","surface_exists","surface_free","surface_get_depth_disable","surface_get_height","surface_get_texture","surface_get_width","surface_getpixel","surface_getpixel_ext","surface_reset_target","surface_resize","surface_save","surface_save_part","surface_set_target","surface_set_target_ext","tan","texture_get_height","texture_get_texel_height","texture_get_texel_width","texture_get_uvs","texture_get_width","texture_global_scale","texture_set_stage","tile_get_empty","tile_get_flip","tile_get_index","tile_get_mirror","tile_get_rotate","tile_set_empty","tile_set_flip","tile_set_index","tile_set_mirror","tile_set_rotate","tilemap_clear","tilemap_get","tilemap_get_at_pixel","tilemap_get_cell_x_at_pixel","tilemap_get_cell_y_at_pixel","tilemap_get_frame","tilemap_get_global_mask","tilemap_get_height","tilemap_get_mask","tilemap_get_tile_height","tilemap_get_tile_width","tilemap_get_tileset","tilemap_get_width","tilemap_get_x","tilemap_get_y","tilemap_set","tilemap_set_at_pixel","tilemap_set_global_mask","tilemap_set_mask","tilemap_tileset","tilemap_x","tilemap_y","timeline_add","timeline_clear","timeline_delete","timeline_exists","timeline_get_name","timeline_max_moment","timeline_moment_add_script","timeline_moment_clear","timeline_size","typeof","url_get_domain","url_open","url_open_ext","url_open_full","variable_global_exists","variable_global_get","variable_global_set","variable_instance_exists","variable_instance_get","variable_instance_get_names","variable_instance_set","variable_struct_exists","variable_struct_get","variable_struct_get_names","variable_struct_names_count","variable_struct_remove","variable_struct_set","vertex_argb","vertex_begin","vertex_color","vertex_colour","vertex_create_buffer","vertex_create_buffer_ext","vertex_create_buffer_from_buffer","vertex_create_buffer_from_buffer_ext","vertex_delete_buffer","vertex_end","vertex_float1","vertex_float2","vertex_float3","vertex_float4","vertex_format_add_color","vertex_format_add_colour","vertex_format_add_custom","vertex_format_add_normal","vertex_format_add_position","vertex_format_add_position_3d","vertex_format_add_texcoord","vertex_format_add_textcoord","vertex_format_begin","vertex_format_delete","vertex_format_end","vertex_freeze","vertex_get_buffer_size","vertex_get_number","vertex_normal","vertex_position","vertex_position_3d","vertex_submit","vertex_texcoord","vertex_ubyte4","view_get_camera","view_get_hport","view_get_surface_id","view_get_visible","view_get_wport","view_get_xport","view_get_yport","view_set_camera","view_set_hport","view_set_surface_id","view_set_visible","view_set_wport","view_set_xport","view_set_yport","virtual_key_add","virtual_key_delete","virtual_key_hide","virtual_key_show","win8_appbar_add_element","win8_appbar_enable","win8_appbar_remove_element","win8_device_touchscreen_available","win8_license_initialize_sandbox","win8_license_trial_version","win8_livetile_badge_clear","win8_livetile_badge_notification","win8_livetile_notification_begin","win8_livetile_notification_end","win8_livetile_notification_expiry","win8_livetile_notification_image_add","win8_livetile_notification_secondary_begin","win8_livetile_notification_tag","win8_livetile_notification_text_add","win8_livetile_queue_enable","win8_livetile_tile_clear","win8_livetile_tile_notification","win8_search_add_suggestions","win8_search_disable","win8_search_enable","win8_secondarytile_badge_notification","win8_secondarytile_delete","win8_secondarytile_pin","win8_settingscharm_add_entry","win8_settingscharm_add_html_entry","win8_settingscharm_add_xaml_entry","win8_settingscharm_get_xaml_property","win8_settingscharm_remove_entry","win8_settingscharm_set_xaml_property","win8_share_file","win8_share_image","win8_share_screenshot","win8_share_text","win8_share_url","window_center","window_device","window_get_caption","window_get_color","window_get_colour","window_get_cursor","window_get_fullscreen","window_get_height","window_get_visible_rects","window_get_width","window_get_x","window_get_y","window_handle","window_has_focus","window_mouse_get_x","window_mouse_get_y","window_mouse_set","window_set_caption","window_set_color","window_set_colour","window_set_cursor","window_set_fullscreen","window_set_max_height","window_set_max_width","window_set_min_height","window_set_min_width","window_set_position","window_set_rectangle","window_set_size","window_view_mouse_get_x","window_view_mouse_get_y","window_views_mouse_get_x","window_views_mouse_get_y","winphone_license_trial_version","winphone_tile_back_content","winphone_tile_back_content_wide","winphone_tile_back_image","winphone_tile_back_image_wide","winphone_tile_back_title","winphone_tile_background_color","winphone_tile_background_colour","winphone_tile_count","winphone_tile_cycle_images","winphone_tile_front_image","winphone_tile_front_image_small","winphone_tile_front_image_wide","winphone_tile_icon_image","winphone_tile_small_background_image","winphone_tile_small_icon_image","winphone_tile_title","winphone_tile_wide_content","zip_unzip"],literal:["all","false","noone","pointer_invalid","pointer_null","true","undefined"],symbol:["ANSI_CHARSET","ARABIC_CHARSET","BALTIC_CHARSET","CHINESEBIG5_CHARSET","DEFAULT_CHARSET","EASTEUROPE_CHARSET","GB2312_CHARSET","GM_build_date","GM_runtime_version","GM_version","GREEK_CHARSET","HANGEUL_CHARSET","HEBREW_CHARSET","JOHAB_CHARSET","MAC_CHARSET","OEM_CHARSET","RUSSIAN_CHARSET","SHIFTJIS_CHARSET","SYMBOL_CHARSET","THAI_CHARSET","TURKISH_CHARSET","VIETNAMESE_CHARSET","achievement_achievement_info","achievement_filter_all_players","achievement_filter_favorites_only","achievement_filter_friends_only","achievement_friends_info","achievement_leaderboard_info","achievement_our_info","achievement_pic_loaded","achievement_show_achievement","achievement_show_bank","achievement_show_friend_picker","achievement_show_leaderboard","achievement_show_profile","achievement_show_purchase_prompt","achievement_show_ui","achievement_type_achievement_challenge","achievement_type_score_challenge","asset_font","asset_object","asset_path","asset_room","asset_script","asset_shader","asset_sound","asset_sprite","asset_tiles","asset_timeline","asset_unknown","audio_3d","audio_falloff_exponent_distance","audio_falloff_exponent_distance_clamped","audio_falloff_inverse_distance","audio_falloff_inverse_distance_clamped","audio_falloff_linear_distance","audio_falloff_linear_distance_clamped","audio_falloff_none","audio_mono","audio_new_system","audio_old_system","audio_stereo","bm_add","bm_complex","bm_dest_alpha","bm_dest_color","bm_dest_colour","bm_inv_dest_alpha","bm_inv_dest_color","bm_inv_dest_colour","bm_inv_src_alpha","bm_inv_src_color","bm_inv_src_colour","bm_max","bm_normal","bm_one","bm_src_alpha","bm_src_alpha_sat","bm_src_color","bm_src_colour","bm_subtract","bm_zero","browser_chrome","browser_edge","browser_firefox","browser_ie","browser_ie_mobile","browser_not_a_browser","browser_opera","browser_safari","browser_safari_mobile","browser_tizen","browser_unknown","browser_windows_store","buffer_bool","buffer_f16","buffer_f32","buffer_f64","buffer_fast","buffer_fixed","buffer_generalerror","buffer_grow","buffer_invalidtype","buffer_network","buffer_outofbounds","buffer_outofspace","buffer_s16","buffer_s32","buffer_s8","buffer_seek_end","buffer_seek_relative","buffer_seek_start","buffer_string","buffer_surface_copy","buffer_text","buffer_u16","buffer_u32","buffer_u64","buffer_u8","buffer_vbuffer","buffer_wrap","button_type","c_aqua","c_black","c_blue","c_dkgray","c_fuchsia","c_gray","c_green","c_lime","c_ltgray","c_maroon","c_navy","c_olive","c_orange","c_purple","c_red","c_silver","c_teal","c_white","c_yellow","cmpfunc_always","cmpfunc_equal","cmpfunc_greater","cmpfunc_greaterequal","cmpfunc_less","cmpfunc_lessequal","cmpfunc_never","cmpfunc_notequal","cr_appstart","cr_arrow","cr_beam","cr_cross","cr_default","cr_drag","cr_handpoint","cr_hourglass","cr_none","cr_size_all","cr_size_nesw","cr_size_ns","cr_size_nwse","cr_size_we","cr_uparrow","cull_clockwise","cull_counterclockwise","cull_noculling","device_emulator","device_ios_ipad","device_ios_ipad_retina","device_ios_iphone","device_ios_iphone5","device_ios_iphone6","device_ios_iphone6plus","device_ios_iphone_retina","device_ios_unknown","device_tablet","display_landscape","display_landscape_flipped","display_portrait","display_portrait_flipped","dll_cdecl","dll_stdcall","ds_type_grid","ds_type_list","ds_type_map","ds_type_priority","ds_type_queue","ds_type_stack","ef_cloud","ef_ellipse","ef_explosion","ef_firework","ef_flare","ef_rain","ef_ring","ef_smoke","ef_smokeup","ef_snow","ef_spark","ef_star","ev_alarm","ev_animation_end","ev_boundary","ev_cleanup","ev_close_button","ev_collision","ev_create","ev_destroy","ev_draw","ev_draw_begin","ev_draw_end","ev_draw_post","ev_draw_pre","ev_end_of_path","ev_game_end","ev_game_start","ev_gesture","ev_gesture_double_tap","ev_gesture_drag_end","ev_gesture_drag_start","ev_gesture_dragging","ev_gesture_flick","ev_gesture_pinch_end","ev_gesture_pinch_in","ev_gesture_pinch_out","ev_gesture_pinch_start","ev_gesture_rotate_end","ev_gesture_rotate_start","ev_gesture_rotating","ev_gesture_tap","ev_global_gesture_double_tap","ev_global_gesture_drag_end","ev_global_gesture_drag_start","ev_global_gesture_dragging","ev_global_gesture_flick","ev_global_gesture_pinch_end","ev_global_gesture_pinch_in","ev_global_gesture_pinch_out","ev_global_gesture_pinch_start","ev_global_gesture_rotate_end","ev_global_gesture_rotate_start","ev_global_gesture_rotating","ev_global_gesture_tap","ev_global_left_button","ev_global_left_press","ev_global_left_release","ev_global_middle_button","ev_global_middle_press","ev_global_middle_release","ev_global_right_button","ev_global_right_press","ev_global_right_release","ev_gui","ev_gui_begin","ev_gui_end","ev_joystick1_button1","ev_joystick1_button2","ev_joystick1_button3","ev_joystick1_button4","ev_joystick1_button5","ev_joystick1_button6","ev_joystick1_button7","ev_joystick1_button8","ev_joystick1_down","ev_joystick1_left","ev_joystick1_right","ev_joystick1_up","ev_joystick2_button1","ev_joystick2_button2","ev_joystick2_button3","ev_joystick2_button4","ev_joystick2_button5","ev_joystick2_button6","ev_joystick2_button7","ev_joystick2_button8","ev_joystick2_down","ev_joystick2_left","ev_joystick2_right","ev_joystick2_up","ev_keyboard","ev_keypress","ev_keyrelease","ev_left_button","ev_left_press","ev_left_release","ev_middle_button","ev_middle_press","ev_middle_release","ev_mouse","ev_mouse_enter","ev_mouse_leave","ev_mouse_wheel_down","ev_mouse_wheel_up","ev_no_button","ev_no_more_health","ev_no_more_lives","ev_other","ev_outside","ev_right_button","ev_right_press","ev_right_release","ev_room_end","ev_room_start","ev_step","ev_step_begin","ev_step_end","ev_step_normal","ev_trigger","ev_user0","ev_user1","ev_user2","ev_user3","ev_user4","ev_user5","ev_user6","ev_user7","ev_user8","ev_user9","ev_user10","ev_user11","ev_user12","ev_user13","ev_user14","ev_user15","fa_archive","fa_bottom","fa_center","fa_directory","fa_hidden","fa_left","fa_middle","fa_readonly","fa_right","fa_sysfile","fa_top","fa_volumeid","fb_login_default","fb_login_fallback_to_webview","fb_login_forcing_safari","fb_login_forcing_webview","fb_login_no_fallback_to_webview","fb_login_use_system_account","gamespeed_fps","gamespeed_microseconds","ge_lose","global","gp_axislh","gp_axislv","gp_axisrh","gp_axisrv","gp_face1","gp_face2","gp_face3","gp_face4","gp_padd","gp_padl","gp_padr","gp_padu","gp_select","gp_shoulderl","gp_shoulderlb","gp_shoulderr","gp_shoulderrb","gp_start","gp_stickl","gp_stickr","iap_available","iap_canceled","iap_ev_consume","iap_ev_product","iap_ev_purchase","iap_ev_restore","iap_ev_storeload","iap_failed","iap_purchased","iap_refunded","iap_status_available","iap_status_loading","iap_status_processing","iap_status_restoring","iap_status_unavailable","iap_status_uninitialised","iap_storeload_failed","iap_storeload_ok","iap_unavailable","input_type","kbv_autocapitalize_characters","kbv_autocapitalize_none","kbv_autocapitalize_sentences","kbv_autocapitalize_words","kbv_returnkey_continue","kbv_returnkey_default","kbv_returnkey_done","kbv_returnkey_emergency","kbv_returnkey_go","kbv_returnkey_google","kbv_returnkey_join","kbv_returnkey_next","kbv_returnkey_route","kbv_returnkey_search","kbv_returnkey_send","kbv_returnkey_yahoo","kbv_type_ascii","kbv_type_default","kbv_type_email","kbv_type_numbers","kbv_type_phone","kbv_type_phone_name","kbv_type_url","layerelementtype_background","layerelementtype_instance","layerelementtype_oldtilemap","layerelementtype_particlesystem","layerelementtype_sprite","layerelementtype_tile","layerelementtype_tilemap","layerelementtype_undefined","lb_disp_none","lb_disp_numeric","lb_disp_time_ms","lb_disp_time_sec","lb_sort_ascending","lb_sort_descending","lb_sort_none","leaderboard_type_number","leaderboard_type_time_mins_secs","lighttype_dir","lighttype_point","local","matrix_projection","matrix_view","matrix_world","mb_any","mb_left","mb_middle","mb_none","mb_right","mip_markedonly","mip_off","mip_on","network_config_connect_timeout","network_config_disable_reliable_udp","network_config_enable_reliable_udp","network_config_use_non_blocking_socket","network_socket_bluetooth","network_socket_tcp","network_socket_udp","network_type_connect","network_type_data","network_type_disconnect","network_type_non_blocking_connect","of_challen","of_challenge_tie","of_challenge_win","os_3ds","os_android","os_bb10","os_ios","os_linux","os_macosx","os_ps3","os_ps4","os_psvita","os_switch","os_symbian","os_tizen","os_tvos","os_unknown","os_uwp","os_wiiu","os_win32","os_win8native","os_windows","os_winphone","os_xbox360","os_xboxone","other","ov_achievements","ov_community","ov_friends","ov_gamegroup","ov_players","ov_settings","path_action_continue","path_action_restart","path_action_reverse","path_action_stop","phy_debug_render_aabb","phy_debug_render_collision_pairs","phy_debug_render_coms","phy_debug_render_core_shapes","phy_debug_render_joints","phy_debug_render_obb","phy_debug_render_shapes","phy_joint_anchor_1_x","phy_joint_anchor_1_y","phy_joint_anchor_2_x","phy_joint_anchor_2_y","phy_joint_angle","phy_joint_angle_limits","phy_joint_damping_ratio","phy_joint_frequency","phy_joint_length_1","phy_joint_length_2","phy_joint_lower_angle_limit","phy_joint_max_force","phy_joint_max_length","phy_joint_max_motor_force","phy_joint_max_motor_torque","phy_joint_max_torque","phy_joint_motor_force","phy_joint_motor_speed","phy_joint_motor_torque","phy_joint_reaction_force_x","phy_joint_reaction_force_y","phy_joint_reaction_torque","phy_joint_speed","phy_joint_translation","phy_joint_upper_angle_limit","phy_particle_data_flag_category","phy_particle_data_flag_color","phy_particle_data_flag_colour","phy_particle_data_flag_position","phy_particle_data_flag_typeflags","phy_particle_data_flag_velocity","phy_particle_flag_colormixing","phy_particle_flag_colourmixing","phy_particle_flag_elastic","phy_particle_flag_powder","phy_particle_flag_spring","phy_particle_flag_tensile","phy_particle_flag_viscous","phy_particle_flag_wall","phy_particle_flag_water","phy_particle_flag_zombie","phy_particle_group_flag_rigid","phy_particle_group_flag_solid","pi","pr_linelist","pr_linestrip","pr_pointlist","pr_trianglefan","pr_trianglelist","pr_trianglestrip","ps_distr_gaussian","ps_distr_invgaussian","ps_distr_linear","ps_shape_diamond","ps_shape_ellipse","ps_shape_line","ps_shape_rectangle","pt_shape_circle","pt_shape_cloud","pt_shape_disk","pt_shape_explosion","pt_shape_flare","pt_shape_line","pt_shape_pixel","pt_shape_ring","pt_shape_smoke","pt_shape_snow","pt_shape_spark","pt_shape_sphere","pt_shape_square","pt_shape_star","spritespeed_framespergameframe","spritespeed_framespersecond","text_type","tf_anisotropic","tf_linear","tf_point","tile_flip","tile_index_mask","tile_mirror","tile_rotate","timezone_local","timezone_utc","tm_countvsyncs","tm_sleep","ty_real","ty_string","ugc_filetype_community","ugc_filetype_microtrans","ugc_list_Favorited","ugc_list_Followed","ugc_list_Published","ugc_list_Subscribed","ugc_list_UsedOrPlayed","ugc_list_VotedDown","ugc_list_VotedOn","ugc_list_VotedUp","ugc_list_WillVoteLater","ugc_match_AllGuides","ugc_match_Artwork","ugc_match_Collections","ugc_match_ControllerBindings","ugc_match_IntegratedGuides","ugc_match_Items","ugc_match_Items_Mtx","ugc_match_Items_ReadyToUse","ugc_match_Screenshots","ugc_match_UsableInGame","ugc_match_Videos","ugc_match_WebGuides","ugc_query_AcceptedForGameRankedByAcceptanceDate","ugc_query_CreatedByFollowedUsersRankedByPublicationDate","ugc_query_CreatedByFriendsRankedByPublicationDate","ugc_query_FavoritedByFriendsRankedByPublicationDate","ugc_query_NotYetRated","ugc_query_RankedByNumTimesReported","ugc_query_RankedByPublicationDate","ugc_query_RankedByTextSearch","ugc_query_RankedByTotalVotesAsc","ugc_query_RankedByTrend","ugc_query_RankedByVote","ugc_query_RankedByVotesUp","ugc_result_success","ugc_sortorder_CreationOrderAsc","ugc_sortorder_CreationOrderDesc","ugc_sortorder_ForModeration","ugc_sortorder_LastUpdatedDesc","ugc_sortorder_SubscriptionDateDesc","ugc_sortorder_TitleAsc","ugc_sortorder_VoteScoreDesc","ugc_visibility_friends_only","ugc_visibility_private","ugc_visibility_public","vertex_type_color","vertex_type_colour","vertex_type_float1","vertex_type_float2","vertex_type_float3","vertex_type_float4","vertex_type_ubyte4","vertex_usage_binormal","vertex_usage_blendindices","vertex_usage_blendweight","vertex_usage_color","vertex_usage_colour","vertex_usage_depth","vertex_usage_fog","vertex_usage_normal","vertex_usage_position","vertex_usage_psize","vertex_usage_sample","vertex_usage_tangent","vertex_usage_texcoord","vertex_usage_textcoord","vk_add","vk_alt","vk_anykey","vk_backspace","vk_control","vk_decimal","vk_delete","vk_divide","vk_down","vk_end","vk_enter","vk_escape","vk_f1","vk_f2","vk_f3","vk_f4","vk_f5","vk_f6","vk_f7","vk_f8","vk_f9","vk_f10","vk_f11","vk_f12","vk_home","vk_insert","vk_lalt","vk_lcontrol","vk_left","vk_lshift","vk_multiply","vk_nokey","vk_numpad0","vk_numpad1","vk_numpad2","vk_numpad3","vk_numpad4","vk_numpad5","vk_numpad6","vk_numpad7","vk_numpad8","vk_numpad9","vk_pagedown","vk_pageup","vk_pause","vk_printscreen","vk_ralt","vk_rcontrol","vk_return","vk_right","vk_rshift","vk_shift","vk_space","vk_subtract","vk_tab","vk_up"],"variable.language":["alarm","application_surface","argument","argument0","argument1","argument2","argument3","argument4","argument5","argument6","argument7","argument8","argument9","argument10","argument11","argument12","argument13","argument14","argument15","argument_count","argument_relative","async_load","background_color","background_colour","background_showcolor","background_showcolour","bbox_bottom","bbox_left","bbox_right","bbox_top","browser_height","browser_width","caption_health","caption_lives","caption_score","current_day","current_hour","current_minute","current_month","current_second","current_time","current_weekday","current_year","cursor_sprite","debug_mode","delta_time","depth","direction","display_aa","error_last","error_occurred","event_action","event_data","event_number","event_object","event_type","fps","fps_real","friction","game_display_name","game_id","game_project_name","game_save_id","gamemaker_pro","gamemaker_registered","gamemaker_version","gravity","gravity_direction","health","hspeed","iap_data","id|0","image_alpha","image_angle","image_blend","image_index","image_number","image_speed","image_xscale","image_yscale","instance_count","instance_id","keyboard_key","keyboard_lastchar","keyboard_lastkey","keyboard_string","layer","lives","mask_index","mouse_button","mouse_lastbutton","mouse_x","mouse_y","object_index","os_browser","os_device","os_type","os_version","path_endaction","path_index","path_orientation","path_position","path_positionprevious","path_scale","path_speed","persistent","phy_active","phy_angular_damping","phy_angular_velocity","phy_bullet","phy_col_normal_x","phy_col_normal_y","phy_collision_points","phy_collision_x","phy_collision_y","phy_com_x","phy_com_y","phy_dynamic","phy_fixed_rotation","phy_inertia","phy_kinematic","phy_linear_damping","phy_linear_velocity_x","phy_linear_velocity_y","phy_mass","phy_position_x","phy_position_xprevious","phy_position_y","phy_position_yprevious","phy_rotation","phy_sleeping","phy_speed","phy_speed_x","phy_speed_y","program_directory","room","room_caption","room_first","room_height","room_last","room_persistent","room_speed","room_width","score","self","show_health","show_lives","show_score","solid","speed","sprite_height","sprite_index","sprite_width","sprite_xoffset","sprite_yoffset","temp_directory","timeline_index","timeline_loop","timeline_position","timeline_running","timeline_speed","view_angle","view_camera","view_current","view_enabled","view_hborder","view_hport","view_hspeed","view_hview","view_object","view_surface_id","view_vborder","view_visible","view_vspeed","view_wport","view_wview","view_xport","view_xview","view_yport","view_yview","visible","vspeed","webgl_enabled","working_directory","xprevious","xstart","x|0","yprevious","ystart","y|0"]},contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.C_NUMBER_MODE]}}Ps.exports=xg});var Fs=O((Dh,Us)=>{function wg(e){let a={keyword:["break","case","chan","const","continue","default","defer","else","fallthrough","for","func","go","goto","if","import","interface","map","package","range","return","select","struct","switch","type","var"],type:["bool","byte","complex64","complex128","error","float32","float64","int8","int16","int32","int64","string","uint8","uint16","uint32","uint64","int","uint","uintptr","rune"],literal:["true","false","iota","nil"],built_in:["append","cap","close","complex","copy","imag","len","make","new","panic","print","println","real","recover","delete"]};return{name:"Go",aliases:["golang"],keywords:a,illegal:"</",contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,{className:"string",variants:[e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,{begin:"`",end:"`"}]},{className:"number",variants:[{begin:e.C_NUMBER_RE+"[i]",relevance:1},e.C_NUMBER_MODE]},{begin:/:=/},{className:"function",beginKeywords:"func",end:"\\s*(\\{|$)",excludeEnd:!0,contains:[e.TITLE_MODE,{className:"params",begin:/\(/,end:/\)/,endsParent:!0,keywords:a,illegal:/["']/}]}]}}Us.exports=wg});var Gs=O((xh,Bs)=>{function Mg(e){return{name:"Golo",keywords:{keyword:["println","readln","print","import","module","function","local","return","let","var","while","for","foreach","times","in","case","when","match","with","break","continue","augment","augmentation","each","find","filter","reduce","if","then","else","otherwise","try","catch","finally","raise","throw","orIfNull","DynamicObject|10","DynamicVariable","struct","Observable","map","set","vector","list","array"],literal:["true","false","null"]},contains:[e.HASH_COMMENT_MODE,e.QUOTE_STRING_MODE,e.C_NUMBER_MODE,{className:"meta",begin:"@[A-Za-z]+"}]}}Bs.exports=Mg});var Hs=O((wh,Ys)=>{function Lg(e){return{name:"Gradle",case_insensitive:!0,keywords:["task","project","allprojects","subprojects","artifacts","buildscript","configurations","dependencies","repositories","sourceSets","description","delete","from","into","include","exclude","source","classpath","destinationDir","includes","options","sourceCompatibility","targetCompatibility","group","flatDir","doLast","doFirst","flatten","todir","fromdir","ant","def","abstract","break","case","catch","continue","default","do","else","extends","final","finally","for","if","implements","instanceof","native","new","private","protected","public","return","static","switch","synchronized","throw","throws","transient","try","volatile","while","strictfp","package","import","false","null","super","this","true","antlrtask","checkstyle","codenarc","copy","boolean","byte","char","class","double","float","int","interface","long","short","void","compile","runTime","file","fileTree","abs","any","append","asList","asWritable","call","collect","compareTo","count","div","dump","each","eachByte","eachFile","eachLine","every","find","findAll","flatten","getAt","getErr","getIn","getOut","getText","grep","immutable","inject","inspect","intersect","invokeMethods","isCase","join","leftShift","minus","multiply","newInputStream","newOutputStream","newPrintWriter","newReader","newWriter","next","plus","pop","power","previous","print","println","push","putAt","read","readBytes","readLines","reverse","reverseEach","round","size","sort","splitEachLine","step","subMap","times","toInteger","toList","tokenize","upto","waitForOrKill","withPrintWriter","withReader","withStream","withWriter","withWriterAppend","write","writeLine"],contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.NUMBER_MODE,e.REGEXP_MODE]}}Ys.exports=Lg});var Vs=O((Mh,qs)=>{function Pg(e){let n=e.regex,i=/[_A-Za-z][_0-9A-Za-z]*/;return{name:"GraphQL",aliases:["gql"],case_insensitive:!0,disableAutodetect:!1,keywords:{keyword:["query","mutation","subscription","type","input","schema","directive","interface","union","scalar","fragment","enum","on"],literal:["true","false","null"]},contains:[e.HASH_COMMENT_MODE,e.QUOTE_STRING_MODE,e.NUMBER_MODE,{scope:"punctuation",match:/[.]{3}/,relevance:0},{scope:"punctuation",begin:/[\!\(\)\:\=\[\]\{\|\}]{1}/,relevance:0},{scope:"variable",begin:/\$/,end:/\W/,excludeEnd:!0,relevance:0},{scope:"meta",match:/@\w+/,excludeEnd:!0},{scope:"symbol",begin:n.concat(i,n.lookahead(/\s*:/)),relevance:0}],illegal:[/[;<']/,/BEGIN/]}}qs.exports=Pg});var Ws=O((Lh,zs)=>{function ei(e,n={}){return n.variants=e,n}function kg(e){let n=e.regex,i="[A-Za-z0-9_$]+",_=ei([e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.COMMENT("/\\*\\*","\\*/",{relevance:0,contains:[{begin:/\w+@/,relevance:0},{className:"doctag",begin:"@[A-Za-z]+"}]})]),l={className:"regexp",begin:/~?\/[^\/\n]+\//,contains:[e.BACKSLASH_ESCAPE]},a=ei([e.BINARY_NUMBER_MODE,e.C_NUMBER_MODE]),s=ei([{begin:/"""/,end:/"""/},{begin:/'''/,end:/'''/},{begin:"\\$/",end:"/\\$",relevance:10},e.APOS_STRING_MODE,e.QUOTE_STRING_MODE],{className:"string"}),d={match:[/(class|interface|trait|enum|extends|implements)/,/\s+/,e.UNDERSCORE_IDENT_RE],scope:{1:"keyword",3:"title.class"}};return{name:"Groovy",keywords:{"variable.language":"this super",literal:"true false null",type:["byte","short","char","int","long","boolean","float","double","void"],keyword:["def","as","in","assert","trait","abstract","static","volatile","transient","public","private","protected","synchronized","final","class","interface","enum","if","else","for","while","switch","case","break","default","continue","throw","throws","try","catch","finally","implements","extends","new","import","package","return","instanceof"]},contains:[e.SHEBANG({binary:"groovy",relevance:10}),_,s,l,a,d,{className:"meta",begin:"@[A-Za-z]+",relevance:0},{className:"attr",begin:i+"[ ]*:",relevance:0},{begin:/\?/,end:/:/,relevance:0,contains:[_,s,l,a,"self"]},{className:"symbol",begin:"^[ ]*"+n.lookahead(i+":"),excludeBegin:!0,end:i+":",relevance:0}],illegal:/#|<\//}}zs.exports=kg});var Ks=O((Ph,$s)=>{function Ug(e){return{name:"HAML",case_insensitive:!0,contains:[{className:"meta",begin:"^!!!( (5|1\\.1|Strict|Frameset|Basic|Mobile|RDFa|XML\\b.*))?$",relevance:10},e.COMMENT("^\\s*(!=#|=#|-#|/).*$",null,{relevance:0}),{begin:"^\\s*(-|=|!=)(?!#)",end:/$/,subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0},{className:"tag",begin:"^\\s*%",contains:[{className:"selector-tag",begin:"\\w+"},{className:"selector-id",begin:"#[\\w-]+"},{className:"selector-class",begin:"\\.[\\w-]+"},{begin:/\{\s*/,end:/\s*\}/,contains:[{begin:":\\w+\\s*=>",end:",\\s+",returnBegin:!0,endsWithParent:!0,contains:[{className:"attr",begin:":\\w+"},e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,{begin:"\\w+",relevance:0}]}]},{begin:"\\(\\s*",end:"\\s*\\)",excludeEnd:!0,contains:[{begin:"\\w+\\s*=",end:"\\s+",returnBegin:!0,endsWithParent:!0,contains:[{className:"attr",begin:"\\w+",relevance:0},e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,{begin:"\\w+",relevance:0}]}]}]},{begin:"^\\s*[=~]\\s*"},{begin:/#\{/,end:/\}/,subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0}]}}$s.exports=Ug});var Xs=O((kh,Qs)=>{function Fg(e){let n=e.regex,i={$pattern:/[\w.\/]+/,built_in:["action","bindattr","collection","component","concat","debugger","each","each-in","get","hash","if","in","input","link-to","loc","log","lookup","mut","outlet","partial","query-params","render","template","textarea","unbound","unless","view","with","yield"]},_={$pattern:/[\w.\/]+/,literal:["true","false","undefined","null"]},l=/""|"[^"]+"/,a=/''|'[^']+'/,s=/\[\]|\[[^\]]+\]/,d=/[^\s!"#%&'()*+,.\/;<=>@\[\\\]^`{|}~]+/,u=/(\.|\/)/,E=n.either(l,a,s,d),f=n.concat(n.optional(/\.|\.\/|\//),E,n.anyNumberOfTimes(n.concat(u,E))),N=n.concat("(",s,"|",d,")(?==)"),S={begin:f},h=e.inherit(S,{keywords:_}),C={begin:/\(/,end:/\)/},I={className:"attr",begin:N,relevance:0,starts:{begin:/=/,end:/=/,starts:{contains:[e.NUMBER_MODE,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,h,C]}}},x={begin:/as\s+\|/,keywords:{keyword:"as"},end:/\|/,contains:[{begin:/\w+/}]},F={contains:[e.NUMBER_MODE,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,x,I,h,C],returnEnd:!0},q=e.inherit(S,{className:"name",keywords:i,starts:e.inherit(F,{end:/\)/})});C.contains=[q];let B=e.inherit(S,{keywords:i,className:"name",starts:e.inherit(F,{end:/\}\}/})}),Y=e.inherit(S,{keywords:i,className:"name"}),z=e.inherit(S,{className:"name",keywords:i,starts:e.inherit(F,{end:/\}\}/})});return{name:"Handlebars",aliases:["hbs","html.hbs","html.handlebars","htmlbars"],case_insensitive:!0,subLanguage:"xml",contains:[{begin:/\\\{\{/,skip:!0},{begin:/\\\\(?=\{\{)/,skip:!0},e.COMMENT(/\{\{!--/,/--\}\}/),e.COMMENT(/\{\{!/,/\}\}/),{className:"template-tag",begin:/\{\{\{\{(?!\/)/,end:/\}\}\}\}/,contains:[B],starts:{end:/\{\{\{\{\//,returnEnd:!0,subLanguage:"xml"}},{className:"template-tag",begin:/\{\{\{\{\//,end:/\}\}\}\}/,contains:[Y]},{className:"template-tag",begin:/\{\{#/,end:/\}\}/,contains:[B]},{className:"template-tag",begin:/\{\{(?=else\}\})/,end:/\}\}/,keywords:"else"},{className:"template-tag",begin:/\{\{(?=else if)/,end:/\}\}/,keywords:"else if"},{className:"template-tag",begin:/\{\{\//,end:/\}\}/,contains:[Y]},{className:"template-variable",begin:/\{\{\{/,end:/\}\}\}/,contains:[z]},{className:"template-variable",begin:/\{\{/,end:/\}\}/,contains:[z]}]}}Qs.exports=Fg});var Js=O((Uh,Zs)=>{function Bg(e){let n={variants:[e.COMMENT("--","$"),e.COMMENT(/\{-/,/-\}/,{contains:["self"]})]},i={className:"meta",begin:/\{-#/,end:/#-\}/},_={className:"meta",begin:"^#",end:"$"},l={className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},a={begin:"\\(",end:"\\)",illegal:'"',contains:[i,_,{className:"type",begin:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},e.inherit(e.TITLE_MODE,{begin:"[_a-z][\\w']*"}),n]},s={begin:/\{/,end:/\}/,contains:a.contains},d="([0-9]_*)+",u="([0-9a-fA-F]_*)+",E="([01]_*)+",f="([0-7]_*)+",N={className:"number",relevance:0,variants:[{match:`\\b(${d})(\\.(${d}))?([eE][+-]?(${d}))?\\b`},{match:`\\b0[xX]_*(${u})(\\.(${u}))?([pP][+-]?(${d}))?\\b`},{match:`\\b0[oO](${f})\\b`},{match:`\\b0[bB](${E})\\b`}]};return{name:"Haskell",aliases:["hs"],keywords:"let in if then else case of where do module import hiding qualified type data newtype deriving class instance as default infix infixl infixr foreign export ccall stdcall cplusplus jvm dotnet safe unsafe family forall mdo proc rec",contains:[{beginKeywords:"module",end:"where",keywords:"module where",contains:[a,n],illegal:"\\W\\.|;"},{begin:"\\bimport\\b",end:"$",keywords:"import qualified as hiding",contains:[a,n],illegal:"\\W\\.|;"},{className:"class",begin:"^(\\s*)?(class|instance)\\b",end:"where",keywords:"class family instance where",contains:[l,a,n]},{className:"class",begin:"\\b(data|(new)?type)\\b",end:"$",keywords:"data family type newtype deriving",contains:[i,l,a,s,n]},{beginKeywords:"default",end:"$",contains:[l,a,n]},{beginKeywords:"infix infixl infixr",end:"$",contains:[e.C_NUMBER_MODE,n]},{begin:"\\bforeign\\b",end:"$",keywords:"foreign import export ccall stdcall cplusplus jvm dotnet safe unsafe",contains:[l,e.QUOTE_STRING_MODE,n]},{className:"meta",begin:"#!\\/usr\\/bin\\/env runhaskell",end:"$"},i,_,{scope:"string",begin:/'(?=\\?.')/,end:/'/,contains:[{scope:"char.escape",match:/\\./}]},e.QUOTE_STRING_MODE,N,l,e.inherit(e.TITLE_MODE,{begin:"^[_a-z][\\w']*"}),n,{begin:"->|<-"}]}}Zs.exports=Bg});var el=O((Fh,js)=>{function Gg(e){return{name:"Haxe",aliases:["hx"],keywords:{keyword:"break case cast catch continue default do dynamic else enum extern for function here if import in inline never new override package private get set public return static super switch this throw trace try typedef untyped using var while "+"Int Float String Bool Dynamic Void Array ",built_in:"trace this",literal:"true false null _"},contains:[{className:"string",begin:"'",end:"'",contains:[e.BACKSLASH_ESCAPE,{className:"subst",begin:"\\$\\{",end:"\\}"},{className:"subst",begin:"\\$",end:/\W\}/}]},e.QUOTE_STRING_MODE,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.C_NUMBER_MODE,{className:"meta",begin:"@:",end:"$"},{className:"meta",begin:"#",end:"$",keywords:{keyword:"if else elseif end error"}},{className:"type",begin:":[ ]*",end:"[^A-Za-z0-9_ \\->]",excludeBegin:!0,excludeEnd:!0,relevance:0},{className:"type",begin:":[ ]*",end:"\\W",excludeBegin:!0,excludeEnd:!0},{className:"type",begin:"new *",end:"\\W",excludeBegin:!0,excludeEnd:!0},{className:"class",beginKeywords:"enum",end:"\\{",contains:[e.TITLE_MODE]},{className:"class",beginKeywords:"abstract",end:"[\\{$]",contains:[{className:"type",begin:"\\(",end:"\\)",excludeBegin:!0,excludeEnd:!0},{className:"type",begin:"from +",end:"\\W",excludeBegin:!0,excludeEnd:!0},{className:"type",begin:"to +",end:"\\W",excludeBegin:!0,excludeEnd:!0},e.TITLE_MODE],keywords:{keyword:"abstract from to"}},{className:"class",begin:"\\b(class|interface) +",end:"[\\{$]",excludeEnd:!0,keywords:"class interface",contains:[{className:"keyword",begin:"\\b(extends|implements) +",keywords:"extends implements",contains:[{className:"type",begin:e.IDENT_RE,relevance:0}]},e.TITLE_MODE]},{className:"function",beginKeywords:"function",end:"\\(",excludeEnd:!0,illegal:"\\S",contains:[e.TITLE_MODE]}],illegal:/<\//}}js.exports=Gg});var nl=O((Bh,tl)=>{function Yg(e){return{name:"HSP",case_insensitive:!0,keywords:{$pattern:/[\w._]+/,keyword:"goto gosub return break repeat loop continue wait await dim sdim foreach dimtype dup dupptr end stop newmod delmod mref run exgoto on mcall assert logmes newlab resume yield onexit onerror onkey onclick oncmd exist delete mkdir chdir dirlist bload bsave bcopy memfile if else poke wpoke lpoke getstr chdpm memexpand memcpy memset notesel noteadd notedel noteload notesave randomize noteunsel noteget split strrep setease button chgdisp exec dialog mmload mmplay mmstop mci pset pget syscolor mes print title pos circle cls font sysfont objsize picload color palcolor palette redraw width gsel gcopy gzoom gmode bmpsave hsvcolor getkey listbox chkbox combox input mesbox buffer screen bgscr mouse objsel groll line clrobj boxf objprm objmode stick grect grotate gsquare gradf objimage objskip objenable celload celdiv celput newcom querycom delcom cnvstow comres axobj winobj sendmsg comevent comevarg sarrayconv callfunc cnvwtos comevdisp libptr system hspstat hspver stat cnt err strsize looplev sublev iparam wparam lparam refstr refdval int rnd strlen length length2 length3 length4 vartype gettime peek wpeek lpeek varptr varuse noteinfo instr abs limit getease str strmid strf getpath strtrim sin cos tan atan sqrt double absf expf logf limitf powf geteasef mousex mousey mousew hwnd hinstance hdc ginfo objinfo dirinfo sysinfo thismod __hspver__ __hsp30__ __date__ __time__ __line__ __file__ _debug __hspdef__ and or xor not screen_normal screen_palette screen_hide screen_fixedsize screen_tool screen_frame gmode_gdi gmode_mem gmode_rgb0 gmode_alpha gmode_rgb0alpha gmode_add gmode_sub gmode_pixela ginfo_mx ginfo_my ginfo_act ginfo_sel ginfo_wx1 ginfo_wy1 ginfo_wx2 ginfo_wy2 ginfo_vx ginfo_vy ginfo_sizex ginfo_sizey ginfo_winx ginfo_winy ginfo_mesx ginfo_mesy ginfo_r ginfo_g ginfo_b ginfo_paluse ginfo_dispx ginfo_dispy ginfo_cx ginfo_cy ginfo_intid ginfo_newid ginfo_sx ginfo_sy objinfo_mode objinfo_bmscr objinfo_hwnd notemax notesize dir_cur dir_exe dir_win dir_sys dir_cmdline dir_desktop dir_mydoc dir_tv font_normal font_bold font_italic font_underline font_strikeout font_antialias objmode_normal objmode_guifont objmode_usefont gsquare_grad msgothic msmincho do until while wend for next _break _continue switch case default swbreak swend ddim ldim alloc m_pi rad2deg deg2rad ease_linear ease_quad_in ease_quad_out ease_quad_inout ease_cubic_in ease_cubic_out ease_cubic_inout ease_quartic_in ease_quartic_out ease_quartic_inout ease_bounce_in ease_bounce_out ease_bounce_inout ease_shake_in ease_shake_out ease_shake_inout ease_loop"},contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,{className:"string",begin:/\{"/,end:/"\}/,contains:[e.BACKSLASH_ESCAPE]},e.COMMENT(";","$",{relevance:0}),{className:"meta",begin:"#",end:"$",keywords:{keyword:"addion cfunc cmd cmpopt comfunc const defcfunc deffunc define else endif enum epack func global if ifdef ifndef include modcfunc modfunc modinit modterm module pack packopt regcmd runtime undef usecom uselib"},contains:[e.inherit(e.QUOTE_STRING_MODE,{className:"string"}),e.NUMBER_MODE,e.C_NUMBER_MODE,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]},{className:"symbol",begin:"^\\*(\\w+|@)"},e.NUMBER_MODE,e.C_NUMBER_MODE]}}tl.exports=Yg});var il=O((Gh,rl)=>{function Hg(e){let n=e.regex,i="HTTP/([32]|1\\.[01])",_=/[A-Za-z][A-Za-z0-9-]*/,l={className:"attribute",begin:n.concat("^",_,"(?=\\:\\s)"),starts:{contains:[{className:"punctuation",begin:/: /,relevance:0,starts:{end:"$",relevance:0}}]}},a=[l,{begin:"\\n\\n",starts:{subLanguage:[],endsWithParent:!0}}];return{name:"HTTP",aliases:["https"],illegal:/\S/,contains:[{begin:"^(?="+i+" \\d{3})",end:/$/,contains:[{className:"meta",begin:i},{className:"number",begin:"\\b\\d{3}\\b"}],starts:{end:/\b\B/,illegal:/\S/,contains:a}},{begin:"(?=^[A-Z]+ (.*?) "+i+"$)",end:/$/,contains:[{className:"string",begin:" ",end:" ",excludeBegin:!0,excludeEnd:!0},{className:"meta",begin:i},{className:"keyword",begin:"[A-Z]+"}],starts:{end:/\b\B/,illegal:/\S/,contains:a}},e.inherit(l,{relevance:0})]}}rl.exports=Hg});var ol=O((Yh,al)=>{function qg(e){let n="a-zA-Z_\\-!.?+*=<>&#'",i="["+n+"]["+n+"0-9/;:]*",_={$pattern:i,built_in:"!= % %= & &= * ** **= *= *map + += , --build-class-- --import-- -= . / // //= /= < << <<= <= = > >= >> >>= @ @= ^ ^= abs accumulate all and any ap-compose ap-dotimes ap-each ap-each-while ap-filter ap-first ap-if ap-last ap-map ap-map-when ap-pipe ap-reduce ap-reject apply as-> ascii assert assoc bin break butlast callable calling-module-name car case cdr chain chr coll? combinations compile compress cond cons cons? continue count curry cut cycle dec def default-method defclass defmacro defmacro-alias defmacro/g! defmain defmethod defmulti defn defn-alias defnc defnr defreader defseq del delattr delete-route dict-comp dir disassemble dispatch-reader-macro distinct divmod do doto drop drop-last drop-while empty? end-sequence eval eval-and-compile eval-when-compile even? every? except exec filter first flatten float? fn fnc fnr for for* format fraction genexpr gensym get getattr global globals group-by hasattr hash hex id identity if if* if-not if-python2 import in inc input instance? integer integer-char? integer? interleave interpose is is-coll is-cons is-empty is-even is-every is-float is-instance is-integer is-integer-char is-iterable is-iterator is-keyword is-neg is-none is-not is-numeric is-odd is-pos is-string is-symbol is-zero isinstance islice issubclass iter iterable? iterate iterator? keyword keyword? lambda last len let lif lif-not list* list-comp locals loop macro-error macroexpand macroexpand-1 macroexpand-all map max merge-with method-decorator min multi-decorator multicombinations name neg? next none? nonlocal not not-in not? nth numeric? oct odd? open or ord partition permutations pos? post-route postwalk pow prewalk print product profile/calls profile/cpu put-route quasiquote quote raise range read read-str recursive-replace reduce remove repeat repeatedly repr require rest round route route-with-methods rwm second seq set-comp setattr setv some sorted string string? sum switch symbol? take take-nth take-while tee try unless unquote unquote-splicing vars walk when while with with* with-decorator with-gensyms xi xor yield yield-from zero? zip zip-longest | |= ~"},l="[-+]?\\d+(\\.\\d+)?",a={begin:i,relevance:0},s={className:"number",begin:l,relevance:0},d=e.inherit(e.QUOTE_STRING_MODE,{illegal:null}),u=e.COMMENT(";","$",{relevance:0}),E={className:"literal",begin:/\b([Tt]rue|[Ff]alse|nil|None)\b/},f={begin:"[\\[\\{]",end:"[\\]\\}]",relevance:0},N={className:"comment",begin:"\\^"+i},S=e.COMMENT("\\^\\{","\\}"),h={className:"symbol",begin:"[:]{1,2}"+i},C={begin:"\\(",end:"\\)"},I={endsWithParent:!0,relevance:0},x={className:"name",relevance:0,keywords:_,begin:i,starts:I},F=[C,d,N,S,u,h,f,s,E,a];return C.contains=[e.COMMENT("comment",""),x,I],I.contains=F,f.contains=F,{name:"Hy",aliases:["hylang"],illegal:/\S/,contains:[e.SHEBANG(),C,d,N,S,u,h,f,s,E]}}al.exports=qg});var ll=O((Hh,sl)=>{function Vg(e){let n="\\[",i="\\]";return{name:"Inform 7",aliases:["i7"],case_insensitive:!0,keywords:{keyword:"thing room person man woman animal container supporter backdrop door scenery open closed locked inside gender is are say understand kind of rule"},contains:[{className:"string",begin:'"',end:'"',relevance:0,contains:[{className:"subst",begin:n,end:i}]},{className:"section",begin:/^(Volume|Book|Part|Chapter|Section|Table)\b/,end:"$"},{begin:/^(Check|Carry out|Report|Instead of|To|Rule|When|Before|After)\b/,end:":",contains:[{begin:"\\(This",end:"\\)"}]},{className:"comment",begin:n,end:i,contains:["self"]}]}}sl.exports=Vg});var dl=O((qh,cl)=>{function zg(e){let n=e.regex,i={className:"number",relevance:0,variants:[{begin:/([+-]+)?[\d]+_[\d_]+/},{begin:e.NUMBER_RE}]},_=e.COMMENT();_.variants=[{begin:/;/,end:/$/},{begin:/#/,end:/$/}];let l={className:"variable",variants:[{begin:/\$[\w\d"][\w\d_]*/},{begin:/\$\{(.*?)\}/}]},a={className:"literal",begin:/\bon|off|true|false|yes|no\b/},s={className:"string",contains:[e.BACKSLASH_ESCAPE],variants:[{begin:"'''",end:"'''",relevance:10},{begin:'"""',end:'"""',relevance:10},{begin:'"',end:'"'},{begin:"'",end:"'"}]},d={begin:/\[/,end:/\]/,contains:[_,a,l,s,i,"self"],relevance:0},u=/[A-Za-z0-9_-]+/,E=/"(\\"|[^"])*"/,f=/'[^']*'/,N=n.either(u,E,f),S=n.concat(N,"(\\s*\\.\\s*",N,")*",n.lookahead(/\s*=\s*[^#\s]/));return{name:"TOML, also INI",aliases:["toml"],case_insensitive:!0,illegal:/\S/,contains:[_,{className:"section",begin:/\[+/,end:/\]+/},{begin:S,className:"attr",starts:{end:/$/,contains:[_,d,a,l,s,i]}}]}}cl.exports=zg});var pl=O((Vh,_l)=>{function Wg(e){let n=e.regex,i={className:"params",begin:"\\(",end:"\\)"},_=/(_[a-z_\d]+)?/,l=/([de][+-]?\d+)?/,a={className:"number",variants:[{begin:n.concat(/\b\d+/,/\.(\d*)/,l,_)},{begin:n.concat(/\b\d+/,l,_)},{begin:n.concat(/\.\d+/,l,_)}],relevance:0};return{name:"IRPF90",case_insensitive:!0,keywords:{literal:".False. .True.",keyword:"kind do while private call intrinsic where elsewhere type endtype endmodule endselect endinterface end enddo endif if forall endforall only contains default return stop then public subroutine|10 function program .and. .or. .not. .le. .eq. .ge. .gt. .lt. goto save else use module select case access blank direct exist file fmt form formatted iostat name named nextrec number opened rec recl sequential status unformatted unit continue format pause cycle exit c_null_char c_alert c_backspace c_form_feed flush wait decimal round iomsg synchronous nopass non_overridable pass protected volatile abstract extends import non_intrinsic value deferred generic final enumerator class associate bind enum c_int c_short c_long c_long_long c_signed_char c_size_t c_int8_t c_int16_t c_int32_t c_int64_t c_int_least8_t c_int_least16_t c_int_least32_t c_int_least64_t c_int_fast8_t c_int_fast16_t c_int_fast32_t c_int_fast64_t c_intmax_t C_intptr_t c_float c_double c_long_double c_float_complex c_double_complex c_long_double_complex c_bool c_char c_null_ptr c_null_funptr c_new_line c_carriage_return c_horizontal_tab c_vertical_tab iso_c_binding c_loc c_funloc c_associated c_f_pointer c_ptr c_funptr iso_fortran_env character_storage_size error_unit file_storage_size input_unit iostat_end iostat_eor numeric_storage_size output_unit c_f_procpointer ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode newunit contiguous recursive pad position action delim readwrite eor advance nml interface procedure namelist include sequence elemental pure integer real character complex logical dimension allocatable|10 parameter external implicit|10 none double precision assign intent optional pointer target in out common equivalence data begin_provider &begin_provider end_provider begin_shell end_shell begin_template end_template subst assert touch soft_touch provide no_dep free irp_if irp_else irp_endif irp_write irp_read",built_in:"alog alog10 amax0 amax1 amin0 amin1 amod cabs ccos cexp clog csin csqrt dabs dacos dasin datan datan2 dcos dcosh ddim dexp dint dlog dlog10 dmax1 dmin1 dmod dnint dsign dsin dsinh dsqrt dtan dtanh float iabs idim idint idnint ifix isign max0 max1 min0 min1 sngl algama cdabs cdcos cdexp cdlog cdsin cdsqrt cqabs cqcos cqexp cqlog cqsin cqsqrt dcmplx dconjg derf derfc dfloat dgamma dimag dlgama iqint qabs qacos qasin qatan qatan2 qcmplx qconjg qcos qcosh qdim qerf qerfc qexp qgamma qimag qlgama qlog qlog10 qmax1 qmin1 qmod qnint qsign qsin qsinh qsqrt qtan qtanh abs acos aimag aint anint asin atan atan2 char cmplx conjg cos cosh exp ichar index int log log10 max min nint sign sin sinh sqrt tan tanh print write dim lge lgt lle llt mod nullify allocate deallocate adjustl adjustr all allocated any associated bit_size btest ceiling count cshift date_and_time digits dot_product eoshift epsilon exponent floor fraction huge iand ibclr ibits ibset ieor ior ishft ishftc lbound len_trim matmul maxexponent maxloc maxval merge minexponent minloc minval modulo mvbits nearest pack present product radix random_number random_seed range repeat reshape rrspacing scale scan selected_int_kind selected_real_kind set_exponent shape size spacing spread sum system_clock tiny transpose trim ubound unpack verify achar iachar transfer dble entry dprod cpu_time command_argument_count get_command get_command_argument get_environment_variable is_iostat_end ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode is_iostat_eor move_alloc new_line selected_char_kind same_type_as extends_type_of acosh asinh atanh bessel_j0 bessel_j1 bessel_jn bessel_y0 bessel_y1 bessel_yn erf erfc erfc_scaled gamma log_gamma hypot norm2 atomic_define atomic_ref execute_command_line leadz trailz storage_size merge_bits bge bgt ble blt dshiftl dshiftr findloc iall iany iparity image_index lcobound ucobound maskl maskr num_images parity popcnt poppar shifta shiftl shiftr this_image IRP_ALIGN irp_here"},illegal:/\/\*/,contains:[e.inherit(e.APOS_STRING_MODE,{className:"string",relevance:0}),e.inherit(e.QUOTE_STRING_MODE,{className:"string",relevance:0}),{className:"function",beginKeywords:"subroutine function program",illegal:"[${=\\n]",contains:[e.UNDERSCORE_TITLE_MODE,i]},e.COMMENT("!","$",{relevance:0}),e.COMMENT("begin_doc","end_doc",{relevance:10}),a]}}_l.exports=Wg});var ml=O((zh,ul)=>{function $g(e){let n="[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_!][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]*",i="[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]*",_="and \u0438 else \u0438\u043D\u0430\u0447\u0435 endexcept endfinally endforeach \u043A\u043E\u043D\u0435\u0446\u0432\u0441\u0435 endif \u043A\u043E\u043D\u0435\u0446\u0435\u0441\u043B\u0438 endwhile \u043A\u043E\u043D\u0435\u0446\u043F\u043E\u043A\u0430 except exitfor finally foreach \u0432\u0441\u0435 if \u0435\u0441\u043B\u0438 in \u0432 not \u043D\u0435 or \u0438\u043B\u0438 try while \u043F\u043E\u043A\u0430 ",l="SYSRES_CONST_ACCES_RIGHT_TYPE_EDIT SYSRES_CONST_ACCES_RIGHT_TYPE_FULL SYSRES_CONST_ACCES_RIGHT_TYPE_VIEW SYSRES_CONST_ACCESS_MODE_REQUISITE_CODE SYSRES_CONST_ACCESS_NO_ACCESS_VIEW SYSRES_CONST_ACCESS_NO_ACCESS_VIEW_CODE SYSRES_CONST_ACCESS_RIGHTS_ADD_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_ADD_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_CHANGE_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_CHANGE_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_DELETE_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_DELETE_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_EXECUTE_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_EXECUTE_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_NO_ACCESS_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_NO_ACCESS_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_RATIFY_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_RATIFY_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_VIEW SYSRES_CONST_ACCESS_RIGHTS_VIEW_CODE SYSRES_CONST_ACCESS_RIGHTS_VIEW_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_VIEW_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_TYPE_CHANGE SYSRES_CONST_ACCESS_TYPE_CHANGE_CODE SYSRES_CONST_ACCESS_TYPE_EXISTS SYSRES_CONST_ACCESS_TYPE_EXISTS_CODE SYSRES_CONST_ACCESS_TYPE_FULL SYSRES_CONST_ACCESS_TYPE_FULL_CODE SYSRES_CONST_ACCESS_TYPE_VIEW SYSRES_CONST_ACCESS_TYPE_VIEW_CODE SYSRES_CONST_ACTION_TYPE_ABORT SYSRES_CONST_ACTION_TYPE_ACCEPT SYSRES_CONST_ACTION_TYPE_ACCESS_RIGHTS SYSRES_CONST_ACTION_TYPE_ADD_ATTACHMENT SYSRES_CONST_ACTION_TYPE_CHANGE_CARD SYSRES_CONST_ACTION_TYPE_CHANGE_KIND SYSRES_CONST_ACTION_TYPE_CHANGE_STORAGE SYSRES_CONST_ACTION_TYPE_CONTINUE SYSRES_CONST_ACTION_TYPE_COPY SYSRES_CONST_ACTION_TYPE_CREATE SYSRES_CONST_ACTION_TYPE_CREATE_VERSION SYSRES_CONST_ACTION_TYPE_DELETE SYSRES_CONST_ACTION_TYPE_DELETE_ATTACHMENT SYSRES_CONST_ACTION_TYPE_DELETE_VERSION SYSRES_CONST_ACTION_TYPE_DISABLE_DELEGATE_ACCESS_RIGHTS SYSRES_CONST_ACTION_TYPE_ENABLE_DELEGATE_ACCESS_RIGHTS SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_CERTIFICATE SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_CERTIFICATE_AND_PASSWORD SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_PASSWORD SYSRES_CONST_ACTION_TYPE_EXPORT_WITH_LOCK SYSRES_CONST_ACTION_TYPE_EXPORT_WITHOUT_LOCK SYSRES_CONST_ACTION_TYPE_IMPORT_WITH_UNLOCK SYSRES_CONST_ACTION_TYPE_IMPORT_WITHOUT_UNLOCK SYSRES_CONST_ACTION_TYPE_LIFE_CYCLE_STAGE SYSRES_CONST_ACTION_TYPE_LOCK SYSRES_CONST_ACTION_TYPE_LOCK_FOR_SERVER SYSRES_CONST_ACTION_TYPE_LOCK_MODIFY SYSRES_CONST_ACTION_TYPE_MARK_AS_READED SYSRES_CONST_ACTION_TYPE_MARK_AS_UNREADED SYSRES_CONST_ACTION_TYPE_MODIFY SYSRES_CONST_ACTION_TYPE_MODIFY_CARD SYSRES_CONST_ACTION_TYPE_MOVE_TO_ARCHIVE SYSRES_CONST_ACTION_TYPE_OFF_ENCRYPTION SYSRES_CONST_ACTION_TYPE_PASSWORD_CHANGE SYSRES_CONST_ACTION_TYPE_PERFORM SYSRES_CONST_ACTION_TYPE_RECOVER_FROM_LOCAL_COPY SYSRES_CONST_ACTION_TYPE_RESTART SYSRES_CONST_ACTION_TYPE_RESTORE_FROM_ARCHIVE SYSRES_CONST_ACTION_TYPE_REVISION SYSRES_CONST_ACTION_TYPE_SEND_BY_MAIL SYSRES_CONST_ACTION_TYPE_SIGN SYSRES_CONST_ACTION_TYPE_START SYSRES_CONST_ACTION_TYPE_UNLOCK SYSRES_CONST_ACTION_TYPE_UNLOCK_FROM_SERVER SYSRES_CONST_ACTION_TYPE_VERSION_STATE SYSRES_CONST_ACTION_TYPE_VERSION_VISIBILITY SYSRES_CONST_ACTION_TYPE_VIEW SYSRES_CONST_ACTION_TYPE_VIEW_SHADOW_COPY SYSRES_CONST_ACTION_TYPE_WORKFLOW_DESCRIPTION_MODIFY SYSRES_CONST_ACTION_TYPE_WRITE_HISTORY SYSRES_CONST_ACTIVE_VERSION_STATE_PICK_VALUE SYSRES_CONST_ADD_REFERENCE_MODE_NAME SYSRES_CONST_ADDITION_REQUISITE_CODE SYSRES_CONST_ADDITIONAL_PARAMS_REQUISITE_CODE SYSRES_CONST_ADITIONAL_JOB_END_DATE_REQUISITE_NAME SYSRES_CONST_ADITIONAL_JOB_READ_REQUISITE_NAME SYSRES_CONST_ADITIONAL_JOB_START_DATE_REQUISITE_NAME SYSRES_CONST_ADITIONAL_JOB_STATE_REQUISITE_NAME SYSRES_CONST_ADMINISTRATION_HISTORY_ADDING_USER_TO_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_ADDING_USER_TO_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_COMP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_COMP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_USER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_USER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_CREATION SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_CREATION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_DELETION SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_DELETION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_COMP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_COMP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_FROM_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_FROM_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_RESTRICTION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_RESTRICTION_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_PRIVILEGE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_PRIVILEGE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_RIGHTS_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_RIGHTS_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_IS_MAIN_SERVER_CHANGED_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_IS_MAIN_SERVER_CHANGED_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_IS_PUBLIC_CHANGED_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_IS_PUBLIC_CHANGED_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_RESTRICTION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_RESTRICTION_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_PRIVILEGE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_PRIVILEGE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_RIGHTS_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_RIGHTS_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_CREATION SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_CREATION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_DELETION SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_DELETION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_CATEGORY_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_CATEGORY_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_COMP_TITLE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_COMP_TITLE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_FULL_NAME_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_FULL_NAME_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_PARENT_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_PARENT_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_AUTH_TYPE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_AUTH_TYPE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_LOGIN_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_LOGIN_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_STATUS_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_STATUS_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_USER_PASSWORD_CHANGE SYSRES_CONST_ADMINISTRATION_HISTORY_USER_PASSWORD_CHANGE_ACTION SYSRES_CONST_ALL_ACCEPT_CONDITION_RUS SYSRES_CONST_ALL_USERS_GROUP SYSRES_CONST_ALL_USERS_GROUP_NAME SYSRES_CONST_ALL_USERS_SERVER_GROUP_NAME SYSRES_CONST_ALLOWED_ACCESS_TYPE_CODE SYSRES_CONST_ALLOWED_ACCESS_TYPE_NAME SYSRES_CONST_APP_VIEWER_TYPE_REQUISITE_CODE SYSRES_CONST_APPROVING_SIGNATURE_NAME SYSRES_CONST_APPROVING_SIGNATURE_REQUISITE_CODE SYSRES_CONST_ASSISTANT_SUBSTITUE_TYPE SYSRES_CONST_ASSISTANT_SUBSTITUE_TYPE_CODE SYSRES_CONST_ATTACH_TYPE_COMPONENT_TOKEN SYSRES_CONST_ATTACH_TYPE_DOC SYSRES_CONST_ATTACH_TYPE_EDOC SYSRES_CONST_ATTACH_TYPE_FOLDER SYSRES_CONST_ATTACH_TYPE_JOB SYSRES_CONST_ATTACH_TYPE_REFERENCE SYSRES_CONST_ATTACH_TYPE_TASK SYSRES_CONST_AUTH_ENCODED_PASSWORD SYSRES_CONST_AUTH_ENCODED_PASSWORD_CODE SYSRES_CONST_AUTH_NOVELL SYSRES_CONST_AUTH_PASSWORD SYSRES_CONST_AUTH_PASSWORD_CODE SYSRES_CONST_AUTH_WINDOWS SYSRES_CONST_AUTHENTICATING_SIGNATURE_NAME SYSRES_CONST_AUTHENTICATING_SIGNATURE_REQUISITE_CODE SYSRES_CONST_AUTO_ENUM_METHOD_FLAG SYSRES_CONST_AUTO_NUMERATION_CODE SYSRES_CONST_AUTO_STRONG_ENUM_METHOD_FLAG SYSRES_CONST_AUTOTEXT_NAME_REQUISITE_CODE SYSRES_CONST_AUTOTEXT_TEXT_REQUISITE_CODE SYSRES_CONST_AUTOTEXT_USAGE_ALL SYSRES_CONST_AUTOTEXT_USAGE_ALL_CODE SYSRES_CONST_AUTOTEXT_USAGE_SIGN SYSRES_CONST_AUTOTEXT_USAGE_SIGN_CODE SYSRES_CONST_AUTOTEXT_USAGE_WORK SYSRES_CONST_AUTOTEXT_USAGE_WORK_CODE SYSRES_CONST_AUTOTEXT_USE_ANYWHERE_CODE SYSRES_CONST_AUTOTEXT_USE_ON_SIGNING_CODE SYSRES_CONST_AUTOTEXT_USE_ON_WORK_CODE SYSRES_CONST_BEGIN_DATE_REQUISITE_CODE SYSRES_CONST_BLACK_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_BLUE_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_BTN_PART SYSRES_CONST_CALCULATED_ROLE_TYPE_CODE SYSRES_CONST_CALL_TYPE_VARIABLE_BUTTON_VALUE SYSRES_CONST_CALL_TYPE_VARIABLE_PROGRAM_VALUE SYSRES_CONST_CANCEL_MESSAGE_FUNCTION_RESULT SYSRES_CONST_CARD_PART SYSRES_CONST_CARD_REFERENCE_MODE_NAME SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_ENCRYPT_VALUE SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_SIGN_AND_ENCRYPT_VALUE SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_SIGN_VALUE SYSRES_CONST_CHECK_PARAM_VALUE_DATE_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_FLOAT_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_INTEGER_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_PICK_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_REEFRENCE_PARAM_TYPE SYSRES_CONST_CLOSED_RECORD_FLAG_VALUE_FEMININE SYSRES_CONST_CLOSED_RECORD_FLAG_VALUE_MASCULINE SYSRES_CONST_CODE_COMPONENT_TYPE_ADMIN SYSRES_CONST_CODE_COMPONENT_TYPE_DEVELOPER SYSRES_CONST_CODE_COMPONENT_TYPE_DOCS SYSRES_CONST_CODE_COMPONENT_TYPE_EDOC_CARDS SYSRES_CONST_CODE_COMPONENT_TYPE_EXTERNAL_EXECUTABLE SYSRES_CONST_CODE_COMPONENT_TYPE_OTHER SYSRES_CONST_CODE_COMPONENT_TYPE_REFERENCE SYSRES_CONST_CODE_COMPONENT_TYPE_REPORT SYSRES_CONST_CODE_COMPONENT_TYPE_SCRIPT SYSRES_CONST_CODE_COMPONENT_TYPE_URL SYSRES_CONST_CODE_REQUISITE_ACCESS SYSRES_CONST_CODE_REQUISITE_CODE SYSRES_CONST_CODE_REQUISITE_COMPONENT SYSRES_CONST_CODE_REQUISITE_DESCRIPTION SYSRES_CONST_CODE_REQUISITE_EXCLUDE_COMPONENT SYSRES_CONST_CODE_REQUISITE_RECORD SYSRES_CONST_COMMENT_REQ_CODE SYSRES_CONST_COMMON_SETTINGS_REQUISITE_CODE SYSRES_CONST_COMP_CODE_GRD SYSRES_CONST_COMPONENT_GROUP_TYPE_REQUISITE_CODE SYSRES_CONST_COMPONENT_TYPE_ADMIN_COMPONENTS SYSRES_CONST_COMPONENT_TYPE_DEVELOPER_COMPONENTS SYSRES_CONST_COMPONENT_TYPE_DOCS SYSRES_CONST_COMPONENT_TYPE_EDOC_CARDS SYSRES_CONST_COMPONENT_TYPE_EDOCS SYSRES_CONST_COMPONENT_TYPE_EXTERNAL_EXECUTABLE SYSRES_CONST_COMPONENT_TYPE_OTHER SYSRES_CONST_COMPONENT_TYPE_REFERENCE_TYPES SYSRES_CONST_COMPONENT_TYPE_REFERENCES SYSRES_CONST_COMPONENT_TYPE_REPORTS SYSRES_CONST_COMPONENT_TYPE_SCRIPTS SYSRES_CONST_COMPONENT_TYPE_URL SYSRES_CONST_COMPONENTS_REMOTE_SERVERS_VIEW_CODE SYSRES_CONST_CONDITION_BLOCK_DESCRIPTION SYSRES_CONST_CONST_FIRM_STATUS_COMMON SYSRES_CONST_CONST_FIRM_STATUS_INDIVIDUAL SYSRES_CONST_CONST_NEGATIVE_VALUE SYSRES_CONST_CONST_POSITIVE_VALUE SYSRES_CONST_CONST_SERVER_STATUS_DONT_REPLICATE SYSRES_CONST_CONST_SERVER_STATUS_REPLICATE SYSRES_CONST_CONTENTS_REQUISITE_CODE SYSRES_CONST_DATA_TYPE_BOOLEAN SYSRES_CONST_DATA_TYPE_DATE SYSRES_CONST_DATA_TYPE_FLOAT SYSRES_CONST_DATA_TYPE_INTEGER SYSRES_CONST_DATA_TYPE_PICK SYSRES_CONST_DATA_TYPE_REFERENCE SYSRES_CONST_DATA_TYPE_STRING SYSRES_CONST_DATA_TYPE_TEXT SYSRES_CONST_DATA_TYPE_VARIANT SYSRES_CONST_DATE_CLOSE_REQ_CODE SYSRES_CONST_DATE_FORMAT_DATE_ONLY_CHAR SYSRES_CONST_DATE_OPEN_REQ_CODE SYSRES_CONST_DATE_REQUISITE SYSRES_CONST_DATE_REQUISITE_CODE SYSRES_CONST_DATE_REQUISITE_NAME SYSRES_CONST_DATE_REQUISITE_TYPE SYSRES_CONST_DATE_TYPE_CHAR SYSRES_CONST_DATETIME_FORMAT_VALUE SYSRES_CONST_DEA_ACCESS_RIGHTS_ACTION_CODE SYSRES_CONST_DESCRIPTION_LOCALIZE_ID_REQUISITE_CODE SYSRES_CONST_DESCRIPTION_REQUISITE_CODE SYSRES_CONST_DET1_PART SYSRES_CONST_DET2_PART SYSRES_CONST_DET3_PART SYSRES_CONST_DET4_PART SYSRES_CONST_DET5_PART SYSRES_CONST_DET6_PART SYSRES_CONST_DETAIL_DATASET_KEY_REQUISITE_CODE SYSRES_CONST_DETAIL_PICK_REQUISITE_CODE SYSRES_CONST_DETAIL_REQ_CODE SYSRES_CONST_DO_NOT_USE_ACCESS_TYPE_CODE SYSRES_CONST_DO_NOT_USE_ACCESS_TYPE_NAME SYSRES_CONST_DO_NOT_USE_ON_VIEW_ACCESS_TYPE_CODE SYSRES_CONST_DO_NOT_USE_ON_VIEW_ACCESS_TYPE_NAME SYSRES_CONST_DOCUMENT_STORAGES_CODE SYSRES_CONST_DOCUMENT_TEMPLATES_TYPE_NAME SYSRES_CONST_DOUBLE_REQUISITE_CODE SYSRES_CONST_EDITOR_CLOSE_FILE_OBSERV_TYPE_CODE SYSRES_CONST_EDITOR_CLOSE_PROCESS_OBSERV_TYPE_CODE SYSRES_CONST_EDITOR_TYPE_REQUISITE_CODE SYSRES_CONST_EDITORS_APPLICATION_NAME_REQUISITE_CODE SYSRES_CONST_EDITORS_CREATE_SEVERAL_PROCESSES_REQUISITE_CODE SYSRES_CONST_EDITORS_EXTENSION_REQUISITE_CODE SYSRES_CONST_EDITORS_OBSERVER_BY_PROCESS_TYPE SYSRES_CONST_EDITORS_REFERENCE_CODE SYSRES_CONST_EDITORS_REPLACE_SPEC_CHARS_REQUISITE_CODE SYSRES_CONST_EDITORS_USE_PLUGINS_REQUISITE_CODE SYSRES_CONST_EDITORS_VIEW_DOCUMENT_OPENED_TO_EDIT_CODE SYSRES_CONST_EDOC_CARD_TYPE_REQUISITE_CODE SYSRES_CONST_EDOC_CARD_TYPES_LINK_REQUISITE_CODE SYSRES_CONST_EDOC_CERTIFICATE_AND_PASSWORD_ENCODE_CODE SYSRES_CONST_EDOC_CERTIFICATE_ENCODE_CODE SYSRES_CONST_EDOC_DATE_REQUISITE_CODE SYSRES_CONST_EDOC_KIND_REFERENCE_CODE SYSRES_CONST_EDOC_KINDS_BY_TEMPLATE_ACTION_CODE SYSRES_CONST_EDOC_MANAGE_ACCESS_CODE SYSRES_CONST_EDOC_NONE_ENCODE_CODE SYSRES_CONST_EDOC_NUMBER_REQUISITE_CODE SYSRES_CONST_EDOC_PASSWORD_ENCODE_CODE SYSRES_CONST_EDOC_READONLY_ACCESS_CODE SYSRES_CONST_EDOC_SHELL_LIFE_TYPE_VIEW_VALUE SYSRES_CONST_EDOC_SIZE_RESTRICTION_PRIORITY_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_CHECK_ACCESS_RIGHTS_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_COMPUTER_NAME_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_DATABASE_NAME_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_EDIT_IN_STORAGE_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_LOCAL_PATH_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_SHARED_SOURCE_NAME_REQUISITE_CODE SYSRES_CONST_EDOC_TEMPLATE_REQUISITE_CODE SYSRES_CONST_EDOC_TYPES_REFERENCE_CODE SYSRES_CONST_EDOC_VERSION_ACTIVE_STAGE_CODE SYSRES_CONST_EDOC_VERSION_DESIGN_STAGE_CODE SYSRES_CONST_EDOC_VERSION_OBSOLETE_STAGE_CODE SYSRES_CONST_EDOC_WRITE_ACCES_CODE SYSRES_CONST_EDOCUMENT_CARD_REQUISITES_REFERENCE_CODE_SELECTED_REQUISITE SYSRES_CONST_ENCODE_CERTIFICATE_TYPE_CODE SYSRES_CONST_END_DATE_REQUISITE_CODE SYSRES_CONST_ENUMERATION_TYPE_REQUISITE_CODE SYSRES_CONST_EXECUTE_ACCESS_RIGHTS_TYPE_CODE SYSRES_CONST_EXECUTIVE_FILE_STORAGE_TYPE SYSRES_CONST_EXIST_CONST SYSRES_CONST_EXIST_VALUE SYSRES_CONST_EXPORT_LOCK_TYPE_ASK SYSRES_CONST_EXPORT_LOCK_TYPE_WITH_LOCK SYSRES_CONST_EXPORT_LOCK_TYPE_WITHOUT_LOCK SYSRES_CONST_EXPORT_VERSION_TYPE_ASK SYSRES_CONST_EXPORT_VERSION_TYPE_LAST SYSRES_CONST_EXPORT_VERSION_TYPE_LAST_ACTIVE SYSRES_CONST_EXTENSION_REQUISITE_CODE SYSRES_CONST_FILTER_NAME_REQUISITE_CODE SYSRES_CONST_FILTER_REQUISITE_CODE SYSRES_CONST_FILTER_TYPE_COMMON_CODE SYSRES_CONST_FILTER_TYPE_COMMON_NAME SYSRES_CONST_FILTER_TYPE_USER_CODE SYSRES_CONST_FILTER_TYPE_USER_NAME SYSRES_CONST_FILTER_VALUE_REQUISITE_NAME SYSRES_CONST_FLOAT_NUMBER_FORMAT_CHAR SYSRES_CONST_FLOAT_REQUISITE_TYPE SYSRES_CONST_FOLDER_AUTHOR_VALUE SYSRES_CONST_FOLDER_KIND_ANY_OBJECTS SYSRES_CONST_FOLDER_KIND_COMPONENTS SYSRES_CONST_FOLDER_KIND_EDOCS SYSRES_CONST_FOLDER_KIND_JOBS SYSRES_CONST_FOLDER_KIND_TASKS SYSRES_CONST_FOLDER_TYPE_COMMON SYSRES_CONST_FOLDER_TYPE_COMPONENT SYSRES_CONST_FOLDER_TYPE_FAVORITES SYSRES_CONST_FOLDER_TYPE_INBOX SYSRES_CONST_FOLDER_TYPE_OUTBOX SYSRES_CONST_FOLDER_TYPE_QUICK_LAUNCH SYSRES_CONST_FOLDER_TYPE_SEARCH SYSRES_CONST_FOLDER_TYPE_SHORTCUTS SYSRES_CONST_FOLDER_TYPE_USER SYSRES_CONST_FROM_DICTIONARY_ENUM_METHOD_FLAG SYSRES_CONST_FULL_SUBSTITUTE_TYPE SYSRES_CONST_FULL_SUBSTITUTE_TYPE_CODE SYSRES_CONST_FUNCTION_CANCEL_RESULT SYSRES_CONST_FUNCTION_CATEGORY_SYSTEM SYSRES_CONST_FUNCTION_CATEGORY_USER SYSRES_CONST_FUNCTION_FAILURE_RESULT SYSRES_CONST_FUNCTION_SAVE_RESULT SYSRES_CONST_GENERATED_REQUISITE SYSRES_CONST_GREEN_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_GROUP_ACCOUNT_TYPE_VALUE_CODE SYSRES_CONST_GROUP_CATEGORY_NORMAL_CODE SYSRES_CONST_GROUP_CATEGORY_NORMAL_NAME SYSRES_CONST_GROUP_CATEGORY_SERVICE_CODE SYSRES_CONST_GROUP_CATEGORY_SERVICE_NAME SYSRES_CONST_GROUP_COMMON_CATEGORY_FIELD_VALUE SYSRES_CONST_GROUP_FULL_NAME_REQUISITE_CODE SYSRES_CONST_GROUP_NAME_REQUISITE_CODE SYSRES_CONST_GROUP_RIGHTS_T_REQUISITE_CODE SYSRES_CONST_GROUP_SERVER_CODES_REQUISITE_CODE SYSRES_CONST_GROUP_SERVER_NAME_REQUISITE_CODE SYSRES_CONST_GROUP_SERVICE_CATEGORY_FIELD_VALUE SYSRES_CONST_GROUP_USER_REQUISITE_CODE SYSRES_CONST_GROUPS_REFERENCE_CODE SYSRES_CONST_GROUPS_REQUISITE_CODE SYSRES_CONST_HIDDEN_MODE_NAME SYSRES_CONST_HIGH_LVL_REQUISITE_CODE SYSRES_CONST_HISTORY_ACTION_CREATE_CODE SYSRES_CONST_HISTORY_ACTION_DELETE_CODE SYSRES_CONST_HISTORY_ACTION_EDIT_CODE SYSRES_CONST_HOUR_CHAR SYSRES_CONST_ID_REQUISITE_CODE SYSRES_CONST_IDSPS_REQUISITE_CODE SYSRES_CONST_IMAGE_MODE_COLOR SYSRES_CONST_IMAGE_MODE_GREYSCALE SYSRES_CONST_IMAGE_MODE_MONOCHROME SYSRES_CONST_IMPORTANCE_HIGH SYSRES_CONST_IMPORTANCE_LOW SYSRES_CONST_IMPORTANCE_NORMAL SYSRES_CONST_IN_DESIGN_VERSION_STATE_PICK_VALUE SYSRES_CONST_INCOMING_WORK_RULE_TYPE_CODE SYSRES_CONST_INT_REQUISITE SYSRES_CONST_INT_REQUISITE_TYPE SYSRES_CONST_INTEGER_NUMBER_FORMAT_CHAR SYSRES_CONST_INTEGER_TYPE_CHAR SYSRES_CONST_IS_GENERATED_REQUISITE_NEGATIVE_VALUE SYSRES_CONST_IS_PUBLIC_ROLE_REQUISITE_CODE SYSRES_CONST_IS_REMOTE_USER_NEGATIVE_VALUE SYSRES_CONST_IS_REMOTE_USER_POSITIVE_VALUE SYSRES_CONST_IS_STORED_REQUISITE_NEGATIVE_VALUE SYSRES_CONST_IS_STORED_REQUISITE_STORED_VALUE SYSRES_CONST_ITALIC_LIFE_CYCLE_STAGE_DRAW_STYLE SYSRES_CONST_JOB_BLOCK_DESCRIPTION SYSRES_CONST_JOB_KIND_CONTROL_JOB SYSRES_CONST_JOB_KIND_JOB SYSRES_CONST_JOB_KIND_NOTICE SYSRES_CONST_JOB_STATE_ABORTED SYSRES_CONST_JOB_STATE_COMPLETE SYSRES_CONST_JOB_STATE_WORKING SYSRES_CONST_KIND_REQUISITE_CODE SYSRES_CONST_KIND_REQUISITE_NAME SYSRES_CONST_KINDS_CREATE_SHADOW_COPIES_REQUISITE_CODE SYSRES_CONST_KINDS_DEFAULT_EDOC_LIFE_STAGE_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_ALL_TEPLATES_ALLOWED_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_ALLOW_LIFE_CYCLE_STAGE_CHANGING_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_ALLOW_MULTIPLE_ACTIVE_VERSIONS_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_SHARE_ACCES_RIGHTS_BY_DEFAULT_CODE SYSRES_CONST_KINDS_EDOC_TEMPLATE_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_TYPE_REQUISITE_CODE SYSRES_CONST_KINDS_SIGNERS_REQUISITES_CODE SYSRES_CONST_KOD_INPUT_TYPE SYSRES_CONST_LAST_UPDATE_DATE_REQUISITE_CODE SYSRES_CONST_LIFE_CYCLE_START_STAGE_REQUISITE_CODE SYSRES_CONST_LILAC_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_LINK_OBJECT_KIND_COMPONENT SYSRES_CONST_LINK_OBJECT_KIND_DOCUMENT SYSRES_CONST_LINK_OBJECT_KIND_EDOC SYSRES_CONST_LINK_OBJECT_KIND_FOLDER SYSRES_CONST_LINK_OBJECT_KIND_JOB SYSRES_CONST_LINK_OBJECT_KIND_REFERENCE SYSRES_CONST_LINK_OBJECT_KIND_TASK SYSRES_CONST_LINK_REF_TYPE_REQUISITE_CODE SYSRES_CONST_LIST_REFERENCE_MODE_NAME SYSRES_CONST_LOCALIZATION_DICTIONARY_MAIN_VIEW_CODE SYSRES_CONST_MAIN_VIEW_CODE SYSRES_CONST_MANUAL_ENUM_METHOD_FLAG SYSRES_CONST_MASTER_COMP_TYPE_REQUISITE_CODE SYSRES_CONST_MASTER_TABLE_REC_ID_REQUISITE_CODE SYSRES_CONST_MAXIMIZED_MODE_NAME SYSRES_CONST_ME_VALUE SYSRES_CONST_MESSAGE_ATTENTION_CAPTION SYSRES_CONST_MESSAGE_CONFIRMATION_CAPTION SYSRES_CONST_MESSAGE_ERROR_CAPTION SYSRES_CONST_MESSAGE_INFORMATION_CAPTION SYSRES_CONST_MINIMIZED_MODE_NAME SYSRES_CONST_MINUTE_CHAR SYSRES_CONST_MODULE_REQUISITE_CODE SYSRES_CONST_MONITORING_BLOCK_DESCRIPTION SYSRES_CONST_MONTH_FORMAT_VALUE SYSRES_CONST_NAME_LOCALIZE_ID_REQUISITE_CODE SYSRES_CONST_NAME_REQUISITE_CODE SYSRES_CONST_NAME_SINGULAR_REQUISITE_CODE SYSRES_CONST_NAMEAN_INPUT_TYPE SYSRES_CONST_NEGATIVE_PICK_VALUE SYSRES_CONST_NEGATIVE_VALUE SYSRES_CONST_NO SYSRES_CONST_NO_PICK_VALUE SYSRES_CONST_NO_SIGNATURE_REQUISITE_CODE SYSRES_CONST_NO_VALUE SYSRES_CONST_NONE_ACCESS_RIGHTS_TYPE_CODE SYSRES_CONST_NONOPERATING_RECORD_FLAG_VALUE SYSRES_CONST_NONOPERATING_RECORD_FLAG_VALUE_MASCULINE SYSRES_CONST_NORMAL_ACCESS_RIGHTS_TYPE_CODE SYSRES_CONST_NORMAL_LIFE_CYCLE_STAGE_DRAW_STYLE SYSRES_CONST_NORMAL_MODE_NAME SYSRES_CONST_NOT_ALLOWED_ACCESS_TYPE_CODE SYSRES_CONST_NOT_ALLOWED_ACCESS_TYPE_NAME SYSRES_CONST_NOTE_REQUISITE_CODE SYSRES_CONST_NOTICE_BLOCK_DESCRIPTION SYSRES_CONST_NUM_REQUISITE SYSRES_CONST_NUM_STR_REQUISITE_CODE SYSRES_CONST_NUMERATION_AUTO_NOT_STRONG SYSRES_CONST_NUMERATION_AUTO_STRONG SYSRES_CONST_NUMERATION_FROM_DICTONARY SYSRES_CONST_NUMERATION_MANUAL SYSRES_CONST_NUMERIC_TYPE_CHAR SYSRES_CONST_NUMREQ_REQUISITE_CODE SYSRES_CONST_OBSOLETE_VERSION_STATE_PICK_VALUE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_CODE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_FEMININE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_MASCULINE SYSRES_CONST_OPTIONAL_FORM_COMP_REQCODE_PREFIX SYSRES_CONST_ORANGE_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_ORIGINALREF_REQUISITE_CODE SYSRES_CONST_OURFIRM_REF_CODE SYSRES_CONST_OURFIRM_REQUISITE_CODE SYSRES_CONST_OURFIRM_VAR SYSRES_CONST_OUTGOING_WORK_RULE_TYPE_CODE SYSRES_CONST_PICK_NEGATIVE_RESULT SYSRES_CONST_PICK_POSITIVE_RESULT SYSRES_CONST_PICK_REQUISITE SYSRES_CONST_PICK_REQUISITE_TYPE SYSRES_CONST_PICK_TYPE_CHAR SYSRES_CONST_PLAN_STATUS_REQUISITE_CODE SYSRES_CONST_PLATFORM_VERSION_COMMENT SYSRES_CONST_PLUGINS_SETTINGS_DESCRIPTION_REQUISITE_CODE SYSRES_CONST_POSITIVE_PICK_VALUE SYSRES_CONST_POWER_TO_CREATE_ACTION_CODE SYSRES_CONST_POWER_TO_SIGN_ACTION_CODE SYSRES_CONST_PRIORITY_REQUISITE_CODE SYSRES_CONST_QUALIFIED_TASK_TYPE SYSRES_CONST_QUALIFIED_TASK_TYPE_CODE SYSRES_CONST_RECSTAT_REQUISITE_CODE SYSRES_CONST_RED_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_REF_ID_T_REF_TYPE_REQUISITE_CODE SYSRES_CONST_REF_REQUISITE SYSRES_CONST_REF_REQUISITE_TYPE SYSRES_CONST_REF_REQUISITES_REFERENCE_CODE_SELECTED_REQUISITE SYSRES_CONST_REFERENCE_RECORD_HISTORY_CREATE_ACTION_CODE SYSRES_CONST_REFERENCE_RECORD_HISTORY_DELETE_ACTION_CODE SYSRES_CONST_REFERENCE_RECORD_HISTORY_MODIFY_ACTION_CODE SYSRES_CONST_REFERENCE_TYPE_CHAR SYSRES_CONST_REFERENCE_TYPE_REQUISITE_NAME SYSRES_CONST_REFERENCES_ADD_PARAMS_REQUISITE_CODE SYSRES_CONST_REFERENCES_DISPLAY_REQUISITE_REQUISITE_CODE SYSRES_CONST_REMOTE_SERVER_STATUS_WORKING SYSRES_CONST_REMOTE_SERVER_TYPE_MAIN SYSRES_CONST_REMOTE_SERVER_TYPE_SECONDARY SYSRES_CONST_REMOTE_USER_FLAG_VALUE_CODE SYSRES_CONST_REPORT_APP_EDITOR_INTERNAL SYSRES_CONST_REPORT_BASE_REPORT_ID_REQUISITE_CODE SYSRES_CONST_REPORT_BASE_REPORT_REQUISITE_CODE SYSRES_CONST_REPORT_SCRIPT_REQUISITE_CODE SYSRES_CONST_REPORT_TEMPLATE_REQUISITE_CODE SYSRES_CONST_REPORT_VIEWER_CODE_REQUISITE_CODE SYSRES_CONST_REQ_ALLOW_COMPONENT_DEFAULT_VALUE SYSRES_CONST_REQ_ALLOW_RECORD_DEFAULT_VALUE SYSRES_CONST_REQ_ALLOW_SERVER_COMPONENT_DEFAULT_VALUE SYSRES_CONST_REQ_MODE_AVAILABLE_CODE SYSRES_CONST_REQ_MODE_EDIT_CODE SYSRES_CONST_REQ_MODE_HIDDEN_CODE SYSRES_CONST_REQ_MODE_NOT_AVAILABLE_CODE SYSRES_CONST_REQ_MODE_VIEW_CODE SYSRES_CONST_REQ_NUMBER_REQUISITE_CODE SYSRES_CONST_REQ_SECTION_VALUE SYSRES_CONST_REQ_TYPE_VALUE SYSRES_CONST_REQUISITE_FORMAT_BY_UNIT SYSRES_CONST_REQUISITE_FORMAT_DATE_FULL SYSRES_CONST_REQUISITE_FORMAT_DATE_TIME SYSRES_CONST_REQUISITE_FORMAT_LEFT SYSRES_CONST_REQUISITE_FORMAT_RIGHT SYSRES_CONST_REQUISITE_FORMAT_WITHOUT_UNIT SYSRES_CONST_REQUISITE_NUMBER_REQUISITE_CODE SYSRES_CONST_REQUISITE_SECTION_ACTIONS SYSRES_CONST_REQUISITE_SECTION_BUTTON SYSRES_CONST_REQUISITE_SECTION_BUTTONS SYSRES_CONST_REQUISITE_SECTION_CARD SYSRES_CONST_REQUISITE_SECTION_TABLE SYSRES_CONST_REQUISITE_SECTION_TABLE10 SYSRES_CONST_REQUISITE_SECTION_TABLE11 SYSRES_CONST_REQUISITE_SECTION_TABLE12 SYSRES_CONST_REQUISITE_SECTION_TABLE13 SYSRES_CONST_REQUISITE_SECTION_TABLE14 SYSRES_CONST_REQUISITE_SECTION_TABLE15 SYSRES_CONST_REQUISITE_SECTION_TABLE16 SYSRES_CONST_REQUISITE_SECTION_TABLE17 SYSRES_CONST_REQUISITE_SECTION_TABLE18 SYSRES_CONST_REQUISITE_SECTION_TABLE19 SYSRES_CONST_REQUISITE_SECTION_TABLE2 SYSRES_CONST_REQUISITE_SECTION_TABLE20 SYSRES_CONST_REQUISITE_SECTION_TABLE21 SYSRES_CONST_REQUISITE_SECTION_TABLE22 SYSRES_CONST_REQUISITE_SECTION_TABLE23 SYSRES_CONST_REQUISITE_SECTION_TABLE24 SYSRES_CONST_REQUISITE_SECTION_TABLE3 SYSRES_CONST_REQUISITE_SECTION_TABLE4 SYSRES_CONST_REQUISITE_SECTION_TABLE5 SYSRES_CONST_REQUISITE_SECTION_TABLE6 SYSRES_CONST_REQUISITE_SECTION_TABLE7 SYSRES_CONST_REQUISITE_SECTION_TABLE8 SYSRES_CONST_REQUISITE_SECTION_TABLE9 SYSRES_CONST_REQUISITES_PSEUDOREFERENCE_REQUISITE_NUMBER_REQUISITE_CODE SYSRES_CONST_RIGHT_ALIGNMENT_CODE SYSRES_CONST_ROLES_REFERENCE_CODE SYSRES_CONST_ROUTE_STEP_AFTER_RUS SYSRES_CONST_ROUTE_STEP_AND_CONDITION_RUS SYSRES_CONST_ROUTE_STEP_OR_CONDITION_RUS SYSRES_CONST_ROUTE_TYPE_COMPLEX SYSRES_CONST_ROUTE_TYPE_PARALLEL SYSRES_CONST_ROUTE_TYPE_SERIAL SYSRES_CONST_SBDATASETDESC_NEGATIVE_VALUE SYSRES_CONST_SBDATASETDESC_POSITIVE_VALUE SYSRES_CONST_SBVIEWSDESC_POSITIVE_VALUE SYSRES_CONST_SCRIPT_BLOCK_DESCRIPTION SYSRES_CONST_SEARCH_BY_TEXT_REQUISITE_CODE SYSRES_CONST_SEARCHES_COMPONENT_CONTENT SYSRES_CONST_SEARCHES_CRITERIA_ACTION_NAME SYSRES_CONST_SEARCHES_EDOC_CONTENT SYSRES_CONST_SEARCHES_FOLDER_CONTENT SYSRES_CONST_SEARCHES_JOB_CONTENT SYSRES_CONST_SEARCHES_REFERENCE_CODE SYSRES_CONST_SEARCHES_TASK_CONTENT SYSRES_CONST_SECOND_CHAR SYSRES_CONST_SECTION_REQUISITE_ACTIONS_VALUE SYSRES_CONST_SECTION_REQUISITE_CARD_VALUE SYSRES_CONST_SECTION_REQUISITE_CODE SYSRES_CONST_SECTION_REQUISITE_DETAIL_1_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_2_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_3_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_4_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_5_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_6_VALUE SYSRES_CONST_SELECT_REFERENCE_MODE_NAME SYSRES_CONST_SELECT_TYPE_SELECTABLE SYSRES_CONST_SELECT_TYPE_SELECTABLE_ONLY_CHILD SYSRES_CONST_SELECT_TYPE_SELECTABLE_WITH_CHILD SYSRES_CONST_SELECT_TYPE_UNSLECTABLE SYSRES_CONST_SERVER_TYPE_MAIN SYSRES_CONST_SERVICE_USER_CATEGORY_FIELD_VALUE SYSRES_CONST_SETTINGS_USER_REQUISITE_CODE SYSRES_CONST_SIGNATURE_AND_ENCODE_CERTIFICATE_TYPE_CODE SYSRES_CONST_SIGNATURE_CERTIFICATE_TYPE_CODE SYSRES_CONST_SINGULAR_TITLE_REQUISITE_CODE SYSRES_CONST_SQL_SERVER_AUTHENTIFICATION_FLAG_VALUE_CODE SYSRES_CONST_SQL_SERVER_ENCODE_AUTHENTIFICATION_FLAG_VALUE_CODE SYSRES_CONST_STANDART_ROUTE_REFERENCE_CODE SYSRES_CONST_STANDART_ROUTE_REFERENCE_COMMENT_REQUISITE_CODE SYSRES_CONST_STANDART_ROUTES_GROUPS_REFERENCE_CODE SYSRES_CONST_STATE_REQ_NAME SYSRES_CONST_STATE_REQUISITE_ACTIVE_VALUE SYSRES_CONST_STATE_REQUISITE_CLOSED_VALUE SYSRES_CONST_STATE_REQUISITE_CODE SYSRES_CONST_STATIC_ROLE_TYPE_CODE SYSRES_CONST_STATUS_PLAN_DEFAULT_VALUE SYSRES_CONST_STATUS_VALUE_AUTOCLEANING SYSRES_CONST_STATUS_VALUE_BLUE_SQUARE SYSRES_CONST_STATUS_VALUE_COMPLETE SYSRES_CONST_STATUS_VALUE_GREEN_SQUARE SYSRES_CONST_STATUS_VALUE_ORANGE_SQUARE SYSRES_CONST_STATUS_VALUE_PURPLE_SQUARE SYSRES_CONST_STATUS_VALUE_RED_SQUARE SYSRES_CONST_STATUS_VALUE_SUSPEND SYSRES_CONST_STATUS_VALUE_YELLOW_SQUARE SYSRES_CONST_STDROUTE_SHOW_TO_USERS_REQUISITE_CODE SYSRES_CONST_STORAGE_TYPE_FILE SYSRES_CONST_STORAGE_TYPE_SQL_SERVER SYSRES_CONST_STR_REQUISITE SYSRES_CONST_STRIKEOUT_LIFE_CYCLE_STAGE_DRAW_STYLE SYSRES_CONST_STRING_FORMAT_LEFT_ALIGN_CHAR SYSRES_CONST_STRING_FORMAT_RIGHT_ALIGN_CHAR SYSRES_CONST_STRING_REQUISITE_CODE SYSRES_CONST_STRING_REQUISITE_TYPE SYSRES_CONST_STRING_TYPE_CHAR SYSRES_CONST_SUBSTITUTES_PSEUDOREFERENCE_CODE SYSRES_CONST_SUBTASK_BLOCK_DESCRIPTION SYSRES_CONST_SYSTEM_SETTING_CURRENT_USER_PARAM_VALUE SYSRES_CONST_SYSTEM_SETTING_EMPTY_VALUE_PARAM_VALUE SYSRES_CONST_SYSTEM_VERSION_COMMENT SYSRES_CONST_TASK_ACCESS_TYPE_ALL SYSRES_CONST_TASK_ACCESS_TYPE_ALL_MEMBERS SYSRES_CONST_TASK_ACCESS_TYPE_MANUAL SYSRES_CONST_TASK_ENCODE_TYPE_CERTIFICATION SYSRES_CONST_TASK_ENCODE_TYPE_CERTIFICATION_AND_PASSWORD SYSRES_CONST_TASK_ENCODE_TYPE_NONE SYSRES_CONST_TASK_ENCODE_TYPE_PASSWORD SYSRES_CONST_TASK_ROUTE_ALL_CONDITION SYSRES_CONST_TASK_ROUTE_AND_CONDITION SYSRES_CONST_TASK_ROUTE_OR_CONDITION SYSRES_CONST_TASK_STATE_ABORTED SYSRES_CONST_TASK_STATE_COMPLETE SYSRES_CONST_TASK_STATE_CONTINUED SYSRES_CONST_TASK_STATE_CONTROL SYSRES_CONST_TASK_STATE_INIT SYSRES_CONST_TASK_STATE_WORKING SYSRES_CONST_TASK_TITLE SYSRES_CONST_TASK_TYPES_GROUPS_REFERENCE_CODE SYSRES_CONST_TASK_TYPES_REFERENCE_CODE SYSRES_CONST_TEMPLATES_REFERENCE_CODE SYSRES_CONST_TEST_DATE_REQUISITE_NAME SYSRES_CONST_TEST_DEV_DATABASE_NAME SYSRES_CONST_TEST_DEV_SYSTEM_CODE SYSRES_CONST_TEST_EDMS_DATABASE_NAME SYSRES_CONST_TEST_EDMS_MAIN_CODE SYSRES_CONST_TEST_EDMS_MAIN_DB_NAME SYSRES_CONST_TEST_EDMS_SECOND_CODE SYSRES_CONST_TEST_EDMS_SECOND_DB_NAME SYSRES_CONST_TEST_EDMS_SYSTEM_CODE SYSRES_CONST_TEST_NUMERIC_REQUISITE_NAME SYSRES_CONST_TEXT_REQUISITE SYSRES_CONST_TEXT_REQUISITE_CODE SYSRES_CONST_TEXT_REQUISITE_TYPE SYSRES_CONST_TEXT_TYPE_CHAR SYSRES_CONST_TYPE_CODE_REQUISITE_CODE SYSRES_CONST_TYPE_REQUISITE_CODE SYSRES_CONST_UNDEFINED_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_UNITS_SECTION_ID_REQUISITE_CODE SYSRES_CONST_UNITS_SECTION_REQUISITE_CODE SYSRES_CONST_UNOPERATING_RECORD_FLAG_VALUE_CODE SYSRES_CONST_UNSTORED_DATA_REQUISITE_CODE SYSRES_CONST_UNSTORED_DATA_REQUISITE_NAME SYSRES_CONST_USE_ACCESS_TYPE_CODE SYSRES_CONST_USE_ACCESS_TYPE_NAME SYSRES_CONST_USER_ACCOUNT_TYPE_VALUE_CODE SYSRES_CONST_USER_ADDITIONAL_INFORMATION_REQUISITE_CODE SYSRES_CONST_USER_AND_GROUP_ID_FROM_PSEUDOREFERENCE_REQUISITE_CODE SYSRES_CONST_USER_CATEGORY_NORMAL SYSRES_CONST_USER_CERTIFICATE_REQUISITE_CODE SYSRES_CONST_USER_CERTIFICATE_STATE_REQUISITE_CODE SYSRES_CONST_USER_CERTIFICATE_SUBJECT_NAME_REQUISITE_CODE SYSRES_CONST_USER_CERTIFICATE_THUMBPRINT_REQUISITE_CODE SYSRES_CONST_USER_COMMON_CATEGORY SYSRES_CONST_USER_COMMON_CATEGORY_CODE SYSRES_CONST_USER_FULL_NAME_REQUISITE_CODE SYSRES_CONST_USER_GROUP_TYPE_REQUISITE_CODE SYSRES_CONST_USER_LOGIN_REQUISITE_CODE SYSRES_CONST_USER_REMOTE_CONTROLLER_REQUISITE_CODE SYSRES_CONST_USER_REMOTE_SYSTEM_REQUISITE_CODE SYSRES_CONST_USER_RIGHTS_T_REQUISITE_CODE SYSRES_CONST_USER_SERVER_NAME_REQUISITE_CODE SYSRES_CONST_USER_SERVICE_CATEGORY SYSRES_CONST_USER_SERVICE_CATEGORY_CODE SYSRES_CONST_USER_STATUS_ADMINISTRATOR_CODE SYSRES_CONST_USER_STATUS_ADMINISTRATOR_NAME SYSRES_CONST_USER_STATUS_DEVELOPER_CODE SYSRES_CONST_USER_STATUS_DEVELOPER_NAME SYSRES_CONST_USER_STATUS_DISABLED_CODE SYSRES_CONST_USER_STATUS_DISABLED_NAME SYSRES_CONST_USER_STATUS_SYSTEM_DEVELOPER_CODE SYSRES_CONST_USER_STATUS_USER_CODE SYSRES_CONST_USER_STATUS_USER_NAME SYSRES_CONST_USER_STATUS_USER_NAME_DEPRECATED SYSRES_CONST_USER_TYPE_FIELD_VALUE_USER SYSRES_CONST_USER_TYPE_REQUISITE_CODE SYSRES_CONST_USERS_CONTROLLER_REQUISITE_CODE SYSRES_CONST_USERS_IS_MAIN_SERVER_REQUISITE_CODE SYSRES_CONST_USERS_REFERENCE_CODE SYSRES_CONST_USERS_REGISTRATION_CERTIFICATES_ACTION_NAME SYSRES_CONST_USERS_REQUISITE_CODE SYSRES_CONST_USERS_SYSTEM_REQUISITE_CODE SYSRES_CONST_USERS_USER_ACCESS_RIGHTS_TYPR_REQUISITE_CODE SYSRES_CONST_USERS_USER_AUTHENTICATION_REQUISITE_CODE SYSRES_CONST_USERS_USER_COMPONENT_REQUISITE_CODE SYSRES_CONST_USERS_USER_GROUP_REQUISITE_CODE SYSRES_CONST_USERS_VIEW_CERTIFICATES_ACTION_NAME SYSRES_CONST_VIEW_DEFAULT_CODE SYSRES_CONST_VIEW_DEFAULT_NAME SYSRES_CONST_VIEWER_REQUISITE_CODE SYSRES_CONST_WAITING_BLOCK_DESCRIPTION SYSRES_CONST_WIZARD_FORM_LABEL_TEST_STRING SYSRES_CONST_WIZARD_QUERY_PARAM_HEIGHT_ETALON_STRING SYSRES_CONST_WIZARD_REFERENCE_COMMENT_REQUISITE_CODE SYSRES_CONST_WORK_RULES_DESCRIPTION_REQUISITE_CODE SYSRES_CONST_WORK_TIME_CALENDAR_REFERENCE_CODE SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE_CODE SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE_CODE_RUS SYSRES_CONST_WORK_WORKFLOW_SOFT_ROUTE_TYPE_VALUE_CODE_RUS SYSRES_CONST_WORKFLOW_ROUTE_TYPR_HARD SYSRES_CONST_WORKFLOW_ROUTE_TYPR_SOFT SYSRES_CONST_XML_ENCODING SYSRES_CONST_XREC_STAT_REQUISITE_CODE SYSRES_CONST_XRECID_FIELD_NAME SYSRES_CONST_YES SYSRES_CONST_YES_NO_2_REQUISITE_CODE SYSRES_CONST_YES_NO_REQUISITE_CODE SYSRES_CONST_YES_NO_T_REF_TYPE_REQUISITE_CODE SYSRES_CONST_YES_PICK_VALUE SYSRES_CONST_YES_VALUE ",a="CR FALSE nil NO_VALUE NULL TAB TRUE YES_VALUE ",s="ADMINISTRATORS_GROUP_NAME CUSTOMIZERS_GROUP_NAME DEVELOPERS_GROUP_NAME SERVICE_USERS_GROUP_NAME ",d="DECISION_BLOCK_FIRST_OPERAND_PROPERTY DECISION_BLOCK_NAME_PROPERTY DECISION_BLOCK_OPERATION_PROPERTY DECISION_BLOCK_RESULT_TYPE_PROPERTY DECISION_BLOCK_SECOND_OPERAND_PROPERTY ",u="ANY_FILE_EXTENTION COMPRESSED_DOCUMENT_EXTENSION EXTENDED_DOCUMENT_EXTENSION SHORT_COMPRESSED_DOCUMENT_EXTENSION SHORT_EXTENDED_DOCUMENT_EXTENSION ",E="JOB_BLOCK_ABORT_DEADLINE_PROPERTY JOB_BLOCK_AFTER_FINISH_EVENT JOB_BLOCK_AFTER_QUERY_PARAMETERS_EVENT JOB_BLOCK_ATTACHMENT_PROPERTY JOB_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY JOB_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY JOB_BLOCK_BEFORE_QUERY_PARAMETERS_EVENT JOB_BLOCK_BEFORE_START_EVENT JOB_BLOCK_CREATED_JOBS_PROPERTY JOB_BLOCK_DEADLINE_PROPERTY JOB_BLOCK_EXECUTION_RESULTS_PROPERTY JOB_BLOCK_IS_PARALLEL_PROPERTY JOB_BLOCK_IS_RELATIVE_ABORT_DEADLINE_PROPERTY JOB_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY JOB_BLOCK_JOB_TEXT_PROPERTY JOB_BLOCK_NAME_PROPERTY JOB_BLOCK_NEED_SIGN_ON_PERFORM_PROPERTY JOB_BLOCK_PERFORMER_PROPERTY JOB_BLOCK_RELATIVE_ABORT_DEADLINE_TYPE_PROPERTY JOB_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY JOB_BLOCK_SUBJECT_PROPERTY ",f="ENGLISH_LANGUAGE_CODE RUSSIAN_LANGUAGE_CODE ",N="smHidden smMaximized smMinimized smNormal wmNo wmYes ",S="COMPONENT_TOKEN_LINK_KIND DOCUMENT_LINK_KIND EDOCUMENT_LINK_KIND FOLDER_LINK_KIND JOB_LINK_KIND REFERENCE_LINK_KIND TASK_LINK_KIND ",h="COMPONENT_TOKEN_LOCK_TYPE EDOCUMENT_VERSION_LOCK_TYPE ",C="MONITOR_BLOCK_AFTER_FINISH_EVENT MONITOR_BLOCK_BEFORE_START_EVENT MONITOR_BLOCK_DEADLINE_PROPERTY MONITOR_BLOCK_INTERVAL_PROPERTY MONITOR_BLOCK_INTERVAL_TYPE_PROPERTY MONITOR_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY MONITOR_BLOCK_NAME_PROPERTY MONITOR_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY MONITOR_BLOCK_SEARCH_SCRIPT_PROPERTY ",I="NOTICE_BLOCK_AFTER_FINISH_EVENT NOTICE_BLOCK_ATTACHMENT_PROPERTY NOTICE_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY NOTICE_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY NOTICE_BLOCK_BEFORE_START_EVENT NOTICE_BLOCK_CREATED_NOTICES_PROPERTY NOTICE_BLOCK_DEADLINE_PROPERTY NOTICE_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY NOTICE_BLOCK_NAME_PROPERTY NOTICE_BLOCK_NOTICE_TEXT_PROPERTY NOTICE_BLOCK_PERFORMER_PROPERTY NOTICE_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY NOTICE_BLOCK_SUBJECT_PROPERTY ",x="dseAfterCancel dseAfterClose dseAfterDelete dseAfterDeleteOutOfTransaction dseAfterInsert dseAfterOpen dseAfterScroll dseAfterUpdate dseAfterUpdateOutOfTransaction dseBeforeCancel dseBeforeClose dseBeforeDelete dseBeforeDetailUpdate dseBeforeInsert dseBeforeOpen dseBeforeUpdate dseOnAnyRequisiteChange dseOnCloseRecord dseOnDeleteError dseOnOpenRecord dseOnPrepareUpdate dseOnUpdateError dseOnUpdateRatifiedRecord dseOnValidDelete dseOnValidUpdate reOnChange reOnChangeValues SELECTION_BEGIN_ROUTE_EVENT SELECTION_END_ROUTE_EVENT ",F="CURRENT_PERIOD_IS_REQUIRED PREVIOUS_CARD_TYPE_NAME SHOW_RECORD_PROPERTIES_FORM ",q="ACCESS_RIGHTS_SETTING_DIALOG_CODE ADMINISTRATOR_USER_CODE ANALYTIC_REPORT_TYPE asrtHideLocal asrtHideRemote CALCULATED_ROLE_TYPE_CODE COMPONENTS_REFERENCE_DEVELOPER_VIEW_CODE DCTS_TEST_PROTOCOLS_FOLDER_PATH E_EDOC_VERSION_ALREADY_APPROVINGLY_SIGNED E_EDOC_VERSION_ALREADY_APPROVINGLY_SIGNED_BY_USER E_EDOC_VERSION_ALREDY_SIGNED E_EDOC_VERSION_ALREDY_SIGNED_BY_USER EDOC_TYPES_CODE_REQUISITE_FIELD_NAME EDOCUMENTS_ALIAS_NAME FILES_FOLDER_PATH FILTER_OPERANDS_DELIMITER FILTER_OPERATIONS_DELIMITER FORMCARD_NAME FORMLIST_NAME GET_EXTENDED_DOCUMENT_EXTENSION_CREATION_MODE GET_EXTENDED_DOCUMENT_EXTENSION_IMPORT_MODE INTEGRATED_REPORT_TYPE IS_BUILDER_APPLICATION_ROLE IS_BUILDER_APPLICATION_ROLE2 IS_BUILDER_USERS ISBSYSDEV LOG_FOLDER_PATH mbCancel mbNo mbNoToAll mbOK mbYes mbYesToAll MEMORY_DATASET_DESRIPTIONS_FILENAME mrNo mrNoToAll mrYes mrYesToAll MULTIPLE_SELECT_DIALOG_CODE NONOPERATING_RECORD_FLAG_FEMININE NONOPERATING_RECORD_FLAG_MASCULINE OPERATING_RECORD_FLAG_FEMININE OPERATING_RECORD_FLAG_MASCULINE PROFILING_SETTINGS_COMMON_SETTINGS_CODE_VALUE PROGRAM_INITIATED_LOOKUP_ACTION ratDelete ratEdit ratInsert REPORT_TYPE REQUIRED_PICK_VALUES_VARIABLE rmCard rmList SBRTE_PROGID_DEV SBRTE_PROGID_RELEASE STATIC_ROLE_TYPE_CODE SUPPRESS_EMPTY_TEMPLATE_CREATION SYSTEM_USER_CODE UPDATE_DIALOG_DATASET USED_IN_OBJECT_HINT_PARAM USER_INITIATED_LOOKUP_ACTION USER_NAME_FORMAT USER_SELECTION_RESTRICTIONS WORKFLOW_TEST_PROTOCOLS_FOLDER_PATH ELS_SUBTYPE_CONTROL_NAME ELS_FOLDER_KIND_CONTROL_NAME REPEAT_PROCESS_CURRENT_OBJECT_EXCEPTION_NAME ",B="PRIVILEGE_COMPONENT_FULL_ACCESS PRIVILEGE_DEVELOPMENT_EXPORT PRIVILEGE_DEVELOPMENT_IMPORT PRIVILEGE_DOCUMENT_DELETE PRIVILEGE_ESD PRIVILEGE_FOLDER_DELETE PRIVILEGE_MANAGE_ACCESS_RIGHTS PRIVILEGE_MANAGE_REPLICATION PRIVILEGE_MANAGE_SESSION_SERVER PRIVILEGE_OBJECT_FULL_ACCESS PRIVILEGE_OBJECT_VIEW PRIVILEGE_RESERVE_LICENSE PRIVILEGE_SYSTEM_CUSTOMIZE PRIVILEGE_SYSTEM_DEVELOP PRIVILEGE_SYSTEM_INSTALL PRIVILEGE_TASK_DELETE PRIVILEGE_USER_PLUGIN_SETTINGS_CUSTOMIZE PRIVILEGES_PSEUDOREFERENCE_CODE ",Y="ACCESS_TYPES_PSEUDOREFERENCE_CODE ALL_AVAILABLE_COMPONENTS_PSEUDOREFERENCE_CODE ALL_AVAILABLE_PRIVILEGES_PSEUDOREFERENCE_CODE ALL_REPLICATE_COMPONENTS_PSEUDOREFERENCE_CODE AVAILABLE_DEVELOPERS_COMPONENTS_PSEUDOREFERENCE_CODE COMPONENTS_PSEUDOREFERENCE_CODE FILTRATER_SETTINGS_CONFLICTS_PSEUDOREFERENCE_CODE GROUPS_PSEUDOREFERENCE_CODE RECEIVE_PROTOCOL_PSEUDOREFERENCE_CODE REFERENCE_REQUISITE_PSEUDOREFERENCE_CODE REFERENCE_REQUISITES_PSEUDOREFERENCE_CODE REFTYPES_PSEUDOREFERENCE_CODE REPLICATION_SEANCES_DIARY_PSEUDOREFERENCE_CODE SEND_PROTOCOL_PSEUDOREFERENCE_CODE SUBSTITUTES_PSEUDOREFERENCE_CODE SYSTEM_SETTINGS_PSEUDOREFERENCE_CODE UNITS_PSEUDOREFERENCE_CODE USERS_PSEUDOREFERENCE_CODE VIEWERS_PSEUDOREFERENCE_CODE ",z="CERTIFICATE_TYPE_ENCRYPT CERTIFICATE_TYPE_SIGN CERTIFICATE_TYPE_SIGN_AND_ENCRYPT ",c="STORAGE_TYPE_FILE STORAGE_TYPE_NAS_CIFS STORAGE_TYPE_SAPERION STORAGE_TYPE_SQL_SERVER ",te="COMPTYPE2_REQUISITE_DOCUMENTS_VALUE COMPTYPE2_REQUISITE_TASKS_VALUE COMPTYPE2_REQUISITE_FOLDERS_VALUE COMPTYPE2_REQUISITE_REFERENCES_VALUE ",K="SYSREQ_CODE SYSREQ_COMPTYPE2 SYSREQ_CONST_AVAILABLE_FOR_WEB SYSREQ_CONST_COMMON_CODE SYSREQ_CONST_COMMON_VALUE SYSREQ_CONST_FIRM_CODE SYSREQ_CONST_FIRM_STATUS SYSREQ_CONST_FIRM_VALUE SYSREQ_CONST_SERVER_STATUS SYSREQ_CONTENTS SYSREQ_DATE_OPEN SYSREQ_DATE_CLOSE SYSREQ_DESCRIPTION SYSREQ_DESCRIPTION_LOCALIZE_ID SYSREQ_DOUBLE SYSREQ_EDOC_ACCESS_TYPE SYSREQ_EDOC_AUTHOR SYSREQ_EDOC_CREATED SYSREQ_EDOC_DELEGATE_RIGHTS_REQUISITE_CODE SYSREQ_EDOC_EDITOR SYSREQ_EDOC_ENCODE_TYPE SYSREQ_EDOC_ENCRYPTION_PLUGIN_NAME SYSREQ_EDOC_ENCRYPTION_PLUGIN_VERSION SYSREQ_EDOC_EXPORT_DATE SYSREQ_EDOC_EXPORTER SYSREQ_EDOC_KIND SYSREQ_EDOC_LIFE_STAGE_NAME SYSREQ_EDOC_LOCKED_FOR_SERVER_CODE SYSREQ_EDOC_MODIFIED SYSREQ_EDOC_NAME SYSREQ_EDOC_NOTE SYSREQ_EDOC_QUALIFIED_ID SYSREQ_EDOC_SESSION_KEY SYSREQ_EDOC_SESSION_KEY_ENCRYPTION_PLUGIN_NAME SYSREQ_EDOC_SESSION_KEY_ENCRYPTION_PLUGIN_VERSION SYSREQ_EDOC_SIGNATURE_TYPE SYSREQ_EDOC_SIGNED SYSREQ_EDOC_STORAGE SYSREQ_EDOC_STORAGES_ARCHIVE_STORAGE SYSREQ_EDOC_STORAGES_CHECK_RIGHTS SYSREQ_EDOC_STORAGES_COMPUTER_NAME SYSREQ_EDOC_STORAGES_EDIT_IN_STORAGE SYSREQ_EDOC_STORAGES_EXECUTIVE_STORAGE SYSREQ_EDOC_STORAGES_FUNCTION SYSREQ_EDOC_STORAGES_INITIALIZED SYSREQ_EDOC_STORAGES_LOCAL_PATH SYSREQ_EDOC_STORAGES_SAPERION_DATABASE_NAME SYSREQ_EDOC_STORAGES_SEARCH_BY_TEXT SYSREQ_EDOC_STORAGES_SERVER_NAME SYSREQ_EDOC_STORAGES_SHARED_SOURCE_NAME SYSREQ_EDOC_STORAGES_TYPE SYSREQ_EDOC_TEXT_MODIFIED SYSREQ_EDOC_TYPE_ACT_CODE SYSREQ_EDOC_TYPE_ACT_DESCRIPTION SYSREQ_EDOC_TYPE_ACT_DESCRIPTION_LOCALIZE_ID SYSREQ_EDOC_TYPE_ACT_ON_EXECUTE SYSREQ_EDOC_TYPE_ACT_ON_EXECUTE_EXISTS SYSREQ_EDOC_TYPE_ACT_SECTION SYSREQ_EDOC_TYPE_ADD_PARAMS SYSREQ_EDOC_TYPE_COMMENT SYSREQ_EDOC_TYPE_EVENT_TEXT SYSREQ_EDOC_TYPE_NAME_IN_SINGULAR SYSREQ_EDOC_TYPE_NAME_IN_SINGULAR_LOCALIZE_ID SYSREQ_EDOC_TYPE_NAME_LOCALIZE_ID SYSREQ_EDOC_TYPE_NUMERATION_METHOD SYSREQ_EDOC_TYPE_PSEUDO_REQUISITE_CODE SYSREQ_EDOC_TYPE_REQ_CODE SYSREQ_EDOC_TYPE_REQ_DESCRIPTION SYSREQ_EDOC_TYPE_REQ_DESCRIPTION_LOCALIZE_ID SYSREQ_EDOC_TYPE_REQ_IS_LEADING SYSREQ_EDOC_TYPE_REQ_IS_REQUIRED SYSREQ_EDOC_TYPE_REQ_NUMBER SYSREQ_EDOC_TYPE_REQ_ON_CHANGE SYSREQ_EDOC_TYPE_REQ_ON_CHANGE_EXISTS SYSREQ_EDOC_TYPE_REQ_ON_SELECT SYSREQ_EDOC_TYPE_REQ_ON_SELECT_KIND SYSREQ_EDOC_TYPE_REQ_SECTION SYSREQ_EDOC_TYPE_VIEW_CARD SYSREQ_EDOC_TYPE_VIEW_CODE SYSREQ_EDOC_TYPE_VIEW_COMMENT SYSREQ_EDOC_TYPE_VIEW_IS_MAIN SYSREQ_EDOC_TYPE_VIEW_NAME SYSREQ_EDOC_TYPE_VIEW_NAME_LOCALIZE_ID SYSREQ_EDOC_VERSION_AUTHOR SYSREQ_EDOC_VERSION_CRC SYSREQ_EDOC_VERSION_DATA SYSREQ_EDOC_VERSION_EDITOR SYSREQ_EDOC_VERSION_EXPORT_DATE SYSREQ_EDOC_VERSION_EXPORTER SYSREQ_EDOC_VERSION_HIDDEN SYSREQ_EDOC_VERSION_LIFE_STAGE SYSREQ_EDOC_VERSION_MODIFIED SYSREQ_EDOC_VERSION_NOTE SYSREQ_EDOC_VERSION_SIGNATURE_TYPE SYSREQ_EDOC_VERSION_SIGNED SYSREQ_EDOC_VERSION_SIZE SYSREQ_EDOC_VERSION_SOURCE SYSREQ_EDOC_VERSION_TEXT_MODIFIED SYSREQ_EDOCKIND_DEFAULT_VERSION_STATE_CODE SYSREQ_FOLDER_KIND SYSREQ_FUNC_CATEGORY SYSREQ_FUNC_COMMENT SYSREQ_FUNC_GROUP SYSREQ_FUNC_GROUP_COMMENT SYSREQ_FUNC_GROUP_NUMBER SYSREQ_FUNC_HELP SYSREQ_FUNC_PARAM_DEF_VALUE SYSREQ_FUNC_PARAM_IDENT SYSREQ_FUNC_PARAM_NUMBER SYSREQ_FUNC_PARAM_TYPE SYSREQ_FUNC_TEXT SYSREQ_GROUP_CATEGORY SYSREQ_ID SYSREQ_LAST_UPDATE SYSREQ_LEADER_REFERENCE SYSREQ_LINE_NUMBER SYSREQ_MAIN_RECORD_ID SYSREQ_NAME SYSREQ_NAME_LOCALIZE_ID SYSREQ_NOTE SYSREQ_ORIGINAL_RECORD SYSREQ_OUR_FIRM SYSREQ_PROFILING_SETTINGS_BATCH_LOGING SYSREQ_PROFILING_SETTINGS_BATCH_SIZE SYSREQ_PROFILING_SETTINGS_PROFILING_ENABLED SYSREQ_PROFILING_SETTINGS_SQL_PROFILING_ENABLED SYSREQ_PROFILING_SETTINGS_START_LOGGED SYSREQ_RECORD_STATUS SYSREQ_REF_REQ_FIELD_NAME SYSREQ_REF_REQ_FORMAT SYSREQ_REF_REQ_GENERATED SYSREQ_REF_REQ_LENGTH SYSREQ_REF_REQ_PRECISION SYSREQ_REF_REQ_REFERENCE SYSREQ_REF_REQ_SECTION SYSREQ_REF_REQ_STORED SYSREQ_REF_REQ_TOKENS SYSREQ_REF_REQ_TYPE SYSREQ_REF_REQ_VIEW SYSREQ_REF_TYPE_ACT_CODE SYSREQ_REF_TYPE_ACT_DESCRIPTION SYSREQ_REF_TYPE_ACT_DESCRIPTION_LOCALIZE_ID SYSREQ_REF_TYPE_ACT_ON_EXECUTE SYSREQ_REF_TYPE_ACT_ON_EXECUTE_EXISTS SYSREQ_REF_TYPE_ACT_SECTION SYSREQ_REF_TYPE_ADD_PARAMS SYSREQ_REF_TYPE_COMMENT SYSREQ_REF_TYPE_COMMON_SETTINGS SYSREQ_REF_TYPE_DISPLAY_REQUISITE_NAME SYSREQ_REF_TYPE_EVENT_TEXT SYSREQ_REF_TYPE_MAIN_LEADING_REF SYSREQ_REF_TYPE_NAME_IN_SINGULAR SYSREQ_REF_TYPE_NAME_IN_SINGULAR_LOCALIZE_ID SYSREQ_REF_TYPE_NAME_LOCALIZE_ID SYSREQ_REF_TYPE_NUMERATION_METHOD SYSREQ_REF_TYPE_REQ_CODE SYSREQ_REF_TYPE_REQ_DESCRIPTION SYSREQ_REF_TYPE_REQ_DESCRIPTION_LOCALIZE_ID SYSREQ_REF_TYPE_REQ_IS_CONTROL SYSREQ_REF_TYPE_REQ_IS_FILTER SYSREQ_REF_TYPE_REQ_IS_LEADING SYSREQ_REF_TYPE_REQ_IS_REQUIRED SYSREQ_REF_TYPE_REQ_NUMBER SYSREQ_REF_TYPE_REQ_ON_CHANGE SYSREQ_REF_TYPE_REQ_ON_CHANGE_EXISTS SYSREQ_REF_TYPE_REQ_ON_SELECT SYSREQ_REF_TYPE_REQ_ON_SELECT_KIND SYSREQ_REF_TYPE_REQ_SECTION SYSREQ_REF_TYPE_VIEW_CARD SYSREQ_REF_TYPE_VIEW_CODE SYSREQ_REF_TYPE_VIEW_COMMENT SYSREQ_REF_TYPE_VIEW_IS_MAIN SYSREQ_REF_TYPE_VIEW_NAME SYSREQ_REF_TYPE_VIEW_NAME_LOCALIZE_ID SYSREQ_REFERENCE_TYPE_ID SYSREQ_STATE SYSREQ_STAT\u0415 SYSREQ_SYSTEM_SETTINGS_VALUE SYSREQ_TYPE SYSREQ_UNIT SYSREQ_UNIT_ID SYSREQ_USER_GROUPS_GROUP_FULL_NAME SYSREQ_USER_GROUPS_GROUP_NAME SYSREQ_USER_GROUPS_GROUP_SERVER_NAME SYSREQ_USERS_ACCESS_RIGHTS SYSREQ_USERS_AUTHENTICATION SYSREQ_USERS_CATEGORY SYSREQ_USERS_COMPONENT SYSREQ_USERS_COMPONENT_USER_IS_PUBLIC SYSREQ_USERS_DOMAIN SYSREQ_USERS_FULL_USER_NAME SYSREQ_USERS_GROUP SYSREQ_USERS_IS_MAIN_SERVER SYSREQ_USERS_LOGIN SYSREQ_USERS_REFERENCE_USER_IS_PUBLIC SYSREQ_USERS_STATUS SYSREQ_USERS_USER_CERTIFICATE SYSREQ_USERS_USER_CERTIFICATE_INFO SYSREQ_USERS_USER_CERTIFICATE_PLUGIN_NAME SYSREQ_USERS_USER_CERTIFICATE_PLUGIN_VERSION SYSREQ_USERS_USER_CERTIFICATE_STATE SYSREQ_USERS_USER_CERTIFICATE_SUBJECT_NAME SYSREQ_USERS_USER_CERTIFICATE_THUMBPRINT SYSREQ_USERS_USER_DEFAULT_CERTIFICATE SYSREQ_USERS_USER_DESCRIPTION SYSREQ_USERS_USER_GLOBAL_NAME SYSREQ_USERS_USER_LOGIN SYSREQ_USERS_USER_MAIN_SERVER SYSREQ_USERS_USER_TYPE SYSREQ_WORK_RULES_FOLDER_ID ",ce="RESULT_VAR_NAME RESULT_VAR_NAME_ENG ",ne="AUTO_NUMERATION_RULE_ID CANT_CHANGE_ID_REQUISITE_RULE_ID CANT_CHANGE_OURFIRM_REQUISITE_RULE_ID CHECK_CHANGING_REFERENCE_RECORD_USE_RULE_ID CHECK_CODE_REQUISITE_RULE_ID CHECK_DELETING_REFERENCE_RECORD_USE_RULE_ID CHECK_FILTRATER_CHANGES_RULE_ID CHECK_RECORD_INTERVAL_RULE_ID CHECK_REFERENCE_INTERVAL_RULE_ID CHECK_REQUIRED_DATA_FULLNESS_RULE_ID CHECK_REQUIRED_REQUISITES_FULLNESS_RULE_ID MAKE_RECORD_UNRATIFIED_RULE_ID RESTORE_AUTO_NUMERATION_RULE_ID SET_FIRM_CONTEXT_FROM_RECORD_RULE_ID SET_FIRST_RECORD_IN_LIST_FORM_RULE_ID SET_IDSPS_VALUE_RULE_ID SET_NEXT_CODE_VALUE_RULE_ID SET_OURFIRM_BOUNDS_RULE_ID SET_OURFIRM_REQUISITE_RULE_ID ",Te="SCRIPT_BLOCK_AFTER_FINISH_EVENT SCRIPT_BLOCK_BEFORE_START_EVENT SCRIPT_BLOCK_EXECUTION_RESULTS_PROPERTY SCRIPT_BLOCK_NAME_PROPERTY SCRIPT_BLOCK_SCRIPT_PROPERTY ",oe="SUBTASK_BLOCK_ABORT_DEADLINE_PROPERTY SUBTASK_BLOCK_AFTER_FINISH_EVENT SUBTASK_BLOCK_ASSIGN_PARAMS_EVENT SUBTASK_BLOCK_ATTACHMENTS_PROPERTY SUBTASK_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY SUBTASK_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY SUBTASK_BLOCK_BEFORE_START_EVENT SUBTASK_BLOCK_CREATED_TASK_PROPERTY SUBTASK_BLOCK_CREATION_EVENT SUBTASK_BLOCK_DEADLINE_PROPERTY SUBTASK_BLOCK_IMPORTANCE_PROPERTY SUBTASK_BLOCK_INITIATOR_PROPERTY SUBTASK_BLOCK_IS_RELATIVE_ABORT_DEADLINE_PROPERTY SUBTASK_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY SUBTASK_BLOCK_JOBS_TYPE_PROPERTY SUBTASK_BLOCK_NAME_PROPERTY SUBTASK_BLOCK_PARALLEL_ROUTE_PROPERTY SUBTASK_BLOCK_PERFORMERS_PROPERTY SUBTASK_BLOCK_RELATIVE_ABORT_DEADLINE_TYPE_PROPERTY SUBTASK_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY SUBTASK_BLOCK_REQUIRE_SIGN_PROPERTY SUBTASK_BLOCK_STANDARD_ROUTE_PROPERTY SUBTASK_BLOCK_START_EVENT SUBTASK_BLOCK_STEP_CONTROL_PROPERTY SUBTASK_BLOCK_SUBJECT_PROPERTY SUBTASK_BLOCK_TASK_CONTROL_PROPERTY SUBTASK_BLOCK_TEXT_PROPERTY SUBTASK_BLOCK_UNLOCK_ATTACHMENTS_ON_STOP_PROPERTY SUBTASK_BLOCK_USE_STANDARD_ROUTE_PROPERTY SUBTASK_BLOCK_WAIT_FOR_TASK_COMPLETE_PROPERTY ",ve="SYSCOMP_CONTROL_JOBS SYSCOMP_FOLDERS SYSCOMP_JOBS SYSCOMP_NOTICES SYSCOMP_TASKS ",Oe="SYSDLG_CREATE_EDOCUMENT SYSDLG_CREATE_EDOCUMENT_VERSION SYSDLG_CURRENT_PERIOD SYSDLG_EDIT_FUNCTION_HELP SYSDLG_EDOCUMENT_KINDS_FOR_TEMPLATE SYSDLG_EXPORT_MULTIPLE_EDOCUMENTS SYSDLG_EXPORT_SINGLE_EDOCUMENT SYSDLG_IMPORT_EDOCUMENT SYSDLG_MULTIPLE_SELECT SYSDLG_SETUP_ACCESS_RIGHTS SYSDLG_SETUP_DEFAULT_RIGHTS SYSDLG_SETUP_FILTER_CONDITION SYSDLG_SETUP_SIGN_RIGHTS SYSDLG_SETUP_TASK_OBSERVERS SYSDLG_SETUP_TASK_ROUTE SYSDLG_SETUP_USERS_LIST SYSDLG_SIGN_EDOCUMENT SYSDLG_SIGN_MULTIPLE_EDOCUMENTS ",we="SYSREF_ACCESS_RIGHTS_TYPES SYSREF_ADMINISTRATION_HISTORY SYSREF_ALL_AVAILABLE_COMPONENTS SYSREF_ALL_AVAILABLE_PRIVILEGES SYSREF_ALL_REPLICATING_COMPONENTS SYSREF_AVAILABLE_DEVELOPERS_COMPONENTS SYSREF_CALENDAR_EVENTS SYSREF_COMPONENT_TOKEN_HISTORY SYSREF_COMPONENT_TOKENS SYSREF_COMPONENTS SYSREF_CONSTANTS SYSREF_DATA_RECEIVE_PROTOCOL SYSREF_DATA_SEND_PROTOCOL SYSREF_DIALOGS SYSREF_DIALOGS_REQUISITES SYSREF_EDITORS SYSREF_EDOC_CARDS SYSREF_EDOC_TYPES SYSREF_EDOCUMENT_CARD_REQUISITES SYSREF_EDOCUMENT_CARD_TYPES SYSREF_EDOCUMENT_CARD_TYPES_REFERENCE SYSREF_EDOCUMENT_CARDS SYSREF_EDOCUMENT_HISTORY SYSREF_EDOCUMENT_KINDS SYSREF_EDOCUMENT_REQUISITES SYSREF_EDOCUMENT_SIGNATURES SYSREF_EDOCUMENT_TEMPLATES SYSREF_EDOCUMENT_TEXT_STORAGES SYSREF_EDOCUMENT_VIEWS SYSREF_FILTERER_SETUP_CONFLICTS SYSREF_FILTRATER_SETTING_CONFLICTS SYSREF_FOLDER_HISTORY SYSREF_FOLDERS SYSREF_FUNCTION_GROUPS SYSREF_FUNCTION_PARAMS SYSREF_FUNCTIONS SYSREF_JOB_HISTORY SYSREF_LINKS SYSREF_LOCALIZATION_DICTIONARY SYSREF_LOCALIZATION_LANGUAGES SYSREF_MODULES SYSREF_PRIVILEGES SYSREF_RECORD_HISTORY SYSREF_REFERENCE_REQUISITES SYSREF_REFERENCE_TYPE_VIEWS SYSREF_REFERENCE_TYPES SYSREF_REFERENCES SYSREF_REFERENCES_REQUISITES SYSREF_REMOTE_SERVERS SYSREF_REPLICATION_SESSIONS_LOG SYSREF_REPLICATION_SESSIONS_PROTOCOL SYSREF_REPORTS SYSREF_ROLES SYSREF_ROUTE_BLOCK_GROUPS SYSREF_ROUTE_BLOCKS SYSREF_SCRIPTS SYSREF_SEARCHES SYSREF_SERVER_EVENTS SYSREF_SERVER_EVENTS_HISTORY SYSREF_STANDARD_ROUTE_GROUPS SYSREF_STANDARD_ROUTES SYSREF_STATUSES SYSREF_SYSTEM_SETTINGS SYSREF_TASK_HISTORY SYSREF_TASK_KIND_GROUPS SYSREF_TASK_KINDS SYSREF_TASK_RIGHTS SYSREF_TASK_SIGNATURES SYSREF_TASKS SYSREF_UNITS SYSREF_USER_GROUPS SYSREF_USER_GROUPS_REFERENCE SYSREF_USER_SUBSTITUTION SYSREF_USERS SYSREF_USERS_REFERENCE SYSREF_VIEWERS SYSREF_WORKING_TIME_CALENDARS ",ye="ACCESS_RIGHTS_TABLE_NAME EDMS_ACCESS_TABLE_NAME EDOC_TYPES_TABLE_NAME ",G="TEST_DEV_DB_NAME TEST_DEV_SYSTEM_CODE TEST_EDMS_DB_NAME TEST_EDMS_MAIN_CODE TEST_EDMS_MAIN_DB_NAME TEST_EDMS_SECOND_CODE TEST_EDMS_SECOND_DB_NAME TEST_EDMS_SYSTEM_CODE TEST_ISB5_MAIN_CODE TEST_ISB5_SECOND_CODE TEST_SQL_SERVER_2005_NAME TEST_SQL_SERVER_NAME ",H="ATTENTION_CAPTION cbsCommandLinks cbsDefault CONFIRMATION_CAPTION ERROR_CAPTION INFORMATION_CAPTION mrCancel mrOk ",J="EDOC_VERSION_ACTIVE_STAGE_CODE EDOC_VERSION_DESIGN_STAGE_CODE EDOC_VERSION_OBSOLETE_STAGE_CODE ",ie="cpDataEnciphermentEnabled cpDigitalSignatureEnabled cpID cpIssuer cpPluginVersion cpSerial cpSubjectName cpSubjSimpleName cpValidFromDate cpValidToDate ",pe="ISBL_SYNTAX NO_SYNTAX XML_SYNTAX ",fe="WAIT_BLOCK_AFTER_FINISH_EVENT WAIT_BLOCK_BEFORE_START_EVENT WAIT_BLOCK_DEADLINE_PROPERTY WAIT_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY WAIT_BLOCK_NAME_PROPERTY WAIT_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY ",Ie="SYSRES_COMMON SYSRES_CONST SYSRES_MBFUNC SYSRES_SBDATA SYSRES_SBGUI SYSRES_SBINTF SYSRES_SBREFDSC SYSRES_SQLERRORS SYSRES_SYSCOMP ",He=l+a+s+d+u+E+f+N+S+h+C+I+x+F+q+B+Y+z+c+te+K+ce+ne+Te+oe+ve+Oe+we+ye+G+H+J+ie+pe+fe+Ie,Le="atUser atGroup atRole ",Fe="aemEnabledAlways aemDisabledAlways aemEnabledOnBrowse aemEnabledOnEdit aemDisabledOnBrowseEmpty ",je="apBegin apEnd ",rt="alLeft alRight ",ue="asmNever asmNoButCustomize asmAsLastTime asmYesButCustomize asmAlways ",st="cirCommon cirRevoked ",Xe="ctSignature ctEncode ctSignatureEncode ",lt="clbUnchecked clbChecked clbGrayed ",zt="ceISB ceAlways ceNever ",ht="ctDocument ctReference ctScript ctUnknown ctReport ctDialog ctFunction ctFolder ctEDocument ctTask ctJob ctNotice ctControlJob ",Tt="cfInternal cfDisplay ",Ge="ciUnspecified ciWrite ciRead ",Ze="ckFolder ckEDocument ckTask ckJob ckComponentToken ckAny ckReference ckScript ckReport ckDialog ",Mt="ctISBLEditor ctBevel ctButton ctCheckListBox ctComboBox ctComboEdit ctGrid ctDBCheckBox ctDBComboBox ctDBEdit ctDBEllipsis ctDBMemo ctDBNavigator ctDBRadioGroup ctDBStatusLabel ctEdit ctGroupBox ctInplaceHint ctMemo ctPanel ctListBox ctRadioButton ctRichEdit ctTabSheet ctWebBrowser ctImage ctHyperLink ctLabel ctDBMultiEllipsis ctRibbon ctRichView ctInnerPanel ctPanelGroup ctBitButton ",se="cctDate cctInteger cctNumeric cctPick cctReference cctString cctText ",Wt="cltInternal cltPrimary cltGUI ",Ne="dseBeforeOpen dseAfterOpen dseBeforeClose dseAfterClose dseOnValidDelete dseBeforeDelete dseAfterDelete dseAfterDeleteOutOfTransaction dseOnDeleteError dseBeforeInsert dseAfterInsert dseOnValidUpdate dseBeforeUpdate dseOnUpdateRatifiedRecord dseAfterUpdate dseAfterUpdateOutOfTransaction dseOnUpdateError dseAfterScroll dseOnOpenRecord dseOnCloseRecord dseBeforeCancel dseAfterCancel dseOnUpdateDeadlockError dseBeforeDetailUpdate dseOnPrepareUpdate dseOnAnyRequisiteChange ",Re="dssEdit dssInsert dssBrowse dssInActive ",et="dftDate dftShortDate dftDateTime dftTimeStamp ",Z="dotDays dotHours dotMinutes dotSeconds ",Ue="dtkndLocal dtkndUTC ",Lt="arNone arView arEdit arFull ",$="ddaView ddaEdit ",j="emLock emEdit emSign emExportWithLock emImportWithUnlock emChangeVersionNote emOpenForModify emChangeLifeStage emDelete emCreateVersion emImport emUnlockExportedWithLock emStart emAbort emReInit emMarkAsReaded emMarkAsUnreaded emPerform emAccept emResume emChangeRights emEditRoute emEditObserver emRecoveryFromLocalCopy emChangeWorkAccessType emChangeEncodeTypeToCertificate emChangeEncodeTypeToPassword emChangeEncodeTypeToNone emChangeEncodeTypeToCertificatePassword emChangeStandardRoute emGetText emOpenForView emMoveToStorage emCreateObject emChangeVersionHidden emDeleteVersion emChangeLifeCycleStage emApprovingSign emExport emContinue emLockFromEdit emUnLockForEdit emLockForServer emUnlockFromServer emDelegateAccessRights emReEncode ",_e="ecotFile ecotProcess ",Se="eaGet eaCopy eaCreate eaCreateStandardRoute ",Me="edltAll edltNothing edltQuery ",ke="essmText essmCard ",it="esvtLast esvtLastActive esvtSpecified ",ct="edsfExecutive edsfArchive ",mr="edstSQLServer edstFile ",$t="edvstNone edvstEDocumentVersionCopy edvstFile edvstTemplate edvstScannedFile ",vn="vsDefault vsDesign vsActive vsObsolete ",Nn="etNone etCertificate etPassword etCertificatePassword ",gr="ecException ecWarning ecInformation ",Rt="estAll estApprovingOnly ",Pt="evtLast evtLastActive evtQuery ",On="fdtString fdtNumeric fdtInteger fdtDate fdtText fdtUnknown fdtWideString fdtLargeInteger ",An="ftInbox ftOutbox ftFavorites ftCommonFolder ftUserFolder ftComponents ftQuickLaunch ftShortcuts ftSearch ",$e="grhAuto grhX1 grhX2 grhX3 ",qe="hltText hltRTF hltHTML ",sn="iffBMP iffJPEG iffMultiPageTIFF iffSinglePageTIFF iffTIFF iffPNG ",Er="im8bGrayscale im24bRGB im1bMonochrome ",yn="itBMP itJPEG itWMF itPNG ",In="ikhInformation ikhWarning ikhError ikhNoIcon ",Ct="icUnknown icScript icFunction icIntegratedReport icAnalyticReport icDataSetEventHandler icActionHandler icFormEventHandler icLookUpEventHandler icRequisiteChangeEventHandler icBeforeSearchEventHandler icRoleCalculation icSelectRouteEventHandler icBlockPropertyCalculation icBlockQueryParamsEventHandler icChangeSearchResultEventHandler icBlockEventHandler icSubTaskInitEventHandler icEDocDataSetEventHandler icEDocLookUpEventHandler icEDocActionHandler icEDocFormEventHandler icEDocRequisiteChangeEventHandler icStructuredConversionRule icStructuredConversionEventBefore icStructuredConversionEventAfter icWizardEventHandler icWizardFinishEventHandler icWizardStepEventHandler icWizardStepFinishEventHandler icWizardActionEnableEventHandler icWizardActionExecuteEventHandler icCreateJobsHandler icCreateNoticesHandler icBeforeLookUpEventHandler icAfterLookUpEventHandler icTaskAbortEventHandler icWorkflowBlockActionHandler icDialogDataSetEventHandler icDialogActionHandler icDialogLookUpEventHandler icDialogRequisiteChangeEventHandler icDialogFormEventHandler icDialogValidCloseEventHandler icBlockFormEventHandler icTaskFormEventHandler icReferenceMethod icEDocMethod icDialogMethod icProcessMessageHandler ",vt="isShow isHide isByUserSettings ",ln="jkJob jkNotice jkControlJob ",Kt="jtInner jtLeft jtRight jtFull jtCross ",br="lbpAbove lbpBelow lbpLeft lbpRight ",fr="eltPerConnection eltPerUser ",Sr="sfcUndefined sfcBlack sfcGreen sfcRed sfcBlue sfcOrange sfcLilac ",Dn="sfsItalic sfsStrikeout sfsNormal ",hr="ldctStandardRoute ldctWizard ldctScript ldctFunction ldctRouteBlock ldctIntegratedReport ldctAnalyticReport ldctReferenceType ldctEDocumentType ldctDialog ldctServerEvents ",Tr="mrcrtNone mrcrtUser mrcrtMaximal mrcrtCustom ",xn="vtEqual vtGreaterOrEqual vtLessOrEqual vtRange ",Rr="rdYesterday rdToday rdTomorrow rdThisWeek rdThisMonth rdThisYear rdNextMonth rdNextWeek rdLastWeek rdLastMonth ",Nt="rdWindow rdFile rdPrinter ",wn="rdtString rdtNumeric rdtInteger rdtDate rdtReference rdtAccount rdtText rdtPick rdtUnknown rdtLargeInteger rdtDocument ",cn="reOnChange reOnChangeValues ",dn="ttGlobal ttLocal ttUser ttSystem ",Qt="ssmBrowse ssmSelect ssmMultiSelect ssmBrowseModal ",Mn="smSelect smLike smCard ",Cr="stNone stAuthenticating stApproving ",kt="sctString sctStream ",Ln="sstAnsiSort sstNaturalSort ",Pn="svtEqual svtContain ",kn="soatString soatNumeric soatInteger soatDatetime soatReferenceRecord soatText soatPick soatBoolean soatEDocument soatAccount soatIntegerCollection soatNumericCollection soatStringCollection soatPickCollection soatDatetimeCollection soatBooleanCollection soatReferenceRecordCollection soatEDocumentCollection soatAccountCollection soatContents soatUnknown ",Un="tarAbortByUser tarAbortByWorkflowException ",vr="tvtAllWords tvtExactPhrase tvtAnyWord ",_n="usNone usCompleted usRedSquare usBlueSquare usYellowSquare usGreenSquare usOrangeSquare usPurpleSquare usFollowUp ",Nr="utUnknown utUser utDeveloper utAdministrator utSystemDeveloper utDisconnected ",Or="btAnd btDetailAnd btOr btNotOr btOnly ",Fn="vmView vmSelect vmNavigation ",Bn="vsmSingle vsmMultiple vsmMultipleCheck vsmNoSelection ",pn="wfatPrevious wfatNext wfatCancel wfatFinish ",Gn="wfepUndefined wfepText3 wfepText6 wfepText9 wfepSpinEdit wfepDropDown wfepRadioGroup wfepFlag wfepText12 wfepText15 wfepText18 wfepText21 wfepText24 wfepText27 wfepText30 wfepRadioGroupColumn1 wfepRadioGroupColumn2 wfepRadioGroupColumn3 ",Ve="wfetQueryParameter wfetText wfetDelimiter wfetLabel ",Ot="wptString wptInteger wptNumeric wptBoolean wptDateTime wptPick wptText wptUser wptUserList wptEDocumentInfo wptEDocumentInfoList wptReferenceRecordInfo wptReferenceRecordInfoList wptFolderInfo wptTaskInfo wptContents wptFileName wptDate ",Xt="wsrComplete wsrGoNext wsrGoPrevious wsrCustom wsrCancel wsrGoFinal ",Ar="wstForm wstEDocument wstTaskCard wstReferenceRecordCard wstFinal ",yr="waAll waPerformers waManual ",un="wsbStart wsbFinish wsbNotice wsbStep wsbDecision wsbWait wsbMonitor wsbScript wsbConnector wsbSubTask wsbLifeCycleStage wsbPause ",Yn="wdtInteger wdtFloat wdtString wdtPick wdtDateTime wdtBoolean wdtTask wdtJob wdtFolder wdtEDocument wdtReferenceRecord wdtUser wdtGroup wdtRole wdtIntegerCollection wdtFloatCollection wdtStringCollection wdtPickCollection wdtDateTimeCollection wdtBooleanCollection wdtTaskCollection wdtJobCollection wdtFolderCollection wdtEDocumentCollection wdtReferenceRecordCollection wdtUserCollection wdtGroupCollection wdtRoleCollection wdtContents wdtUserList wdtSearchDescription wdtDeadLine wdtPickSet wdtAccountCollection ",Zt="wiLow wiNormal wiHigh ",Hn="wrtSoft wrtHard ",Ir="wsInit wsRunning wsDone wsControlled wsAborted wsContinued ",Dr="wtmFull wtmFromCurrent wtmOnlyCurrent ",Je=Le+Fe+je+rt+ue+st+Xe+lt+zt+ht+Tt+Ge+Ze+Mt+se+Wt+Ne+Re+et+Z+Ue+Lt+$+j+_e+Se+Me+ke+it+ct+mr+$t+vn+Nn+gr+Rt+Pt+On+An+$e+qe+sn+Er+yn+In+Ct+vt+ln+Kt+br+fr+Sr+Dn+hr+Tr+xn+Rr+Nt+wn+cn+dn+Qt+Mn+Cr+kt+Ln+Pn+kn+Un+vr+_n+Nr+Or+Fn+Bn+pn+Gn+Ve+Ot+Xt+Ar+yr+un+Yn+Zt+Hn+Ir+Dr,qn="AddSubString AdjustLineBreaks AmountInWords Analysis ArrayDimCount ArrayHighBound ArrayLowBound ArrayOf ArrayReDim Assert Assigned BeginOfMonth BeginOfPeriod BuildProfilingOperationAnalysis CallProcedure CanReadFile CArrayElement CDataSetRequisite ChangeDate ChangeReferenceDataset Char CharPos CheckParam CheckParamValue CompareStrings ConstantExists ControlState ConvertDateStr Copy CopyFile CreateArray CreateCachedReference CreateConnection CreateDialog CreateDualListDialog CreateEditor CreateException CreateFile CreateFolderDialog CreateInputDialog CreateLinkFile CreateList CreateLock CreateMemoryDataSet CreateObject CreateOpenDialog CreateProgress CreateQuery CreateReference CreateReport CreateSaveDialog CreateScript CreateSQLPivotFunction CreateStringList CreateTreeListSelectDialog CSelectSQL CSQL CSubString CurrentUserID CurrentUserName CurrentVersion DataSetLocateEx DateDiff DateTimeDiff DateToStr DayOfWeek DeleteFile DirectoryExists DisableCheckAccessRights DisableCheckFullShowingRestriction DisableMassTaskSendingRestrictions DropTable DupeString EditText EnableCheckAccessRights EnableCheckFullShowingRestriction EnableMassTaskSendingRestrictions EndOfMonth EndOfPeriod ExceptionExists ExceptionsOff ExceptionsOn Execute ExecuteProcess Exit ExpandEnvironmentVariables ExtractFileDrive ExtractFileExt ExtractFileName ExtractFilePath ExtractParams FileExists FileSize FindFile FindSubString FirmContext ForceDirectories Format FormatDate FormatNumeric FormatSQLDate FormatString FreeException GetComponent GetComponentLaunchParam GetConstant GetLastException GetReferenceRecord GetRefTypeByRefID GetTableID GetTempFolder IfThen In IndexOf InputDialog InputDialogEx InteractiveMode IsFileLocked IsGraphicFile IsNumeric Length LoadString LoadStringFmt LocalTimeToUTC LowerCase Max MessageBox MessageBoxEx MimeDecodeBinary MimeDecodeString MimeEncodeBinary MimeEncodeString Min MoneyInWords MoveFile NewID Now OpenFile Ord Precision Raise ReadCertificateFromFile ReadFile ReferenceCodeByID ReferenceNumber ReferenceRequisiteMode ReferenceRequisiteValue RegionDateSettings RegionNumberSettings RegionTimeSettings RegRead RegWrite RenameFile Replace Round SelectServerCode SelectSQL ServerDateTime SetConstant SetManagedFolderFieldsState ShowConstantsInputDialog ShowMessage Sleep Split SQL SQL2XLSTAB SQLProfilingSendReport StrToDate SubString SubStringCount SystemSetting Time TimeDiff Today Transliterate Trim UpperCase UserStatus UTCToLocalTime ValidateXML VarIsClear VarIsEmpty VarIsNull WorkTimeDiff WriteFile WriteFileEx WriteObjectHistory \u0410\u043D\u0430\u043B\u0438\u0437 \u0411\u0430\u0437\u0430\u0414\u0430\u043D\u043D\u044B\u0445 \u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C \u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C\u0420\u0430\u0441\u0448 \u0411\u043B\u043E\u043A\u0418\u043D\u0444\u043E \u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C \u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C\u0420\u0430\u0441\u0448 \u0411\u043B\u043E\u043A\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0412\u0432\u043E\u0434 \u0412\u0432\u043E\u0434\u041C\u0435\u043D\u044E \u0412\u0435\u0434\u0421 \u0412\u0435\u0434\u0421\u043F\u0440 \u0412\u0435\u0440\u0445\u043D\u044F\u044F\u0413\u0440\u0430\u043D\u0438\u0446\u0430\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u0412\u043D\u0435\u0448\u041F\u0440\u043E\u0433\u0440 \u0412\u043E\u0441\u0441\u0442 \u0412\u0440\u0435\u043C\u0435\u043D\u043D\u0430\u044F\u041F\u0430\u043F\u043A\u0430 \u0412\u0440\u0435\u043C\u044F \u0412\u044B\u0431\u043E\u0440SQL \u0412\u044B\u0431\u0440\u0430\u0442\u044C\u0417\u0430\u043F\u0438\u0441\u044C \u0412\u044B\u0434\u0435\u043B\u0438\u0442\u044C\u0421\u0442\u0440 \u0412\u044B\u0437\u0432\u0430\u0442\u044C \u0412\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C \u0412\u044B\u043F\u041F\u0440\u043E\u0433\u0440 \u0413\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0438\u0439\u0424\u0430\u0439\u043B \u0413\u0440\u0443\u043F\u043F\u0430\u0414\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E \u0414\u0430\u0442\u0430\u0412\u0440\u0435\u043C\u044F\u0421\u0435\u0440\u0432 \u0414\u0435\u043D\u044C\u041D\u0435\u0434\u0435\u043B\u0438 \u0414\u0438\u0430\u043B\u043E\u0433\u0414\u0430\u041D\u0435\u0442 \u0414\u043B\u0438\u043D\u0430\u0421\u0442\u0440 \u0414\u043E\u0431\u041F\u043E\u0434\u0441\u0442\u0440 \u0415\u041F\u0443\u0441\u0442\u043E \u0415\u0441\u043B\u0438\u0422\u043E \u0415\u0427\u0438\u0441\u043B\u043E \u0417\u0430\u043C\u041F\u043E\u0434\u0441\u0442\u0440 \u0417\u0430\u043F\u0438\u0441\u044C\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u0417\u043D\u0430\u0447\u041F\u043E\u043B\u044F\u0421\u043F\u0440 \u0418\u0414\u0422\u0438\u043F\u0421\u043F\u0440 \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0414\u0438\u0441\u043A \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0418\u043C\u044F\u0424\u0430\u0439\u043B\u0430 \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u041F\u0443\u0442\u044C \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435 \u0418\u0437\u043C\u0414\u0430\u0442 \u0418\u0437\u043C\u0435\u043D\u0438\u0442\u044C\u0420\u0430\u0437\u043C\u0435\u0440\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u0418\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u0418\u043C\u044F\u041E\u0440\u0433 \u0418\u043C\u044F\u041F\u043E\u043B\u044F\u0421\u043F\u0440 \u0418\u043D\u0434\u0435\u043A\u0441 \u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0417\u0430\u043A\u0440\u044B\u0442\u044C \u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0428\u0430\u0433 \u0418\u043D\u0442\u0435\u0440\u0430\u043A\u0442\u0438\u0432\u043D\u044B\u0439\u0420\u0435\u0436\u0438\u043C \u0418\u0442\u043E\u0433\u0422\u0431\u043B\u0421\u043F\u0440 \u041A\u043E\u0434\u0412\u0438\u0434\u0412\u0435\u0434\u0421\u043F\u0440 \u041A\u043E\u0434\u0412\u0438\u0434\u0421\u043F\u0440\u041F\u043E\u0418\u0414 \u041A\u043E\u0434\u041F\u043EAnalit \u041A\u043E\u0434\u0421\u0438\u043C\u0432\u043E\u043B\u0430 \u041A\u043E\u0434\u0421\u043F\u0440 \u041A\u043E\u043B\u041F\u043E\u0434\u0441\u0442\u0440 \u041A\u043E\u043B\u041F\u0440\u043E\u043F \u041A\u043E\u043D\u041C\u0435\u0441 \u041A\u043E\u043D\u0441\u0442 \u041A\u043E\u043D\u0441\u0442\u0415\u0441\u0442\u044C \u041A\u043E\u043D\u0441\u0442\u0417\u043D\u0430\u0447 \u041A\u043E\u043D\u0422\u0440\u0430\u043D \u041A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0424\u0430\u0439\u043B \u041A\u043E\u043F\u0438\u044F\u0421\u0442\u0440 \u041A\u041F\u0435\u0440\u0438\u043E\u0434 \u041A\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u041C\u0430\u043A\u0441 \u041C\u0430\u043A\u0441\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u041C\u0430\u0441\u0441\u0438\u0432 \u041C\u0435\u043D\u044E \u041C\u0435\u043D\u044E\u0420\u0430\u0441\u0448 \u041C\u0438\u043D \u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445\u041D\u0430\u0439\u0442\u0438\u0420\u0430\u0441\u0448 \u041D\u0430\u0438\u043C\u0412\u0438\u0434\u0421\u043F\u0440 \u041D\u0430\u0438\u043C\u041F\u043EAnalit \u041D\u0430\u0438\u043C\u0421\u043F\u0440 \u041D\u0430\u0441\u0442\u0440\u043E\u0438\u0442\u044C\u041F\u0435\u0440\u0435\u0432\u043E\u0434\u044B\u0421\u0442\u0440\u043E\u043A \u041D\u0430\u0447\u041C\u0435\u0441 \u041D\u0430\u0447\u0422\u0440\u0430\u043D \u041D\u0438\u0436\u043D\u044F\u044F\u0413\u0440\u0430\u043D\u0438\u0446\u0430\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u041D\u043E\u043C\u0435\u0440\u0421\u043F\u0440 \u041D\u041F\u0435\u0440\u0438\u043E\u0434 \u041E\u043A\u043D\u043E \u041E\u043A\u0440 \u041E\u043A\u0440\u0443\u0436\u0435\u043D\u0438\u0435 \u041E\u0442\u043B\u0418\u043D\u0444\u0414\u043E\u0431\u0430\u0432\u0438\u0442\u044C \u041E\u0442\u043B\u0418\u043D\u0444\u0423\u0434\u0430\u043B\u0438\u0442\u044C \u041E\u0442\u0447\u0435\u0442 \u041E\u0442\u0447\u0435\u0442\u0410\u043D\u0430\u043B \u041E\u0442\u0447\u0435\u0442\u0418\u043D\u0442 \u041F\u0430\u043F\u043A\u0430\u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u0435\u0442 \u041F\u0430\u0443\u0437\u0430 \u041F\u0412\u044B\u0431\u043E\u0440SQL \u041F\u0435\u0440\u0435\u0438\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u044C\u0424\u0430\u0439\u043B \u041F\u0435\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0435 \u041F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0424\u0430\u0439\u043B \u041F\u043E\u0434\u0441\u0442\u0440 \u041F\u043E\u0438\u0441\u043A\u041F\u043E\u0434\u0441\u0442\u0440 \u041F\u043E\u0438\u0441\u043A\u0421\u0442\u0440 \u041F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0418\u0414\u0422\u0430\u0431\u043B\u0438\u0446\u044B \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0414\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0418\u0414 \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0418\u043C\u044F \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0421\u0442\u0430\u0442\u0443\u0441 \u041F\u0440\u0435\u0440\u0432\u0430\u0442\u044C \u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u041F\u0430\u0440\u0430\u043C\u0435\u0442\u0440 \u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u041F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0417\u043D\u0430\u0447 \u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u0423\u0441\u043B\u043E\u0432\u0438\u0435 \u0420\u0430\u0437\u0431\u0421\u0442\u0440 \u0420\u0430\u0437\u043D\u0412\u0440\u0435\u043C\u044F \u0420\u0430\u0437\u043D\u0414\u0430\u0442 \u0420\u0430\u0437\u043D\u0414\u0430\u0442\u0430\u0412\u0440\u0435\u043C\u044F \u0420\u0430\u0437\u043D\u0420\u0430\u0431\u0412\u0440\u0435\u043C\u044F \u0420\u0435\u0433\u0423\u0441\u0442\u0412\u0440\u0435\u043C \u0420\u0435\u0433\u0423\u0441\u0442\u0414\u0430\u0442 \u0420\u0435\u0433\u0423\u0441\u0442\u0427\u0441\u043B \u0420\u0435\u0434\u0422\u0435\u043A\u0441\u0442 \u0420\u0435\u0435\u0441\u0442\u0440\u0417\u0430\u043F\u0438\u0441\u044C \u0420\u0435\u0435\u0441\u0442\u0440\u0421\u043F\u0438\u0441\u043E\u043A\u0418\u043C\u0435\u043D\u041F\u0430\u0440\u0430\u043C \u0420\u0435\u0435\u0441\u0442\u0440\u0427\u0442\u0435\u043D\u0438\u0435 \u0420\u0435\u043A\u0432\u0421\u043F\u0440 \u0420\u0435\u043A\u0432\u0421\u043F\u0440\u041F\u0440 \u0421\u0435\u0433\u043E\u0434\u043D\u044F \u0421\u0435\u0439\u0447\u0430\u0441 \u0421\u0435\u0440\u0432\u0435\u0440 \u0421\u0435\u0440\u0432\u0435\u0440\u041F\u0440\u043E\u0446\u0435\u0441\u0441\u0418\u0414 \u0421\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0424\u0430\u0439\u043B\u0421\u0447\u0438\u0442\u0430\u0442\u044C \u0421\u0436\u041F\u0440\u043E\u0431 \u0421\u0438\u043C\u0432\u043E\u043B \u0421\u0438\u0441\u0442\u0435\u043C\u0430\u0414\u0438\u0440\u0435\u043A\u0442\u0443\u043C\u041A\u043E\u0434 \u0421\u0438\u0441\u0442\u0435\u043C\u0430\u0418\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F \u0421\u0438\u0441\u0442\u0435\u043C\u0430\u041A\u043E\u0434 \u0421\u043E\u0434\u0435\u0440\u0436\u0438\u0442 \u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0417\u0430\u043A\u0440\u044B\u0442\u044C \u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0412\u044B\u0431\u043E\u0440\u0430\u0418\u0437\u0414\u0432\u0443\u0445\u0421\u043F\u0438\u0441\u043A\u043E\u0432 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0412\u044B\u0431\u043E\u0440\u0430\u041F\u0430\u043F\u043A\u0438 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u041E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0424\u0430\u0439\u043B\u0430 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0421\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u0424\u0430\u0439\u043B\u0430 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0417\u0430\u043F\u0440\u043E\u0441 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0418\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041A\u044D\u0448\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041C\u0430\u0441\u0441\u0438\u0432 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041E\u0431\u044A\u0435\u043A\u0442 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041E\u0442\u0447\u0435\u0442 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041F\u0430\u043F\u043A\u0443 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0420\u0435\u0434\u0430\u043A\u0442\u043E\u0440 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0438\u0441\u043E\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0438\u0441\u043E\u043A\u0421\u0442\u0440\u043E\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439 \u0421\u043E\u0437\u0434\u0421\u043F\u0440 \u0421\u043E\u0441\u0442\u0421\u043F\u0440 \u0421\u043E\u0445\u0440 \u0421\u043E\u0445\u0440\u0421\u043F\u0440 \u0421\u043F\u0438\u0441\u043E\u043A\u0421\u0438\u0441\u0442\u0435\u043C \u0421\u043F\u0440 \u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C\u0420\u0430\u0441\u0448 \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0421\u043F\u0440\u0418\u0437\u043C\u041D\u0430\u0431\u0414\u0430\u043D \u0421\u043F\u0440\u041A\u043E\u0434 \u0421\u043F\u0440\u041D\u043E\u043C\u0435\u0440 \u0421\u043F\u0440\u041E\u0431\u043D\u043E\u0432\u0438\u0442\u044C \u0421\u043F\u0440\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0421\u043F\u0440\u041E\u0442\u043C\u0435\u043D\u0438\u0442\u044C \u0421\u043F\u0440\u041F\u0430\u0440\u0430\u043C \u0421\u043F\u0440\u041F\u043E\u043B\u0435\u0417\u043D\u0430\u0447 \u0421\u043F\u0440\u041F\u043E\u043B\u0435\u0418\u043C\u044F \u0421\u043F\u0440\u0420\u0435\u043A\u0432 \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0412\u0432\u0435\u0434\u0417\u043D \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041D\u043E\u0432\u044B\u0435 \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041F\u0440 \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041F\u0440\u0435\u0434\u0417\u043D \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0420\u0435\u0436\u0438\u043C \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0422\u0438\u043F\u0422\u0435\u043A\u0441\u0442 \u0421\u043F\u0440\u0421\u043E\u0437\u0434\u0430\u0442\u044C \u0421\u043F\u0440\u0421\u043E\u0441\u0442 \u0421\u043F\u0440\u0421\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C \u0421\u043F\u0440\u0422\u0431\u043B\u0418\u0442\u043E\u0433 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041A\u043E\u043B \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041C\u0430\u043A\u0441 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041C\u0438\u043D \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041F\u0440\u0435\u0434 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0421\u043B\u0435\u0434 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0421\u043E\u0437\u0434 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0423\u0434 \u0421\u043F\u0440\u0422\u0435\u043A\u041F\u0440\u0435\u0434\u0441\u0442 \u0421\u043F\u0440\u0423\u0434\u0430\u043B\u0438\u0442\u044C \u0421\u0440\u0430\u0432\u043D\u0438\u0442\u044C\u0421\u0442\u0440 \u0421\u0442\u0440\u0412\u0435\u0440\u0445\u0420\u0435\u0433\u0438\u0441\u0442\u0440 \u0421\u0442\u0440\u041D\u0438\u0436\u043D\u0420\u0435\u0433\u0438\u0441\u0442\u0440 \u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u0421\u0443\u043C\u041F\u0440\u043E\u043F \u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439 \u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439\u041F\u0430\u0440\u0430\u043C \u0422\u0435\u043A\u0412\u0435\u0440\u0441\u0438\u044F \u0422\u0435\u043A\u041E\u0440\u0433 \u0422\u043E\u0447\u043D \u0422\u0440\u0430\u043D \u0422\u0440\u0430\u043D\u0441\u043B\u0438\u0442\u0435\u0440\u0430\u0446\u0438\u044F \u0423\u0434\u0430\u043B\u0438\u0442\u044C\u0422\u0430\u0431\u043B\u0438\u0446\u0443 \u0423\u0434\u0430\u043B\u0438\u0442\u044C\u0424\u0430\u0439\u043B \u0423\u0434\u0421\u043F\u0440 \u0423\u0434\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u0423\u0441\u0442 \u0423\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438\u041A\u043E\u043D\u0441\u0442\u0430\u043D\u0442 \u0424\u0430\u0439\u043B\u0410\u0442\u0440\u0438\u0431\u0443\u0442\u0421\u0447\u0438\u0442\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0410\u0442\u0440\u0438\u0431\u0443\u0442\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0424\u0430\u0439\u043B\u0412\u0440\u0435\u043C\u044F \u0424\u0430\u0439\u043B\u0412\u0440\u0435\u043C\u044F\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0424\u0430\u0439\u043B\u0412\u044B\u0431\u0440\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0417\u0430\u043D\u044F\u0442 \u0424\u0430\u0439\u043B\u0417\u0430\u043F\u0438\u0441\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0418\u0441\u043A\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041C\u043E\u0436\u043D\u043E\u0427\u0438\u0442\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u0438\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0435\u0442\u044C \u0424\u0430\u0439\u043B\u0420\u0430\u0437\u043C\u0435\u0440 \u0424\u0430\u0439\u043B\u0421\u043E\u0437\u0434\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0421\u0441\u044B\u043B\u043A\u0430\u0421\u043E\u0437\u0434\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u0435\u0442 \u0424\u0430\u0439\u043B\u0421\u0447\u0438\u0442\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0423\u0434\u0430\u043B\u0438\u0442\u044C \u0424\u043C\u0442SQL\u0414\u0430\u0442 \u0424\u043C\u0442\u0414\u0430\u0442 \u0424\u043C\u0442\u0421\u0442\u0440 \u0424\u043C\u0442\u0427\u0441\u043B \u0424\u043E\u0440\u043C\u0430\u0442 \u0426\u041C\u0430\u0441\u0441\u0438\u0432\u042D\u043B\u0435\u043C\u0435\u043D\u0442 \u0426\u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445\u0420\u0435\u043A\u0432\u0438\u0437\u0438\u0442 \u0426\u041F\u043E\u0434\u0441\u0442\u0440 ",Ut="AltState Application CallType ComponentTokens CreatedJobs CreatedNotices ControlState DialogResult Dialogs EDocuments EDocumentVersionSource Folders GlobalIDs Job Jobs InputValue LookUpReference LookUpRequisiteNames LookUpSearch Object ParentComponent Processes References Requisite ReportName Reports Result Scripts Searches SelectedAttachments SelectedItems SelectMode Sender ServerEvents ServiceFactory ShiftState SubTask SystemDialogs Tasks Wizard Wizards Work \u0412\u044B\u0437\u043E\u0432\u0421\u043F\u043E\u0441\u043E\u0431 \u0418\u043C\u044F\u041E\u0442\u0447\u0435\u0442\u0430 \u0420\u0435\u043A\u0432\u0417\u043D\u0430\u0447 ",xr="IApplication IAccessRights IAccountRepository IAccountSelectionRestrictions IAction IActionList IAdministrationHistoryDescription IAnchors IApplication IArchiveInfo IAttachment IAttachmentList ICheckListBox ICheckPointedList IColumn IComponent IComponentDescription IComponentToken IComponentTokenFactory IComponentTokenInfo ICompRecordInfo IConnection IContents IControl IControlJob IControlJobInfo IControlList ICrypto ICrypto2 ICustomJob ICustomJobInfo ICustomListBox ICustomObjectWizardStep ICustomWork ICustomWorkInfo IDataSet IDataSetAccessInfo IDataSigner IDateCriterion IDateRequisite IDateRequisiteDescription IDateValue IDeaAccessRights IDeaObjectInfo IDevelopmentComponentLock IDialog IDialogFactory IDialogPickRequisiteItems IDialogsFactory IDICSFactory IDocRequisite IDocumentInfo IDualListDialog IECertificate IECertificateInfo IECertificates IEditControl IEditorForm IEdmsExplorer IEdmsObject IEdmsObjectDescription IEdmsObjectFactory IEdmsObjectInfo IEDocument IEDocumentAccessRights IEDocumentDescription IEDocumentEditor IEDocumentFactory IEDocumentInfo IEDocumentStorage IEDocumentVersion IEDocumentVersionListDialog IEDocumentVersionSource IEDocumentWizardStep IEDocVerSignature IEDocVersionState IEnabledMode IEncodeProvider IEncrypter IEvent IEventList IException IExternalEvents IExternalHandler IFactory IField IFileDialog IFolder IFolderDescription IFolderDialog IFolderFactory IFolderInfo IForEach IForm IFormTitle IFormWizardStep IGlobalIDFactory IGlobalIDInfo IGrid IHasher IHistoryDescription IHyperLinkControl IImageButton IImageControl IInnerPanel IInplaceHint IIntegerCriterion IIntegerList IIntegerRequisite IIntegerValue IISBLEditorForm IJob IJobDescription IJobFactory IJobForm IJobInfo ILabelControl ILargeIntegerCriterion ILargeIntegerRequisite ILargeIntegerValue ILicenseInfo ILifeCycleStage IList IListBox ILocalIDInfo ILocalization ILock IMemoryDataSet IMessagingFactory IMetadataRepository INotice INoticeInfo INumericCriterion INumericRequisite INumericValue IObject IObjectDescription IObjectImporter IObjectInfo IObserver IPanelGroup IPickCriterion IPickProperty IPickRequisite IPickRequisiteDescription IPickRequisiteItem IPickRequisiteItems IPickValue IPrivilege IPrivilegeList IProcess IProcessFactory IProcessMessage IProgress IProperty IPropertyChangeEvent IQuery IReference IReferenceCriterion IReferenceEnabledMode IReferenceFactory IReferenceHistoryDescription IReferenceInfo IReferenceRecordCardWizardStep IReferenceRequisiteDescription IReferencesFactory IReferenceValue IRefRequisite IReport IReportFactory IRequisite IRequisiteDescription IRequisiteDescriptionList IRequisiteFactory IRichEdit IRouteStep IRule IRuleList ISchemeBlock IScript IScriptFactory ISearchCriteria ISearchCriterion ISearchDescription ISearchFactory ISearchFolderInfo ISearchForObjectDescription ISearchResultRestrictions ISecuredContext ISelectDialog IServerEvent IServerEventFactory IServiceDialog IServiceFactory ISignature ISignProvider ISignProvider2 ISignProvider3 ISimpleCriterion IStringCriterion IStringList IStringRequisite IStringRequisiteDescription IStringValue ISystemDialogsFactory ISystemInfo ITabSheet ITask ITaskAbortReasonInfo ITaskCardWizardStep ITaskDescription ITaskFactory ITaskInfo ITaskRoute ITextCriterion ITextRequisite ITextValue ITreeListSelectDialog IUser IUserList IValue IView IWebBrowserControl IWizard IWizardAction IWizardFactory IWizardFormElement IWizardParam IWizardPickParam IWizardReferenceParam IWizardStep IWorkAccessRights IWorkDescription IWorkflowAskableParam IWorkflowAskableParams IWorkflowBlock IWorkflowBlockResult IWorkflowEnabledMode IWorkflowParam IWorkflowPickParam IWorkflowReferenceParam IWorkState IWorkTreeCustomNode IWorkTreeJobNode IWorkTreeTaskNode IXMLEditorForm SBCrypto ",wr=He+Je,gt=Ut,Et="null true false nil ",Jt={className:"number",begin:e.NUMBER_RE,relevance:0},Vn={className:"string",variants:[{begin:'"',end:'"'},{begin:"'",end:"'"}]},At={className:"doctag",begin:"\\b(?:TODO|DONE|BEGIN|END|STUB|CHG|FIXME|NOTE|BUG|XXX)\\b",relevance:0},zn={className:"comment",begin:"//",end:"$",relevance:0,contains:[e.PHRASAL_WORDS_MODE,At]},mn={className:"comment",begin:"/\\*",end:"\\*/",relevance:0,contains:[e.PHRASAL_WORDS_MODE,At]},gn={variants:[zn,mn]},Ft={$pattern:n,keyword:_,built_in:wr,class:gt,literal:Et},En={begin:"\\.\\s*"+e.UNDERSCORE_IDENT_RE,keywords:Ft,relevance:0},bn={className:"type",begin:":[ \\t]*("+xr.trim().replace(/\s/g,"|")+")",end:"[ \\t]*=",excludeEnd:!0},Wn={className:"variable",keywords:Ft,begin:n,relevance:0,contains:[bn,En]},$n=i+"\\(";return{name:"ISBL",case_insensitive:!0,keywords:Ft,illegal:"\\$|\\?|%|,|;$|~|#|@|</",contains:[{className:"function",begin:$n,end:"\\)$",returnBegin:!0,keywords:Ft,illegal:"[\\[\\]\\|\\$\\?%,~#@]",contains:[{className:"title",keywords:{$pattern:n,built_in:qn},begin:$n,end:"\\(",returnBegin:!0,excludeEnd:!0},En,Wn,Vn,Jt,gn]},bn,En,Wn,Vn,Jt,gn]}}ul.exports=$g});var fl=O((Wh,bl)=>{var an="[0-9](_*[0-9])*",sr=`\\.(${an})`,lr="[0-9a-fA-F](_*[0-9a-fA-F])*",gl={className:"number",variants:[{begin:`(\\b(${an})((${sr})|\\.)?|(${sr}))[eE][+-]?(${an})[fFdD]?\\b`},{begin:`\\b(${an})((${sr})[fFdD]?\\b|\\.([fFdD]\\b)?)`},{begin:`(${sr})[fFdD]?\\b`},{begin:`\\b(${an})[fFdD]\\b`},{begin:`\\b0[xX]((${lr})\\.?|(${lr})?\\.(${lr}))[pP][+-]?(${an})[fFdD]?\\b`},{begin:"\\b(0|[1-9](_*[0-9])*)[lL]?\\b"},{begin:`\\b0[xX](${lr})[lL]?\\b`},{begin:"\\b0(_*[0-7])*[lL]?\\b"},{begin:"\\b0[bB][01](_*[01])*[lL]?\\b"}],relevance:0};function El(e,n,i){return i===-1?"":e.replace(n,_=>El(e,n,i-1))}function Kg(e){let n=e.regex,i="[\xC0-\u02B8a-zA-Z_$][\xC0-\u02B8a-zA-Z_$0-9]*",_=i+El("(?:<"+i+"~~~(?:\\s*,\\s*"+i+"~~~)*>)?",/~~~/g,2),u={keyword:["synchronized","abstract","private","var","static","if","const ","for","while","strictfp","finally","protected","import","native","final","void","enum","else","break","transient","catch","instanceof","volatile","case","assert","package","default","public","try","switch","continue","throws","protected","public","private","module","requires","exports","do","sealed","yield","permits"],literal:["false","true","null"],type:["char","boolean","long","float","int","byte","short","double"],built_in:["super","this"]},E={className:"meta",begin:"@"+i,contains:[{begin:/\(/,end:/\)/,contains:["self"]}]},f={className:"params",begin:/\(/,end:/\)/,keywords:u,relevance:0,contains:[e.C_BLOCK_COMMENT_MODE],endsParent:!0};return{name:"Java",aliases:["jsp"],keywords:u,illegal:/<\/|#/,contains:[e.COMMENT("/\\*\\*","\\*/",{relevance:0,contains:[{begin:/\w+@/,relevance:0},{className:"doctag",begin:"@[A-Za-z]+"}]}),{begin:/import java\.[a-z]+\./,keywords:"import",relevance:2},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,{begin:/"""/,end:/"""/,className:"string",contains:[e.BACKSLASH_ESCAPE]},e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,{match:[/\b(?:class|interface|enum|extends|implements|new)/,/\s+/,i],className:{1:"keyword",3:"title.class"}},{match:/non-sealed/,scope:"keyword"},{begin:[n.concat(/(?!else)/,i),/\s+/,i,/\s+/,/=(?!=)/],className:{1:"type",3:"variable",5:"operator"}},{begin:[/record/,/\s+/,i],className:{1:"keyword",3:"title.class"},contains:[f,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]},{beginKeywords:"new throw return else",relevance:0},{begin:["(?:"+_+"\\s+)",e.UNDERSCORE_IDENT_RE,/\s*(?=\()/],className:{2:"title.function"},keywords:u,contains:[{className:"params",begin:/\(/,end:/\)/,keywords:u,relevance:0,contains:[E,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,gl,e.C_BLOCK_COMMENT_MODE]},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]},gl,E]}}bl.exports=Kg});var vl=O(($h,Cl)=>{var Sl="[A-Za-z$_][0-9A-Za-z$_]*",Qg=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],Xg=["true","false","null","undefined","NaN","Infinity"],hl=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],Tl=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],Rl=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],Zg=["arguments","this","super","console","window","document","localStorage","sessionStorage","module","global"],Jg=[].concat(Rl,hl,Tl);function jg(e){let n=e.regex,i=(H,{after:J})=>{let ie="</"+H[0].slice(1);return H.input.indexOf(ie,J)!==-1},_=Sl,l={begin:"<>",end:"</>"},a=/<[A-Za-z0-9\\._:-]+\s*\/>/,s={begin:/<[A-Za-z0-9\\._:-]+/,end:/\/[A-Za-z0-9\\._:-]+>|\/>/,isTrulyOpeningTag:(H,J)=>{let ie=H[0].length+H.index,pe=H.input[ie];if(pe==="<"||pe===","){J.ignoreMatch();return}pe===">"&&(i(H,{after:ie})||J.ignoreMatch());let fe,Ie=H.input.substring(ie);if(fe=Ie.match(/^\s*=/)){J.ignoreMatch();return}if((fe=Ie.match(/^\s+extends\s+/))&&fe.index===0){J.ignoreMatch();return}}},d={$pattern:Sl,keyword:Qg,literal:Xg,built_in:Jg,"variable.language":Zg},u="[0-9](_?[0-9])*",E=`\\.(${u})`,f="0|[1-9](_?[0-9])*|0[0-7]*[89][0-9]*",N={className:"number",variants:[{begin:`(\\b(${f})((${E})|\\.)?|(${E}))[eE][+-]?(${u})\\b`},{begin:`\\b(${f})\\b((${E})\\b|\\.)?|(${E})\\b`},{begin:"\\b(0|[1-9](_?[0-9])*)n\\b"},{begin:"\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*n?\\b"},{begin:"\\b0[bB][0-1](_?[0-1])*n?\\b"},{begin:"\\b0[oO][0-7](_?[0-7])*n?\\b"},{begin:"\\b0[0-7]+n?\\b"}],relevance:0},S={className:"subst",begin:"\\$\\{",end:"\\}",keywords:d,contains:[]},h={begin:"html`",end:"",starts:{end:"`",returnEnd:!1,contains:[e.BACKSLASH_ESCAPE,S],subLanguage:"xml"}},C={begin:"css`",end:"",starts:{end:"`",returnEnd:!1,contains:[e.BACKSLASH_ESCAPE,S],subLanguage:"css"}},I={begin:"gql`",end:"",starts:{end:"`",returnEnd:!1,contains:[e.BACKSLASH_ESCAPE,S],subLanguage:"graphql"}},x={className:"string",begin:"`",end:"`",contains:[e.BACKSLASH_ESCAPE,S]},q={className:"comment",variants:[e.COMMENT(/\/\*\*(?!\/)/,"\\*/",{relevance:0,contains:[{begin:"(?=@[A-Za-z]+)",relevance:0,contains:[{className:"doctag",begin:"@[A-Za-z]+"},{className:"type",begin:"\\{",end:"\\}",excludeEnd:!0,excludeBegin:!0,relevance:0},{className:"variable",begin:_+"(?=\\s*(-)|$)",endsParent:!0,relevance:0},{begin:/(?=[^\n])\s/,relevance:0}]}]}),e.C_BLOCK_COMMENT_MODE,e.C_LINE_COMMENT_MODE]},B=[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,h,C,I,x,{match:/\$\d+/},N];S.contains=B.concat({begin:/\{/,end:/\}/,keywords:d,contains:["self"].concat(B)});let Y=[].concat(q,S.contains),z=Y.concat([{begin:/\(/,end:/\)/,keywords:d,contains:["self"].concat(Y)}]),c={className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:d,contains:z},te={variants:[{match:[/class/,/\s+/,_,/\s+/,/extends/,/\s+/,n.concat(_,"(",n.concat(/\./,_),")*")],scope:{1:"keyword",3:"title.class",5:"keyword",7:"title.class.inherited"}},{match:[/class/,/\s+/,_],scope:{1:"keyword",3:"title.class"}}]},K={relevance:0,match:n.either(/\bJSON/,/\b[A-Z][a-z]+([A-Z][a-z]*|\d)*/,/\b[A-Z]{2,}([A-Z][a-z]+|\d)+([A-Z][a-z]*)*/,/\b[A-Z]{2,}[a-z]+([A-Z][a-z]+|\d)*([A-Z][a-z]*)*/),className:"title.class",keywords:{_:[...hl,...Tl]}},ce={label:"use_strict",className:"meta",relevance:10,begin:/^\s*['"]use (strict|asm)['"]/},ne={variants:[{match:[/function/,/\s+/,_,/(?=\s*\()/]},{match:[/function/,/\s*(?=\()/]}],className:{1:"keyword",3:"title.function"},label:"func.def",contains:[c],illegal:/%/},Te={relevance:0,match:/\b[A-Z][A-Z_0-9]+\b/,className:"variable.constant"};function oe(H){return n.concat("(?!",H.join("|"),")")}let ve={match:n.concat(/\b/,oe([...Rl,"super","import"]),_,n.lookahead(/\(/)),className:"title.function",relevance:0},Oe={begin:n.concat(/\./,n.lookahead(n.concat(_,/(?![0-9A-Za-z$_(])/))),end:_,excludeBegin:!0,keywords:"prototype",className:"property",relevance:0},we={match:[/get|set/,/\s+/,_,/(?=\()/],className:{1:"keyword",3:"title.function"},contains:[{begin:/\(\)/},c]},ye="(\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)|"+e.UNDERSCORE_IDENT_RE+")\\s*=>",G={match:[/const|var|let/,/\s+/,_,/\s*/,/=\s*/,/(async\s*)?/,n.lookahead(ye)],keywords:"async",className:{1:"keyword",3:"title.function"},contains:[c]};return{name:"JavaScript",aliases:["js","jsx","mjs","cjs"],keywords:d,exports:{PARAMS_CONTAINS:z,CLASS_REFERENCE:K},illegal:/#(?![$_A-z])/,contains:[e.SHEBANG({label:"shebang",binary:"node",relevance:5}),ce,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,h,C,I,x,q,{match:/\$\d+/},N,K,{className:"attr",begin:_+n.lookahead(":"),relevance:0},G,{begin:"("+e.RE_STARTERS_RE+"|\\b(case|return|throw)\\b)\\s*",keywords:"return throw case",relevance:0,contains:[q,e.REGEXP_MODE,{className:"function",begin:ye,returnBegin:!0,end:"\\s*=>",contains:[{className:"params",variants:[{begin:e.UNDERSCORE_IDENT_RE,relevance:0},{className:null,begin:/\(\s*\)/,skip:!0},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:d,contains:z}]}]},{begin:/,/,relevance:0},{match:/\s+/,relevance:0},{variants:[{begin:l.begin,end:l.end},{match:a},{begin:s.begin,"on:begin":s.isTrulyOpeningTag,end:s.end}],subLanguage:"xml",contains:[{begin:s.begin,end:s.end,skip:!0,contains:["self"]}]}]},ne,{beginKeywords:"while if switch catch for"},{begin:"\\b(?!function)"+e.UNDERSCORE_IDENT_RE+"\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)\\s*\\{",returnBegin:!0,label:"func.def",contains:[c,e.inherit(e.TITLE_MODE,{begin:_,className:"title.function"})]},{match:/\.\.\./,relevance:0},Oe,{match:"\\$"+_,relevance:0},{match:[/\bconstructor(?=\s*\()/],className:{1:"title.function"},contains:[c]},ve,Te,te,we,{match:/\$[(.]/}]}}Cl.exports=jg});var Ol=O((Kh,Nl)=>{function eE(e){let i={className:"params",begin:/\(/,end:/\)/,contains:[{begin:/[\w-]+ *=/,returnBegin:!0,relevance:0,contains:[{className:"attr",begin:/[\w-]+/}]}],relevance:0},_={className:"function",begin:/:[\w\-.]+/,relevance:0},l={className:"string",begin:/\B([\/.])[\w\-.\/=]+/},a={className:"params",begin:/--[\w\-=\/]+/};return{name:"JBoss CLI",aliases:["wildfly-cli"],keywords:{$pattern:"[a-z-]+",keyword:"alias batch cd clear command connect connection-factory connection-info data-source deploy deployment-info deployment-overlay echo echo-dmr help history if jdbc-driver-info jms-queue|20 jms-topic|20 ls patch pwd quit read-attribute read-operation reload rollout-plan run-batch set shutdown try unalias undeploy unset version xa-data-source",literal:"true false"},contains:[e.HASH_COMMENT_MODE,e.QUOTE_STRING_MODE,a,_,l,i]}}Nl.exports=eE});var yl=O((Qh,Al)=>{function tE(e){let n={className:"attr",begin:/"(\\.|[^\\"\r\n])*"(?=\s*:)/,relevance:1.01},i={match:/[{}[\],:]/,className:"punctuation",relevance:0},_=["true","false","null"],l={scope:"literal",beginKeywords:_.join(" ")};return{name:"JSON",keywords:{literal:_},contains:[n,i,e.QUOTE_STRING_MODE,l,e.C_NUMBER_MODE,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE],illegal:"\\S"}}Al.exports=tE});var Dl=O((Xh,Il)=>{function nE(e){let n="[A-Za-z_\\u00A1-\\uFFFF][A-Za-z_0-9\\u00A1-\\uFFFF]*",a={$pattern:n,keyword:["baremodule","begin","break","catch","ccall","const","continue","do","else","elseif","end","export","false","finally","for","function","global","if","import","in","isa","let","local","macro","module","quote","return","true","try","using","where","while"],literal:["ARGS","C_NULL","DEPOT_PATH","ENDIAN_BOM","ENV","Inf","Inf16","Inf32","Inf64","InsertionSort","LOAD_PATH","MergeSort","NaN","NaN16","NaN32","NaN64","PROGRAM_FILE","QuickSort","RoundDown","RoundFromZero","RoundNearest","RoundNearestTiesAway","RoundNearestTiesUp","RoundToZero","RoundUp","VERSION|0","devnull","false","im","missing","nothing","pi","stderr","stdin","stdout","true","undef","\u03C0","\u212F"],built_in:["AbstractArray","AbstractChannel","AbstractChar","AbstractDict","AbstractDisplay","AbstractFloat","AbstractIrrational","AbstractMatrix","AbstractRange","AbstractSet","AbstractString","AbstractUnitRange","AbstractVecOrMat","AbstractVector","Any","ArgumentError","Array","AssertionError","BigFloat","BigInt","BitArray","BitMatrix","BitSet","BitVector","Bool","BoundsError","CapturedException","CartesianIndex","CartesianIndices","Cchar","Cdouble","Cfloat","Channel","Char","Cint","Cintmax_t","Clong","Clonglong","Cmd","Colon","Complex","ComplexF16","ComplexF32","ComplexF64","CompositeException","Condition","Cptrdiff_t","Cshort","Csize_t","Cssize_t","Cstring","Cuchar","Cuint","Cuintmax_t","Culong","Culonglong","Cushort","Cvoid","Cwchar_t","Cwstring","DataType","DenseArray","DenseMatrix","DenseVecOrMat","DenseVector","Dict","DimensionMismatch","Dims","DivideError","DomainError","EOFError","Enum","ErrorException","Exception","ExponentialBackOff","Expr","Float16","Float32","Float64","Function","GlobalRef","HTML","IO","IOBuffer","IOContext","IOStream","IdDict","IndexCartesian","IndexLinear","IndexStyle","InexactError","InitError","Int","Int128","Int16","Int32","Int64","Int8","Integer","InterruptException","InvalidStateException","Irrational","KeyError","LinRange","LineNumberNode","LinearIndices","LoadError","MIME","Matrix","Method","MethodError","Missing","MissingException","Module","NTuple","NamedTuple","Nothing","Number","OrdinalRange","OutOfMemoryError","OverflowError","Pair","PartialQuickSort","PermutedDimsArray","Pipe","ProcessFailedException","Ptr","QuoteNode","Rational","RawFD","ReadOnlyMemoryError","Real","ReentrantLock","Ref","Regex","RegexMatch","RoundingMode","SegmentationFault","Set","Signed","Some","StackOverflowError","StepRange","StepRangeLen","StridedArray","StridedMatrix","StridedVecOrMat","StridedVector","String","StringIndexError","SubArray","SubString","SubstitutionString","Symbol","SystemError","Task","TaskFailedException","Text","TextDisplay","Timer","Tuple","Type","TypeError","TypeVar","UInt","UInt128","UInt16","UInt32","UInt64","UInt8","UndefInitializer","UndefKeywordError","UndefRefError","UndefVarError","Union","UnionAll","UnitRange","Unsigned","Val","Vararg","VecElement","VecOrMat","Vector","VersionNumber","WeakKeyDict","WeakRef"]},s={keywords:a,illegal:/<\//},d={className:"number",begin:/(\b0x[\d_]*(\.[\d_]*)?|0x\.\d[\d_]*)p[-+]?\d+|\b0[box][a-fA-F0-9][a-fA-F0-9_]*|(\b\d[\d_]*(\.[\d_]*)?|\.\d[\d_]*)([eEfF][-+]?\d+)?/,relevance:0},u={className:"string",begin:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},E={className:"subst",begin:/\$\(/,end:/\)/,keywords:a},f={className:"variable",begin:"\\$"+n},N={className:"string",contains:[e.BACKSLASH_ESCAPE,E,f],variants:[{begin:/\w*"""/,end:/"""\w*/,relevance:10},{begin:/\w*"/,end:/"\w*/}]},S={className:"string",contains:[e.BACKSLASH_ESCAPE,E,f],begin:"`",end:"`"},h={className:"meta",begin:"@"+n},C={className:"comment",variants:[{begin:"#=",end:"=#",relevance:10},{begin:"#",end:"$"}]};return s.name="Julia",s.contains=[d,u,N,S,h,C,e.HASH_COMMENT_MODE,{className:"keyword",begin:"\\b(((abstract|primitive)\\s+)type|(mutable\\s+)?struct)\\b"},{begin:/<:/}],E.contains=s.contains,s}Il.exports=nE});var wl=O((Zh,xl)=>{function rE(e){return{name:"Julia REPL",contains:[{className:"meta.prompt",begin:/^julia>/,relevance:10,starts:{end:/^(?![ ]{6})/,subLanguage:"julia"}}],aliases:["jldoctest"]}}xl.exports=rE});var Ll=O((Jh,Ml)=>{var on="[0-9](_*[0-9])*",cr=`\\.(${on})`,dr="[0-9a-fA-F](_*[0-9a-fA-F])*",iE={className:"number",variants:[{begin:`(\\b(${on})((${cr})|\\.)?|(${cr}))[eE][+-]?(${on})[fFdD]?\\b`},{begin:`\\b(${on})((${cr})[fFdD]?\\b|\\.([fFdD]\\b)?)`},{begin:`(${cr})[fFdD]?\\b`},{begin:`\\b(${on})[fFdD]\\b`},{begin:`\\b0[xX]((${dr})\\.?|(${dr})?\\.(${dr}))[pP][+-]?(${on})[fFdD]?\\b`},{begin:"\\b(0|[1-9](_*[0-9])*)[lL]?\\b"},{begin:`\\b0[xX](${dr})[lL]?\\b`},{begin:"\\b0(_*[0-7])*[lL]?\\b"},{begin:"\\b0[bB][01](_*[01])*[lL]?\\b"}],relevance:0};function aE(e){let n={keyword:"abstract as val var vararg get set class object open private protected public noinline crossinline dynamic final enum if else do while for when throw try catch finally import package is in fun override companion reified inline lateinit init interface annotation data sealed internal infix operator out by constructor super tailrec where const inner suspend typealias external expect actual",built_in:"Byte Short Char Int Long Boolean Float Double Void Unit Nothing",literal:"true false null"},i={className:"keyword",begin:/\b(break|continue|return|this)\b/,starts:{contains:[{className:"symbol",begin:/@\w+/}]}},_={className:"symbol",begin:e.UNDERSCORE_IDENT_RE+"@"},l={className:"subst",begin:/\$\{/,end:/\}/,contains:[e.C_NUMBER_MODE]},a={className:"variable",begin:"\\$"+e.UNDERSCORE_IDENT_RE},s={className:"string",variants:[{begin:'"""',end:'"""(?=[^"])',contains:[a,l]},{begin:"'",end:"'",illegal:/\n/,contains:[e.BACKSLASH_ESCAPE]},{begin:'"',end:'"',illegal:/\n/,contains:[e.BACKSLASH_ESCAPE,a,l]}]};l.contains.push(s);let d={className:"meta",begin:"@(?:file|property|field|get|set|receiver|param|setparam|delegate)\\s*:(?:\\s*"+e.UNDERSCORE_IDENT_RE+")?"},u={className:"meta",begin:"@"+e.UNDERSCORE_IDENT_RE,contains:[{begin:/\(/,end:/\)/,contains:[e.inherit(s,{className:"string"}),"self"]}]},E=iE,f=e.COMMENT("/\\*","\\*/",{contains:[e.C_BLOCK_COMMENT_MODE]}),N={variants:[{className:"type",begin:e.UNDERSCORE_IDENT_RE},{begin:/\(/,end:/\)/,contains:[]}]},S=N;return S.variants[1].contains=[N],N.variants[1].contains=[S],{name:"Kotlin",aliases:["kt","kts"],keywords:n,contains:[e.COMMENT("/\\*\\*","\\*/",{relevance:0,contains:[{className:"doctag",begin:"@[A-Za-z]+"}]}),e.C_LINE_COMMENT_MODE,f,i,_,d,u,{className:"function",beginKeywords:"fun",end:"[(]|$",returnBegin:!0,excludeEnd:!0,keywords:n,relevance:5,contains:[{begin:e.UNDERSCORE_IDENT_RE+"\\s*\\(",returnBegin:!0,relevance:0,contains:[e.UNDERSCORE_TITLE_MODE]},{className:"type",begin:/</,end:/>/,keywords:"reified",relevance:0},{className:"params",begin:/\(/,end:/\)/,endsParent:!0,keywords:n,relevance:0,contains:[{begin:/:/,end:/[=,\/]/,endsWithParent:!0,contains:[N,e.C_LINE_COMMENT_MODE,f],relevance:0},e.C_LINE_COMMENT_MODE,f,d,u,s,e.C_NUMBER_MODE]},f]},{begin:[/class|interface|trait/,/\s+/,e.UNDERSCORE_IDENT_RE],beginScope:{3:"title.class"},keywords:"class interface trait",end:/[:\{(]|$/,excludeEnd:!0,illegal:"extends implements",contains:[{beginKeywords:"public protected internal private constructor"},e.UNDERSCORE_TITLE_MODE,{className:"type",begin:/</,end:/>/,excludeBegin:!0,excludeEnd:!0,relevance:0},{className:"type",begin:/[,:]\s*/,end:/[<\(,){\s]|$/,excludeBegin:!0,returnEnd:!0},d,u]},s,{className:"meta",begin:"^#!/usr/bin/env",end:"$",illegal:` +`},E]}}Ml.exports=aE});var kl=O((jh,Pl)=>{function oE(e){let n="[a-zA-Z_][\\w.]*",i="<\\?(lasso(script)?|=)",_="\\]|\\?>",l={$pattern:n+"|&[lg]t;",literal:"true false none minimal full all void and or not bw nbw ew new cn ncn lt lte gt gte eq neq rx nrx ft",built_in:"array date decimal duration integer map pair string tag xml null boolean bytes keyword list locale queue set stack staticarray local var variable global data self inherited currentcapture givenblock",keyword:"cache database_names database_schemanames database_tablenames define_tag define_type email_batch encode_set html_comment handle handle_error header if inline iterate ljax_target link link_currentaction link_currentgroup link_currentrecord link_detail link_firstgroup link_firstrecord link_lastgroup link_lastrecord link_nextgroup link_nextrecord link_prevgroup link_prevrecord log loop namespace_using output_none portal private protect records referer referrer repeating resultset rows search_args search_arguments select sort_args sort_arguments thread_atomic value_list while abort case else fail_if fail_ifnot fail if_empty if_false if_null if_true loop_abort loop_continue loop_count params params_up return return_value run_children soap_definetag soap_lastrequest soap_lastresponse tag_name ascending average by define descending do equals frozen group handle_failure import in into join let match max min on order parent protected provide public require returnhome skip split_thread sum take thread to trait type where with yield yieldhome"},a=e.COMMENT("<!--","-->",{relevance:0}),s={className:"meta",begin:"\\[noprocess\\]",starts:{end:"\\[/noprocess\\]",returnEnd:!0,contains:[a]}},d={className:"meta",begin:"\\[/noprocess|"+i},u={className:"symbol",begin:"'"+n+"'"},E=[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.inherit(e.C_NUMBER_MODE,{begin:e.C_NUMBER_RE+"|(-?infinity|NaN)\\b"}),e.inherit(e.APOS_STRING_MODE,{illegal:null}),e.inherit(e.QUOTE_STRING_MODE,{illegal:null}),{className:"string",begin:"`",end:"`"},{variants:[{begin:"[#$]"+n},{begin:"#",end:"\\d+",illegal:"\\W"}]},{className:"type",begin:"::\\s*",end:n,illegal:"\\W"},{className:"params",variants:[{begin:"-(?!infinity)"+n,relevance:0},{begin:"(\\.\\.\\.)"}]},{begin:/(->|\.)\s*/,relevance:0,contains:[u]},{className:"class",beginKeywords:"define",returnEnd:!0,end:"\\(|=>",contains:[e.inherit(e.TITLE_MODE,{begin:n+"(=(?!>))?|[-+*/%](?!>)"})]}];return{name:"Lasso",aliases:["ls","lassoscript"],case_insensitive:!0,keywords:l,contains:[{className:"meta",begin:_,relevance:0,starts:{end:"\\[|"+i,returnEnd:!0,relevance:0,contains:[a]}},s,d,{className:"meta",begin:"\\[no_square_brackets",starts:{end:"\\[/no_square_brackets\\]",keywords:l,contains:[{className:"meta",begin:_,relevance:0,starts:{end:"\\[noprocess\\]|"+i,returnEnd:!0,contains:[a]}},s,d].concat(E)}},{className:"meta",begin:"\\[",relevance:0},{className:"meta",begin:"^#!",end:"lasso9$",relevance:10}].concat(E)}}Pl.exports=oE});var Fl=O((eT,Ul)=>{function sE(e){let i=e.regex.either(...["(?:NeedsTeXFormat|RequirePackage|GetIdInfo)","Provides(?:Expl)?(?:Package|Class|File)","(?:DeclareOption|ProcessOptions)","(?:documentclass|usepackage|input|include)","makeat(?:letter|other)","ExplSyntax(?:On|Off)","(?:new|renew|provide)?command","(?:re)newenvironment","(?:New|Renew|Provide|Declare)(?:Expandable)?DocumentCommand","(?:New|Renew|Provide|Declare)DocumentEnvironment","(?:(?:e|g|x)?def|let)","(?:begin|end)","(?:part|chapter|(?:sub){0,2}section|(?:sub)?paragraph)","caption","(?:label|(?:eq|page|name)?ref|(?:paren|foot|super)?cite)","(?:alpha|beta|[Gg]amma|[Dd]elta|(?:var)?epsilon|zeta|eta|[Tt]heta|vartheta)","(?:iota|(?:var)?kappa|[Ll]ambda|mu|nu|[Xx]i|[Pp]i|varpi|(?:var)rho)","(?:[Ss]igma|varsigma|tau|[Uu]psilon|[Pp]hi|varphi|chi|[Pp]si|[Oo]mega)","(?:frac|sum|prod|lim|infty|times|sqrt|leq|geq|left|right|middle|[bB]igg?)","(?:[lr]angle|q?quad|[lcvdi]?dots|d?dot|hat|tilde|bar)"].map(ne=>ne+"(?![a-zA-Z@:_])")),_=new RegExp(["(?:__)?[a-zA-Z]{2,}_[a-zA-Z](?:_?[a-zA-Z])+:[a-zA-Z]*","[lgc]__?[a-zA-Z](?:_?[a-zA-Z])*_[a-zA-Z]{2,}","[qs]__?[a-zA-Z](?:_?[a-zA-Z])+","use(?:_i)?:[a-zA-Z]*","(?:else|fi|or):","(?:if|cs|exp):w","(?:hbox|vbox):n","::[a-zA-Z]_unbraced","::[a-zA-Z:]"].map(ne=>ne+"(?![a-zA-Z:_])").join("|")),l=[{begin:/[a-zA-Z@]+/},{begin:/[^a-zA-Z@]?/}],a=[{begin:/\^{6}[0-9a-f]{6}/},{begin:/\^{5}[0-9a-f]{5}/},{begin:/\^{4}[0-9a-f]{4}/},{begin:/\^{3}[0-9a-f]{3}/},{begin:/\^{2}[0-9a-f]{2}/},{begin:/\^{2}[\u0000-\u007f]/}],s={className:"keyword",begin:/\\/,relevance:0,contains:[{endsParent:!0,begin:i},{endsParent:!0,begin:_},{endsParent:!0,variants:a},{endsParent:!0,relevance:0,variants:l}]},d={className:"params",relevance:0,begin:/#+\d?/},u={variants:a},E={className:"built_in",relevance:0,begin:/[$&^_]/},f={className:"meta",begin:/% ?!(T[eE]X|tex|BIB|bib)/,end:"$",relevance:10},N=e.COMMENT("%","$",{relevance:0}),S=[s,d,u,E,f,N],h={begin:/\{/,end:/\}/,relevance:0,contains:["self",...S]},C=e.inherit(h,{relevance:0,endsParent:!0,contains:[h,...S]}),I={begin:/\[/,end:/\]/,endsParent:!0,relevance:0,contains:[h,...S]},x={begin:/\s+/,relevance:0},F=[C],q=[I],B=function(ne,Te){return{contains:[x],starts:{relevance:0,contains:ne,starts:Te}}},Y=function(ne,Te){return{begin:"\\\\"+ne+"(?![a-zA-Z@:_])",keywords:{$pattern:/\\[a-zA-Z]+/,keyword:"\\"+ne},relevance:0,contains:[x],starts:Te}},z=function(ne,Te){return e.inherit({begin:"\\\\begin(?=[ ]*(\\r?\\n[ ]*)?\\{"+ne+"\\})",keywords:{$pattern:/\\[a-zA-Z]+/,keyword:"\\begin"},relevance:0},B(F,Te))},c=(ne="string")=>e.END_SAME_AS_BEGIN({className:ne,begin:/(.|\r?\n)/,end:/(.|\r?\n)/,excludeBegin:!0,excludeEnd:!0,endsParent:!0}),te=function(ne){return{className:"string",end:"(?=\\\\end\\{"+ne+"\\})"}},K=(ne="string")=>({relevance:0,begin:/\{/,starts:{endsParent:!0,contains:[{className:ne,end:/(?=\})/,endsParent:!0,contains:[{begin:/\{/,end:/\}/,relevance:0,contains:["self"]}]}]}}),ce=[...["verb","lstinline"].map(ne=>Y(ne,{contains:[c()]})),Y("mint",B(F,{contains:[c()]})),Y("mintinline",B(F,{contains:[K(),c()]})),Y("url",{contains:[K("link"),K("link")]}),Y("hyperref",{contains:[K("link")]}),Y("href",B(q,{contains:[K("link")]})),...[].concat(...["","\\*"].map(ne=>[z("verbatim"+ne,te("verbatim"+ne)),z("filecontents"+ne,B(F,te("filecontents"+ne))),...["","B","L"].map(Te=>z(Te+"Verbatim"+ne,B(q,te(Te+"Verbatim"+ne))))])),z("minted",B(q,B(F,te("minted"))))];return{name:"LaTeX",aliases:["tex"],contains:[...ce,...S]}}Ul.exports=sE});var Gl=O((tT,Bl)=>{function lE(e){return{name:"LDIF",contains:[{className:"attribute",match:"^dn(?=:)",relevance:10},{className:"attribute",match:"^\\w+(?=:)"},{className:"literal",match:"^-"},e.HASH_COMMENT_MODE]}}Bl.exports=lE});var Hl=O((nT,Yl)=>{function cE(e){return{name:"Leaf",contains:[{className:"function",begin:"#+[A-Za-z_0-9]*\\(",end:/ \{/,returnBegin:!0,excludeEnd:!0,contains:[{className:"keyword",begin:"#+"},{className:"title",begin:"[A-Za-z_][A-Za-z_0-9]*"},{className:"params",begin:"\\(",end:"\\)",endsParent:!0,contains:[{className:"string",begin:'"',end:'"'},{className:"variable",begin:"[A-Za-z_][A-Za-z_0-9]*"}]}]}]}}Yl.exports=cE});var Wl=O((rT,zl)=>{var dE=e=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:e.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:e.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z][A-Za-z0-9_-]*/}}),_E=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],pE=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],ql=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],Vl=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],uE=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","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-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-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","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","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","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse(),mE=ql.concat(Vl);function gE(e){let n=dE(e),i=mE,_="and or not only",l="[\\w-]+",a="("+l+"|@\\{"+l+"\\})",s=[],d=[],u=function(B){return{className:"string",begin:"~?"+B+".*?"+B}},E=function(B,Y,z){return{className:B,begin:Y,relevance:z}},f={$pattern:/[a-z-]+/,keyword:_,attribute:pE.join(" ")},N={begin:"\\(",end:"\\)",contains:d,keywords:f,relevance:0};d.push(e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,u("'"),u('"'),n.CSS_NUMBER_MODE,{begin:"(url|data-uri)\\(",starts:{className:"string",end:"[\\)\\n]",excludeEnd:!0}},n.HEXCOLOR,N,E("variable","@@?"+l,10),E("variable","@\\{"+l+"\\}"),E("built_in","~?`[^`]*?`"),{className:"attribute",begin:l+"\\s*:",end:":",returnBegin:!0,excludeEnd:!0},n.IMPORTANT,{beginKeywords:"and not"},n.FUNCTION_DISPATCH);let S=d.concat({begin:/\{/,end:/\}/,contains:s}),h={beginKeywords:"when",endsWithParent:!0,contains:[{beginKeywords:"and not"}].concat(d)},C={begin:a+"\\s*:",returnBegin:!0,end:/[;}]/,relevance:0,contains:[{begin:/-(webkit|moz|ms|o)-/},n.CSS_VARIABLE,{className:"attribute",begin:"\\b("+uE.join("|")+")\\b",end:/(?=:)/,starts:{endsWithParent:!0,illegal:"[<=$]",relevance:0,contains:d}}]},I={className:"keyword",begin:"@(import|media|charset|font-face|(-[a-z]+-)?keyframes|supports|document|namespace|page|viewport|host)\\b",starts:{end:"[;{}]",keywords:f,returnEnd:!0,contains:d,relevance:0}},x={className:"variable",variants:[{begin:"@"+l+"\\s*:",relevance:15},{begin:"@"+l}],starts:{end:"[;}]",returnEnd:!0,contains:S}},F={variants:[{begin:"[\\.#:&\\[>]",end:"[;{}]"},{begin:a,end:/\{/}],returnBegin:!0,returnEnd:!0,illegal:`[<='$"]`,relevance:0,contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,h,E("keyword","all\\b"),E("variable","@\\{"+l+"\\}"),{begin:"\\b("+_E.join("|")+")\\b",className:"selector-tag"},n.CSS_NUMBER_MODE,E("selector-tag",a,0),E("selector-id","#"+a),E("selector-class","\\."+a,0),E("selector-tag","&",0),n.ATTRIBUTE_SELECTOR_MODE,{className:"selector-pseudo",begin:":("+ql.join("|")+")"},{className:"selector-pseudo",begin:":(:)?("+Vl.join("|")+")"},{begin:/\(/,end:/\)/,relevance:0,contains:S},{begin:"!important"},n.FUNCTION_DISPATCH]},q={begin:l+`:(:)?(${i.join("|")})`,returnBegin:!0,contains:[F]};return s.push(e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,I,x,q,C,F,h,n.FUNCTION_DISPATCH),{name:"Less",case_insensitive:!0,illegal:`[=>'/<($"]`,contains:s}}zl.exports=gE});var Kl=O((iT,$l)=>{function EE(e){let n="[a-zA-Z_\\-+\\*\\/<=>&#][a-zA-Z0-9_\\-+*\\/<=>&#!]*",i="\\|[^]*?\\|",_="(-|\\+)?\\d+(\\.\\d+|\\/\\d+)?((d|e|f|l|s|D|E|F|L|S)(\\+|-)?\\d+)?",l={className:"literal",begin:"\\b(t{1}|nil)\\b"},a={className:"number",variants:[{begin:_,relevance:0},{begin:"#(b|B)[0-1]+(/[0-1]+)?"},{begin:"#(o|O)[0-7]+(/[0-7]+)?"},{begin:"#(x|X)[0-9a-fA-F]+(/[0-9a-fA-F]+)?"},{begin:"#(c|C)\\("+_+" +"+_,end:"\\)"}]},s=e.inherit(e.QUOTE_STRING_MODE,{illegal:null}),d=e.COMMENT(";","$",{relevance:0}),u={begin:"\\*",end:"\\*"},E={className:"symbol",begin:"[:&]"+n},f={begin:n,relevance:0},N={begin:i},h={contains:[a,s,u,E,{begin:"\\(",end:"\\)",contains:["self",l,s,a,f]},f],variants:[{begin:"['`]\\(",end:"\\)"},{begin:"\\(quote ",end:"\\)",keywords:{name:"quote"}},{begin:"'"+i}]},C={variants:[{begin:"'"+n},{begin:"#'"+n+"(::"+n+")*"}]},I={begin:"\\(\\s*",end:"\\)"},x={endsWithParent:!0,relevance:0};return I.contains=[{className:"name",variants:[{begin:n,relevance:0},{begin:i}]},x],x.contains=[h,C,I,l,a,s,d,u,E,N,f],{name:"Lisp",illegal:/\S/,contains:[a,e.SHEBANG(),l,s,d,h,C,I,f]}}$l.exports=EE});var Xl=O((aT,Ql)=>{function bE(e){let n={className:"variable",variants:[{begin:"\\b([gtps][A-Z]{1}[a-zA-Z0-9]*)(\\[.+\\])?(?:\\s*?)"},{begin:"\\$_[A-Z]+"}],relevance:0},i=[e.C_BLOCK_COMMENT_MODE,e.HASH_COMMENT_MODE,e.COMMENT("--","$"),e.COMMENT("[^:]//","$")],_=e.inherit(e.TITLE_MODE,{variants:[{begin:"\\b_*rig[A-Z][A-Za-z0-9_\\-]*"},{begin:"\\b_[a-z0-9\\-]+"}]}),l=e.inherit(e.TITLE_MODE,{begin:"\\b([A-Za-z0-9_\\-]+)\\b"});return{name:"LiveCode",case_insensitive:!1,keywords:{keyword:"$_COOKIE $_FILES $_GET $_GET_BINARY $_GET_RAW $_POST $_POST_BINARY $_POST_RAW $_SESSION $_SERVER codepoint codepoints segment segments codeunit codeunits sentence sentences trueWord trueWords paragraph after byte bytes english the until http forever descending using line real8 with seventh for stdout finally element word words fourth before black ninth sixth characters chars stderr uInt1 uInt1s uInt2 uInt2s stdin string lines relative rel any fifth items from middle mid at else of catch then third it file milliseconds seconds second secs sec int1 int1s int4 int4s internet int2 int2s normal text item last long detailed effective uInt4 uInt4s repeat end repeat URL in try into switch to words https token binfile each tenth as ticks tick system real4 by dateItems without char character ascending eighth whole dateTime numeric short first ftp integer abbreviated abbr abbrev private case while if div mod wrap and or bitAnd bitNot bitOr bitXor among not in a an within contains ends with begins the keys of keys",literal:"SIX TEN FORMFEED NINE ZERO NONE SPACE FOUR FALSE COLON CRLF PI COMMA ENDOFFILE EOF EIGHT FIVE QUOTE EMPTY ONE TRUE RETURN CR LINEFEED RIGHT BACKSLASH NULL SEVEN TAB THREE TWO six ten formfeed nine zero none space four false colon crlf pi comma endoffile eof eight five quote empty one true return cr linefeed right backslash null seven tab three two RIVERSION RISTATE FILE_READ_MODE FILE_WRITE_MODE FILE_WRITE_MODE DIR_WRITE_MODE FILE_READ_UMASK FILE_WRITE_UMASK DIR_READ_UMASK DIR_WRITE_UMASK",built_in:"put abs acos aliasReference annuity arrayDecode arrayEncode asin atan atan2 average avg avgDev base64Decode base64Encode baseConvert binaryDecode binaryEncode byteOffset byteToNum cachedURL cachedURLs charToNum cipherNames codepointOffset codepointProperty codepointToNum codeunitOffset commandNames compound compress constantNames cos date dateFormat decompress difference directories diskSpace DNSServers exp exp1 exp2 exp10 extents files flushEvents folders format functionNames geometricMean global globals hasMemory harmonicMean hostAddress hostAddressToName hostName hostNameToAddress isNumber ISOToMac itemOffset keys len length libURLErrorData libUrlFormData libURLftpCommand libURLLastHTTPHeaders libURLLastRHHeaders libUrlMultipartFormAddPart libUrlMultipartFormData libURLVersion lineOffset ln ln1 localNames log log2 log10 longFilePath lower macToISO matchChunk matchText matrixMultiply max md5Digest median merge messageAuthenticationCode messageDigest millisec millisecs millisecond milliseconds min monthNames nativeCharToNum normalizeText num number numToByte numToChar numToCodepoint numToNativeChar offset open openfiles openProcesses openProcessIDs openSockets paragraphOffset paramCount param params peerAddress pendingMessages platform popStdDev populationStandardDeviation populationVariance popVariance processID random randomBytes replaceText result revCreateXMLTree revCreateXMLTreeFromFile revCurrentRecord revCurrentRecordIsFirst revCurrentRecordIsLast revDatabaseColumnCount revDatabaseColumnIsNull revDatabaseColumnLengths revDatabaseColumnNames revDatabaseColumnNamed revDatabaseColumnNumbered revDatabaseColumnTypes revDatabaseConnectResult revDatabaseCursors revDatabaseID revDatabaseTableNames revDatabaseType revDataFromQuery revdb_closeCursor revdb_columnbynumber revdb_columncount revdb_columnisnull revdb_columnlengths revdb_columnnames revdb_columntypes revdb_commit revdb_connect revdb_connections revdb_connectionerr revdb_currentrecord revdb_cursorconnection revdb_cursorerr revdb_cursors revdb_dbtype revdb_disconnect revdb_execute revdb_iseof revdb_isbof revdb_movefirst revdb_movelast revdb_movenext revdb_moveprev revdb_query revdb_querylist revdb_recordcount revdb_rollback revdb_tablenames revGetDatabaseDriverPath revNumberOfRecords revOpenDatabase revOpenDatabases revQueryDatabase revQueryDatabaseBlob revQueryResult revQueryIsAtStart revQueryIsAtEnd revUnixFromMacPath revXMLAttribute revXMLAttributes revXMLAttributeValues revXMLChildContents revXMLChildNames revXMLCreateTreeFromFileWithNamespaces revXMLCreateTreeWithNamespaces revXMLDataFromXPathQuery revXMLEvaluateXPath revXMLFirstChild revXMLMatchingNode revXMLNextSibling revXMLNodeContents revXMLNumberOfChildren revXMLParent revXMLPreviousSibling revXMLRootNode revXMLRPC_CreateRequest revXMLRPC_Documents revXMLRPC_Error revXMLRPC_GetHost revXMLRPC_GetMethod revXMLRPC_GetParam revXMLText revXMLRPC_Execute revXMLRPC_GetParamCount revXMLRPC_GetParamNode revXMLRPC_GetParamType revXMLRPC_GetPath revXMLRPC_GetPort revXMLRPC_GetProtocol revXMLRPC_GetRequest revXMLRPC_GetResponse revXMLRPC_GetSocket revXMLTree revXMLTrees revXMLValidateDTD revZipDescribeItem revZipEnumerateItems revZipOpenArchives round sampVariance sec secs seconds sentenceOffset sha1Digest shell shortFilePath sin specialFolderPath sqrt standardDeviation statRound stdDev sum sysError systemVersion tan tempName textDecode textEncode tick ticks time to tokenOffset toLower toUpper transpose truewordOffset trunc uniDecode uniEncode upper URLDecode URLEncode URLStatus uuid value variableNames variance version waitDepth weekdayNames wordOffset xsltApplyStylesheet xsltApplyStylesheetFromFile xsltLoadStylesheet xsltLoadStylesheetFromFile add breakpoint cancel clear local variable file word line folder directory URL close socket process combine constant convert create new alias folder directory decrypt delete variable word line folder directory URL dispatch divide do encrypt filter get include intersect kill libURLDownloadToFile libURLFollowHttpRedirects libURLftpUpload libURLftpUploadFile libURLresetAll libUrlSetAuthCallback libURLSetDriver libURLSetCustomHTTPHeaders libUrlSetExpect100 libURLSetFTPListCommand libURLSetFTPMode libURLSetFTPStopTime libURLSetStatusCallback load extension loadedExtensions multiply socket prepare process post seek rel relative read from process rename replace require resetAll resolve revAddXMLNode revAppendXML revCloseCursor revCloseDatabase revCommitDatabase revCopyFile revCopyFolder revCopyXMLNode revDeleteFolder revDeleteXMLNode revDeleteAllXMLTrees revDeleteXMLTree revExecuteSQL revGoURL revInsertXMLNode revMoveFolder revMoveToFirstRecord revMoveToLastRecord revMoveToNextRecord revMoveToPreviousRecord revMoveToRecord revMoveXMLNode revPutIntoXMLNode revRollBackDatabase revSetDatabaseDriverPath revSetXMLAttribute revXMLRPC_AddParam revXMLRPC_DeleteAllDocuments revXMLAddDTD revXMLRPC_Free revXMLRPC_FreeAll revXMLRPC_DeleteDocument revXMLRPC_DeleteParam revXMLRPC_SetHost revXMLRPC_SetMethod revXMLRPC_SetPort revXMLRPC_SetProtocol revXMLRPC_SetSocket revZipAddItemWithData revZipAddItemWithFile revZipAddUncompressedItemWithData revZipAddUncompressedItemWithFile revZipCancel revZipCloseArchive revZipDeleteItem revZipExtractItemToFile revZipExtractItemToVariable revZipSetProgressCallback revZipRenameItem revZipReplaceItemWithData revZipReplaceItemWithFile revZipOpenArchive send set sort split start stop subtract symmetric union unload vectorDotProduct wait write"},contains:[n,{className:"keyword",begin:"\\bend\\sif\\b"},{className:"function",beginKeywords:"function",end:"$",contains:[n,l,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.BINARY_NUMBER_MODE,e.C_NUMBER_MODE,_]},{className:"function",begin:"\\bend\\s+",end:"$",keywords:"end",contains:[l,_],relevance:0},{beginKeywords:"command on",end:"$",contains:[n,l,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.BINARY_NUMBER_MODE,e.C_NUMBER_MODE,_]},{className:"meta",variants:[{begin:"<\\?(rev|lc|livecode)",relevance:10},{begin:"<\\?"},{begin:"\\?>"}]},e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.BINARY_NUMBER_MODE,e.C_NUMBER_MODE,_].concat(i),illegal:";$|^\\[|^=|&|\\{"}}Ql.exports=bE});var Jl=O((oT,Zl)=>{var fE=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],SE=["true","false","null","undefined","NaN","Infinity"],hE=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],TE=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],RE=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],CE=[].concat(RE,hE,TE);function vE(e){let n=["npm","print"],i=["yes","no","on","off","it","that","void"],_=["then","unless","until","loop","of","by","when","and","or","is","isnt","not","it","that","otherwise","from","to","til","fallthrough","case","enum","native","list","map","__hasProp","__extends","__slice","__bind","__indexOf"],l={keyword:fE.concat(_),literal:SE.concat(i),built_in:CE.concat(n)},a="[A-Za-z$_](?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*",s=e.inherit(e.TITLE_MODE,{begin:a}),d={className:"subst",begin:/#\{/,end:/\}/,keywords:l},u={className:"subst",begin:/#[A-Za-z$_]/,end:/(?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*/,keywords:l},E=[e.BINARY_NUMBER_MODE,{className:"number",begin:"(\\b0[xX][a-fA-F0-9_]+)|(\\b\\d(\\d|_\\d)*(\\.(\\d(\\d|_\\d)*)?)?(_*[eE]([-+]\\d(_\\d|\\d)*)?)?[_a-z]*)",relevance:0,starts:{end:"(\\s*/)?",relevance:0}},{className:"string",variants:[{begin:/'''/,end:/'''/,contains:[e.BACKSLASH_ESCAPE]},{begin:/'/,end:/'/,contains:[e.BACKSLASH_ESCAPE]},{begin:/"""/,end:/"""/,contains:[e.BACKSLASH_ESCAPE,d,u]},{begin:/"/,end:/"/,contains:[e.BACKSLASH_ESCAPE,d,u]},{begin:/\\/,end:/(\s|$)/,excludeEnd:!0}]},{className:"regexp",variants:[{begin:"//",end:"//[gim]*",contains:[d,e.HASH_COMMENT_MODE]},{begin:/\/(?![ *])(\\.|[^\\\n])*?\/[gim]*(?=\W)/}]},{begin:"@"+a},{begin:"``",end:"``",excludeBegin:!0,excludeEnd:!0,subLanguage:"javascript"}];d.contains=E;let f={className:"params",begin:"\\(",returnBegin:!0,contains:[{begin:/\(/,end:/\)/,keywords:l,contains:["self"].concat(E)}]},N={begin:"(#=>|=>|\\|>>|-?->|!->)"},S={variants:[{match:[/class\s+/,a,/\s+extends\s+/,a]},{match:[/class\s+/,a]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:l};return{name:"LiveScript",aliases:["ls"],keywords:l,illegal:/\/\*/,contains:E.concat([e.COMMENT("\\/\\*","\\*\\/"),e.HASH_COMMENT_MODE,N,{className:"function",contains:[s,f],returnBegin:!0,variants:[{begin:"("+a+"\\s*(?:=|:=)\\s*)?(\\(.*\\)\\s*)?\\B->\\*?",end:"->\\*?"},{begin:"("+a+"\\s*(?:=|:=)\\s*)?!?(\\(.*\\)\\s*)?\\B[-~]{1,2}>\\*?",end:"[-~]{1,2}>\\*?"},{begin:"("+a+"\\s*(?:=|:=)\\s*)?(\\(.*\\)\\s*)?\\B!?[-~]{1,2}>\\*?",end:"!?[-~]{1,2}>\\*?"}]},S,{begin:a+":",end:":",returnBegin:!0,returnEnd:!0,relevance:0}])}}Zl.exports=vE});var ec=O((sT,jl)=>{function NE(e){let n=e.regex,i=/([-a-zA-Z$._][\w$.-]*)/,_={className:"type",begin:/\bi\d+(?=\s|\b)/},l={className:"operator",relevance:0,begin:/=/},a={className:"punctuation",relevance:0,begin:/,/},s={className:"number",variants:[{begin:/[su]?0[xX][KMLHR]?[a-fA-F0-9]+/},{begin:/[-+]?\d+(?:[.]\d+)?(?:[eE][-+]?\d+(?:[.]\d+)?)?/}],relevance:0},d={className:"symbol",variants:[{begin:/^\s*[a-z]+:/}],relevance:0},u={className:"variable",variants:[{begin:n.concat(/%/,i)},{begin:/%\d+/},{begin:/#\d+/}]},E={className:"title",variants:[{begin:n.concat(/@/,i)},{begin:/@\d+/},{begin:n.concat(/!/,i)},{begin:n.concat(/!\d+/,i)},{begin:/!\d+/}]};return{name:"LLVM IR",keywords:"begin end true false declare define global constant private linker_private internal available_externally linkonce linkonce_odr weak weak_odr appending dllimport dllexport common default hidden protected extern_weak external thread_local zeroinitializer undef null to tail target triple datalayout volatile nuw nsw nnan ninf nsz arcp fast exact inbounds align addrspace section alias module asm sideeffect gc dbg linker_private_weak attributes blockaddress initialexec localdynamic localexec prefix unnamed_addr ccc fastcc coldcc x86_stdcallcc x86_fastcallcc arm_apcscc arm_aapcscc arm_aapcs_vfpcc ptx_device ptx_kernel intel_ocl_bicc msp430_intrcc spir_func spir_kernel x86_64_sysvcc x86_64_win64cc x86_thiscallcc cc c signext zeroext inreg sret nounwind noreturn noalias nocapture byval nest readnone readonly inlinehint noinline alwaysinline optsize ssp sspreq noredzone noimplicitfloat naked builtin cold nobuiltin noduplicate nonlazybind optnone returns_twice sanitize_address sanitize_memory sanitize_thread sspstrong uwtable returned type opaque eq ne slt sgt sle sge ult ugt ule uge oeq one olt ogt ole oge ord uno ueq une x acq_rel acquire alignstack atomic catch cleanup filter inteldialect max min monotonic nand personality release seq_cst singlethread umax umin unordered xchg add fadd sub fsub mul fmul udiv sdiv fdiv urem srem frem shl lshr ashr and or xor icmp fcmp phi call trunc zext sext fptrunc fpext uitofp sitofp fptoui fptosi inttoptr ptrtoint bitcast addrspacecast select va_arg ret br switch invoke unwind unreachable indirectbr landingpad resume malloc alloca free load store getelementptr extractelement insertelement shufflevector getresult extractvalue insertvalue atomicrmw cmpxchg fence argmemonly double",contains:[_,e.COMMENT(/;\s*$/,null,{relevance:0}),e.COMMENT(/;/,/$/),{className:"string",begin:/"/,end:/"/,contains:[{className:"char.escape",match:/\\\d\d/}]},E,a,l,u,d,s]}}jl.exports=NE});var nc=O((lT,tc)=>{function OE(e){let i={className:"string",begin:'"',end:'"',contains:[{className:"subst",begin:/\\[tn"\\]/}]},_={className:"number",relevance:0,begin:e.C_NUMBER_RE},l={className:"literal",variants:[{begin:"\\b(PI|TWO_PI|PI_BY_TWO|DEG_TO_RAD|RAD_TO_DEG|SQRT2)\\b"},{begin:"\\b(XP_ERROR_(EXPERIENCES_DISABLED|EXPERIENCE_(DISABLED|SUSPENDED)|INVALID_(EXPERIENCE|PARAMETERS)|KEY_NOT_FOUND|MATURITY_EXCEEDED|NONE|NOT_(FOUND|PERMITTED(_LAND)?)|NO_EXPERIENCE|QUOTA_EXCEEDED|RETRY_UPDATE|STORAGE_EXCEPTION|STORE_DISABLED|THROTTLED|UNKNOWN_ERROR)|JSON_APPEND|STATUS_(PHYSICS|ROTATE_[XYZ]|PHANTOM|SANDBOX|BLOCK_GRAB(_OBJECT)?|(DIE|RETURN)_AT_EDGE|CAST_SHADOWS|OK|MALFORMED_PARAMS|TYPE_MISMATCH|BOUNDS_ERROR|NOT_(FOUND|SUPPORTED)|INTERNAL_ERROR|WHITELIST_FAILED)|AGENT(_(BY_(LEGACY_|USER)NAME|FLYING|ATTACHMENTS|SCRIPTED|MOUSELOOK|SITTING|ON_OBJECT|AWAY|WALKING|IN_AIR|TYPING|CROUCHING|BUSY|ALWAYS_RUN|AUTOPILOT|LIST_(PARCEL(_OWNER)?|REGION)))?|CAMERA_(PITCH|DISTANCE|BEHINDNESS_(ANGLE|LAG)|(FOCUS|POSITION)(_(THRESHOLD|LOCKED|LAG))?|FOCUS_OFFSET|ACTIVE)|ANIM_ON|LOOP|REVERSE|PING_PONG|SMOOTH|ROTATE|SCALE|ALL_SIDES|LINK_(ROOT|SET|ALL_(OTHERS|CHILDREN)|THIS)|ACTIVE|PASS(IVE|_(ALWAYS|IF_NOT_HANDLED|NEVER))|SCRIPTED|CONTROL_(FWD|BACK|(ROT_)?(LEFT|RIGHT)|UP|DOWN|(ML_)?LBUTTON)|PERMISSION_(RETURN_OBJECTS|DEBIT|OVERRIDE_ANIMATIONS|SILENT_ESTATE_MANAGEMENT|TAKE_CONTROLS|TRIGGER_ANIMATION|ATTACH|CHANGE_LINKS|(CONTROL|TRACK)_CAMERA|TELEPORT)|INVENTORY_(TEXTURE|SOUND|OBJECT|SCRIPT|LANDMARK|CLOTHING|NOTECARD|BODYPART|ANIMATION|GESTURE|ALL|NONE)|CHANGED_(INVENTORY|COLOR|SHAPE|SCALE|TEXTURE|LINK|ALLOWED_DROP|OWNER|REGION(_START)?|TELEPORT|MEDIA)|OBJECT_(CLICK_ACTION|HOVER_HEIGHT|LAST_OWNER_ID|(PHYSICS|SERVER|STREAMING)_COST|UNKNOWN_DETAIL|CHARACTER_TIME|PHANTOM|PHYSICS|TEMP_(ATTACHED|ON_REZ)|NAME|DESC|POS|PRIM_(COUNT|EQUIVALENCE)|RETURN_(PARCEL(_OWNER)?|REGION)|REZZER_KEY|ROO?T|VELOCITY|OMEGA|OWNER|GROUP(_TAG)?|CREATOR|ATTACHED_(POINT|SLOTS_AVAILABLE)|RENDER_WEIGHT|(BODY_SHAPE|PATHFINDING)_TYPE|(RUNNING|TOTAL)_SCRIPT_COUNT|TOTAL_INVENTORY_COUNT|SCRIPT_(MEMORY|TIME))|TYPE_(INTEGER|FLOAT|STRING|KEY|VECTOR|ROTATION|INVALID)|(DEBUG|PUBLIC)_CHANNEL|ATTACH_(AVATAR_CENTER|CHEST|HEAD|BACK|PELVIS|MOUTH|CHIN|NECK|NOSE|BELLY|[LR](SHOULDER|HAND|FOOT|EAR|EYE|[UL](ARM|LEG)|HIP)|(LEFT|RIGHT)_PEC|HUD_(CENTER_[12]|TOP_(RIGHT|CENTER|LEFT)|BOTTOM(_(RIGHT|LEFT))?)|[LR]HAND_RING1|TAIL_(BASE|TIP)|[LR]WING|FACE_(JAW|[LR]EAR|[LR]EYE|TOUNGE)|GROIN|HIND_[LR]FOOT)|LAND_(LEVEL|RAISE|LOWER|SMOOTH|NOISE|REVERT)|DATA_(ONLINE|NAME|BORN|SIM_(POS|STATUS|RATING)|PAYINFO)|PAYMENT_INFO_(ON_FILE|USED)|REMOTE_DATA_(CHANNEL|REQUEST|REPLY)|PSYS_(PART_(BF_(ZERO|ONE(_MINUS_(DEST_COLOR|SOURCE_(ALPHA|COLOR)))?|DEST_COLOR|SOURCE_(ALPHA|COLOR))|BLEND_FUNC_(DEST|SOURCE)|FLAGS|(START|END)_(COLOR|ALPHA|SCALE|GLOW)|MAX_AGE|(RIBBON|WIND|INTERP_(COLOR|SCALE)|BOUNCE|FOLLOW_(SRC|VELOCITY)|TARGET_(POS|LINEAR)|EMISSIVE)_MASK)|SRC_(MAX_AGE|PATTERN|ANGLE_(BEGIN|END)|BURST_(RATE|PART_COUNT|RADIUS|SPEED_(MIN|MAX))|ACCEL|TEXTURE|TARGET_KEY|OMEGA|PATTERN_(DROP|EXPLODE|ANGLE(_CONE(_EMPTY)?)?)))|VEHICLE_(REFERENCE_FRAME|TYPE_(NONE|SLED|CAR|BOAT|AIRPLANE|BALLOON)|(LINEAR|ANGULAR)_(FRICTION_TIMESCALE|MOTOR_DIRECTION)|LINEAR_MOTOR_OFFSET|HOVER_(HEIGHT|EFFICIENCY|TIMESCALE)|BUOYANCY|(LINEAR|ANGULAR)_(DEFLECTION_(EFFICIENCY|TIMESCALE)|MOTOR_(DECAY_)?TIMESCALE)|VERTICAL_ATTRACTION_(EFFICIENCY|TIMESCALE)|BANKING_(EFFICIENCY|MIX|TIMESCALE)|FLAG_(NO_DEFLECTION_UP|LIMIT_(ROLL_ONLY|MOTOR_UP)|HOVER_((WATER|TERRAIN|UP)_ONLY|GLOBAL_HEIGHT)|MOUSELOOK_(STEER|BANK)|CAMERA_DECOUPLED))|PRIM_(ALLOW_UNSIT|ALPHA_MODE(_(BLEND|EMISSIVE|MASK|NONE))?|NORMAL|SPECULAR|TYPE(_(BOX|CYLINDER|PRISM|SPHERE|TORUS|TUBE|RING|SCULPT))?|HOLE_(DEFAULT|CIRCLE|SQUARE|TRIANGLE)|MATERIAL(_(STONE|METAL|GLASS|WOOD|FLESH|PLASTIC|RUBBER))?|SHINY_(NONE|LOW|MEDIUM|HIGH)|BUMP_(NONE|BRIGHT|DARK|WOOD|BARK|BRICKS|CHECKER|CONCRETE|TILE|STONE|DISKS|GRAVEL|BLOBS|SIDING|LARGETILE|STUCCO|SUCTION|WEAVE)|TEXGEN_(DEFAULT|PLANAR)|SCRIPTED_SIT_ONLY|SCULPT_(TYPE_(SPHERE|TORUS|PLANE|CYLINDER|MASK)|FLAG_(MIRROR|INVERT))|PHYSICS(_(SHAPE_(CONVEX|NONE|PRIM|TYPE)))?|(POS|ROT)_LOCAL|SLICE|TEXT|FLEXIBLE|POINT_LIGHT|TEMP_ON_REZ|PHANTOM|POSITION|SIT_TARGET|SIZE|ROTATION|TEXTURE|NAME|OMEGA|DESC|LINK_TARGET|COLOR|BUMP_SHINY|FULLBRIGHT|TEXGEN|GLOW|MEDIA_(ALT_IMAGE_ENABLE|CONTROLS|(CURRENT|HOME)_URL|AUTO_(LOOP|PLAY|SCALE|ZOOM)|FIRST_CLICK_INTERACT|(WIDTH|HEIGHT)_PIXELS|WHITELIST(_ENABLE)?|PERMS_(INTERACT|CONTROL)|PARAM_MAX|CONTROLS_(STANDARD|MINI)|PERM_(NONE|OWNER|GROUP|ANYONE)|MAX_(URL_LENGTH|WHITELIST_(SIZE|COUNT)|(WIDTH|HEIGHT)_PIXELS)))|MASK_(BASE|OWNER|GROUP|EVERYONE|NEXT)|PERM_(TRANSFER|MODIFY|COPY|MOVE|ALL)|PARCEL_(MEDIA_COMMAND_(STOP|PAUSE|PLAY|LOOP|TEXTURE|URL|TIME|AGENT|UNLOAD|AUTO_ALIGN|TYPE|SIZE|DESC|LOOP_SET)|FLAG_(ALLOW_(FLY|(GROUP_)?SCRIPTS|LANDMARK|TERRAFORM|DAMAGE|CREATE_(GROUP_)?OBJECTS)|USE_(ACCESS_(GROUP|LIST)|BAN_LIST|LAND_PASS_LIST)|LOCAL_SOUND_ONLY|RESTRICT_PUSHOBJECT|ALLOW_(GROUP|ALL)_OBJECT_ENTRY)|COUNT_(TOTAL|OWNER|GROUP|OTHER|SELECTED|TEMP)|DETAILS_(NAME|DESC|OWNER|GROUP|AREA|ID|SEE_AVATARS))|LIST_STAT_(MAX|MIN|MEAN|MEDIAN|STD_DEV|SUM(_SQUARES)?|NUM_COUNT|GEOMETRIC_MEAN|RANGE)|PAY_(HIDE|DEFAULT)|REGION_FLAG_(ALLOW_DAMAGE|FIXED_SUN|BLOCK_TERRAFORM|SANDBOX|DISABLE_(COLLISIONS|PHYSICS)|BLOCK_FLY|ALLOW_DIRECT_TELEPORT|RESTRICT_PUSHOBJECT)|HTTP_(METHOD|MIMETYPE|BODY_(MAXLENGTH|TRUNCATED)|CUSTOM_HEADER|PRAGMA_NO_CACHE|VERBOSE_THROTTLE|VERIFY_CERT)|SIT_(INVALID_(AGENT|LINK_OBJECT)|NO(T_EXPERIENCE|_(ACCESS|EXPERIENCE_PERMISSION|SIT_TARGET)))|STRING_(TRIM(_(HEAD|TAIL))?)|CLICK_ACTION_(NONE|TOUCH|SIT|BUY|PAY|OPEN(_MEDIA)?|PLAY|ZOOM)|TOUCH_INVALID_FACE|PROFILE_(NONE|SCRIPT_MEMORY)|RC_(DATA_FLAGS|DETECT_PHANTOM|GET_(LINK_NUM|NORMAL|ROOT_KEY)|MAX_HITS|REJECT_(TYPES|AGENTS|(NON)?PHYSICAL|LAND))|RCERR_(CAST_TIME_EXCEEDED|SIM_PERF_LOW|UNKNOWN)|ESTATE_ACCESS_(ALLOWED_(AGENT|GROUP)_(ADD|REMOVE)|BANNED_AGENT_(ADD|REMOVE))|DENSITY|FRICTION|RESTITUTION|GRAVITY_MULTIPLIER|KFM_(COMMAND|CMD_(PLAY|STOP|PAUSE)|MODE|FORWARD|LOOP|PING_PONG|REVERSE|DATA|ROTATION|TRANSLATION)|ERR_(GENERIC|PARCEL_PERMISSIONS|MALFORMED_PARAMS|RUNTIME_PERMISSIONS|THROTTLED)|CHARACTER_(CMD_((SMOOTH_)?STOP|JUMP)|DESIRED_(TURN_)?SPEED|RADIUS|STAY_WITHIN_PARCEL|LENGTH|ORIENTATION|ACCOUNT_FOR_SKIPPED_FRAMES|AVOIDANCE_MODE|TYPE(_([ABCD]|NONE))?|MAX_(DECEL|TURN_RADIUS|(ACCEL|SPEED)))|PURSUIT_(OFFSET|FUZZ_FACTOR|GOAL_TOLERANCE|INTERCEPT)|REQUIRE_LINE_OF_SIGHT|FORCE_DIRECT_PATH|VERTICAL|HORIZONTAL|AVOID_(CHARACTERS|DYNAMIC_OBSTACLES|NONE)|PU_(EVADE_(HIDDEN|SPOTTED)|FAILURE_(DYNAMIC_PATHFINDING_DISABLED|INVALID_(GOAL|START)|NO_(NAVMESH|VALID_DESTINATION)|OTHER|TARGET_GONE|(PARCEL_)?UNREACHABLE)|(GOAL|SLOWDOWN_DISTANCE)_REACHED)|TRAVERSAL_TYPE(_(FAST|NONE|SLOW))?|CONTENT_TYPE_(ATOM|FORM|HTML|JSON|LLSD|RSS|TEXT|XHTML|XML)|GCNP_(RADIUS|STATIC)|(PATROL|WANDER)_PAUSE_AT_WAYPOINTS|OPT_(AVATAR|CHARACTER|EXCLUSION_VOLUME|LEGACY_LINKSET|MATERIAL_VOLUME|OTHER|STATIC_OBSTACLE|WALKABLE)|SIM_STAT_PCT_CHARS_STEPPED)\\b"},{begin:"\\b(FALSE|TRUE)\\b"},{begin:"\\b(ZERO_ROTATION)\\b"},{begin:"\\b(EOF|JSON_(ARRAY|DELETE|FALSE|INVALID|NULL|NUMBER|OBJECT|STRING|TRUE)|NULL_KEY|TEXTURE_(BLANK|DEFAULT|MEDIA|PLYWOOD|TRANSPARENT)|URL_REQUEST_(GRANTED|DENIED))\\b"},{begin:"\\b(ZERO_VECTOR|TOUCH_INVALID_(TEXCOORD|VECTOR))\\b"}]},a={className:"built_in",begin:"\\b(ll(AgentInExperience|(Create|DataSize|Delete|KeyCount|Keys|Read|Update)KeyValue|GetExperience(Details|ErrorMessage)|ReturnObjectsBy(ID|Owner)|Json(2List|[GS]etValue|ValueType)|Sin|Cos|Tan|Atan2|Sqrt|Pow|Abs|Fabs|Frand|Floor|Ceil|Round|Vec(Mag|Norm|Dist)|Rot(Between|2(Euler|Fwd|Left|Up))|(Euler|Axes)2Rot|Whisper|(Region|Owner)?Say|Shout|Listen(Control|Remove)?|Sensor(Repeat|Remove)?|Detected(Name|Key|Owner|Type|Pos|Vel|Grab|Rot|Group|LinkNumber)|Die|Ground|Wind|([GS]et)(AnimationOverride|MemoryLimit|PrimMediaParams|ParcelMusicURL|Object(Desc|Name)|PhysicsMaterial|Status|Scale|Color|Alpha|Texture|Pos|Rot|Force|Torque)|ResetAnimationOverride|(Scale|Offset|Rotate)Texture|(Rot)?Target(Remove)?|(Stop)?MoveToTarget|Apply(Rotational)?Impulse|Set(KeyframedMotion|ContentType|RegionPos|(Angular)?Velocity|Buoyancy|HoverHeight|ForceAndTorque|TimerEvent|ScriptState|Damage|TextureAnim|Sound(Queueing|Radius)|Vehicle(Type|(Float|Vector|Rotation)Param)|(Touch|Sit)?Text|Camera(Eye|At)Offset|PrimitiveParams|ClickAction|Link(Alpha|Color|PrimitiveParams(Fast)?|Texture(Anim)?|Camera|Media)|RemoteScriptAccessPin|PayPrice|LocalRot)|ScaleByFactor|Get((Max|Min)ScaleFactor|ClosestNavPoint|StaticPath|SimStats|Env|PrimitiveParams|Link(PrimitiveParams|Number(OfSides)?|Key|Name|Media)|HTTPHeader|FreeURLs|Object(Details|PermMask|PrimCount)|Parcel(MaxPrims|Details|Prim(Count|Owners))|Attached(List)?|(SPMax|Free|Used)Memory|Region(Name|TimeDilation|FPS|Corner|AgentCount)|Root(Position|Rotation)|UnixTime|(Parcel|Region)Flags|(Wall|GMT)clock|SimulatorHostname|BoundingBox|GeometricCenter|Creator|NumberOf(Prims|NotecardLines|Sides)|Animation(List)?|(Camera|Local)(Pos|Rot)|Vel|Accel|Omega|Time(stamp|OfDay)|(Object|CenterOf)?Mass|MassMKS|Energy|Owner|(Owner)?Key|SunDirection|Texture(Offset|Scale|Rot)|Inventory(Number|Name|Key|Type|Creator|PermMask)|Permissions(Key)?|StartParameter|List(Length|EntryType)|Date|Agent(Size|Info|Language|List)|LandOwnerAt|NotecardLine|Script(Name|State))|(Get|Reset|GetAndReset)Time|PlaySound(Slave)?|LoopSound(Master|Slave)?|(Trigger|Stop|Preload)Sound|((Get|Delete)Sub|Insert)String|To(Upper|Lower)|Give(InventoryList|Money)|RezObject|(Stop)?LookAt|Sleep|CollisionFilter|(Take|Release)Controls|DetachFromAvatar|AttachToAvatar(Temp)?|InstantMessage|(GetNext)?Email|StopHover|MinEventDelay|RotLookAt|String(Length|Trim)|(Start|Stop)Animation|TargetOmega|Request(Experience)?Permissions|(Create|Break)Link|BreakAllLinks|(Give|Remove)Inventory|Water|PassTouches|Request(Agent|Inventory)Data|TeleportAgent(Home|GlobalCoords)?|ModifyLand|CollisionSound|ResetScript|MessageLinked|PushObject|PassCollisions|AxisAngle2Rot|Rot2(Axis|Angle)|A(cos|sin)|AngleBetween|AllowInventoryDrop|SubStringIndex|List2(CSV|Integer|Json|Float|String|Key|Vector|Rot|List(Strided)?)|DeleteSubList|List(Statistics|Sort|Randomize|(Insert|Find|Replace)List)|EdgeOfWorld|AdjustSoundVolume|Key2Name|TriggerSoundLimited|EjectFromLand|(CSV|ParseString)2List|OverMyLand|SameGroup|UnSit|Ground(Slope|Normal|Contour)|GroundRepel|(Set|Remove)VehicleFlags|SitOnLink|(AvatarOn)?(Link)?SitTarget|Script(Danger|Profiler)|Dialog|VolumeDetect|ResetOtherScript|RemoteLoadScriptPin|(Open|Close)RemoteDataChannel|SendRemoteData|RemoteDataReply|(Integer|String)ToBase64|XorBase64|Log(10)?|Base64To(String|Integer)|ParseStringKeepNulls|RezAtRoot|RequestSimulatorData|ForceMouselook|(Load|Release|(E|Une)scape)URL|ParcelMedia(CommandList|Query)|ModPow|MapDestination|(RemoveFrom|AddTo|Reset)Land(Pass|Ban)List|(Set|Clear)CameraParams|HTTP(Request|Response)|TextBox|DetectedTouch(UV|Face|Pos|(N|Bin)ormal|ST)|(MD5|SHA1|DumpList2)String|Request(Secure)?URL|Clear(Prim|Link)Media|(Link)?ParticleSystem|(Get|Request)(Username|DisplayName)|RegionSayTo|CastRay|GenerateKey|TransferLindenDollars|ManageEstateAccess|(Create|Delete)Character|ExecCharacterCmd|Evade|FleeFrom|NavigateTo|PatrolPoints|Pursue|UpdateCharacter|WanderWithin))\\b"};return{name:"LSL (Linden Scripting Language)",illegal:":",contains:[i,{className:"comment",variants:[e.COMMENT("//","$"),e.COMMENT("/\\*","\\*/")],relevance:0},_,{className:"section",variants:[{begin:"\\b(state|default)\\b"},{begin:"\\b(state_(entry|exit)|touch(_(start|end))?|(land_)?collision(_(start|end))?|timer|listen|(no_)?sensor|control|(not_)?at_(rot_)?target|money|email|experience_permissions(_denied)?|run_time_permissions|changed|attach|dataserver|moving_(start|end)|link_message|(on|object)_rez|remote_data|http_re(sponse|quest)|path_update|transaction_result)\\b"}]},a,l,{className:"type",begin:"\\b(integer|float|string|key|vector|quaternion|rotation|list)\\b"}]}}tc.exports=OE});var ic=O((cT,rc)=>{function AE(e){let n="\\[=*\\[",i="\\]=*\\]",_={begin:n,end:i,contains:["self"]},l=[e.COMMENT("--(?!"+n+")","$"),e.COMMENT("--"+n,i,{contains:[_],relevance:10})];return{name:"Lua",keywords:{$pattern:e.UNDERSCORE_IDENT_RE,literal:"true false nil",keyword:"and break do else elseif end for goto if in local not or repeat return then until while",built_in:"_G _ENV _VERSION __index __newindex __mode __call __metatable __tostring __len __gc __add __sub __mul __div __mod __pow __concat __unm __eq __lt __le assert collectgarbage dofile error getfenv getmetatable ipairs load loadfile loadstring module next pairs pcall print rawequal rawget rawset require select setfenv setmetatable tonumber tostring type unpack xpcall arg self coroutine resume yield status wrap create running debug getupvalue debug sethook getmetatable gethook setmetatable setlocal traceback setfenv getinfo setupvalue getlocal getregistry getfenv io lines write close flush open output type read stderr stdin input stdout popen tmpfile math log max acos huge ldexp pi cos tanh pow deg tan cosh sinh random randomseed frexp ceil floor rad abs sqrt modf asin min mod fmod log10 atan2 exp sin atan os exit setlocale date getenv difftime remove time clock tmpname rename execute package preload loadlib loaded loaders cpath config path seeall string sub upper len gfind rep find match char dump gmatch reverse byte format gsub lower table setn insert getn foreachi maxn foreach concat sort remove"},contains:l.concat([{className:"function",beginKeywords:"function",end:"\\)",contains:[e.inherit(e.TITLE_MODE,{begin:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),{className:"params",begin:"\\(",endsWithParent:!0,contains:l}].concat(l)},e.C_NUMBER_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,{className:"string",begin:n,end:i,contains:[_],relevance:5}])}}rc.exports=AE});var oc=O((dT,ac)=>{function yE(e){let n={className:"variable",variants:[{begin:"\\$\\("+e.UNDERSCORE_IDENT_RE+"\\)",contains:[e.BACKSLASH_ESCAPE]},{begin:/\$[@%<?\^\+\*]/}]},i={className:"string",begin:/"/,end:/"/,contains:[e.BACKSLASH_ESCAPE,n]},_={className:"variable",begin:/\$\([\w-]+\s/,end:/\)/,keywords:{built_in:"subst patsubst strip findstring filter filter-out sort word wordlist firstword lastword dir notdir suffix basename addsuffix addprefix join wildcard realpath abspath error warning shell origin flavor foreach if or and call eval file value"},contains:[n]},l={begin:"^"+e.UNDERSCORE_IDENT_RE+"\\s*(?=[:+?]?=)"},a={className:"meta",begin:/^\.PHONY:/,end:/$/,keywords:{$pattern:/[\.\w]+/,keyword:".PHONY"}},s={className:"section",begin:/^[^\s]+:/,end:/$/,contains:[n]};return{name:"Makefile",aliases:["mk","mak","make"],keywords:{$pattern:/[\w-]+/,keyword:"define endef undefine ifdef ifndef ifeq ifneq else endif include -include sinclude override export unexport private vpath"},contains:[e.HASH_COMMENT_MODE,n,i,_,l,a,s]}}ac.exports=yE});var lc=O((_T,sc)=>{var IE=["AASTriangle","AbelianGroup","Abort","AbortKernels","AbortProtect","AbortScheduledTask","Above","Abs","AbsArg","AbsArgPlot","Absolute","AbsoluteCorrelation","AbsoluteCorrelationFunction","AbsoluteCurrentValue","AbsoluteDashing","AbsoluteFileName","AbsoluteOptions","AbsolutePointSize","AbsoluteThickness","AbsoluteTime","AbsoluteTiming","AcceptanceThreshold","AccountingForm","Accumulate","Accuracy","AccuracyGoal","AcousticAbsorbingValue","AcousticImpedanceValue","AcousticNormalVelocityValue","AcousticPDEComponent","AcousticPressureCondition","AcousticRadiationValue","AcousticSoundHardValue","AcousticSoundSoftCondition","ActionDelay","ActionMenu","ActionMenuBox","ActionMenuBoxOptions","Activate","Active","ActiveClassification","ActiveClassificationObject","ActiveItem","ActivePrediction","ActivePredictionObject","ActiveStyle","AcyclicGraphQ","AddOnHelpPath","AddSides","AddTo","AddToSearchIndex","AddUsers","AdjacencyGraph","AdjacencyList","AdjacencyMatrix","AdjacentMeshCells","Adjugate","AdjustmentBox","AdjustmentBoxOptions","AdjustTimeSeriesForecast","AdministrativeDivisionData","AffineHalfSpace","AffineSpace","AffineStateSpaceModel","AffineTransform","After","AggregatedEntityClass","AggregationLayer","AircraftData","AirportData","AirPressureData","AirSoundAttenuation","AirTemperatureData","AiryAi","AiryAiPrime","AiryAiZero","AiryBi","AiryBiPrime","AiryBiZero","AlgebraicIntegerQ","AlgebraicNumber","AlgebraicNumberDenominator","AlgebraicNumberNorm","AlgebraicNumberPolynomial","AlgebraicNumberTrace","AlgebraicRules","AlgebraicRulesData","Algebraics","AlgebraicUnitQ","Alignment","AlignmentMarker","AlignmentPoint","All","AllowAdultContent","AllowChatServices","AllowedCloudExtraParameters","AllowedCloudParameterExtensions","AllowedDimensions","AllowedFrequencyRange","AllowedHeads","AllowGroupClose","AllowIncomplete","AllowInlineCells","AllowKernelInitialization","AllowLooseGrammar","AllowReverseGroupClose","AllowScriptLevelChange","AllowVersionUpdate","AllTrue","Alphabet","AlphabeticOrder","AlphabeticSort","AlphaChannel","AlternateImage","AlternatingFactorial","AlternatingGroup","AlternativeHypothesis","Alternatives","AltitudeMethod","AmbientLight","AmbiguityFunction","AmbiguityList","Analytic","AnatomyData","AnatomyForm","AnatomyPlot3D","AnatomySkinStyle","AnatomyStyling","AnchoredSearch","And","AndersonDarlingTest","AngerJ","AngleBisector","AngleBracket","AnglePath","AnglePath3D","AngleVector","AngularGauge","Animate","AnimatedImage","AnimationCycleOffset","AnimationCycleRepetitions","AnimationDirection","AnimationDisplayTime","AnimationRate","AnimationRepetitions","AnimationRunning","AnimationRunTime","AnimationTimeIndex","AnimationVideo","Animator","AnimatorBox","AnimatorBoxOptions","AnimatorElements","Annotate","Annotation","AnnotationDelete","AnnotationKeys","AnnotationRules","AnnotationValue","Annuity","AnnuityDue","Annulus","AnomalyDetection","AnomalyDetector","AnomalyDetectorFunction","Anonymous","Antialiasing","Antihermitian","AntihermitianMatrixQ","Antisymmetric","AntisymmetricMatrixQ","Antonyms","AnyOrder","AnySubset","AnyTrue","Apart","ApartSquareFree","APIFunction","Appearance","AppearanceElements","AppearanceRules","AppellF1","Append","AppendCheck","AppendLayer","AppendTo","Application","Apply","ApplyReaction","ApplySides","ApplyTo","ArcCos","ArcCosh","ArcCot","ArcCoth","ArcCsc","ArcCsch","ArcCurvature","ARCHProcess","ArcLength","ArcSec","ArcSech","ArcSin","ArcSinDistribution","ArcSinh","ArcTan","ArcTanh","Area","Arg","ArgMax","ArgMin","ArgumentCountQ","ArgumentsOptions","ARIMAProcess","ArithmeticGeometricMean","ARMAProcess","Around","AroundReplace","ARProcess","Array","ArrayComponents","ArrayDepth","ArrayFilter","ArrayFlatten","ArrayMesh","ArrayPad","ArrayPlot","ArrayPlot3D","ArrayQ","ArrayReduce","ArrayResample","ArrayReshape","ArrayRules","Arrays","Arrow","Arrow3DBox","ArrowBox","Arrowheads","ASATriangle","Ask","AskAppend","AskConfirm","AskDisplay","AskedQ","AskedValue","AskFunction","AskState","AskTemplateDisplay","AspectRatio","AspectRatioFixed","Assert","AssessmentFunction","AssessmentResultObject","AssociateTo","Association","AssociationFormat","AssociationMap","AssociationQ","AssociationThread","AssumeDeterministic","Assuming","Assumptions","AstroAngularSeparation","AstroBackground","AstroCenter","AstroDistance","AstroGraphics","AstroGridLines","AstroGridLinesStyle","AstronomicalData","AstroPosition","AstroProjection","AstroRange","AstroRangePadding","AstroReferenceFrame","AstroStyling","AstroZoomLevel","Asymptotic","AsymptoticDSolveValue","AsymptoticEqual","AsymptoticEquivalent","AsymptoticExpectation","AsymptoticGreater","AsymptoticGreaterEqual","AsymptoticIntegrate","AsymptoticLess","AsymptoticLessEqual","AsymptoticOutputTracker","AsymptoticProbability","AsymptoticProduct","AsymptoticRSolveValue","AsymptoticSolve","AsymptoticSum","Asynchronous","AsynchronousTaskObject","AsynchronousTasks","Atom","AtomCoordinates","AtomCount","AtomDiagramCoordinates","AtomLabels","AtomLabelStyle","AtomList","AtomQ","AttachCell","AttachedCell","AttentionLayer","Attributes","Audio","AudioAmplify","AudioAnnotate","AudioAnnotationLookup","AudioBlockMap","AudioCapture","AudioChannelAssignment","AudioChannelCombine","AudioChannelMix","AudioChannels","AudioChannelSeparate","AudioData","AudioDelay","AudioDelete","AudioDevice","AudioDistance","AudioEncoding","AudioFade","AudioFrequencyShift","AudioGenerator","AudioIdentify","AudioInputDevice","AudioInsert","AudioInstanceQ","AudioIntervals","AudioJoin","AudioLabel","AudioLength","AudioLocalMeasurements","AudioLooping","AudioLoudness","AudioMeasurements","AudioNormalize","AudioOutputDevice","AudioOverlay","AudioPad","AudioPan","AudioPartition","AudioPause","AudioPitchShift","AudioPlay","AudioPlot","AudioQ","AudioRecord","AudioReplace","AudioResample","AudioReverb","AudioReverse","AudioSampleRate","AudioSpectralMap","AudioSpectralTransformation","AudioSplit","AudioStop","AudioStream","AudioStreams","AudioTimeStretch","AudioTrackApply","AudioTrackSelection","AudioTrim","AudioType","AugmentedPolyhedron","AugmentedSymmetricPolynomial","Authenticate","Authentication","AuthenticationDialog","AutoAction","Autocomplete","AutocompletionFunction","AutoCopy","AutocorrelationTest","AutoDelete","AutoEvaluateEvents","AutoGeneratedPackage","AutoIndent","AutoIndentSpacings","AutoItalicWords","AutoloadPath","AutoMatch","Automatic","AutomaticImageSize","AutoMultiplicationSymbol","AutoNumberFormatting","AutoOpenNotebooks","AutoOpenPalettes","AutoOperatorRenderings","AutoQuoteCharacters","AutoRefreshed","AutoRemove","AutorunSequencing","AutoScaling","AutoScroll","AutoSpacing","AutoStyleOptions","AutoStyleWords","AutoSubmitting","Axes","AxesEdge","AxesLabel","AxesOrigin","AxesStyle","AxiomaticTheory","Axis","Axis3DBox","Axis3DBoxOptions","AxisBox","AxisBoxOptions","AxisLabel","AxisObject","AxisStyle","BabyMonsterGroupB","Back","BackFaceColor","BackFaceGlowColor","BackFaceOpacity","BackFaceSpecularColor","BackFaceSpecularExponent","BackFaceSurfaceAppearance","BackFaceTexture","Background","BackgroundAppearance","BackgroundTasksSettings","Backslash","Backsubstitution","Backward","Ball","Band","BandpassFilter","BandstopFilter","BarabasiAlbertGraphDistribution","BarChart","BarChart3D","BarcodeImage","BarcodeRecognize","BaringhausHenzeTest","BarLegend","BarlowProschanImportance","BarnesG","BarOrigin","BarSpacing","BartlettHannWindow","BartlettWindow","BaseDecode","BaseEncode","BaseForm","Baseline","BaselinePosition","BaseStyle","BasicRecurrentLayer","BatchNormalizationLayer","BatchSize","BatesDistribution","BattleLemarieWavelet","BayesianMaximization","BayesianMaximizationObject","BayesianMinimization","BayesianMinimizationObject","Because","BeckmannDistribution","Beep","Before","Begin","BeginDialogPacket","BeginPackage","BellB","BellY","Below","BenfordDistribution","BeniniDistribution","BenktanderGibratDistribution","BenktanderWeibullDistribution","BernoulliB","BernoulliDistribution","BernoulliGraphDistribution","BernoulliProcess","BernsteinBasis","BesagL","BesselFilterModel","BesselI","BesselJ","BesselJZero","BesselK","BesselY","BesselYZero","Beta","BetaBinomialDistribution","BetaDistribution","BetaNegativeBinomialDistribution","BetaPrimeDistribution","BetaRegularized","Between","BetweennessCentrality","Beveled","BeveledPolyhedron","BezierCurve","BezierCurve3DBox","BezierCurve3DBoxOptions","BezierCurveBox","BezierCurveBoxOptions","BezierFunction","BilateralFilter","BilateralLaplaceTransform","BilateralZTransform","Binarize","BinaryDeserialize","BinaryDistance","BinaryFormat","BinaryImageQ","BinaryRead","BinaryReadList","BinarySerialize","BinaryWrite","BinCounts","BinLists","BinnedVariogramList","Binomial","BinomialDistribution","BinomialPointProcess","BinomialProcess","BinormalDistribution","BiorthogonalSplineWavelet","BioSequence","BioSequenceBackTranslateList","BioSequenceComplement","BioSequenceInstances","BioSequenceModify","BioSequencePlot","BioSequenceQ","BioSequenceReverseComplement","BioSequenceTranscribe","BioSequenceTranslate","BipartiteGraphQ","BiquadraticFilterModel","BirnbaumImportance","BirnbaumSaundersDistribution","BitAnd","BitClear","BitGet","BitLength","BitNot","BitOr","BitRate","BitSet","BitShiftLeft","BitShiftRight","BitXor","BiweightLocation","BiweightMidvariance","Black","BlackmanHarrisWindow","BlackmanNuttallWindow","BlackmanWindow","Blank","BlankForm","BlankNullSequence","BlankSequence","Blend","Block","BlockchainAddressData","BlockchainBase","BlockchainBlockData","BlockchainContractValue","BlockchainData","BlockchainGet","BlockchainKeyEncode","BlockchainPut","BlockchainTokenData","BlockchainTransaction","BlockchainTransactionData","BlockchainTransactionSign","BlockchainTransactionSubmit","BlockDiagonalMatrix","BlockLowerTriangularMatrix","BlockMap","BlockRandom","BlockUpperTriangularMatrix","BlomqvistBeta","BlomqvistBetaTest","Blue","Blur","Blurring","BodePlot","BohmanWindow","Bold","Bond","BondCount","BondLabels","BondLabelStyle","BondList","BondQ","Bookmarks","Boole","BooleanConsecutiveFunction","BooleanConvert","BooleanCountingFunction","BooleanFunction","BooleanGraph","BooleanMaxterms","BooleanMinimize","BooleanMinterms","BooleanQ","BooleanRegion","Booleans","BooleanStrings","BooleanTable","BooleanVariables","BorderDimensions","BorelTannerDistribution","Bottom","BottomHatTransform","BoundaryDiscretizeGraphics","BoundaryDiscretizeRegion","BoundaryMesh","BoundaryMeshRegion","BoundaryMeshRegionQ","BoundaryStyle","BoundedRegionQ","BoundingRegion","Bounds","Box","BoxBaselineShift","BoxData","BoxDimensions","Boxed","Boxes","BoxForm","BoxFormFormatTypes","BoxFrame","BoxID","BoxMargins","BoxMatrix","BoxObject","BoxRatios","BoxRotation","BoxRotationPoint","BoxStyle","BoxWhiskerChart","Bra","BracketingBar","BraKet","BrayCurtisDistance","BreadthFirstScan","Break","BridgeData","BrightnessEqualize","BroadcastStationData","Brown","BrownForsytheTest","BrownianBridgeProcess","BrowserCategory","BSplineBasis","BSplineCurve","BSplineCurve3DBox","BSplineCurve3DBoxOptions","BSplineCurveBox","BSplineCurveBoxOptions","BSplineFunction","BSplineSurface","BSplineSurface3DBox","BSplineSurface3DBoxOptions","BubbleChart","BubbleChart3D","BubbleScale","BubbleSizes","BuckyballGraph","BuildCompiledComponent","BuildingData","BulletGauge","BusinessDayQ","ButterflyGraph","ButterworthFilterModel","Button","ButtonBar","ButtonBox","ButtonBoxOptions","ButtonCell","ButtonContents","ButtonData","ButtonEvaluator","ButtonExpandable","ButtonFrame","ButtonFunction","ButtonMargins","ButtonMinHeight","ButtonNote","ButtonNotebook","ButtonSource","ButtonStyle","ButtonStyleMenuListing","Byte","ByteArray","ByteArrayFormat","ByteArrayFormatQ","ByteArrayQ","ByteArrayToString","ByteCount","ByteOrdering","C","CachedValue","CacheGraphics","CachePersistence","CalendarConvert","CalendarData","CalendarType","Callout","CalloutMarker","CalloutStyle","CallPacket","CanberraDistance","Cancel","CancelButton","CandlestickChart","CanonicalGraph","CanonicalizePolygon","CanonicalizePolyhedron","CanonicalizeRegion","CanonicalName","CanonicalWarpingCorrespondence","CanonicalWarpingDistance","CantorMesh","CantorStaircase","Canvas","Cap","CapForm","CapitalDifferentialD","Capitalize","CapsuleShape","CaptureRunning","CaputoD","CardinalBSplineBasis","CarlemanLinearize","CarlsonRC","CarlsonRD","CarlsonRE","CarlsonRF","CarlsonRG","CarlsonRJ","CarlsonRK","CarlsonRM","CarmichaelLambda","CaseOrdering","Cases","CaseSensitive","Cashflow","Casoratian","Cast","Catalan","CatalanNumber","Catch","CategoricalDistribution","Catenate","CatenateLayer","CauchyDistribution","CauchyMatrix","CauchyPointProcess","CauchyWindow","CayleyGraph","CDF","CDFDeploy","CDFInformation","CDFWavelet","Ceiling","CelestialSystem","Cell","CellAutoOverwrite","CellBaseline","CellBoundingBox","CellBracketOptions","CellChangeTimes","CellContents","CellContext","CellDingbat","CellDingbatMargin","CellDynamicExpression","CellEditDuplicate","CellElementsBoundingBox","CellElementSpacings","CellEpilog","CellEvaluationDuplicate","CellEvaluationFunction","CellEvaluationLanguage","CellEventActions","CellFrame","CellFrameColor","CellFrameLabelMargins","CellFrameLabels","CellFrameMargins","CellFrameStyle","CellGroup","CellGroupData","CellGrouping","CellGroupingRules","CellHorizontalScrolling","CellID","CellInsertionPointCell","CellLabel","CellLabelAutoDelete","CellLabelMargins","CellLabelPositioning","CellLabelStyle","CellLabelTemplate","CellMargins","CellObject","CellOpen","CellPrint","CellProlog","Cells","CellSize","CellStyle","CellTags","CellTrayPosition","CellTrayWidgets","CellularAutomaton","CensoredDistribution","Censoring","Center","CenterArray","CenterDot","CenteredInterval","CentralFeature","CentralMoment","CentralMomentGeneratingFunction","Cepstrogram","CepstrogramArray","CepstrumArray","CForm","ChampernowneNumber","ChangeOptions","ChannelBase","ChannelBrokerAction","ChannelDatabin","ChannelHistoryLength","ChannelListen","ChannelListener","ChannelListeners","ChannelListenerWait","ChannelObject","ChannelPreSendFunction","ChannelReceiverFunction","ChannelSend","ChannelSubscribers","ChanVeseBinarize","Character","CharacterCounts","CharacterEncoding","CharacterEncodingsPath","CharacteristicFunction","CharacteristicPolynomial","CharacterName","CharacterNormalize","CharacterRange","Characters","ChartBaseStyle","ChartElementData","ChartElementDataFunction","ChartElementFunction","ChartElements","ChartLabels","ChartLayout","ChartLegends","ChartStyle","Chebyshev1FilterModel","Chebyshev2FilterModel","ChebyshevDistance","ChebyshevT","ChebyshevU","Check","CheckAbort","CheckAll","CheckArguments","Checkbox","CheckboxBar","CheckboxBox","CheckboxBoxOptions","ChemicalConvert","ChemicalData","ChemicalFormula","ChemicalInstance","ChemicalReaction","ChessboardDistance","ChiDistribution","ChineseRemainder","ChiSquareDistribution","ChoiceButtons","ChoiceDialog","CholeskyDecomposition","Chop","ChromaticityPlot","ChromaticityPlot3D","ChromaticPolynomial","Circle","CircleBox","CircleDot","CircleMinus","CirclePlus","CirclePoints","CircleThrough","CircleTimes","CirculantGraph","CircularArcThrough","CircularOrthogonalMatrixDistribution","CircularQuaternionMatrixDistribution","CircularRealMatrixDistribution","CircularSymplecticMatrixDistribution","CircularUnitaryMatrixDistribution","Circumsphere","CityData","ClassifierFunction","ClassifierInformation","ClassifierMeasurements","ClassifierMeasurementsObject","Classify","ClassPriors","Clear","ClearAll","ClearAttributes","ClearCookies","ClearPermissions","ClearSystemCache","ClebschGordan","ClickPane","ClickToCopy","ClickToCopyEnabled","Clip","ClipboardNotebook","ClipFill","ClippingStyle","ClipPlanes","ClipPlanesStyle","ClipRange","Clock","ClockGauge","ClockwiseContourIntegral","Close","Closed","CloseKernels","ClosenessCentrality","Closing","ClosingAutoSave","ClosingEvent","CloudAccountData","CloudBase","CloudConnect","CloudConnections","CloudDeploy","CloudDirectory","CloudDisconnect","CloudEvaluate","CloudExport","CloudExpression","CloudExpressions","CloudFunction","CloudGet","CloudImport","CloudLoggingData","CloudObject","CloudObjectInformation","CloudObjectInformationData","CloudObjectNameFormat","CloudObjects","CloudObjectURLType","CloudPublish","CloudPut","CloudRenderingMethod","CloudSave","CloudShare","CloudSubmit","CloudSymbol","CloudUnshare","CloudUserID","ClusterClassify","ClusterDissimilarityFunction","ClusteringComponents","ClusteringMeasurements","ClusteringTree","CMYKColor","Coarse","CodeAssistOptions","Coefficient","CoefficientArrays","CoefficientDomain","CoefficientList","CoefficientRules","CoifletWavelet","Collect","CollinearPoints","Colon","ColonForm","ColorBalance","ColorCombine","ColorConvert","ColorCoverage","ColorData","ColorDataFunction","ColorDetect","ColorDistance","ColorFunction","ColorFunctionBinning","ColorFunctionScaling","Colorize","ColorNegate","ColorOutput","ColorProfileData","ColorQ","ColorQuantize","ColorReplace","ColorRules","ColorSelectorSettings","ColorSeparate","ColorSetter","ColorSetterBox","ColorSetterBoxOptions","ColorSlider","ColorsNear","ColorSpace","ColorToneMapping","Column","ColumnAlignments","ColumnBackgrounds","ColumnForm","ColumnLines","ColumnsEqual","ColumnSpacings","ColumnWidths","CombinatorB","CombinatorC","CombinatorI","CombinatorK","CombinatorS","CombinatorW","CombinatorY","CombinedEntityClass","CombinerFunction","CometData","CommonDefaultFormatTypes","Commonest","CommonestFilter","CommonName","CommonUnits","CommunityBoundaryStyle","CommunityGraphPlot","CommunityLabels","CommunityRegionStyle","CompanyData","CompatibleUnitQ","CompilationOptions","CompilationTarget","Compile","Compiled","CompiledCodeFunction","CompiledComponent","CompiledExpressionDeclaration","CompiledFunction","CompiledLayer","CompilerCallback","CompilerEnvironment","CompilerEnvironmentAppend","CompilerEnvironmentAppendTo","CompilerEnvironmentObject","CompilerOptions","Complement","ComplementedEntityClass","CompleteGraph","CompleteGraphQ","CompleteIntegral","CompleteKaryTree","CompletionsListPacket","Complex","ComplexArrayPlot","ComplexContourPlot","Complexes","ComplexExpand","ComplexInfinity","ComplexityFunction","ComplexListPlot","ComplexPlot","ComplexPlot3D","ComplexRegionPlot","ComplexStreamPlot","ComplexVectorPlot","ComponentMeasurements","ComponentwiseContextMenu","Compose","ComposeList","ComposeSeries","CompositeQ","Composition","CompoundElement","CompoundExpression","CompoundPoissonDistribution","CompoundPoissonProcess","CompoundRenewalProcess","Compress","CompressedData","CompressionLevel","ComputeUncertainty","ConcaveHullMesh","Condition","ConditionalExpression","Conditioned","Cone","ConeBox","ConfidenceLevel","ConfidenceRange","ConfidenceTransform","ConfigurationPath","Confirm","ConfirmAssert","ConfirmBy","ConfirmMatch","ConfirmQuiet","ConformationMethod","ConformAudio","ConformImages","Congruent","ConicGradientFilling","ConicHullRegion","ConicHullRegion3DBox","ConicHullRegion3DBoxOptions","ConicHullRegionBox","ConicHullRegionBoxOptions","ConicOptimization","Conjugate","ConjugateTranspose","Conjunction","Connect","ConnectedComponents","ConnectedGraphComponents","ConnectedGraphQ","ConnectedMeshComponents","ConnectedMoleculeComponents","ConnectedMoleculeQ","ConnectionSettings","ConnectLibraryCallbackFunction","ConnectSystemModelComponents","ConnectSystemModelController","ConnesWindow","ConoverTest","ConservativeConvectionPDETerm","ConsoleMessage","Constant","ConstantArray","ConstantArrayLayer","ConstantImage","ConstantPlusLayer","ConstantRegionQ","Constants","ConstantTimesLayer","ConstellationData","ConstrainedMax","ConstrainedMin","Construct","Containing","ContainsAll","ContainsAny","ContainsExactly","ContainsNone","ContainsOnly","ContentDetectorFunction","ContentFieldOptions","ContentLocationFunction","ContentObject","ContentPadding","ContentsBoundingBox","ContentSelectable","ContentSize","Context","ContextMenu","Contexts","ContextToFileName","Continuation","Continue","ContinuedFraction","ContinuedFractionK","ContinuousAction","ContinuousMarkovProcess","ContinuousTask","ContinuousTimeModelQ","ContinuousWaveletData","ContinuousWaveletTransform","ContourDetect","ContourGraphics","ContourIntegral","ContourLabels","ContourLines","ContourPlot","ContourPlot3D","Contours","ContourShading","ContourSmoothing","ContourStyle","ContraharmonicMean","ContrastiveLossLayer","Control","ControlActive","ControlAlignment","ControlGroupContentsBox","ControllabilityGramian","ControllabilityMatrix","ControllableDecomposition","ControllableModelQ","ControllerDuration","ControllerInformation","ControllerInformationData","ControllerLinking","ControllerManipulate","ControllerMethod","ControllerPath","ControllerState","ControlPlacement","ControlsRendering","ControlType","ConvectionPDETerm","Convergents","ConversionOptions","ConversionRules","ConvertToPostScript","ConvertToPostScriptPacket","ConvexHullMesh","ConvexHullRegion","ConvexOptimization","ConvexPolygonQ","ConvexPolyhedronQ","ConvexRegionQ","ConvolutionLayer","Convolve","ConwayGroupCo1","ConwayGroupCo2","ConwayGroupCo3","CookieFunction","Cookies","CoordinateBoundingBox","CoordinateBoundingBoxArray","CoordinateBounds","CoordinateBoundsArray","CoordinateChartData","CoordinatesToolOptions","CoordinateTransform","CoordinateTransformData","CoplanarPoints","CoprimeQ","Coproduct","CopulaDistribution","Copyable","CopyDatabin","CopyDirectory","CopyFile","CopyFunction","CopyTag","CopyToClipboard","CoreNilpotentDecomposition","CornerFilter","CornerNeighbors","Correlation","CorrelationDistance","CorrelationFunction","CorrelationTest","Cos","Cosh","CoshIntegral","CosineDistance","CosineWindow","CosIntegral","Cot","Coth","CoulombF","CoulombG","CoulombH1","CoulombH2","Count","CountDistinct","CountDistinctBy","CounterAssignments","CounterBox","CounterBoxOptions","CounterClockwiseContourIntegral","CounterEvaluator","CounterFunction","CounterIncrements","CounterStyle","CounterStyleMenuListing","CountRoots","CountryData","Counts","CountsBy","Covariance","CovarianceEstimatorFunction","CovarianceFunction","CoxianDistribution","CoxIngersollRossProcess","CoxModel","CoxModelFit","CramerVonMisesTest","CreateArchive","CreateCellID","CreateChannel","CreateCloudExpression","CreateCompilerEnvironment","CreateDatabin","CreateDataStructure","CreateDataSystemModel","CreateDialog","CreateDirectory","CreateDocument","CreateFile","CreateIntermediateDirectories","CreateLicenseEntitlement","CreateManagedLibraryExpression","CreateNotebook","CreatePacletArchive","CreatePalette","CreatePermissionsGroup","CreateScheduledTask","CreateSearchIndex","CreateSystemModel","CreateTemporary","CreateTypeInstance","CreateUUID","CreateWindow","CriterionFunction","CriticalityFailureImportance","CriticalitySuccessImportance","CriticalSection","Cross","CrossEntropyLossLayer","CrossingCount","CrossingDetect","CrossingPolygon","CrossMatrix","Csc","Csch","CSGRegion","CSGRegionQ","CSGRegionTree","CTCLossLayer","Cube","CubeRoot","Cubics","Cuboid","CuboidBox","CuboidBoxOptions","Cumulant","CumulantGeneratingFunction","CumulativeFeatureImpactPlot","Cup","CupCap","Curl","CurlyDoubleQuote","CurlyQuote","CurrencyConvert","CurrentDate","CurrentImage","CurrentNotebookImage","CurrentScreenImage","CurrentValue","Curry","CurryApplied","CurvatureFlowFilter","CurveClosed","Cyan","CycleGraph","CycleIndexPolynomial","Cycles","CyclicGroup","Cyclotomic","Cylinder","CylinderBox","CylinderBoxOptions","CylindricalDecomposition","CylindricalDecompositionFunction","D","DagumDistribution","DamData","DamerauLevenshteinDistance","DampingFactor","Darker","Dashed","Dashing","DatabaseConnect","DatabaseDisconnect","DatabaseReference","Databin","DatabinAdd","DatabinRemove","Databins","DatabinSubmit","DatabinUpload","DataCompression","DataDistribution","DataRange","DataReversed","Dataset","DatasetDisplayPanel","DatasetTheme","DataStructure","DataStructureQ","Date","DateBounds","Dated","DateDelimiters","DateDifference","DatedUnit","DateFormat","DateFunction","DateGranularity","DateHistogram","DateInterval","DateList","DateListLogPlot","DateListPlot","DateListStepPlot","DateObject","DateObjectQ","DateOverlapsQ","DatePattern","DatePlus","DateRange","DateReduction","DateScale","DateSelect","DateString","DateTicksFormat","DateValue","DateWithinQ","DaubechiesWavelet","DavisDistribution","DawsonF","DayCount","DayCountConvention","DayHemisphere","DaylightQ","DayMatchQ","DayName","DayNightTerminator","DayPlus","DayRange","DayRound","DeBruijnGraph","DeBruijnSequence","Debug","DebugTag","Decapitalize","Decimal","DecimalForm","DeclareCompiledComponent","DeclareKnownSymbols","DeclarePackage","Decompose","DeconvolutionLayer","Decrement","Decrypt","DecryptFile","DedekindEta","DeepSpaceProbeData","Default","Default2DTool","Default3DTool","DefaultAttachedCellStyle","DefaultAxesStyle","DefaultBaseStyle","DefaultBoxStyle","DefaultButton","DefaultColor","DefaultControlPlacement","DefaultDockedCellStyle","DefaultDuplicateCellStyle","DefaultDuration","DefaultElement","DefaultFaceGridsStyle","DefaultFieldHintStyle","DefaultFont","DefaultFontProperties","DefaultFormatType","DefaultFrameStyle","DefaultFrameTicksStyle","DefaultGridLinesStyle","DefaultInlineFormatType","DefaultInputFormatType","DefaultLabelStyle","DefaultMenuStyle","DefaultNaturalLanguage","DefaultNewCellStyle","DefaultNewInlineCellStyle","DefaultNotebook","DefaultOptions","DefaultOutputFormatType","DefaultPrintPrecision","DefaultStyle","DefaultStyleDefinitions","DefaultTextFormatType","DefaultTextInlineFormatType","DefaultTicksStyle","DefaultTooltipStyle","DefaultValue","DefaultValues","Defer","DefineExternal","DefineInputStreamMethod","DefineOutputStreamMethod","DefineResourceFunction","Definition","Degree","DegreeCentrality","DegreeGraphDistribution","DegreeLexicographic","DegreeReverseLexicographic","DEigensystem","DEigenvalues","Deinitialization","Del","DelaunayMesh","Delayed","Deletable","Delete","DeleteAdjacentDuplicates","DeleteAnomalies","DeleteBorderComponents","DeleteCases","DeleteChannel","DeleteCloudExpression","DeleteContents","DeleteDirectory","DeleteDuplicates","DeleteDuplicatesBy","DeleteElements","DeleteFile","DeleteMissing","DeleteObject","DeletePermissionsKey","DeleteSearchIndex","DeleteSmallComponents","DeleteStopwords","DeleteWithContents","DeletionWarning","DelimitedArray","DelimitedSequence","Delimiter","DelimiterAutoMatching","DelimiterFlashTime","DelimiterMatching","Delimiters","DeliveryFunction","Dendrogram","Denominator","DensityGraphics","DensityHistogram","DensityPlot","DensityPlot3D","DependentVariables","Deploy","Deployed","Depth","DepthFirstScan","Derivative","DerivativeFilter","DerivativePDETerm","DerivedKey","DescriptorStateSpace","DesignMatrix","DestroyAfterEvaluation","Det","DeviceClose","DeviceConfigure","DeviceExecute","DeviceExecuteAsynchronous","DeviceObject","DeviceOpen","DeviceOpenQ","DeviceRead","DeviceReadBuffer","DeviceReadLatest","DeviceReadList","DeviceReadTimeSeries","Devices","DeviceStreams","DeviceWrite","DeviceWriteBuffer","DGaussianWavelet","DiacriticalPositioning","Diagonal","DiagonalizableMatrixQ","DiagonalMatrix","DiagonalMatrixQ","Dialog","DialogIndent","DialogInput","DialogLevel","DialogNotebook","DialogProlog","DialogReturn","DialogSymbols","Diamond","DiamondMatrix","DiceDissimilarity","DictionaryLookup","DictionaryWordQ","DifferenceDelta","DifferenceOrder","DifferenceQuotient","DifferenceRoot","DifferenceRootReduce","Differences","DifferentialD","DifferentialRoot","DifferentialRootReduce","DifferentiatorFilter","DiffusionPDETerm","DiggleGatesPointProcess","DiggleGrattonPointProcess","DigitalSignature","DigitBlock","DigitBlockMinimum","DigitCharacter","DigitCount","DigitQ","DihedralAngle","DihedralGroup","Dilation","DimensionalCombinations","DimensionalMeshComponents","DimensionReduce","DimensionReducerFunction","DimensionReduction","Dimensions","DiracComb","DiracDelta","DirectedEdge","DirectedEdges","DirectedGraph","DirectedGraphQ","DirectedInfinity","Direction","DirectionalLight","Directive","Directory","DirectoryName","DirectoryQ","DirectoryStack","DirichletBeta","DirichletCharacter","DirichletCondition","DirichletConvolve","DirichletDistribution","DirichletEta","DirichletL","DirichletLambda","DirichletTransform","DirichletWindow","DisableConsolePrintPacket","DisableFormatting","DiscreteAsymptotic","DiscreteChirpZTransform","DiscreteConvolve","DiscreteDelta","DiscreteHadamardTransform","DiscreteIndicator","DiscreteInputOutputModel","DiscreteLimit","DiscreteLQEstimatorGains","DiscreteLQRegulatorGains","DiscreteLyapunovSolve","DiscreteMarkovProcess","DiscreteMaxLimit","DiscreteMinLimit","DiscretePlot","DiscretePlot3D","DiscreteRatio","DiscreteRiccatiSolve","DiscreteShift","DiscreteTimeModelQ","DiscreteUniformDistribution","DiscreteVariables","DiscreteWaveletData","DiscreteWaveletPacketTransform","DiscreteWaveletTransform","DiscretizeGraphics","DiscretizeRegion","Discriminant","DisjointQ","Disjunction","Disk","DiskBox","DiskBoxOptions","DiskMatrix","DiskSegment","Dispatch","DispatchQ","DispersionEstimatorFunction","Display","DisplayAllSteps","DisplayEndPacket","DisplayForm","DisplayFunction","DisplayPacket","DisplayRules","DisplayString","DisplayTemporary","DisplayWith","DisplayWithRef","DisplayWithVariable","DistanceFunction","DistanceMatrix","DistanceTransform","Distribute","Distributed","DistributedContexts","DistributeDefinitions","DistributionChart","DistributionDomain","DistributionFitTest","DistributionParameterAssumptions","DistributionParameterQ","Dithering","Div","Divergence","Divide","DivideBy","Dividers","DivideSides","Divisible","Divisors","DivisorSigma","DivisorSum","DMSList","DMSString","Do","DockedCell","DockedCells","DocumentGenerator","DocumentGeneratorInformation","DocumentGeneratorInformationData","DocumentGenerators","DocumentNotebook","DocumentWeightingRules","Dodecahedron","DomainRegistrationInformation","DominantColors","DominatorTreeGraph","DominatorVertexList","DOSTextFormat","Dot","DotDashed","DotEqual","DotLayer","DotPlusLayer","Dotted","DoubleBracketingBar","DoubleContourIntegral","DoubleDownArrow","DoubleLeftArrow","DoubleLeftRightArrow","DoubleLeftTee","DoubleLongLeftArrow","DoubleLongLeftRightArrow","DoubleLongRightArrow","DoubleRightArrow","DoubleRightTee","DoubleUpArrow","DoubleUpDownArrow","DoubleVerticalBar","DoublyInfinite","Down","DownArrow","DownArrowBar","DownArrowUpArrow","DownLeftRightVector","DownLeftTeeVector","DownLeftVector","DownLeftVectorBar","DownRightTeeVector","DownRightVector","DownRightVectorBar","Downsample","DownTee","DownTeeArrow","DownValues","DownValuesFunction","DragAndDrop","DrawBackFaces","DrawEdges","DrawFrontFaces","DrawHighlighted","DrazinInverse","Drop","DropoutLayer","DropShadowing","DSolve","DSolveChangeVariables","DSolveValue","Dt","DualLinearProgramming","DualPlanarGraph","DualPolyhedron","DualSystemsModel","DumpGet","DumpSave","DuplicateFreeQ","Duration","Dynamic","DynamicBox","DynamicBoxOptions","DynamicEvaluationTimeout","DynamicGeoGraphics","DynamicImage","DynamicLocation","DynamicModule","DynamicModuleBox","DynamicModuleBoxOptions","DynamicModuleParent","DynamicModuleValues","DynamicName","DynamicNamespace","DynamicReference","DynamicSetting","DynamicUpdating","DynamicWrapper","DynamicWrapperBox","DynamicWrapperBoxOptions","E","EarthImpactData","EarthquakeData","EccentricityCentrality","Echo","EchoEvaluation","EchoFunction","EchoLabel","EchoTiming","EclipseType","EdgeAdd","EdgeBetweennessCentrality","EdgeCapacity","EdgeCapForm","EdgeChromaticNumber","EdgeColor","EdgeConnectivity","EdgeContract","EdgeCost","EdgeCount","EdgeCoverQ","EdgeCycleMatrix","EdgeDashing","EdgeDelete","EdgeDetect","EdgeForm","EdgeIndex","EdgeJoinForm","EdgeLabeling","EdgeLabels","EdgeLabelStyle","EdgeList","EdgeOpacity","EdgeQ","EdgeRenderingFunction","EdgeRules","EdgeShapeFunction","EdgeStyle","EdgeTaggedGraph","EdgeTaggedGraphQ","EdgeTags","EdgeThickness","EdgeTransitiveGraphQ","EdgeValueRange","EdgeValueSizes","EdgeWeight","EdgeWeightedGraphQ","Editable","EditButtonSettings","EditCellTagsSettings","EditDistance","EffectiveInterest","Eigensystem","Eigenvalues","EigenvectorCentrality","Eigenvectors","Element","ElementData","ElementwiseLayer","ElidedForms","Eliminate","EliminationOrder","Ellipsoid","EllipticE","EllipticExp","EllipticExpPrime","EllipticF","EllipticFilterModel","EllipticK","EllipticLog","EllipticNomeQ","EllipticPi","EllipticReducedHalfPeriods","EllipticTheta","EllipticThetaPrime","EmbedCode","EmbeddedHTML","EmbeddedService","EmbeddedSQLEntityClass","EmbeddedSQLExpression","EmbeddingLayer","EmbeddingObject","EmitSound","EmphasizeSyntaxErrors","EmpiricalDistribution","Empty","EmptyGraphQ","EmptyRegion","EmptySpaceF","EnableConsolePrintPacket","Enabled","Enclose","Encode","Encrypt","EncryptedObject","EncryptFile","End","EndAdd","EndDialogPacket","EndOfBuffer","EndOfFile","EndOfLine","EndOfString","EndPackage","EngineEnvironment","EngineeringForm","Enter","EnterExpressionPacket","EnterTextPacket","Entity","EntityClass","EntityClassList","EntityCopies","EntityFunction","EntityGroup","EntityInstance","EntityList","EntityPrefetch","EntityProperties","EntityProperty","EntityPropertyClass","EntityRegister","EntityStore","EntityStores","EntityTypeName","EntityUnregister","EntityValue","Entropy","EntropyFilter","Environment","Epilog","EpilogFunction","Equal","EqualColumns","EqualRows","EqualTilde","EqualTo","EquatedTo","Equilibrium","EquirippleFilterKernel","Equivalent","Erf","Erfc","Erfi","ErlangB","ErlangC","ErlangDistribution","Erosion","ErrorBox","ErrorBoxOptions","ErrorNorm","ErrorPacket","ErrorsDialogSettings","EscapeRadius","EstimatedBackground","EstimatedDistribution","EstimatedPointNormals","EstimatedPointProcess","EstimatedProcess","EstimatedVariogramModel","EstimatorGains","EstimatorRegulator","EuclideanDistance","EulerAngles","EulerCharacteristic","EulerE","EulerGamma","EulerianGraphQ","EulerMatrix","EulerPhi","Evaluatable","Evaluate","Evaluated","EvaluatePacket","EvaluateScheduledTask","EvaluationBox","EvaluationCell","EvaluationCompletionAction","EvaluationData","EvaluationElements","EvaluationEnvironment","EvaluationMode","EvaluationMonitor","EvaluationNotebook","EvaluationObject","EvaluationOrder","EvaluationPrivileges","EvaluationRateLimit","Evaluator","EvaluatorNames","EvenQ","EventData","EventEvaluator","EventHandler","EventHandlerTag","EventLabels","EventSeries","ExactBlackmanWindow","ExactNumberQ","ExactRootIsolation","ExampleData","Except","ExcludedContexts","ExcludedForms","ExcludedLines","ExcludedPhysicalQuantities","ExcludePods","Exclusions","ExclusionsStyle","Exists","Exit","ExitDialog","ExoplanetData","Exp","Expand","ExpandAll","ExpandDenominator","ExpandFileName","ExpandNumerator","Expectation","ExpectationE","ExpectedValue","ExpGammaDistribution","ExpIntegralE","ExpIntegralEi","ExpirationDate","Exponent","ExponentFunction","ExponentialDistribution","ExponentialFamily","ExponentialGeneratingFunction","ExponentialMovingAverage","ExponentialPowerDistribution","ExponentPosition","ExponentStep","Export","ExportAutoReplacements","ExportByteArray","ExportForm","ExportPacket","ExportString","Expression","ExpressionCell","ExpressionGraph","ExpressionPacket","ExpressionTree","ExpressionUUID","ExpToTrig","ExtendedEntityClass","ExtendedGCD","Extension","ExtentElementFunction","ExtentMarkers","ExtentSize","ExternalBundle","ExternalCall","ExternalDataCharacterEncoding","ExternalEvaluate","ExternalFunction","ExternalFunctionName","ExternalIdentifier","ExternalObject","ExternalOptions","ExternalSessionObject","ExternalSessions","ExternalStorageBase","ExternalStorageDownload","ExternalStorageGet","ExternalStorageObject","ExternalStoragePut","ExternalStorageUpload","ExternalTypeSignature","ExternalValue","Extract","ExtractArchive","ExtractLayer","ExtractPacletArchive","ExtremeValueDistribution","FaceAlign","FaceForm","FaceGrids","FaceGridsStyle","FaceRecognize","FacialFeatures","Factor","FactorComplete","Factorial","Factorial2","FactorialMoment","FactorialMomentGeneratingFunction","FactorialPower","FactorInteger","FactorList","FactorSquareFree","FactorSquareFreeList","FactorTerms","FactorTermsList","Fail","Failure","FailureAction","FailureDistribution","FailureQ","False","FareySequence","FARIMAProcess","FeatureDistance","FeatureExtract","FeatureExtraction","FeatureExtractor","FeatureExtractorFunction","FeatureImpactPlot","FeatureNames","FeatureNearest","FeatureSpacePlot","FeatureSpacePlot3D","FeatureTypes","FeatureValueDependencyPlot","FeatureValueImpactPlot","FEDisableConsolePrintPacket","FeedbackLinearize","FeedbackSector","FeedbackSectorStyle","FeedbackType","FEEnableConsolePrintPacket","FetalGrowthData","Fibonacci","Fibonorial","FieldCompletionFunction","FieldHint","FieldHintStyle","FieldMasked","FieldSize","File","FileBaseName","FileByteCount","FileConvert","FileDate","FileExistsQ","FileExtension","FileFormat","FileFormatProperties","FileFormatQ","FileHandler","FileHash","FileInformation","FileName","FileNameDepth","FileNameDialogSettings","FileNameDrop","FileNameForms","FileNameJoin","FileNames","FileNameSetter","FileNameSplit","FileNameTake","FileNameToFormatList","FilePrint","FileSize","FileSystemMap","FileSystemScan","FileSystemTree","FileTemplate","FileTemplateApply","FileType","FilledCurve","FilledCurveBox","FilledCurveBoxOptions","FilledTorus","FillForm","Filling","FillingStyle","FillingTransform","FilteredEntityClass","FilterRules","FinancialBond","FinancialData","FinancialDerivative","FinancialIndicator","Find","FindAnomalies","FindArgMax","FindArgMin","FindChannels","FindClique","FindClusters","FindCookies","FindCurvePath","FindCycle","FindDevices","FindDistribution","FindDistributionParameters","FindDivisions","FindEdgeColoring","FindEdgeCover","FindEdgeCut","FindEdgeIndependentPaths","FindEquationalProof","FindEulerianCycle","FindExternalEvaluators","FindFaces","FindFile","FindFit","FindFormula","FindFundamentalCycles","FindGeneratingFunction","FindGeoLocation","FindGeometricConjectures","FindGeometricTransform","FindGraphCommunities","FindGraphIsomorphism","FindGraphPartition","FindHamiltonianCycle","FindHamiltonianPath","FindHiddenMarkovStates","FindImageText","FindIndependentEdgeSet","FindIndependentVertexSet","FindInstance","FindIntegerNullVector","FindIsomers","FindIsomorphicSubgraph","FindKClan","FindKClique","FindKClub","FindKPlex","FindLibrary","FindLinearRecurrence","FindList","FindMatchingColor","FindMaximum","FindMaximumCut","FindMaximumFlow","FindMaxValue","FindMeshDefects","FindMinimum","FindMinimumCostFlow","FindMinimumCut","FindMinValue","FindMoleculeSubstructure","FindPath","FindPeaks","FindPermutation","FindPlanarColoring","FindPointProcessParameters","FindPostmanTour","FindProcessParameters","FindRegionTransform","FindRepeat","FindRoot","FindSequenceFunction","FindSettings","FindShortestPath","FindShortestTour","FindSpanningTree","FindSubgraphIsomorphism","FindSystemModelEquilibrium","FindTextualAnswer","FindThreshold","FindTransientRepeat","FindVertexColoring","FindVertexCover","FindVertexCut","FindVertexIndependentPaths","Fine","FinishDynamic","FiniteAbelianGroupCount","FiniteGroupCount","FiniteGroupData","First","FirstCase","FirstPassageTimeDistribution","FirstPosition","FischerGroupFi22","FischerGroupFi23","FischerGroupFi24Prime","FisherHypergeometricDistribution","FisherRatioTest","FisherZDistribution","Fit","FitAll","FitRegularization","FittedModel","FixedOrder","FixedPoint","FixedPointList","FlashSelection","Flat","FlatShading","Flatten","FlattenAt","FlattenLayer","FlatTopWindow","FlightData","FlipView","Floor","FlowPolynomial","Fold","FoldList","FoldPair","FoldPairList","FoldWhile","FoldWhileList","FollowRedirects","Font","FontColor","FontFamily","FontForm","FontName","FontOpacity","FontPostScriptName","FontProperties","FontReencoding","FontSize","FontSlant","FontSubstitutions","FontTracking","FontVariations","FontWeight","For","ForAll","ForAllType","ForceVersionInstall","Format","FormatRules","FormatType","FormatTypeAutoConvert","FormatValues","FormBox","FormBoxOptions","FormControl","FormFunction","FormLayoutFunction","FormObject","FormPage","FormProtectionMethod","FormTheme","FormulaData","FormulaLookup","FortranForm","Forward","ForwardBackward","ForwardCloudCredentials","Fourier","FourierCoefficient","FourierCosCoefficient","FourierCosSeries","FourierCosTransform","FourierDCT","FourierDCTFilter","FourierDCTMatrix","FourierDST","FourierDSTMatrix","FourierMatrix","FourierParameters","FourierSequenceTransform","FourierSeries","FourierSinCoefficient","FourierSinSeries","FourierSinTransform","FourierTransform","FourierTrigSeries","FoxH","FoxHReduce","FractionalBrownianMotionProcess","FractionalD","FractionalGaussianNoiseProcess","FractionalPart","FractionBox","FractionBoxOptions","FractionLine","Frame","FrameBox","FrameBoxOptions","Framed","FrameInset","FrameLabel","Frameless","FrameListVideo","FrameMargins","FrameRate","FrameStyle","FrameTicks","FrameTicksStyle","FRatioDistribution","FrechetDistribution","FreeQ","FrenetSerretSystem","FrequencySamplingFilterKernel","FresnelC","FresnelF","FresnelG","FresnelS","Friday","FrobeniusNumber","FrobeniusSolve","FromAbsoluteTime","FromCharacterCode","FromCoefficientRules","FromContinuedFraction","FromDate","FromDateString","FromDigits","FromDMS","FromEntity","FromJulianDate","FromLetterNumber","FromPolarCoordinates","FromRawPointer","FromRomanNumeral","FromSphericalCoordinates","FromUnixTime","Front","FrontEndDynamicExpression","FrontEndEventActions","FrontEndExecute","FrontEndObject","FrontEndResource","FrontEndResourceString","FrontEndStackSize","FrontEndToken","FrontEndTokenExecute","FrontEndValueCache","FrontEndVersion","FrontFaceColor","FrontFaceGlowColor","FrontFaceOpacity","FrontFaceSpecularColor","FrontFaceSpecularExponent","FrontFaceSurfaceAppearance","FrontFaceTexture","Full","FullAxes","FullDefinition","FullForm","FullGraphics","FullInformationOutputRegulator","FullOptions","FullRegion","FullSimplify","Function","FunctionAnalytic","FunctionBijective","FunctionCompile","FunctionCompileExport","FunctionCompileExportByteArray","FunctionCompileExportLibrary","FunctionCompileExportString","FunctionContinuous","FunctionConvexity","FunctionDeclaration","FunctionDiscontinuities","FunctionDomain","FunctionExpand","FunctionInjective","FunctionInterpolation","FunctionLayer","FunctionMeromorphic","FunctionMonotonicity","FunctionPeriod","FunctionPoles","FunctionRange","FunctionSign","FunctionSingularities","FunctionSpace","FunctionSurjective","FussellVeselyImportance","GaborFilter","GaborMatrix","GaborWavelet","GainMargins","GainPhaseMargins","GalaxyData","GalleryView","Gamma","GammaDistribution","GammaRegularized","GapPenalty","GARCHProcess","GatedRecurrentLayer","Gather","GatherBy","GaugeFaceElementFunction","GaugeFaceStyle","GaugeFrameElementFunction","GaugeFrameSize","GaugeFrameStyle","GaugeLabels","GaugeMarkers","GaugeStyle","GaussianFilter","GaussianIntegers","GaussianMatrix","GaussianOrthogonalMatrixDistribution","GaussianSymplecticMatrixDistribution","GaussianUnitaryMatrixDistribution","GaussianWindow","GCD","GegenbauerC","General","GeneralizedLinearModelFit","GenerateAsymmetricKeyPair","GenerateConditions","GeneratedAssetFormat","GeneratedAssetLocation","GeneratedCell","GeneratedCellStyles","GeneratedDocumentBinding","GenerateDerivedKey","GenerateDigitalSignature","GenerateDocument","GeneratedParameters","GeneratedQuantityMagnitudes","GenerateFileSignature","GenerateHTTPResponse","GenerateSecuredAuthenticationKey","GenerateSymmetricKey","GeneratingFunction","GeneratorDescription","GeneratorHistoryLength","GeneratorOutputType","Generic","GenericCylindricalDecomposition","GenomeData","GenomeLookup","GeoAntipode","GeoArea","GeoArraySize","GeoBackground","GeoBoundary","GeoBoundingBox","GeoBounds","GeoBoundsRegion","GeoBoundsRegionBoundary","GeoBubbleChart","GeoCenter","GeoCircle","GeoContourPlot","GeoDensityPlot","GeodesicClosing","GeodesicDilation","GeodesicErosion","GeodesicOpening","GeodesicPolyhedron","GeoDestination","GeodesyData","GeoDirection","GeoDisk","GeoDisplacement","GeoDistance","GeoDistanceList","GeoElevationData","GeoEntities","GeoGraphics","GeoGraphPlot","GeoGraphValuePlot","GeogravityModelData","GeoGridDirectionDifference","GeoGridLines","GeoGridLinesStyle","GeoGridPosition","GeoGridRange","GeoGridRangePadding","GeoGridUnitArea","GeoGridUnitDistance","GeoGridVector","GeoGroup","GeoHemisphere","GeoHemisphereBoundary","GeoHistogram","GeoIdentify","GeoImage","GeoLabels","GeoLength","GeoListPlot","GeoLocation","GeologicalPeriodData","GeomagneticModelData","GeoMarker","GeometricAssertion","GeometricBrownianMotionProcess","GeometricDistribution","GeometricMean","GeometricMeanFilter","GeometricOptimization","GeometricScene","GeometricStep","GeometricStylingRules","GeometricTest","GeometricTransformation","GeometricTransformation3DBox","GeometricTransformation3DBoxOptions","GeometricTransformationBox","GeometricTransformationBoxOptions","GeoModel","GeoNearest","GeoOrientationData","GeoPath","GeoPolygon","GeoPosition","GeoPositionENU","GeoPositionXYZ","GeoProjection","GeoProjectionData","GeoRange","GeoRangePadding","GeoRegionValuePlot","GeoResolution","GeoScaleBar","GeoServer","GeoSmoothHistogram","GeoStreamPlot","GeoStyling","GeoStylingImageFunction","GeoVariant","GeoVector","GeoVectorENU","GeoVectorPlot","GeoVectorXYZ","GeoVisibleRegion","GeoVisibleRegionBoundary","GeoWithinQ","GeoZoomLevel","GestureHandler","GestureHandlerTag","Get","GetContext","GetEnvironment","GetFileName","GetLinebreakInformationPacket","GibbsPointProcess","Glaisher","GlobalClusteringCoefficient","GlobalPreferences","GlobalSession","Glow","GoldenAngle","GoldenRatio","GompertzMakehamDistribution","GoochShading","GoodmanKruskalGamma","GoodmanKruskalGammaTest","Goto","GouraudShading","Grad","Gradient","GradientFilter","GradientFittedMesh","GradientOrientationFilter","GrammarApply","GrammarRules","GrammarToken","Graph","Graph3D","GraphAssortativity","GraphAutomorphismGroup","GraphCenter","GraphComplement","GraphData","GraphDensity","GraphDiameter","GraphDifference","GraphDisjointUnion","GraphDistance","GraphDistanceMatrix","GraphEmbedding","GraphHighlight","GraphHighlightStyle","GraphHub","Graphics","Graphics3D","Graphics3DBox","Graphics3DBoxOptions","GraphicsArray","GraphicsBaseline","GraphicsBox","GraphicsBoxOptions","GraphicsColor","GraphicsColumn","GraphicsComplex","GraphicsComplex3DBox","GraphicsComplex3DBoxOptions","GraphicsComplexBox","GraphicsComplexBoxOptions","GraphicsContents","GraphicsData","GraphicsGrid","GraphicsGridBox","GraphicsGroup","GraphicsGroup3DBox","GraphicsGroup3DBoxOptions","GraphicsGroupBox","GraphicsGroupBoxOptions","GraphicsGrouping","GraphicsHighlightColor","GraphicsRow","GraphicsSpacing","GraphicsStyle","GraphIntersection","GraphJoin","GraphLayerLabels","GraphLayers","GraphLayerStyle","GraphLayout","GraphLinkEfficiency","GraphPeriphery","GraphPlot","GraphPlot3D","GraphPower","GraphProduct","GraphPropertyDistribution","GraphQ","GraphRadius","GraphReciprocity","GraphRoot","GraphStyle","GraphSum","GraphTree","GraphUnion","Gray","GrayLevel","Greater","GreaterEqual","GreaterEqualLess","GreaterEqualThan","GreaterFullEqual","GreaterGreater","GreaterLess","GreaterSlantEqual","GreaterThan","GreaterTilde","GreekStyle","Green","GreenFunction","Grid","GridBaseline","GridBox","GridBoxAlignment","GridBoxBackground","GridBoxDividers","GridBoxFrame","GridBoxItemSize","GridBoxItemStyle","GridBoxOptions","GridBoxSpacings","GridCreationSettings","GridDefaultElement","GridElementStyleOptions","GridFrame","GridFrameMargins","GridGraph","GridLines","GridLinesStyle","GridVideo","GroebnerBasis","GroupActionBase","GroupBy","GroupCentralizer","GroupElementFromWord","GroupElementPosition","GroupElementQ","GroupElements","GroupElementToWord","GroupGenerators","Groupings","GroupMultiplicationTable","GroupOpenerColor","GroupOpenerInsideFrame","GroupOrbits","GroupOrder","GroupPageBreakWithin","GroupSetwiseStabilizer","GroupStabilizer","GroupStabilizerChain","GroupTogetherGrouping","GroupTogetherNestedGrouping","GrowCutComponents","Gudermannian","GuidedFilter","GumbelDistribution","HaarWavelet","HadamardMatrix","HalfLine","HalfNormalDistribution","HalfPlane","HalfSpace","HalftoneShading","HamiltonianGraphQ","HammingDistance","HammingWindow","HandlerFunctions","HandlerFunctionsKeys","HankelH1","HankelH2","HankelMatrix","HankelTransform","HannPoissonWindow","HannWindow","HaradaNortonGroupHN","HararyGraph","HardcorePointProcess","HarmonicMean","HarmonicMeanFilter","HarmonicNumber","Hash","HatchFilling","HatchShading","Haversine","HazardFunction","Head","HeadCompose","HeaderAlignment","HeaderBackground","HeaderDisplayFunction","HeaderLines","Headers","HeaderSize","HeaderStyle","Heads","HeatFluxValue","HeatInsulationValue","HeatOutflowValue","HeatRadiationValue","HeatSymmetryValue","HeatTemperatureCondition","HeatTransferPDEComponent","HeatTransferValue","HeavisideLambda","HeavisidePi","HeavisideTheta","HeldGroupHe","HeldPart","HelmholtzPDEComponent","HelpBrowserLookup","HelpBrowserNotebook","HelpBrowserSettings","HelpViewerSettings","Here","HermiteDecomposition","HermiteH","Hermitian","HermitianMatrixQ","HessenbergDecomposition","Hessian","HeunB","HeunBPrime","HeunC","HeunCPrime","HeunD","HeunDPrime","HeunG","HeunGPrime","HeunT","HeunTPrime","HexadecimalCharacter","Hexahedron","HexahedronBox","HexahedronBoxOptions","HiddenItems","HiddenMarkovProcess","HiddenSurface","Highlighted","HighlightGraph","HighlightImage","HighlightMesh","HighlightString","HighpassFilter","HigmanSimsGroupHS","HilbertCurve","HilbertFilter","HilbertMatrix","Histogram","Histogram3D","HistogramDistribution","HistogramList","HistogramPointDensity","HistogramTransform","HistogramTransformInterpolation","HistoricalPeriodData","HitMissTransform","HITSCentrality","HjorthDistribution","HodgeDual","HoeffdingD","HoeffdingDTest","Hold","HoldAll","HoldAllComplete","HoldComplete","HoldFirst","HoldForm","HoldPattern","HoldRest","HolidayCalendar","HomeDirectory","HomePage","Horizontal","HorizontalForm","HorizontalGauge","HorizontalScrollPosition","HornerForm","HostLookup","HotellingTSquareDistribution","HoytDistribution","HTMLSave","HTTPErrorResponse","HTTPRedirect","HTTPRequest","HTTPRequestData","HTTPResponse","Hue","HumanGrowthData","HumpDownHump","HumpEqual","HurwitzLerchPhi","HurwitzZeta","HyperbolicDistribution","HypercubeGraph","HyperexponentialDistribution","Hyperfactorial","Hypergeometric0F1","Hypergeometric0F1Regularized","Hypergeometric1F1","Hypergeometric1F1Regularized","Hypergeometric2F1","Hypergeometric2F1Regularized","HypergeometricDistribution","HypergeometricPFQ","HypergeometricPFQRegularized","HypergeometricU","Hyperlink","HyperlinkAction","HyperlinkCreationSettings","Hyperplane","Hyphenation","HyphenationOptions","HypoexponentialDistribution","HypothesisTestData","I","IconData","Iconize","IconizedObject","IconRules","Icosahedron","Identity","IdentityMatrix","If","IfCompiled","IgnoreCase","IgnoreDiacritics","IgnoreIsotopes","IgnorePunctuation","IgnoreSpellCheck","IgnoreStereochemistry","IgnoringInactive","Im","Image","Image3D","Image3DProjection","Image3DSlices","ImageAccumulate","ImageAdd","ImageAdjust","ImageAlign","ImageApply","ImageApplyIndexed","ImageAspectRatio","ImageAssemble","ImageAugmentationLayer","ImageBoundingBoxes","ImageCache","ImageCacheValid","ImageCapture","ImageCaptureFunction","ImageCases","ImageChannels","ImageClip","ImageCollage","ImageColorSpace","ImageCompose","ImageContainsQ","ImageContents","ImageConvolve","ImageCooccurrence","ImageCorners","ImageCorrelate","ImageCorrespondingPoints","ImageCrop","ImageData","ImageDeconvolve","ImageDemosaic","ImageDifference","ImageDimensions","ImageDisplacements","ImageDistance","ImageEditMode","ImageEffect","ImageExposureCombine","ImageFeatureTrack","ImageFileApply","ImageFileFilter","ImageFileScan","ImageFilter","ImageFocusCombine","ImageForestingComponents","ImageFormattingWidth","ImageForwardTransformation","ImageGraphics","ImageHistogram","ImageIdentify","ImageInstanceQ","ImageKeypoints","ImageLabels","ImageLegends","ImageLevels","ImageLines","ImageMargins","ImageMarker","ImageMarkers","ImageMeasurements","ImageMesh","ImageMultiply","ImageOffset","ImagePad","ImagePadding","ImagePartition","ImagePeriodogram","ImagePerspectiveTransformation","ImagePosition","ImagePreviewFunction","ImagePyramid","ImagePyramidApply","ImageQ","ImageRangeCache","ImageRecolor","ImageReflect","ImageRegion","ImageResize","ImageResolution","ImageRestyle","ImageRotate","ImageRotated","ImageSaliencyFilter","ImageScaled","ImageScan","ImageSize","ImageSizeAction","ImageSizeCache","ImageSizeMultipliers","ImageSizeRaw","ImageStitch","ImageSubtract","ImageTake","ImageTransformation","ImageTrim","ImageType","ImageValue","ImageValuePositions","ImageVectorscopePlot","ImageWaveformPlot","ImagingDevice","ImplicitD","ImplicitRegion","Implies","Import","ImportAutoReplacements","ImportByteArray","ImportedObject","ImportOptions","ImportString","ImprovementImportance","In","Inactivate","Inactive","InactiveStyle","IncidenceGraph","IncidenceList","IncidenceMatrix","IncludeAromaticBonds","IncludeConstantBasis","IncludedContexts","IncludeDefinitions","IncludeDirectories","IncludeFileExtension","IncludeGeneratorTasks","IncludeHydrogens","IncludeInflections","IncludeMetaInformation","IncludePods","IncludeQuantities","IncludeRelatedTables","IncludeSingularSolutions","IncludeSingularTerm","IncludeWindowTimes","Increment","IndefiniteMatrixQ","Indent","IndentingNewlineSpacings","IndentMaxFraction","IndependenceTest","IndependentEdgeSetQ","IndependentPhysicalQuantity","IndependentUnit","IndependentUnitDimension","IndependentVertexSetQ","Indeterminate","IndeterminateThreshold","IndexCreationOptions","Indexed","IndexEdgeTaggedGraph","IndexGraph","IndexTag","Inequality","InertEvaluate","InertExpression","InexactNumberQ","InexactNumbers","InfiniteFuture","InfiniteLine","InfiniteLineThrough","InfinitePast","InfinitePlane","Infinity","Infix","InflationAdjust","InflationMethod","Information","InformationData","InformationDataGrid","Inherited","InheritScope","InhomogeneousPoissonPointProcess","InhomogeneousPoissonProcess","InitialEvaluationHistory","Initialization","InitializationCell","InitializationCellEvaluation","InitializationCellWarning","InitializationObject","InitializationObjects","InitializationValue","Initialize","InitialSeeding","InlineCounterAssignments","InlineCounterIncrements","InlineRules","Inner","InnerPolygon","InnerPolyhedron","Inpaint","Input","InputAliases","InputAssumptions","InputAutoReplacements","InputField","InputFieldBox","InputFieldBoxOptions","InputForm","InputGrouping","InputNamePacket","InputNotebook","InputPacket","InputPorts","InputSettings","InputStream","InputString","InputStringPacket","InputToBoxFormPacket","Insert","InsertionFunction","InsertionPointObject","InsertLinebreaks","InsertResults","Inset","Inset3DBox","Inset3DBoxOptions","InsetBox","InsetBoxOptions","Insphere","Install","InstallService","InstanceNormalizationLayer","InString","Integer","IntegerDigits","IntegerExponent","IntegerLength","IntegerName","IntegerPart","IntegerPartitions","IntegerQ","IntegerReverse","Integers","IntegerString","Integral","Integrate","IntegrateChangeVariables","Interactive","InteractiveTradingChart","InterfaceSwitched","Interlaced","Interleaving","InternallyBalancedDecomposition","InterpolatingFunction","InterpolatingPolynomial","Interpolation","InterpolationOrder","InterpolationPoints","InterpolationPrecision","Interpretation","InterpretationBox","InterpretationBoxOptions","InterpretationFunction","Interpreter","InterpretTemplate","InterquartileRange","Interrupt","InterruptSettings","IntersectedEntityClass","IntersectingQ","Intersection","Interval","IntervalIntersection","IntervalMarkers","IntervalMarkersStyle","IntervalMemberQ","IntervalSlider","IntervalUnion","Into","Inverse","InverseBetaRegularized","InverseBilateralLaplaceTransform","InverseBilateralZTransform","InverseCDF","InverseChiSquareDistribution","InverseContinuousWaveletTransform","InverseDistanceTransform","InverseEllipticNomeQ","InverseErf","InverseErfc","InverseFourier","InverseFourierCosTransform","InverseFourierSequenceTransform","InverseFourierSinTransform","InverseFourierTransform","InverseFunction","InverseFunctions","InverseGammaDistribution","InverseGammaRegularized","InverseGaussianDistribution","InverseGudermannian","InverseHankelTransform","InverseHaversine","InverseImagePyramid","InverseJacobiCD","InverseJacobiCN","InverseJacobiCS","InverseJacobiDC","InverseJacobiDN","InverseJacobiDS","InverseJacobiNC","InverseJacobiND","InverseJacobiNS","InverseJacobiSC","InverseJacobiSD","InverseJacobiSN","InverseLaplaceTransform","InverseMellinTransform","InversePermutation","InverseRadon","InverseRadonTransform","InverseSeries","InverseShortTimeFourier","InverseSpectrogram","InverseSurvivalFunction","InverseTransformedRegion","InverseWaveletTransform","InverseWeierstrassP","InverseWishartMatrixDistribution","InverseZTransform","Invisible","InvisibleApplication","InvisibleTimes","IPAddress","IrreduciblePolynomialQ","IslandData","IsolatingInterval","IsomorphicGraphQ","IsomorphicSubgraphQ","IsotopeData","Italic","Item","ItemAspectRatio","ItemBox","ItemBoxOptions","ItemDisplayFunction","ItemSize","ItemStyle","ItoProcess","JaccardDissimilarity","JacobiAmplitude","Jacobian","JacobiCD","JacobiCN","JacobiCS","JacobiDC","JacobiDN","JacobiDS","JacobiEpsilon","JacobiNC","JacobiND","JacobiNS","JacobiP","JacobiSC","JacobiSD","JacobiSN","JacobiSymbol","JacobiZeta","JacobiZN","JankoGroupJ1","JankoGroupJ2","JankoGroupJ3","JankoGroupJ4","JarqueBeraALMTest","JohnsonDistribution","Join","JoinAcross","Joined","JoinedCurve","JoinedCurveBox","JoinedCurveBoxOptions","JoinForm","JordanDecomposition","JordanModelDecomposition","JulianDate","JuliaSetBoettcher","JuliaSetIterationCount","JuliaSetPlot","JuliaSetPoints","K","KagiChart","KaiserBesselWindow","KaiserWindow","KalmanEstimator","KalmanFilter","KarhunenLoeveDecomposition","KaryTree","KatzCentrality","KCoreComponents","KDistribution","KEdgeConnectedComponents","KEdgeConnectedGraphQ","KeepExistingVersion","KelvinBei","KelvinBer","KelvinKei","KelvinKer","KendallTau","KendallTauTest","KernelConfiguration","KernelExecute","KernelFunction","KernelMixtureDistribution","KernelObject","Kernels","Ket","Key","KeyCollisionFunction","KeyComplement","KeyDrop","KeyDropFrom","KeyExistsQ","KeyFreeQ","KeyIntersection","KeyMap","KeyMemberQ","KeypointStrength","Keys","KeySelect","KeySort","KeySortBy","KeyTake","KeyUnion","KeyValueMap","KeyValuePattern","Khinchin","KillProcess","KirchhoffGraph","KirchhoffMatrix","KleinInvariantJ","KnapsackSolve","KnightTourGraph","KnotData","KnownUnitQ","KochCurve","KolmogorovSmirnovTest","KroneckerDelta","KroneckerModelDecomposition","KroneckerProduct","KroneckerSymbol","KuiperTest","KumaraswamyDistribution","Kurtosis","KuwaharaFilter","KVertexConnectedComponents","KVertexConnectedGraphQ","LABColor","Label","Labeled","LabeledSlider","LabelingFunction","LabelingSize","LabelStyle","LabelVisibility","LaguerreL","LakeData","LambdaComponents","LambertW","LameC","LameCPrime","LameEigenvalueA","LameEigenvalueB","LameS","LameSPrime","LaminaData","LanczosWindow","LandauDistribution","Language","LanguageCategory","LanguageData","LanguageIdentify","LanguageOptions","LaplaceDistribution","LaplaceTransform","Laplacian","LaplacianFilter","LaplacianGaussianFilter","LaplacianPDETerm","Large","Larger","Last","Latitude","LatitudeLongitude","LatticeData","LatticeReduce","Launch","LaunchKernels","LayeredGraphPlot","LayeredGraphPlot3D","LayerSizeFunction","LayoutInformation","LCHColor","LCM","LeaderSize","LeafCount","LeapVariant","LeapYearQ","LearnDistribution","LearnedDistribution","LearningRate","LearningRateMultipliers","LeastSquares","LeastSquaresFilterKernel","Left","LeftArrow","LeftArrowBar","LeftArrowRightArrow","LeftDownTeeVector","LeftDownVector","LeftDownVectorBar","LeftRightArrow","LeftRightVector","LeftTee","LeftTeeArrow","LeftTeeVector","LeftTriangle","LeftTriangleBar","LeftTriangleEqual","LeftUpDownVector","LeftUpTeeVector","LeftUpVector","LeftUpVectorBar","LeftVector","LeftVectorBar","LegendAppearance","Legended","LegendFunction","LegendLabel","LegendLayout","LegendMargins","LegendMarkers","LegendMarkerSize","LegendreP","LegendreQ","LegendreType","Length","LengthWhile","LerchPhi","Less","LessEqual","LessEqualGreater","LessEqualThan","LessFullEqual","LessGreater","LessLess","LessSlantEqual","LessThan","LessTilde","LetterCharacter","LetterCounts","LetterNumber","LetterQ","Level","LeveneTest","LeviCivitaTensor","LevyDistribution","Lexicographic","LexicographicOrder","LexicographicSort","LibraryDataType","LibraryFunction","LibraryFunctionDeclaration","LibraryFunctionError","LibraryFunctionInformation","LibraryFunctionLoad","LibraryFunctionUnload","LibraryLoad","LibraryUnload","LicenseEntitlementObject","LicenseEntitlements","LicenseID","LicensingSettings","LiftingFilterData","LiftingWaveletTransform","LightBlue","LightBrown","LightCyan","Lighter","LightGray","LightGreen","Lighting","LightingAngle","LightMagenta","LightOrange","LightPink","LightPurple","LightRed","LightSources","LightYellow","Likelihood","Limit","LimitsPositioning","LimitsPositioningTokens","LindleyDistribution","Line","Line3DBox","Line3DBoxOptions","LinearFilter","LinearFractionalOptimization","LinearFractionalTransform","LinearGradientFilling","LinearGradientImage","LinearizingTransformationData","LinearLayer","LinearModelFit","LinearOffsetFunction","LinearOptimization","LinearProgramming","LinearRecurrence","LinearSolve","LinearSolveFunction","LineBox","LineBoxOptions","LineBreak","LinebreakAdjustments","LineBreakChart","LinebreakSemicolonWeighting","LineBreakWithin","LineColor","LineGraph","LineIndent","LineIndentMaxFraction","LineIntegralConvolutionPlot","LineIntegralConvolutionScale","LineLegend","LineOpacity","LineSpacing","LineWrapParts","LinkActivate","LinkClose","LinkConnect","LinkConnectedQ","LinkCreate","LinkError","LinkFlush","LinkFunction","LinkHost","LinkInterrupt","LinkLaunch","LinkMode","LinkObject","LinkOpen","LinkOptions","LinkPatterns","LinkProtocol","LinkRankCentrality","LinkRead","LinkReadHeld","LinkReadyQ","Links","LinkService","LinkWrite","LinkWriteHeld","LiouvilleLambda","List","Listable","ListAnimate","ListContourPlot","ListContourPlot3D","ListConvolve","ListCorrelate","ListCurvePathPlot","ListDeconvolve","ListDensityPlot","ListDensityPlot3D","Listen","ListFormat","ListFourierSequenceTransform","ListInterpolation","ListLineIntegralConvolutionPlot","ListLinePlot","ListLinePlot3D","ListLogLinearPlot","ListLogLogPlot","ListLogPlot","ListPicker","ListPickerBox","ListPickerBoxBackground","ListPickerBoxOptions","ListPlay","ListPlot","ListPlot3D","ListPointPlot3D","ListPolarPlot","ListQ","ListSliceContourPlot3D","ListSliceDensityPlot3D","ListSliceVectorPlot3D","ListStepPlot","ListStreamDensityPlot","ListStreamPlot","ListStreamPlot3D","ListSurfacePlot3D","ListVectorDensityPlot","ListVectorDisplacementPlot","ListVectorDisplacementPlot3D","ListVectorPlot","ListVectorPlot3D","ListZTransform","Literal","LiteralSearch","LiteralType","LoadCompiledComponent","LocalAdaptiveBinarize","LocalCache","LocalClusteringCoefficient","LocalEvaluate","LocalizeDefinitions","LocalizeVariables","LocalObject","LocalObjects","LocalResponseNormalizationLayer","LocalSubmit","LocalSymbol","LocalTime","LocalTimeZone","LocationEquivalenceTest","LocationTest","Locator","LocatorAutoCreate","LocatorBox","LocatorBoxOptions","LocatorCentering","LocatorPane","LocatorPaneBox","LocatorPaneBoxOptions","LocatorRegion","Locked","Log","Log10","Log2","LogBarnesG","LogGamma","LogGammaDistribution","LogicalExpand","LogIntegral","LogisticDistribution","LogisticSigmoid","LogitModelFit","LogLikelihood","LogLinearPlot","LogLogisticDistribution","LogLogPlot","LogMultinormalDistribution","LogNormalDistribution","LogPlot","LogRankTest","LogSeriesDistribution","LongEqual","Longest","LongestCommonSequence","LongestCommonSequencePositions","LongestCommonSubsequence","LongestCommonSubsequencePositions","LongestMatch","LongestOrderedSequence","LongForm","Longitude","LongLeftArrow","LongLeftRightArrow","LongRightArrow","LongShortTermMemoryLayer","Lookup","Loopback","LoopFreeGraphQ","Looping","LossFunction","LowerCaseQ","LowerLeftArrow","LowerRightArrow","LowerTriangularize","LowerTriangularMatrix","LowerTriangularMatrixQ","LowpassFilter","LQEstimatorGains","LQGRegulator","LQOutputRegulatorGains","LQRegulatorGains","LUBackSubstitution","LucasL","LuccioSamiComponents","LUDecomposition","LunarEclipse","LUVColor","LyapunovSolve","LyonsGroupLy","MachineID","MachineName","MachineNumberQ","MachinePrecision","MacintoshSystemPageSetup","Magenta","Magnification","Magnify","MailAddressValidation","MailExecute","MailFolder","MailItem","MailReceiverFunction","MailResponseFunction","MailSearch","MailServerConnect","MailServerConnection","MailSettings","MainSolve","MaintainDynamicCaches","Majority","MakeBoxes","MakeExpression","MakeRules","ManagedLibraryExpressionID","ManagedLibraryExpressionQ","MandelbrotSetBoettcher","MandelbrotSetDistance","MandelbrotSetIterationCount","MandelbrotSetMemberQ","MandelbrotSetPlot","MangoldtLambda","ManhattanDistance","Manipulate","Manipulator","MannedSpaceMissionData","MannWhitneyTest","MantissaExponent","Manual","Map","MapAll","MapApply","MapAt","MapIndexed","MAProcess","MapThread","MarchenkoPasturDistribution","MarcumQ","MardiaCombinedTest","MardiaKurtosisTest","MardiaSkewnessTest","MarginalDistribution","MarkovProcessProperties","Masking","MassConcentrationCondition","MassFluxValue","MassImpermeableBoundaryValue","MassOutflowValue","MassSymmetryValue","MassTransferValue","MassTransportPDEComponent","MatchingDissimilarity","MatchLocalNameQ","MatchLocalNames","MatchQ","Material","MaterialShading","MaternPointProcess","MathematicalFunctionData","MathematicaNotation","MathieuC","MathieuCharacteristicA","MathieuCharacteristicB","MathieuCharacteristicExponent","MathieuCPrime","MathieuGroupM11","MathieuGroupM12","MathieuGroupM22","MathieuGroupM23","MathieuGroupM24","MathieuS","MathieuSPrime","MathMLForm","MathMLText","Matrices","MatrixExp","MatrixForm","MatrixFunction","MatrixLog","MatrixNormalDistribution","MatrixPlot","MatrixPower","MatrixPropertyDistribution","MatrixQ","MatrixRank","MatrixTDistribution","Max","MaxBend","MaxCellMeasure","MaxColorDistance","MaxDate","MaxDetect","MaxDisplayedChildren","MaxDuration","MaxExtraBandwidths","MaxExtraConditions","MaxFeatureDisplacement","MaxFeatures","MaxFilter","MaximalBy","Maximize","MaxItems","MaxIterations","MaxLimit","MaxMemoryUsed","MaxMixtureKernels","MaxOverlapFraction","MaxPlotPoints","MaxPoints","MaxRecursion","MaxStableDistribution","MaxStepFraction","MaxSteps","MaxStepSize","MaxTrainingRounds","MaxValue","MaxwellDistribution","MaxWordGap","McLaughlinGroupMcL","Mean","MeanAbsoluteLossLayer","MeanAround","MeanClusteringCoefficient","MeanDegreeConnectivity","MeanDeviation","MeanFilter","MeanGraphDistance","MeanNeighborDegree","MeanPointDensity","MeanShift","MeanShiftFilter","MeanSquaredLossLayer","Median","MedianDeviation","MedianFilter","MedicalTestData","Medium","MeijerG","MeijerGReduce","MeixnerDistribution","MellinConvolve","MellinTransform","MemberQ","MemoryAvailable","MemoryConstrained","MemoryConstraint","MemoryInUse","MengerMesh","Menu","MenuAppearance","MenuCommandKey","MenuEvaluator","MenuItem","MenuList","MenuPacket","MenuSortingValue","MenuStyle","MenuView","Merge","MergeDifferences","MergingFunction","MersennePrimeExponent","MersennePrimeExponentQ","Mesh","MeshCellCentroid","MeshCellCount","MeshCellHighlight","MeshCellIndex","MeshCellLabel","MeshCellMarker","MeshCellMeasure","MeshCellQuality","MeshCells","MeshCellShapeFunction","MeshCellStyle","MeshConnectivityGraph","MeshCoordinates","MeshFunctions","MeshPrimitives","MeshQualityGoal","MeshRange","MeshRefinementFunction","MeshRegion","MeshRegionQ","MeshShading","MeshStyle","Message","MessageDialog","MessageList","MessageName","MessageObject","MessageOptions","MessagePacket","Messages","MessagesNotebook","MetaCharacters","MetaInformation","MeteorShowerData","Method","MethodOptions","MexicanHatWavelet","MeyerWavelet","Midpoint","MIMETypeToFormatList","Min","MinColorDistance","MinDate","MinDetect","MineralData","MinFilter","MinimalBy","MinimalPolynomial","MinimalStateSpaceModel","Minimize","MinimumTimeIncrement","MinIntervalSize","MinkowskiQuestionMark","MinLimit","MinMax","MinorPlanetData","Minors","MinPointSeparation","MinRecursion","MinSize","MinStableDistribution","Minus","MinusPlus","MinValue","Missing","MissingBehavior","MissingDataMethod","MissingDataRules","MissingQ","MissingString","MissingStyle","MissingValuePattern","MissingValueSynthesis","MittagLefflerE","MixedFractionParts","MixedGraphQ","MixedMagnitude","MixedRadix","MixedRadixQuantity","MixedUnit","MixtureDistribution","Mod","Modal","Mode","ModelPredictiveController","Modular","ModularInverse","ModularLambda","Module","Modulus","MoebiusMu","Molecule","MoleculeAlign","MoleculeContainsQ","MoleculeDraw","MoleculeEquivalentQ","MoleculeFreeQ","MoleculeGraph","MoleculeMatchQ","MoleculeMaximumCommonSubstructure","MoleculeModify","MoleculeName","MoleculePattern","MoleculePlot","MoleculePlot3D","MoleculeProperty","MoleculeQ","MoleculeRecognize","MoleculeSubstructureCount","MoleculeValue","Moment","MomentConvert","MomentEvaluate","MomentGeneratingFunction","MomentOfInertia","Monday","Monitor","MonomialList","MonomialOrder","MonsterGroupM","MoonPhase","MoonPosition","MorletWavelet","MorphologicalBinarize","MorphologicalBranchPoints","MorphologicalComponents","MorphologicalEulerNumber","MorphologicalGraph","MorphologicalPerimeter","MorphologicalTransform","MortalityData","Most","MountainData","MouseAnnotation","MouseAppearance","MouseAppearanceTag","MouseButtons","Mouseover","MousePointerNote","MousePosition","MovieData","MovingAverage","MovingMap","MovingMedian","MoyalDistribution","MultiaxisArrangement","Multicolumn","MultiedgeStyle","MultigraphQ","MultilaunchWarning","MultiLetterItalics","MultiLetterStyle","MultilineFunction","Multinomial","MultinomialDistribution","MultinormalDistribution","MultiplicativeOrder","Multiplicity","MultiplySides","MultiscriptBoxOptions","Multiselection","MultivariateHypergeometricDistribution","MultivariatePoissonDistribution","MultivariateTDistribution","N","NakagamiDistribution","NameQ","Names","NamespaceBox","NamespaceBoxOptions","Nand","NArgMax","NArgMin","NBernoulliB","NBodySimulation","NBodySimulationData","NCache","NCaputoD","NDEigensystem","NDEigenvalues","NDSolve","NDSolveValue","Nearest","NearestFunction","NearestMeshCells","NearestNeighborG","NearestNeighborGraph","NearestTo","NebulaData","NeedlemanWunschSimilarity","Needs","Negative","NegativeBinomialDistribution","NegativeDefiniteMatrixQ","NegativeIntegers","NegativelyOrientedPoints","NegativeMultinomialDistribution","NegativeRationals","NegativeReals","NegativeSemidefiniteMatrixQ","NeighborhoodData","NeighborhoodGraph","Nest","NestedGreaterGreater","NestedLessLess","NestedScriptRules","NestGraph","NestList","NestTree","NestWhile","NestWhileList","NetAppend","NetArray","NetArrayLayer","NetBidirectionalOperator","NetChain","NetDecoder","NetDelete","NetDrop","NetEncoder","NetEvaluationMode","NetExternalObject","NetExtract","NetFlatten","NetFoldOperator","NetGANOperator","NetGraph","NetInformation","NetInitialize","NetInsert","NetInsertSharedArrays","NetJoin","NetMapOperator","NetMapThreadOperator","NetMeasurements","NetModel","NetNestOperator","NetPairEmbeddingOperator","NetPort","NetPortGradient","NetPrepend","NetRename","NetReplace","NetReplacePart","NetSharedArray","NetStateObject","NetTake","NetTrain","NetTrainResultsObject","NetUnfold","NetworkPacketCapture","NetworkPacketRecording","NetworkPacketRecordingDuring","NetworkPacketTrace","NeumannValue","NevilleThetaC","NevilleThetaD","NevilleThetaN","NevilleThetaS","NewPrimitiveStyle","NExpectation","Next","NextCell","NextDate","NextPrime","NextScheduledTaskTime","NeymanScottPointProcess","NFractionalD","NHoldAll","NHoldFirst","NHoldRest","NicholsGridLines","NicholsPlot","NightHemisphere","NIntegrate","NMaximize","NMaxValue","NMinimize","NMinValue","NominalScale","NominalVariables","NonAssociative","NoncentralBetaDistribution","NoncentralChiSquareDistribution","NoncentralFRatioDistribution","NoncentralStudentTDistribution","NonCommutativeMultiply","NonConstants","NondimensionalizationTransform","None","NoneTrue","NonlinearModelFit","NonlinearStateSpaceModel","NonlocalMeansFilter","NonNegative","NonNegativeIntegers","NonNegativeRationals","NonNegativeReals","NonPositive","NonPositiveIntegers","NonPositiveRationals","NonPositiveReals","Nor","NorlundB","Norm","Normal","NormalDistribution","NormalGrouping","NormalizationLayer","Normalize","Normalized","NormalizedSquaredEuclideanDistance","NormalMatrixQ","NormalsFunction","NormFunction","Not","NotCongruent","NotCupCap","NotDoubleVerticalBar","Notebook","NotebookApply","NotebookAutoSave","NotebookBrowseDirectory","NotebookClose","NotebookConvertSettings","NotebookCreate","NotebookDefault","NotebookDelete","NotebookDirectory","NotebookDynamicExpression","NotebookEvaluate","NotebookEventActions","NotebookFileName","NotebookFind","NotebookGet","NotebookImport","NotebookInformation","NotebookInterfaceObject","NotebookLocate","NotebookObject","NotebookOpen","NotebookPath","NotebookPrint","NotebookPut","NotebookRead","Notebooks","NotebookSave","NotebookSelection","NotebooksMenu","NotebookTemplate","NotebookWrite","NotElement","NotEqualTilde","NotExists","NotGreater","NotGreaterEqual","NotGreaterFullEqual","NotGreaterGreater","NotGreaterLess","NotGreaterSlantEqual","NotGreaterTilde","Nothing","NotHumpDownHump","NotHumpEqual","NotificationFunction","NotLeftTriangle","NotLeftTriangleBar","NotLeftTriangleEqual","NotLess","NotLessEqual","NotLessFullEqual","NotLessGreater","NotLessLess","NotLessSlantEqual","NotLessTilde","NotNestedGreaterGreater","NotNestedLessLess","NotPrecedes","NotPrecedesEqual","NotPrecedesSlantEqual","NotPrecedesTilde","NotReverseElement","NotRightTriangle","NotRightTriangleBar","NotRightTriangleEqual","NotSquareSubset","NotSquareSubsetEqual","NotSquareSuperset","NotSquareSupersetEqual","NotSubset","NotSubsetEqual","NotSucceeds","NotSucceedsEqual","NotSucceedsSlantEqual","NotSucceedsTilde","NotSuperset","NotSupersetEqual","NotTilde","NotTildeEqual","NotTildeFullEqual","NotTildeTilde","NotVerticalBar","Now","NoWhitespace","NProbability","NProduct","NProductFactors","NRoots","NSolve","NSolveValues","NSum","NSumTerms","NuclearExplosionData","NuclearReactorData","Null","NullRecords","NullSpace","NullWords","Number","NumberCompose","NumberDecompose","NumberDigit","NumberExpand","NumberFieldClassNumber","NumberFieldDiscriminant","NumberFieldFundamentalUnits","NumberFieldIntegralBasis","NumberFieldNormRepresentatives","NumberFieldRegulator","NumberFieldRootsOfUnity","NumberFieldSignature","NumberForm","NumberFormat","NumberLinePlot","NumberMarks","NumberMultiplier","NumberPadding","NumberPoint","NumberQ","NumberSeparator","NumberSigns","NumberString","Numerator","NumeratorDenominator","NumericalOrder","NumericalSort","NumericArray","NumericArrayQ","NumericArrayType","NumericFunction","NumericQ","NuttallWindow","NValues","NyquistGridLines","NyquistPlot","O","ObjectExistsQ","ObservabilityGramian","ObservabilityMatrix","ObservableDecomposition","ObservableModelQ","OceanData","Octahedron","OddQ","Off","Offset","OLEData","On","ONanGroupON","Once","OneIdentity","Opacity","OpacityFunction","OpacityFunctionScaling","Open","OpenAppend","Opener","OpenerBox","OpenerBoxOptions","OpenerView","OpenFunctionInspectorPacket","Opening","OpenRead","OpenSpecialOptions","OpenTemporary","OpenWrite","Operate","OperatingSystem","OperatorApplied","OptimumFlowData","Optional","OptionalElement","OptionInspectorSettings","OptionQ","Options","OptionsPacket","OptionsPattern","OptionValue","OptionValueBox","OptionValueBoxOptions","Or","Orange","Order","OrderDistribution","OrderedQ","Ordering","OrderingBy","OrderingLayer","Orderless","OrderlessPatternSequence","OrdinalScale","OrnsteinUhlenbeckProcess","Orthogonalize","OrthogonalMatrixQ","Out","Outer","OuterPolygon","OuterPolyhedron","OutputAutoOverwrite","OutputControllabilityMatrix","OutputControllableModelQ","OutputForm","OutputFormData","OutputGrouping","OutputMathEditExpression","OutputNamePacket","OutputPorts","OutputResponse","OutputSizeLimit","OutputStream","Over","OverBar","OverDot","Overflow","OverHat","Overlaps","Overlay","OverlayBox","OverlayBoxOptions","OverlayVideo","Overscript","OverscriptBox","OverscriptBoxOptions","OverTilde","OverVector","OverwriteTarget","OwenT","OwnValues","Package","PackingMethod","PackPaclet","PacletDataRebuild","PacletDirectoryAdd","PacletDirectoryLoad","PacletDirectoryRemove","PacletDirectoryUnload","PacletDisable","PacletEnable","PacletFind","PacletFindRemote","PacletInformation","PacletInstall","PacletInstallSubmit","PacletNewerQ","PacletObject","PacletObjectQ","PacletSite","PacletSiteObject","PacletSiteRegister","PacletSites","PacletSiteUnregister","PacletSiteUpdate","PacletSymbol","PacletUninstall","PacletUpdate","PaddedForm","Padding","PaddingLayer","PaddingSize","PadeApproximant","PadLeft","PadRight","PageBreakAbove","PageBreakBelow","PageBreakWithin","PageFooterLines","PageFooters","PageHeaderLines","PageHeaders","PageHeight","PageRankCentrality","PageTheme","PageWidth","Pagination","PairCorrelationG","PairedBarChart","PairedHistogram","PairedSmoothHistogram","PairedTTest","PairedZTest","PaletteNotebook","PalettePath","PalettesMenuSettings","PalindromeQ","Pane","PaneBox","PaneBoxOptions","Panel","PanelBox","PanelBoxOptions","Paneled","PaneSelector","PaneSelectorBox","PaneSelectorBoxOptions","PaperWidth","ParabolicCylinderD","ParagraphIndent","ParagraphSpacing","ParallelArray","ParallelAxisPlot","ParallelCombine","ParallelDo","Parallelepiped","ParallelEvaluate","Parallelization","Parallelize","ParallelKernels","ParallelMap","ParallelNeeds","Parallelogram","ParallelProduct","ParallelSubmit","ParallelSum","ParallelTable","ParallelTry","Parameter","ParameterEstimator","ParameterMixtureDistribution","ParameterVariables","ParametricConvexOptimization","ParametricFunction","ParametricNDSolve","ParametricNDSolveValue","ParametricPlot","ParametricPlot3D","ParametricRampLayer","ParametricRegion","ParentBox","ParentCell","ParentConnect","ParentDirectory","ParentEdgeLabel","ParentEdgeLabelFunction","ParentEdgeLabelStyle","ParentEdgeShapeFunction","ParentEdgeStyle","ParentEdgeStyleFunction","ParentForm","Parenthesize","ParentList","ParentNotebook","ParetoDistribution","ParetoPickandsDistribution","ParkData","Part","PartBehavior","PartialCorrelationFunction","PartialD","ParticleAcceleratorData","ParticleData","Partition","PartitionGranularity","PartitionsP","PartitionsQ","PartLayer","PartOfSpeech","PartProtection","ParzenWindow","PascalDistribution","PassEventsDown","PassEventsUp","Paste","PasteAutoQuoteCharacters","PasteBoxFormInlineCells","PasteButton","Path","PathGraph","PathGraphQ","Pattern","PatternFilling","PatternReaction","PatternSequence","PatternTest","PauliMatrix","PaulWavelet","Pause","PausedTime","PDF","PeakDetect","PeanoCurve","PearsonChiSquareTest","PearsonCorrelationTest","PearsonDistribution","PenttinenPointProcess","PercentForm","PerfectNumber","PerfectNumberQ","PerformanceGoal","Perimeter","PeriodicBoundaryCondition","PeriodicInterpolation","Periodogram","PeriodogramArray","Permanent","Permissions","PermissionsGroup","PermissionsGroupMemberQ","PermissionsGroups","PermissionsKey","PermissionsKeys","PermutationCycles","PermutationCyclesQ","PermutationGroup","PermutationLength","PermutationList","PermutationListQ","PermutationMatrix","PermutationMax","PermutationMin","PermutationOrder","PermutationPower","PermutationProduct","PermutationReplace","Permutations","PermutationSupport","Permute","PeronaMalikFilter","Perpendicular","PerpendicularBisector","PersistenceLocation","PersistenceTime","PersistentObject","PersistentObjects","PersistentSymbol","PersistentValue","PersonData","PERTDistribution","PetersenGraph","PhaseMargins","PhaseRange","PhongShading","PhysicalSystemData","Pi","Pick","PickedElements","PickMode","PIDData","PIDDerivativeFilter","PIDFeedforward","PIDTune","Piecewise","PiecewiseExpand","PieChart","PieChart3D","PillaiTrace","PillaiTraceTest","PingTime","Pink","PitchRecognize","Pivoting","PixelConstrained","PixelValue","PixelValuePositions","Placed","Placeholder","PlaceholderLayer","PlaceholderReplace","Plain","PlanarAngle","PlanarFaceList","PlanarGraph","PlanarGraphQ","PlanckRadiationLaw","PlaneCurveData","PlanetaryMoonData","PlanetData","PlantData","Play","PlaybackSettings","PlayRange","Plot","Plot3D","Plot3Matrix","PlotDivision","PlotJoined","PlotLabel","PlotLabels","PlotLayout","PlotLegends","PlotMarkers","PlotPoints","PlotRange","PlotRangeClipping","PlotRangeClipPlanesStyle","PlotRangePadding","PlotRegion","PlotStyle","PlotTheme","Pluralize","Plus","PlusMinus","Pochhammer","PodStates","PodWidth","Point","Point3DBox","Point3DBoxOptions","PointBox","PointBoxOptions","PointCountDistribution","PointDensity","PointDensityFunction","PointFigureChart","PointLegend","PointLight","PointProcessEstimator","PointProcessFitTest","PointProcessParameterAssumptions","PointProcessParameterQ","PointSize","PointStatisticFunction","PointValuePlot","PoissonConsulDistribution","PoissonDistribution","PoissonPDEComponent","PoissonPointProcess","PoissonProcess","PoissonWindow","PolarAxes","PolarAxesOrigin","PolarGridLines","PolarPlot","PolarTicks","PoleZeroMarkers","PolyaAeppliDistribution","PolyGamma","Polygon","Polygon3DBox","Polygon3DBoxOptions","PolygonalNumber","PolygonAngle","PolygonBox","PolygonBoxOptions","PolygonCoordinates","PolygonDecomposition","PolygonHoleScale","PolygonIntersections","PolygonScale","Polyhedron","PolyhedronAngle","PolyhedronBox","PolyhedronBoxOptions","PolyhedronCoordinates","PolyhedronData","PolyhedronDecomposition","PolyhedronGenus","PolyLog","PolynomialExpressionQ","PolynomialExtendedGCD","PolynomialForm","PolynomialGCD","PolynomialLCM","PolynomialMod","PolynomialQ","PolynomialQuotient","PolynomialQuotientRemainder","PolynomialReduce","PolynomialRemainder","Polynomials","PolynomialSumOfSquaresList","PoolingLayer","PopupMenu","PopupMenuBox","PopupMenuBoxOptions","PopupView","PopupWindow","Position","PositionIndex","PositionLargest","PositionSmallest","Positive","PositiveDefiniteMatrixQ","PositiveIntegers","PositivelyOrientedPoints","PositiveRationals","PositiveReals","PositiveSemidefiniteMatrixQ","PossibleZeroQ","Postfix","PostScript","Power","PowerDistribution","PowerExpand","PowerMod","PowerModList","PowerRange","PowerSpectralDensity","PowersRepresentations","PowerSymmetricPolynomial","Precedence","PrecedenceForm","Precedes","PrecedesEqual","PrecedesSlantEqual","PrecedesTilde","Precision","PrecisionGoal","PreDecrement","Predict","PredictionRoot","PredictorFunction","PredictorInformation","PredictorMeasurements","PredictorMeasurementsObject","PreemptProtect","PreferencesPath","PreferencesSettings","Prefix","PreIncrement","Prepend","PrependLayer","PrependTo","PreprocessingRules","PreserveColor","PreserveImageOptions","Previous","PreviousCell","PreviousDate","PriceGraphDistribution","PrimaryPlaceholder","Prime","PrimeNu","PrimeOmega","PrimePi","PrimePowerQ","PrimeQ","Primes","PrimeZetaP","PrimitivePolynomialQ","PrimitiveRoot","PrimitiveRootList","PrincipalComponents","PrincipalValue","Print","PrintableASCIIQ","PrintAction","PrintForm","PrintingCopies","PrintingOptions","PrintingPageRange","PrintingStartingPageNumber","PrintingStyleEnvironment","Printout3D","Printout3DPreviewer","PrintPrecision","PrintTemporary","Prism","PrismBox","PrismBoxOptions","PrivateCellOptions","PrivateEvaluationOptions","PrivateFontOptions","PrivateFrontEndOptions","PrivateKey","PrivateNotebookOptions","PrivatePaths","Probability","ProbabilityDistribution","ProbabilityPlot","ProbabilityPr","ProbabilityScalePlot","ProbitModelFit","ProcessConnection","ProcessDirectory","ProcessEnvironment","Processes","ProcessEstimator","ProcessInformation","ProcessObject","ProcessParameterAssumptions","ProcessParameterQ","ProcessStateDomain","ProcessStatus","ProcessTimeDomain","Product","ProductDistribution","ProductLog","ProgressIndicator","ProgressIndicatorBox","ProgressIndicatorBoxOptions","ProgressReporting","Projection","Prolog","PromptForm","ProofObject","PropagateAborts","Properties","Property","PropertyList","PropertyValue","Proportion","Proportional","Protect","Protected","ProteinData","Pruning","PseudoInverse","PsychrometricPropertyData","PublicKey","PublisherID","PulsarData","PunctuationCharacter","Purple","Put","PutAppend","Pyramid","PyramidBox","PyramidBoxOptions","QBinomial","QFactorial","QGamma","QHypergeometricPFQ","QnDispersion","QPochhammer","QPolyGamma","QRDecomposition","QuadraticIrrationalQ","QuadraticOptimization","Quantile","QuantilePlot","Quantity","QuantityArray","QuantityDistribution","QuantityForm","QuantityMagnitude","QuantityQ","QuantityUnit","QuantityVariable","QuantityVariableCanonicalUnit","QuantityVariableDimensions","QuantityVariableIdentifier","QuantityVariablePhysicalQuantity","Quartics","QuartileDeviation","Quartiles","QuartileSkewness","Query","QuestionGenerator","QuestionInterface","QuestionObject","QuestionSelector","QueueingNetworkProcess","QueueingProcess","QueueProperties","Quiet","QuietEcho","Quit","Quotient","QuotientRemainder","RadialAxisPlot","RadialGradientFilling","RadialGradientImage","RadialityCentrality","RadicalBox","RadicalBoxOptions","RadioButton","RadioButtonBar","RadioButtonBox","RadioButtonBoxOptions","Radon","RadonTransform","RamanujanTau","RamanujanTauL","RamanujanTauTheta","RamanujanTauZ","Ramp","Random","RandomArrayLayer","RandomChoice","RandomColor","RandomComplex","RandomDate","RandomEntity","RandomFunction","RandomGeneratorState","RandomGeoPosition","RandomGraph","RandomImage","RandomInstance","RandomInteger","RandomPermutation","RandomPoint","RandomPointConfiguration","RandomPolygon","RandomPolyhedron","RandomPrime","RandomReal","RandomSample","RandomSeed","RandomSeeding","RandomTime","RandomTree","RandomVariate","RandomWalkProcess","RandomWord","Range","RangeFilter","RangeSpecification","RankedMax","RankedMin","RarerProbability","Raster","Raster3D","Raster3DBox","Raster3DBoxOptions","RasterArray","RasterBox","RasterBoxOptions","Rasterize","RasterSize","Rational","RationalExpressionQ","RationalFunctions","Rationalize","Rationals","Ratios","RawArray","RawBoxes","RawData","RawMedium","RayleighDistribution","Re","ReactionBalance","ReactionBalancedQ","ReactionPDETerm","Read","ReadByteArray","ReadLine","ReadList","ReadProtected","ReadString","Real","RealAbs","RealBlockDiagonalForm","RealDigits","RealExponent","Reals","RealSign","Reap","RebuildPacletData","RecalibrationFunction","RecognitionPrior","RecognitionThreshold","ReconstructionMesh","Record","RecordLists","RecordSeparators","Rectangle","RectangleBox","RectangleBoxOptions","RectangleChart","RectangleChart3D","RectangularRepeatingElement","RecurrenceFilter","RecurrenceTable","RecurringDigitsForm","Red","Reduce","RefBox","ReferenceLineStyle","ReferenceMarkers","ReferenceMarkerStyle","Refine","ReflectionMatrix","ReflectionTransform","Refresh","RefreshRate","Region","RegionBinarize","RegionBoundary","RegionBoundaryStyle","RegionBounds","RegionCentroid","RegionCongruent","RegionConvert","RegionDifference","RegionDilation","RegionDimension","RegionDisjoint","RegionDistance","RegionDistanceFunction","RegionEmbeddingDimension","RegionEqual","RegionErosion","RegionFillingStyle","RegionFit","RegionFunction","RegionImage","RegionIntersection","RegionMeasure","RegionMember","RegionMemberFunction","RegionMoment","RegionNearest","RegionNearestFunction","RegionPlot","RegionPlot3D","RegionProduct","RegionQ","RegionResize","RegionSimilar","RegionSize","RegionSymmetricDifference","RegionUnion","RegionWithin","RegisterExternalEvaluator","RegularExpression","Regularization","RegularlySampledQ","RegularPolygon","ReIm","ReImLabels","ReImPlot","ReImStyle","Reinstall","RelationalDatabase","RelationGraph","Release","ReleaseHold","ReliabilityDistribution","ReliefImage","ReliefPlot","RemoteAuthorizationCaching","RemoteBatchJobAbort","RemoteBatchJobObject","RemoteBatchJobs","RemoteBatchMapSubmit","RemoteBatchSubmissionEnvironment","RemoteBatchSubmit","RemoteConnect","RemoteConnectionObject","RemoteEvaluate","RemoteFile","RemoteInputFiles","RemoteKernelObject","RemoteProviderSettings","RemoteRun","RemoteRunProcess","RemovalConditions","Remove","RemoveAlphaChannel","RemoveAsynchronousTask","RemoveAudioStream","RemoveBackground","RemoveChannelListener","RemoveChannelSubscribers","Removed","RemoveDiacritics","RemoveInputStreamMethod","RemoveOutputStreamMethod","RemoveProperty","RemoveScheduledTask","RemoveUsers","RemoveVideoStream","RenameDirectory","RenameFile","RenderAll","RenderingOptions","RenewalProcess","RenkoChart","RepairMesh","Repeated","RepeatedNull","RepeatedString","RepeatedTiming","RepeatingElement","Replace","ReplaceAll","ReplaceAt","ReplaceHeldPart","ReplaceImageValue","ReplaceList","ReplacePart","ReplacePixelValue","ReplaceRepeated","ReplicateLayer","RequiredPhysicalQuantities","Resampling","ResamplingAlgorithmData","ResamplingMethod","Rescale","RescalingTransform","ResetDirectory","ResetScheduledTask","ReshapeLayer","Residue","ResidueSum","ResizeLayer","Resolve","ResolveContextAliases","ResourceAcquire","ResourceData","ResourceFunction","ResourceObject","ResourceRegister","ResourceRemove","ResourceSearch","ResourceSubmissionObject","ResourceSubmit","ResourceSystemBase","ResourceSystemPath","ResourceUpdate","ResourceVersion","ResponseForm","Rest","RestartInterval","Restricted","Resultant","ResumePacket","Return","ReturnCreatesNewCell","ReturnEntersInput","ReturnExpressionPacket","ReturnInputFormPacket","ReturnPacket","ReturnReceiptFunction","ReturnTextPacket","Reverse","ReverseApplied","ReverseBiorthogonalSplineWavelet","ReverseElement","ReverseEquilibrium","ReverseGraph","ReverseSort","ReverseSortBy","ReverseUpEquilibrium","RevolutionAxis","RevolutionPlot3D","RGBColor","RiccatiSolve","RiceDistribution","RidgeFilter","RiemannR","RiemannSiegelTheta","RiemannSiegelZ","RiemannXi","Riffle","Right","RightArrow","RightArrowBar","RightArrowLeftArrow","RightComposition","RightCosetRepresentative","RightDownTeeVector","RightDownVector","RightDownVectorBar","RightTee","RightTeeArrow","RightTeeVector","RightTriangle","RightTriangleBar","RightTriangleEqual","RightUpDownVector","RightUpTeeVector","RightUpVector","RightUpVectorBar","RightVector","RightVectorBar","RipleyK","RipleyRassonRegion","RiskAchievementImportance","RiskReductionImportance","RobustConvexOptimization","RogersTanimotoDissimilarity","RollPitchYawAngles","RollPitchYawMatrix","RomanNumeral","Root","RootApproximant","RootIntervals","RootLocusPlot","RootMeanSquare","RootOfUnityQ","RootReduce","Roots","RootSum","RootTree","Rotate","RotateLabel","RotateLeft","RotateRight","RotationAction","RotationBox","RotationBoxOptions","RotationMatrix","RotationTransform","Round","RoundImplies","RoundingRadius","Row","RowAlignments","RowBackgrounds","RowBox","RowHeights","RowLines","RowMinHeight","RowReduce","RowsEqual","RowSpacings","RSolve","RSolveValue","RudinShapiro","RudvalisGroupRu","Rule","RuleCondition","RuleDelayed","RuleForm","RulePlot","RulerUnits","RulesTree","Run","RunProcess","RunScheduledTask","RunThrough","RuntimeAttributes","RuntimeOptions","RussellRaoDissimilarity","SameAs","SameQ","SameTest","SameTestProperties","SampledEntityClass","SampleDepth","SampledSoundFunction","SampledSoundList","SampleRate","SamplingPeriod","SARIMAProcess","SARMAProcess","SASTriangle","SatelliteData","SatisfiabilityCount","SatisfiabilityInstances","SatisfiableQ","Saturday","Save","Saveable","SaveAutoDelete","SaveConnection","SaveDefinitions","SavitzkyGolayMatrix","SawtoothWave","Scale","Scaled","ScaleDivisions","ScaledMousePosition","ScaleOrigin","ScalePadding","ScaleRanges","ScaleRangeStyle","ScalingFunctions","ScalingMatrix","ScalingTransform","Scan","ScheduledTask","ScheduledTaskActiveQ","ScheduledTaskInformation","ScheduledTaskInformationData","ScheduledTaskObject","ScheduledTasks","SchurDecomposition","ScientificForm","ScientificNotationThreshold","ScorerGi","ScorerGiPrime","ScorerHi","ScorerHiPrime","ScreenRectangle","ScreenStyleEnvironment","ScriptBaselineShifts","ScriptForm","ScriptLevel","ScriptMinSize","ScriptRules","ScriptSizeMultipliers","Scrollbars","ScrollingOptions","ScrollPosition","SearchAdjustment","SearchIndexObject","SearchIndices","SearchQueryString","SearchResultObject","Sec","Sech","SechDistribution","SecondOrderConeOptimization","SectionGrouping","SectorChart","SectorChart3D","SectorOrigin","SectorSpacing","SecuredAuthenticationKey","SecuredAuthenticationKeys","SecurityCertificate","SeedRandom","Select","Selectable","SelectComponents","SelectedCells","SelectedNotebook","SelectFirst","Selection","SelectionAnimate","SelectionCell","SelectionCellCreateCell","SelectionCellDefaultStyle","SelectionCellParentStyle","SelectionCreateCell","SelectionDebuggerTag","SelectionEvaluate","SelectionEvaluateCreateCell","SelectionMove","SelectionPlaceholder","SelectWithContents","SelfLoops","SelfLoopStyle","SemanticImport","SemanticImportString","SemanticInterpretation","SemialgebraicComponentInstances","SemidefiniteOptimization","SendMail","SendMessage","Sequence","SequenceAlignment","SequenceAttentionLayer","SequenceCases","SequenceCount","SequenceFold","SequenceFoldList","SequenceForm","SequenceHold","SequenceIndicesLayer","SequenceLastLayer","SequenceMostLayer","SequencePosition","SequencePredict","SequencePredictorFunction","SequenceReplace","SequenceRestLayer","SequenceReverseLayer","SequenceSplit","Series","SeriesCoefficient","SeriesData","SeriesTermGoal","ServiceConnect","ServiceDisconnect","ServiceExecute","ServiceObject","ServiceRequest","ServiceResponse","ServiceSubmit","SessionSubmit","SessionTime","Set","SetAccuracy","SetAlphaChannel","SetAttributes","Setbacks","SetCloudDirectory","SetCookies","SetDelayed","SetDirectory","SetEnvironment","SetFileDate","SetFileFormatProperties","SetOptions","SetOptionsPacket","SetPermissions","SetPrecision","SetProperty","SetSecuredAuthenticationKey","SetSelectedNotebook","SetSharedFunction","SetSharedVariable","SetStreamPosition","SetSystemModel","SetSystemOptions","Setter","SetterBar","SetterBox","SetterBoxOptions","Setting","SetUsers","Shading","Shallow","ShannonWavelet","ShapiroWilkTest","Share","SharingList","Sharpen","ShearingMatrix","ShearingTransform","ShellRegion","ShenCastanMatrix","ShiftedGompertzDistribution","ShiftRegisterSequence","Short","ShortDownArrow","Shortest","ShortestMatch","ShortestPathFunction","ShortLeftArrow","ShortRightArrow","ShortTimeFourier","ShortTimeFourierData","ShortUpArrow","Show","ShowAutoConvert","ShowAutoSpellCheck","ShowAutoStyles","ShowCellBracket","ShowCellLabel","ShowCellTags","ShowClosedCellArea","ShowCodeAssist","ShowContents","ShowControls","ShowCursorTracker","ShowGroupOpenCloseIcon","ShowGroupOpener","ShowInvisibleCharacters","ShowPageBreaks","ShowPredictiveInterface","ShowSelection","ShowShortBoxForm","ShowSpecialCharacters","ShowStringCharacters","ShowSyntaxStyles","ShrinkingDelay","ShrinkWrapBoundingBox","SiderealTime","SiegelTheta","SiegelTukeyTest","SierpinskiCurve","SierpinskiMesh","Sign","Signature","SignedRankTest","SignedRegionDistance","SignificanceLevel","SignPadding","SignTest","SimilarityRules","SimpleGraph","SimpleGraphQ","SimplePolygonQ","SimplePolyhedronQ","Simplex","Simplify","Sin","Sinc","SinghMaddalaDistribution","SingleEvaluation","SingleLetterItalics","SingleLetterStyle","SingularValueDecomposition","SingularValueList","SingularValuePlot","SingularValues","Sinh","SinhIntegral","SinIntegral","SixJSymbol","Skeleton","SkeletonTransform","SkellamDistribution","Skewness","SkewNormalDistribution","SkinStyle","Skip","SliceContourPlot3D","SliceDensityPlot3D","SliceDistribution","SliceVectorPlot3D","Slider","Slider2D","Slider2DBox","Slider2DBoxOptions","SliderBox","SliderBoxOptions","SlideShowVideo","SlideView","Slot","SlotSequence","Small","SmallCircle","Smaller","SmithDecomposition","SmithDelayCompensator","SmithWatermanSimilarity","SmoothDensityHistogram","SmoothHistogram","SmoothHistogram3D","SmoothKernelDistribution","SmoothPointDensity","SnDispersion","Snippet","SnippetsVideo","SnubPolyhedron","SocialMediaData","Socket","SocketConnect","SocketListen","SocketListener","SocketObject","SocketOpen","SocketReadMessage","SocketReadyQ","Sockets","SocketWaitAll","SocketWaitNext","SoftmaxLayer","SokalSneathDissimilarity","SolarEclipse","SolarSystemFeatureData","SolarTime","SolidAngle","SolidBoundaryLoadValue","SolidData","SolidDisplacementCondition","SolidFixedCondition","SolidMechanicsPDEComponent","SolidMechanicsStrain","SolidMechanicsStress","SolidRegionQ","Solve","SolveAlways","SolveDelayed","SolveValues","Sort","SortBy","SortedBy","SortedEntityClass","Sound","SoundAndGraphics","SoundNote","SoundVolume","SourceLink","SourcePDETerm","Sow","Space","SpaceCurveData","SpaceForm","Spacer","Spacings","Span","SpanAdjustments","SpanCharacterRounding","SpanFromAbove","SpanFromBoth","SpanFromLeft","SpanLineThickness","SpanMaxSize","SpanMinSize","SpanningCharacters","SpanSymmetric","SparseArray","SparseArrayQ","SpatialBinnedPointData","SpatialBoundaryCorrection","SpatialEstimate","SpatialEstimatorFunction","SpatialGraphDistribution","SpatialJ","SpatialMedian","SpatialNoiseLevel","SpatialObservationRegionQ","SpatialPointData","SpatialPointSelect","SpatialRandomnessTest","SpatialTransformationLayer","SpatialTrendFunction","Speak","SpeakerMatchQ","SpearmanRankTest","SpearmanRho","SpeciesData","SpecificityGoal","SpectralLineData","Spectrogram","SpectrogramArray","Specularity","SpeechCases","SpeechInterpreter","SpeechRecognize","SpeechSynthesize","SpellingCorrection","SpellingCorrectionList","SpellingDictionaries","SpellingDictionariesPath","SpellingOptions","Sphere","SphereBox","SphereBoxOptions","SpherePoints","SphericalBesselJ","SphericalBesselY","SphericalHankelH1","SphericalHankelH2","SphericalHarmonicY","SphericalPlot3D","SphericalRegion","SphericalShell","SpheroidalEigenvalue","SpheroidalJoiningFactor","SpheroidalPS","SpheroidalPSPrime","SpheroidalQS","SpheroidalQSPrime","SpheroidalRadialFactor","SpheroidalS1","SpheroidalS1Prime","SpheroidalS2","SpheroidalS2Prime","Splice","SplicedDistribution","SplineClosed","SplineDegree","SplineKnots","SplineWeights","Split","SplitBy","SpokenString","SpotLight","Sqrt","SqrtBox","SqrtBoxOptions","Square","SquaredEuclideanDistance","SquareFreeQ","SquareIntersection","SquareMatrixQ","SquareRepeatingElement","SquaresR","SquareSubset","SquareSubsetEqual","SquareSuperset","SquareSupersetEqual","SquareUnion","SquareWave","SSSTriangle","StabilityMargins","StabilityMarginsStyle","StableDistribution","Stack","StackBegin","StackComplete","StackedDateListPlot","StackedListPlot","StackInhibit","StadiumShape","StandardAtmosphereData","StandardDeviation","StandardDeviationFilter","StandardForm","Standardize","Standardized","StandardOceanData","StandbyDistribution","Star","StarClusterData","StarData","StarGraph","StartAsynchronousTask","StartExternalSession","StartingStepSize","StartOfLine","StartOfString","StartProcess","StartScheduledTask","StartupSound","StartWebSession","StateDimensions","StateFeedbackGains","StateOutputEstimator","StateResponse","StateSpaceModel","StateSpaceRealization","StateSpaceTransform","StateTransformationLinearize","StationaryDistribution","StationaryWaveletPacketTransform","StationaryWaveletTransform","StatusArea","StatusCentrality","StepMonitor","StereochemistryElements","StieltjesGamma","StippleShading","StirlingS1","StirlingS2","StopAsynchronousTask","StoppingPowerData","StopScheduledTask","StrataVariables","StratonovichProcess","StraussHardcorePointProcess","StraussPointProcess","StreamColorFunction","StreamColorFunctionScaling","StreamDensityPlot","StreamMarkers","StreamPlot","StreamPlot3D","StreamPoints","StreamPosition","Streams","StreamScale","StreamStyle","StrictInequalities","String","StringBreak","StringByteCount","StringCases","StringContainsQ","StringCount","StringDelete","StringDrop","StringEndsQ","StringExpression","StringExtract","StringForm","StringFormat","StringFormatQ","StringFreeQ","StringInsert","StringJoin","StringLength","StringMatchQ","StringPadLeft","StringPadRight","StringPart","StringPartition","StringPosition","StringQ","StringRepeat","StringReplace","StringReplaceList","StringReplacePart","StringReverse","StringRiffle","StringRotateLeft","StringRotateRight","StringSkeleton","StringSplit","StringStartsQ","StringTake","StringTakeDrop","StringTemplate","StringToByteArray","StringToStream","StringTrim","StripBoxes","StripOnInput","StripStyleOnPaste","StripWrapperBoxes","StrokeForm","Struckthrough","StructuralImportance","StructuredArray","StructuredArrayHeadQ","StructuredSelection","StruveH","StruveL","Stub","StudentTDistribution","Style","StyleBox","StyleBoxAutoDelete","StyleData","StyleDefinitions","StyleForm","StyleHints","StyleKeyMapping","StyleMenuListing","StyleNameDialogSettings","StyleNames","StylePrint","StyleSheetPath","Subdivide","Subfactorial","Subgraph","SubMinus","SubPlus","SubresultantPolynomialRemainders","SubresultantPolynomials","Subresultants","Subscript","SubscriptBox","SubscriptBoxOptions","Subscripted","Subsequences","Subset","SubsetCases","SubsetCount","SubsetEqual","SubsetMap","SubsetPosition","SubsetQ","SubsetReplace","Subsets","SubStar","SubstitutionSystem","Subsuperscript","SubsuperscriptBox","SubsuperscriptBoxOptions","SubtitleEncoding","SubtitleTrackSelection","Subtract","SubtractFrom","SubtractSides","SubValues","Succeeds","SucceedsEqual","SucceedsSlantEqual","SucceedsTilde","Success","SuchThat","Sum","SumConvergence","SummationLayer","Sunday","SunPosition","Sunrise","Sunset","SuperDagger","SuperMinus","SupernovaData","SuperPlus","Superscript","SuperscriptBox","SuperscriptBoxOptions","Superset","SupersetEqual","SuperStar","Surd","SurdForm","SurfaceAppearance","SurfaceArea","SurfaceColor","SurfaceData","SurfaceGraphics","SurvivalDistribution","SurvivalFunction","SurvivalModel","SurvivalModelFit","SuspendPacket","SuzukiDistribution","SuzukiGroupSuz","SwatchLegend","Switch","Symbol","SymbolName","SymletWavelet","Symmetric","SymmetricDifference","SymmetricGroup","SymmetricKey","SymmetricMatrixQ","SymmetricPolynomial","SymmetricReduction","Symmetrize","SymmetrizedArray","SymmetrizedArrayRules","SymmetrizedDependentComponents","SymmetrizedIndependentComponents","SymmetrizedReplacePart","SynchronousInitialization","SynchronousUpdating","Synonyms","Syntax","SyntaxForm","SyntaxInformation","SyntaxLength","SyntaxPacket","SyntaxQ","SynthesizeMissingValues","SystemCredential","SystemCredentialData","SystemCredentialKey","SystemCredentialKeys","SystemCredentialStoreObject","SystemDialogInput","SystemException","SystemGet","SystemHelpPath","SystemInformation","SystemInformationData","SystemInstall","SystemModel","SystemModeler","SystemModelExamples","SystemModelLinearize","SystemModelMeasurements","SystemModelParametricSimulate","SystemModelPlot","SystemModelProgressReporting","SystemModelReliability","SystemModels","SystemModelSimulate","SystemModelSimulateSensitivity","SystemModelSimulationData","SystemOpen","SystemOptions","SystemProcessData","SystemProcesses","SystemsConnectionsModel","SystemsModelControllerData","SystemsModelDelay","SystemsModelDelayApproximate","SystemsModelDelete","SystemsModelDimensions","SystemsModelExtract","SystemsModelFeedbackConnect","SystemsModelLabels","SystemsModelLinearity","SystemsModelMerge","SystemsModelOrder","SystemsModelParallelConnect","SystemsModelSeriesConnect","SystemsModelStateFeedbackConnect","SystemsModelVectorRelativeOrders","SystemStub","SystemTest","Tab","TabFilling","Table","TableAlignments","TableDepth","TableDirections","TableForm","TableHeadings","TableSpacing","TableView","TableViewBox","TableViewBoxAlignment","TableViewBoxBackground","TableViewBoxHeaders","TableViewBoxItemSize","TableViewBoxItemStyle","TableViewBoxOptions","TabSpacings","TabView","TabViewBox","TabViewBoxOptions","TagBox","TagBoxNote","TagBoxOptions","TaggingRules","TagSet","TagSetDelayed","TagStyle","TagUnset","Take","TakeDrop","TakeLargest","TakeLargestBy","TakeList","TakeSmallest","TakeSmallestBy","TakeWhile","Tally","Tan","Tanh","TargetDevice","TargetFunctions","TargetSystem","TargetUnits","TaskAbort","TaskExecute","TaskObject","TaskRemove","TaskResume","Tasks","TaskSuspend","TaskWait","TautologyQ","TelegraphProcess","TemplateApply","TemplateArgBox","TemplateBox","TemplateBoxOptions","TemplateEvaluate","TemplateExpression","TemplateIf","TemplateObject","TemplateSequence","TemplateSlot","TemplateSlotSequence","TemplateUnevaluated","TemplateVerbatim","TemplateWith","TemporalData","TemporalRegularity","Temporary","TemporaryVariable","TensorContract","TensorDimensions","TensorExpand","TensorProduct","TensorQ","TensorRank","TensorReduce","TensorSymmetry","TensorTranspose","TensorWedge","TerminatedEvaluation","TernaryListPlot","TernaryPlotCorners","TestID","TestReport","TestReportObject","TestResultObject","Tetrahedron","TetrahedronBox","TetrahedronBoxOptions","TeXForm","TeXSave","Text","Text3DBox","Text3DBoxOptions","TextAlignment","TextBand","TextBoundingBox","TextBox","TextCases","TextCell","TextClipboardType","TextContents","TextData","TextElement","TextForm","TextGrid","TextJustification","TextLine","TextPacket","TextParagraph","TextPosition","TextRecognize","TextSearch","TextSearchReport","TextSentences","TextString","TextStructure","TextStyle","TextTranslation","Texture","TextureCoordinateFunction","TextureCoordinateScaling","TextWords","Therefore","ThermodynamicData","ThermometerGauge","Thick","Thickness","Thin","Thinning","ThisLink","ThomasPointProcess","ThompsonGroupTh","Thread","Threaded","ThreadingLayer","ThreeJSymbol","Threshold","Through","Throw","ThueMorse","Thumbnail","Thursday","TickDirection","TickLabelOrientation","TickLabelPositioning","TickLabels","TickLengths","TickPositions","Ticks","TicksStyle","TideData","Tilde","TildeEqual","TildeFullEqual","TildeTilde","TimeConstrained","TimeConstraint","TimeDirection","TimeFormat","TimeGoal","TimelinePlot","TimeObject","TimeObjectQ","TimeRemaining","Times","TimesBy","TimeSeries","TimeSeriesAggregate","TimeSeriesForecast","TimeSeriesInsert","TimeSeriesInvertibility","TimeSeriesMap","TimeSeriesMapThread","TimeSeriesModel","TimeSeriesModelFit","TimeSeriesResample","TimeSeriesRescale","TimeSeriesShift","TimeSeriesThread","TimeSeriesWindow","TimeSystem","TimeSystemConvert","TimeUsed","TimeValue","TimeWarpingCorrespondence","TimeWarpingDistance","TimeZone","TimeZoneConvert","TimeZoneOffset","Timing","Tiny","TitleGrouping","TitsGroupT","ToBoxes","ToCharacterCode","ToColor","ToContinuousTimeModel","ToDate","Today","ToDiscreteTimeModel","ToEntity","ToeplitzMatrix","ToExpression","ToFileName","Together","Toggle","ToggleFalse","Toggler","TogglerBar","TogglerBox","TogglerBoxOptions","ToHeldExpression","ToInvertibleTimeSeries","TokenWords","Tolerance","ToLowerCase","Tomorrow","ToNumberField","TooBig","Tooltip","TooltipBox","TooltipBoxOptions","TooltipDelay","TooltipStyle","ToonShading","Top","TopHatTransform","ToPolarCoordinates","TopologicalSort","ToRadicals","ToRawPointer","ToRules","Torus","TorusGraph","ToSphericalCoordinates","ToString","Total","TotalHeight","TotalLayer","TotalVariationFilter","TotalWidth","TouchPosition","TouchscreenAutoZoom","TouchscreenControlPlacement","ToUpperCase","TourVideo","Tr","Trace","TraceAbove","TraceAction","TraceBackward","TraceDepth","TraceDialog","TraceForward","TraceInternal","TraceLevel","TraceOff","TraceOn","TraceOriginal","TracePrint","TraceScan","TrackCellChangeTimes","TrackedSymbols","TrackingFunction","TracyWidomDistribution","TradingChart","TraditionalForm","TraditionalFunctionNotation","TraditionalNotation","TraditionalOrder","TrainImageContentDetector","TrainingProgressCheckpointing","TrainingProgressFunction","TrainingProgressMeasurements","TrainingProgressReporting","TrainingStoppingCriterion","TrainingUpdateSchedule","TrainTextContentDetector","TransferFunctionCancel","TransferFunctionExpand","TransferFunctionFactor","TransferFunctionModel","TransferFunctionPoles","TransferFunctionTransform","TransferFunctionZeros","TransformationClass","TransformationFunction","TransformationFunctions","TransformationMatrix","TransformedDistribution","TransformedField","TransformedProcess","TransformedRegion","TransitionDirection","TransitionDuration","TransitionEffect","TransitiveClosureGraph","TransitiveReductionGraph","Translate","TranslationOptions","TranslationTransform","Transliterate","Transparent","TransparentColor","Transpose","TransposeLayer","TrapEnterKey","TrapSelection","TravelDirections","TravelDirectionsData","TravelDistance","TravelDistanceList","TravelMethod","TravelTime","Tree","TreeCases","TreeChildren","TreeCount","TreeData","TreeDelete","TreeDepth","TreeElementCoordinates","TreeElementLabel","TreeElementLabelFunction","TreeElementLabelStyle","TreeElementShape","TreeElementShapeFunction","TreeElementSize","TreeElementSizeFunction","TreeElementStyle","TreeElementStyleFunction","TreeExpression","TreeExtract","TreeFold","TreeForm","TreeGraph","TreeGraphQ","TreeInsert","TreeLayout","TreeLeafCount","TreeLeafQ","TreeLeaves","TreeLevel","TreeMap","TreeMapAt","TreeOutline","TreePlot","TreePosition","TreeQ","TreeReplacePart","TreeRules","TreeScan","TreeSelect","TreeSize","TreeTraversalOrder","TrendStyle","Triangle","TriangleCenter","TriangleConstruct","TriangleMeasurement","TriangleWave","TriangularDistribution","TriangulateMesh","Trig","TrigExpand","TrigFactor","TrigFactorList","Trigger","TrigReduce","TrigToExp","TrimmedMean","TrimmedVariance","TropicalStormData","True","TrueQ","TruncatedDistribution","TruncatedPolyhedron","TsallisQExponentialDistribution","TsallisQGaussianDistribution","TTest","Tube","TubeBezierCurveBox","TubeBezierCurveBoxOptions","TubeBox","TubeBoxOptions","TubeBSplineCurveBox","TubeBSplineCurveBoxOptions","Tuesday","TukeyLambdaDistribution","TukeyWindow","TunnelData","Tuples","TuranGraph","TuringMachine","TuttePolynomial","TwoWayRule","Typed","TypeDeclaration","TypeEvaluate","TypeHint","TypeOf","TypeSpecifier","UnateQ","Uncompress","UnconstrainedParameters","Undefined","UnderBar","Underflow","Underlined","Underoverscript","UnderoverscriptBox","UnderoverscriptBoxOptions","Underscript","UnderscriptBox","UnderscriptBoxOptions","UnderseaFeatureData","UndirectedEdge","UndirectedGraph","UndirectedGraphQ","UndoOptions","UndoTrackedVariables","Unequal","UnequalTo","Unevaluated","UniformDistribution","UniformGraphDistribution","UniformPolyhedron","UniformSumDistribution","Uninstall","Union","UnionedEntityClass","UnionPlus","Unique","UniqueElements","UnitaryMatrixQ","UnitBox","UnitConvert","UnitDimensions","Unitize","UnitRootTest","UnitSimplify","UnitStep","UnitSystem","UnitTriangle","UnitVector","UnitVectorLayer","UnityDimensions","UniverseModelData","UniversityData","UnixTime","UnlabeledTree","UnmanageObject","Unprotect","UnregisterExternalEvaluator","UnsameQ","UnsavedVariables","Unset","UnsetShared","Until","UntrackedVariables","Up","UpArrow","UpArrowBar","UpArrowDownArrow","Update","UpdateDynamicObjects","UpdateDynamicObjectsSynchronous","UpdateInterval","UpdatePacletSites","UpdateSearchIndex","UpDownArrow","UpEquilibrium","UpperCaseQ","UpperLeftArrow","UpperRightArrow","UpperTriangularize","UpperTriangularMatrix","UpperTriangularMatrixQ","Upsample","UpSet","UpSetDelayed","UpTee","UpTeeArrow","UpTo","UpValues","URL","URLBuild","URLDecode","URLDispatcher","URLDownload","URLDownloadSubmit","URLEncode","URLExecute","URLExpand","URLFetch","URLFetchAsynchronous","URLParse","URLQueryDecode","URLQueryEncode","URLRead","URLResponseTime","URLSave","URLSaveAsynchronous","URLShorten","URLSubmit","UseEmbeddedLibrary","UseGraphicsRange","UserDefinedWavelet","Using","UsingFrontEnd","UtilityFunction","V2Get","ValenceErrorHandling","ValenceFilling","ValidationLength","ValidationSet","ValueBox","ValueBoxOptions","ValueDimensions","ValueForm","ValuePreprocessingFunction","ValueQ","Values","ValuesData","VandermondeMatrix","Variables","Variance","VarianceEquivalenceTest","VarianceEstimatorFunction","VarianceGammaDistribution","VarianceGammaPointProcess","VarianceTest","VariogramFunction","VariogramModel","VectorAngle","VectorAround","VectorAspectRatio","VectorColorFunction","VectorColorFunctionScaling","VectorDensityPlot","VectorDisplacementPlot","VectorDisplacementPlot3D","VectorGlyphData","VectorGreater","VectorGreaterEqual","VectorLess","VectorLessEqual","VectorMarkers","VectorPlot","VectorPlot3D","VectorPoints","VectorQ","VectorRange","Vectors","VectorScale","VectorScaling","VectorSizes","VectorStyle","Vee","Verbatim","Verbose","VerificationTest","VerifyConvergence","VerifyDerivedKey","VerifyDigitalSignature","VerifyFileSignature","VerifyInterpretation","VerifySecurityCertificates","VerifySolutions","VerifyTestAssumptions","VersionedPreferences","VertexAdd","VertexCapacity","VertexChromaticNumber","VertexColors","VertexComponent","VertexConnectivity","VertexContract","VertexCoordinateRules","VertexCoordinates","VertexCorrelationSimilarity","VertexCosineSimilarity","VertexCount","VertexCoverQ","VertexDataCoordinates","VertexDegree","VertexDelete","VertexDiceSimilarity","VertexEccentricity","VertexInComponent","VertexInComponentGraph","VertexInDegree","VertexIndex","VertexJaccardSimilarity","VertexLabeling","VertexLabels","VertexLabelStyle","VertexList","VertexNormals","VertexOutComponent","VertexOutComponentGraph","VertexOutDegree","VertexQ","VertexRenderingFunction","VertexReplace","VertexShape","VertexShapeFunction","VertexSize","VertexStyle","VertexTextureCoordinates","VertexTransitiveGraphQ","VertexWeight","VertexWeightedGraphQ","Vertical","VerticalBar","VerticalForm","VerticalGauge","VerticalSeparator","VerticalSlider","VerticalTilde","Video","VideoCapture","VideoCombine","VideoDelete","VideoEncoding","VideoExtractFrames","VideoFrameList","VideoFrameMap","VideoGenerator","VideoInsert","VideoIntervals","VideoJoin","VideoMap","VideoMapList","VideoMapTimeSeries","VideoPadding","VideoPause","VideoPlay","VideoQ","VideoRecord","VideoReplace","VideoScreenCapture","VideoSplit","VideoStop","VideoStream","VideoStreams","VideoTimeStretch","VideoTrackSelection","VideoTranscode","VideoTransparency","VideoTrim","ViewAngle","ViewCenter","ViewMatrix","ViewPoint","ViewPointSelectorSettings","ViewPort","ViewProjection","ViewRange","ViewVector","ViewVertical","VirtualGroupData","Visible","VisibleCell","VoiceStyleData","VoigtDistribution","VolcanoData","Volume","VonMisesDistribution","VoronoiMesh","WaitAll","WaitAsynchronousTask","WaitNext","WaitUntil","WakebyDistribution","WalleniusHypergeometricDistribution","WaringYuleDistribution","WarpingCorrespondence","WarpingDistance","WatershedComponents","WatsonUSquareTest","WattsStrogatzGraphDistribution","WaveletBestBasis","WaveletFilterCoefficients","WaveletImagePlot","WaveletListPlot","WaveletMapIndexed","WaveletMatrixPlot","WaveletPhi","WaveletPsi","WaveletScale","WaveletScalogram","WaveletThreshold","WavePDEComponent","WeaklyConnectedComponents","WeaklyConnectedGraphComponents","WeaklyConnectedGraphQ","WeakStationarity","WeatherData","WeatherForecastData","WebAudioSearch","WebColumn","WebElementObject","WeberE","WebExecute","WebImage","WebImageSearch","WebItem","WebPageMetaInformation","WebRow","WebSearch","WebSessionObject","WebSessions","WebWindowObject","Wedge","Wednesday","WeibullDistribution","WeierstrassE1","WeierstrassE2","WeierstrassE3","WeierstrassEta1","WeierstrassEta2","WeierstrassEta3","WeierstrassHalfPeriods","WeierstrassHalfPeriodW1","WeierstrassHalfPeriodW2","WeierstrassHalfPeriodW3","WeierstrassInvariantG2","WeierstrassInvariantG3","WeierstrassInvariants","WeierstrassP","WeierstrassPPrime","WeierstrassSigma","WeierstrassZeta","WeightedAdjacencyGraph","WeightedAdjacencyMatrix","WeightedData","WeightedGraphQ","Weights","WelchWindow","WheelGraph","WhenEvent","Which","While","White","WhiteNoiseProcess","WhitePoint","Whitespace","WhitespaceCharacter","WhittakerM","WhittakerW","WholeCellGroupOpener","WienerFilter","WienerProcess","WignerD","WignerSemicircleDistribution","WikidataData","WikidataSearch","WikipediaData","WikipediaSearch","WilksW","WilksWTest","WindDirectionData","WindingCount","WindingPolygon","WindowClickSelect","WindowElements","WindowFloating","WindowFrame","WindowFrameElements","WindowMargins","WindowMovable","WindowOpacity","WindowPersistentStyles","WindowSelected","WindowSize","WindowStatusArea","WindowTitle","WindowToolbars","WindowWidth","WindSpeedData","WindVectorData","WinsorizedMean","WinsorizedVariance","WishartMatrixDistribution","With","WithCleanup","WithLock","WolframAlpha","WolframAlphaDate","WolframAlphaQuantity","WolframAlphaResult","WolframCloudSettings","WolframLanguageData","Word","WordBoundary","WordCharacter","WordCloud","WordCount","WordCounts","WordData","WordDefinition","WordFrequency","WordFrequencyData","WordList","WordOrientation","WordSearch","WordSelectionFunction","WordSeparators","WordSpacings","WordStem","WordTranslation","WorkingPrecision","WrapAround","Write","WriteLine","WriteString","Wronskian","XMLElement","XMLObject","XMLTemplate","Xnor","Xor","XYZColor","Yellow","Yesterday","YuleDissimilarity","ZernikeR","ZeroSymmetric","ZeroTest","ZeroWidthTimes","Zeta","ZetaZero","ZIPCodeData","ZipfDistribution","ZoomCenter","ZoomFactor","ZTest","ZTransform","$Aborted","$ActivationGroupID","$ActivationKey","$ActivationUserRegistered","$AddOnsDirectory","$AllowDataUpdates","$AllowExternalChannelFunctions","$AllowInternet","$AssertFunction","$Assumptions","$AsynchronousTask","$AudioDecoders","$AudioEncoders","$AudioInputDevices","$AudioOutputDevices","$BaseDirectory","$BasePacletsDirectory","$BatchInput","$BatchOutput","$BlockchainBase","$BoxForms","$ByteOrdering","$CacheBaseDirectory","$Canceled","$ChannelBase","$CharacterEncoding","$CharacterEncodings","$CloudAccountName","$CloudBase","$CloudConnected","$CloudConnection","$CloudCreditsAvailable","$CloudEvaluation","$CloudExpressionBase","$CloudObjectNameFormat","$CloudObjectURLType","$CloudRootDirectory","$CloudSymbolBase","$CloudUserID","$CloudUserUUID","$CloudVersion","$CloudVersionNumber","$CloudWolframEngineVersionNumber","$CommandLine","$CompilationTarget","$CompilerEnvironment","$ConditionHold","$ConfiguredKernels","$Context","$ContextAliases","$ContextPath","$ControlActiveSetting","$Cookies","$CookieStore","$CreationDate","$CryptographicEllipticCurveNames","$CurrentLink","$CurrentTask","$CurrentWebSession","$DataStructures","$DateStringFormat","$DefaultAudioInputDevice","$DefaultAudioOutputDevice","$DefaultFont","$DefaultFrontEnd","$DefaultImagingDevice","$DefaultKernels","$DefaultLocalBase","$DefaultLocalKernel","$DefaultMailbox","$DefaultNetworkInterface","$DefaultPath","$DefaultProxyRules","$DefaultRemoteBatchSubmissionEnvironment","$DefaultRemoteKernel","$DefaultSystemCredentialStore","$Display","$DisplayFunction","$DistributedContexts","$DynamicEvaluation","$Echo","$EmbedCodeEnvironments","$EmbeddableServices","$EntityStores","$Epilog","$EvaluationCloudBase","$EvaluationCloudObject","$EvaluationEnvironment","$ExportFormats","$ExternalIdentifierTypes","$ExternalStorageBase","$Failed","$FinancialDataSource","$FontFamilies","$FormatType","$FrontEnd","$FrontEndSession","$GeneratedAssetLocation","$GeoEntityTypes","$GeoLocation","$GeoLocationCity","$GeoLocationCountry","$GeoLocationPrecision","$GeoLocationSource","$HistoryLength","$HomeDirectory","$HTMLExportRules","$HTTPCookies","$HTTPRequest","$IgnoreEOF","$ImageFormattingWidth","$ImageResolution","$ImagingDevice","$ImagingDevices","$ImportFormats","$IncomingMailSettings","$InitialDirectory","$Initialization","$InitializationContexts","$Input","$InputFileName","$InputStreamMethods","$Inspector","$InstallationDate","$InstallationDirectory","$InterfaceEnvironment","$InterpreterTypes","$IterationLimit","$KernelCount","$KernelID","$Language","$LaunchDirectory","$LibraryPath","$LicenseExpirationDate","$LicenseID","$LicenseProcesses","$LicenseServer","$LicenseSubprocesses","$LicenseType","$Line","$Linked","$LinkSupported","$LoadedFiles","$LocalBase","$LocalSymbolBase","$MachineAddresses","$MachineDomain","$MachineDomains","$MachineEpsilon","$MachineID","$MachineName","$MachinePrecision","$MachineType","$MaxDisplayedChildren","$MaxExtraPrecision","$MaxLicenseProcesses","$MaxLicenseSubprocesses","$MaxMachineNumber","$MaxNumber","$MaxPiecewiseCases","$MaxPrecision","$MaxRootDegree","$MessageGroups","$MessageList","$MessagePrePrint","$Messages","$MinMachineNumber","$MinNumber","$MinorReleaseNumber","$MinPrecision","$MobilePhone","$ModuleNumber","$NetworkConnected","$NetworkInterfaces","$NetworkLicense","$NewMessage","$NewSymbol","$NotebookInlineStorageLimit","$Notebooks","$NoValue","$NumberMarks","$Off","$OperatingSystem","$Output","$OutputForms","$OutputSizeLimit","$OutputStreamMethods","$Packages","$ParentLink","$ParentProcessID","$PasswordFile","$PatchLevelID","$Path","$PathnameSeparator","$PerformanceGoal","$Permissions","$PermissionsGroupBase","$PersistenceBase","$PersistencePath","$PipeSupported","$PlotTheme","$Post","$Pre","$PreferencesDirectory","$PreInitialization","$PrePrint","$PreRead","$PrintForms","$PrintLiteral","$Printout3DPreviewer","$ProcessID","$ProcessorCount","$ProcessorType","$ProductInformation","$ProgramName","$ProgressReporting","$PublisherID","$RandomGeneratorState","$RandomState","$RecursionLimit","$RegisteredDeviceClasses","$RegisteredUserName","$ReleaseNumber","$RequesterAddress","$RequesterCloudUserID","$RequesterCloudUserUUID","$RequesterWolframID","$RequesterWolframUUID","$ResourceSystemBase","$ResourceSystemPath","$RootDirectory","$ScheduledTask","$ScriptCommandLine","$ScriptInputString","$SecuredAuthenticationKeyTokens","$ServiceCreditsAvailable","$Services","$SessionID","$SetParentLink","$SharedFunctions","$SharedVariables","$SoundDisplay","$SoundDisplayFunction","$SourceLink","$SSHAuthentication","$SubtitleDecoders","$SubtitleEncoders","$SummaryBoxDataSizeLimit","$SuppressInputFormHeads","$SynchronousEvaluation","$SyntaxHandler","$System","$SystemCharacterEncoding","$SystemCredentialStore","$SystemID","$SystemMemory","$SystemShell","$SystemTimeZone","$SystemWordLength","$TargetSystems","$TemplatePath","$TemporaryDirectory","$TemporaryPrefix","$TestFileName","$TextStyle","$TimedOut","$TimeUnit","$TimeZone","$TimeZoneEntity","$TopDirectory","$TraceOff","$TraceOn","$TracePattern","$TracePostAction","$TracePreAction","$UnitSystem","$Urgent","$UserAddOnsDirectory","$UserAgentLanguages","$UserAgentMachine","$UserAgentName","$UserAgentOperatingSystem","$UserAgentString","$UserAgentVersion","$UserBaseDirectory","$UserBasePacletsDirectory","$UserDocumentsDirectory","$Username","$UserName","$UserURLBase","$Version","$VersionNumber","$VideoDecoders","$VideoEncoders","$VoiceStyles","$WolframDocumentsDirectory","$WolframID","$WolframUUID"];function DE(e){let n=e.regex,i=/([2-9]|[1-2]\d|[3][0-5])\^\^/,_=/(\w*\.\w+|\w+\.\w*|\w+)/,l=/(\d*\.\d+|\d+\.\d*|\d+)/,a=n.either(n.concat(i,_),l),s=/``[+-]?(\d*\.\d+|\d+\.\d*|\d+)/,d=/`([+-]?(\d*\.\d+|\d+\.\d*|\d+))?/,u=n.either(s,d),E=/\*\^[+-]?\d+/,N={className:"number",relevance:0,begin:n.concat(a,n.optional(u),n.optional(E))},S=/[a-zA-Z$][a-zA-Z0-9$]*/,h=new Set(IE),C={variants:[{className:"builtin-symbol",begin:S,"on:begin":(z,c)=>{h.has(z[0])||c.ignoreMatch()}},{className:"symbol",relevance:0,begin:S}]},I={className:"named-character",begin:/\\\[[$a-zA-Z][$a-zA-Z0-9]+\]/},x={className:"operator",relevance:0,begin:/[+\-*/,;.:@~=><&|_`'^?!%]+/},F={className:"pattern",relevance:0,begin:/([a-zA-Z$][a-zA-Z0-9$]*)?_+([a-zA-Z$][a-zA-Z0-9$]*)?/},q={className:"slot",relevance:0,begin:/#[a-zA-Z$][a-zA-Z0-9$]*|#+[0-9]?/},B={className:"brace",relevance:0,begin:/[[\](){}]/},Y={className:"message-name",relevance:0,begin:n.concat("::",S)};return{name:"Mathematica",aliases:["mma","wl"],classNameAliases:{brace:"punctuation",pattern:"type",slot:"type",symbol:"variable","named-character":"variable","builtin-symbol":"built_in","message-name":"string"},contains:[e.COMMENT(/\(\*/,/\*\)/,{contains:["self"]}),F,q,Y,C,I,e.QUOTE_STRING_MODE,N,x,B]}}sc.exports=DE});var dc=O((pT,cc)=>{function xE(e){let n="('|\\.')+",i={relevance:0,contains:[{begin:n}]};return{name:"Matlab",keywords:{keyword:"arguments break case catch classdef continue else elseif end enumeration events for function global if methods otherwise parfor persistent properties return spmd switch try while",built_in:"sin sind sinh asin asind asinh cos cosd cosh acos acosd acosh tan tand tanh atan atand atan2 atanh sec secd sech asec asecd asech csc cscd csch acsc acscd acsch cot cotd coth acot acotd acoth hypot exp expm1 log log1p log10 log2 pow2 realpow reallog realsqrt sqrt nthroot nextpow2 abs angle complex conj imag real unwrap isreal cplxpair fix floor ceil round mod rem sign airy besselj bessely besselh besseli besselk beta betainc betaln ellipj ellipke erf erfc erfcx erfinv expint gamma gammainc gammaln psi legendre cross dot factor isprime primes gcd lcm rat rats perms nchoosek factorial cart2sph cart2pol pol2cart sph2cart hsv2rgb rgb2hsv zeros ones eye repmat rand randn linspace logspace freqspace meshgrid accumarray size length ndims numel disp isempty isequal isequalwithequalnans cat reshape diag blkdiag tril triu fliplr flipud flipdim rot90 find sub2ind ind2sub bsxfun ndgrid permute ipermute shiftdim circshift squeeze isscalar isvector ans eps realmax realmin pi i|0 inf nan isnan isinf isfinite j|0 why compan gallery hadamard hankel hilb invhilb magic pascal rosser toeplitz vander wilkinson max min nanmax nanmin mean nanmean type table readtable writetable sortrows sort figure plot plot3 scatter scatter3 cellfun legend intersect ismember procrustes hold num2cell "},illegal:'(//|"|#|/\\*|\\s+/\\w+)',contains:[{className:"function",beginKeywords:"function",end:"$",contains:[e.UNDERSCORE_TITLE_MODE,{className:"params",variants:[{begin:"\\(",end:"\\)"},{begin:"\\[",end:"\\]"}]}]},{className:"built_in",begin:/true|false/,relevance:0,starts:i},{begin:"[a-zA-Z][a-zA-Z_0-9]*"+n,relevance:0},{className:"number",begin:e.C_NUMBER_RE,relevance:0,starts:i},{className:"string",begin:"'",end:"'",contains:[{begin:"''"}]},{begin:/\]|\}|\)/,relevance:0,starts:i},{className:"string",begin:'"',end:'"',contains:[{begin:'""'}],starts:i},e.COMMENT("^\\s*%\\{\\s*$","^\\s*%\\}\\s*$"),e.COMMENT("%","$")]}}cc.exports=xE});var pc=O((uT,_c)=>{function wE(e){return{name:"Maxima",keywords:{$pattern:"[A-Za-z_%][0-9A-Za-z_%]*",keyword:"if then else elseif for thru do while unless step in and or not",literal:"true false unknown inf minf ind und %e %i %pi %phi %gamma",built_in:" abasep abs absint absolute_real_time acos acosh acot acoth acsc acsch activate addcol add_edge add_edges addmatrices addrow add_vertex add_vertices adjacency_matrix adjoin adjoint af agd airy airy_ai airy_bi airy_dai airy_dbi algsys alg_type alias allroots alphacharp alphanumericp amortization %and annuity_fv annuity_pv antid antidiff AntiDifference append appendfile apply apply1 apply2 applyb1 apropos args arit_amortization arithmetic arithsum array arrayapply arrayinfo arraymake arraysetapply ascii asec asech asin asinh askinteger asksign assoc assoc_legendre_p assoc_legendre_q assume assume_external_byte_order asympa at atan atan2 atanh atensimp atom atvalue augcoefmatrix augmented_lagrangian_method av average_degree backtrace bars barsplot barsplot_description base64 base64_decode bashindices batch batchload bc2 bdvac belln benefit_cost bern bernpoly bernstein_approx bernstein_expand bernstein_poly bessel bessel_i bessel_j bessel_k bessel_simplify bessel_y beta beta_incomplete beta_incomplete_generalized beta_incomplete_regularized bezout bfallroots bffac bf_find_root bf_fmin_cobyla bfhzeta bfloat bfloatp bfpsi bfpsi0 bfzeta biconnected_components bimetric binomial bipartition block blockmatrixp bode_gain bode_phase bothcoef box boxplot boxplot_description break bug_report build_info|10 buildq build_sample burn cabs canform canten cardinality carg cartan cartesian_product catch cauchy_matrix cbffac cdf_bernoulli cdf_beta cdf_binomial cdf_cauchy cdf_chi2 cdf_continuous_uniform cdf_discrete_uniform cdf_exp cdf_f cdf_gamma cdf_general_finite_discrete cdf_geometric cdf_gumbel cdf_hypergeometric cdf_laplace cdf_logistic cdf_lognormal cdf_negative_binomial cdf_noncentral_chi2 cdf_noncentral_student_t cdf_normal cdf_pareto cdf_poisson cdf_rank_sum cdf_rayleigh cdf_signed_rank cdf_student_t cdf_weibull cdisplay ceiling central_moment cequal cequalignore cf cfdisrep cfexpand cgeodesic cgreaterp cgreaterpignore changename changevar chaosgame charat charfun charfun2 charlist charp charpoly chdir chebyshev_t chebyshev_u checkdiv check_overlaps chinese cholesky christof chromatic_index chromatic_number cint circulant_graph clear_edge_weight clear_rules clear_vertex_label clebsch_gordan clebsch_graph clessp clesspignore close closefile cmetric coeff coefmatrix cograd col collapse collectterms columnop columnspace columnswap columnvector combination combine comp2pui compare compfile compile compile_file complement_graph complete_bipartite_graph complete_graph complex_number_p components compose_functions concan concat conjugate conmetderiv connected_components connect_vertices cons constant constantp constituent constvalue cont2part content continuous_freq contortion contour_plot contract contract_edge contragrad contrib_ode convert coord copy copy_file copy_graph copylist copymatrix cor cos cosh cot coth cov cov1 covdiff covect covers crc24sum create_graph create_list csc csch csetup cspline ctaylor ct_coordsys ctransform ctranspose cube_graph cuboctahedron_graph cunlisp cv cycle_digraph cycle_graph cylindrical days360 dblint deactivate declare declare_constvalue declare_dimensions declare_fundamental_dimensions declare_fundamental_units declare_qty declare_translated declare_unit_conversion declare_units declare_weights decsym defcon define define_alt_display define_variable defint defmatch defrule defstruct deftaylor degree_sequence del delete deleten delta demo demoivre denom depends derivdegree derivlist describe desolve determinant dfloat dgauss_a dgauss_b dgeev dgemm dgeqrf dgesv dgesvd diag diagmatrix diag_matrix diagmatrixp diameter diff digitcharp dimacs_export dimacs_import dimension dimensionless dimensions dimensions_as_list direct directory discrete_freq disjoin disjointp disolate disp dispcon dispform dispfun dispJordan display disprule dispterms distrib divide divisors divsum dkummer_m dkummer_u dlange dodecahedron_graph dotproduct dotsimp dpart draw draw2d draw3d drawdf draw_file draw_graph dscalar echelon edge_coloring edge_connectivity edges eigens_by_jacobi eigenvalues eigenvectors eighth einstein eivals eivects elapsed_real_time elapsed_run_time ele2comp ele2polynome ele2pui elem elementp elevation_grid elim elim_allbut eliminate eliminate_using ellipse elliptic_e elliptic_ec elliptic_eu elliptic_f elliptic_kc elliptic_pi ematrix empty_graph emptyp endcons entermatrix entertensor entier equal equalp equiv_classes erf erfc erf_generalized erfi errcatch error errormsg errors euler ev eval_string evenp every evolution evolution2d evundiff example exp expand expandwrt expandwrt_factored expint expintegral_chi expintegral_ci expintegral_e expintegral_e1 expintegral_ei expintegral_e_simplify expintegral_li expintegral_shi expintegral_si explicit explose exponentialize express expt exsec extdiff extract_linear_equations extremal_subset ezgcd %f f90 facsum factcomb factor factorfacsum factorial factorout factorsum facts fast_central_elements fast_linsolve fasttimes featurep fernfale fft fib fibtophi fifth filename_merge file_search file_type fillarray findde find_root find_root_abs find_root_error find_root_rel first fix flatten flength float floatnump floor flower_snark flush flush1deriv flushd flushnd flush_output fmin_cobyla forget fortran fourcos fourexpand fourier fourier_elim fourint fourintcos fourintsin foursimp foursin fourth fposition frame_bracket freeof freshline fresnel_c fresnel_s from_adjacency_matrix frucht_graph full_listify fullmap fullmapl fullratsimp fullratsubst fullsetify funcsolve fundamental_dimensions fundamental_units fundef funmake funp fv g0 g1 gamma gamma_greek gamma_incomplete gamma_incomplete_generalized gamma_incomplete_regularized gauss gauss_a gauss_b gaussprob gcd gcdex gcdivide gcfac gcfactor gd generalized_lambert_w genfact gen_laguerre genmatrix gensym geo_amortization geo_annuity_fv geo_annuity_pv geomap geometric geometric_mean geosum get getcurrentdirectory get_edge_weight getenv get_lu_factors get_output_stream_string get_pixel get_plot_option get_tex_environment get_tex_environment_default get_vertex_label gfactor gfactorsum ggf girth global_variances gn gnuplot_close gnuplot_replot gnuplot_reset gnuplot_restart gnuplot_start go Gosper GosperSum gr2d gr3d gradef gramschmidt graph6_decode graph6_encode graph6_export graph6_import graph_center graph_charpoly graph_eigenvalues graph_flow graph_order graph_periphery graph_product graph_size graph_union great_rhombicosidodecahedron_graph great_rhombicuboctahedron_graph grid_graph grind grobner_basis grotzch_graph hamilton_cycle hamilton_path hankel hankel_1 hankel_2 harmonic harmonic_mean hav heawood_graph hermite hessian hgfred hilbertmap hilbert_matrix hipow histogram histogram_description hodge horner hypergeometric i0 i1 %ibes ic1 ic2 ic_convert ichr1 ichr2 icosahedron_graph icosidodecahedron_graph icurvature ident identfor identity idiff idim idummy ieqn %if ifactors iframes ifs igcdex igeodesic_coords ilt image imagpart imetric implicit implicit_derivative implicit_plot indexed_tensor indices induced_subgraph inferencep inference_result infix info_display init_atensor init_ctensor in_neighbors innerproduct inpart inprod inrt integerp integer_partitions integrate intersect intersection intervalp intopois intosum invariant1 invariant2 inverse_fft inverse_jacobi_cd inverse_jacobi_cn inverse_jacobi_cs inverse_jacobi_dc inverse_jacobi_dn inverse_jacobi_ds inverse_jacobi_nc inverse_jacobi_nd inverse_jacobi_ns inverse_jacobi_sc inverse_jacobi_sd inverse_jacobi_sn invert invert_by_adjoint invert_by_lu inv_mod irr is is_biconnected is_bipartite is_connected is_digraph is_edge_in_graph is_graph is_graph_or_digraph ishow is_isomorphic isolate isomorphism is_planar isqrt isreal_p is_sconnected is_tree is_vertex_in_graph items_inference %j j0 j1 jacobi jacobian jacobi_cd jacobi_cn jacobi_cs jacobi_dc jacobi_dn jacobi_ds jacobi_nc jacobi_nd jacobi_ns jacobi_p jacobi_sc jacobi_sd jacobi_sn JF jn join jordan julia julia_set julia_sin %k kdels kdelta kill killcontext kostka kron_delta kronecker_product kummer_m kummer_u kurtosis kurtosis_bernoulli kurtosis_beta kurtosis_binomial kurtosis_chi2 kurtosis_continuous_uniform kurtosis_discrete_uniform kurtosis_exp kurtosis_f kurtosis_gamma kurtosis_general_finite_discrete kurtosis_geometric kurtosis_gumbel kurtosis_hypergeometric kurtosis_laplace kurtosis_logistic kurtosis_lognormal kurtosis_negative_binomial kurtosis_noncentral_chi2 kurtosis_noncentral_student_t kurtosis_normal kurtosis_pareto kurtosis_poisson kurtosis_rayleigh kurtosis_student_t kurtosis_weibull label labels lagrange laguerre lambda lambert_w laplace laplacian_matrix last lbfgs lc2kdt lcharp lc_l lcm lc_u ldefint ldisp ldisplay legendre_p legendre_q leinstein length let letrules letsimp levi_civita lfreeof lgtreillis lhs li liediff limit Lindstedt linear linearinterpol linear_program linear_regression line_graph linsolve listarray list_correlations listify list_matrix_entries list_nc_monomials listoftens listofvars listp lmax lmin load loadfile local locate_matrix_entry log logcontract log_gamma lopow lorentz_gauge lowercasep lpart lratsubst lreduce lriemann lsquares_estimates lsquares_estimates_approximate lsquares_estimates_exact lsquares_mse lsquares_residual_mse lsquares_residuals lsum ltreillis lu_backsub lucas lu_factor %m macroexpand macroexpand1 make_array makebox makefact makegamma make_graph make_level_picture makelist makeOrders make_poly_continent make_poly_country make_polygon make_random_state make_rgb_picture makeset make_string_input_stream make_string_output_stream make_transform mandelbrot mandelbrot_set map mapatom maplist matchdeclare matchfix mat_cond mat_fullunblocker mat_function mathml_display mat_norm matrix matrixmap matrixp matrix_size mattrace mat_trace mat_unblocker max max_clique max_degree max_flow maximize_lp max_independent_set max_matching maybe md5sum mean mean_bernoulli mean_beta mean_binomial mean_chi2 mean_continuous_uniform mean_deviation mean_discrete_uniform mean_exp mean_f mean_gamma mean_general_finite_discrete mean_geometric mean_gumbel mean_hypergeometric mean_laplace mean_logistic mean_lognormal mean_negative_binomial mean_noncentral_chi2 mean_noncentral_student_t mean_normal mean_pareto mean_poisson mean_rayleigh mean_student_t mean_weibull median median_deviation member mesh metricexpandall mgf1_sha1 min min_degree min_edge_cut minfactorial minimalPoly minimize_lp minimum_spanning_tree minor minpack_lsquares minpack_solve min_vertex_cover min_vertex_cut mkdir mnewton mod mode_declare mode_identity ModeMatrix moebius mon2schur mono monomial_dimensions multibernstein_poly multi_display_for_texinfo multi_elem multinomial multinomial_coeff multi_orbit multiplot_mode multi_pui multsym multthru mycielski_graph nary natural_unit nc_degree ncexpt ncharpoly negative_picture neighbors new newcontext newdet new_graph newline newton new_variable next_prime nicedummies niceindices ninth nofix nonarray noncentral_moment nonmetricity nonnegintegerp nonscalarp nonzeroandfreeof notequal nounify nptetrad npv nroots nterms ntermst nthroot nullity nullspace num numbered_boundaries numberp number_to_octets num_distinct_partitions numerval numfactor num_partitions nusum nzeta nzetai nzetar octets_to_number octets_to_oid odd_girth oddp ode2 ode_check odelin oid_to_octets op opena opena_binary openr openr_binary openw openw_binary operatorp opsubst optimize %or orbit orbits ordergreat ordergreatp orderless orderlessp orthogonal_complement orthopoly_recur orthopoly_weight outermap out_neighbors outofpois pade parabolic_cylinder_d parametric parametric_surface parg parGosper parse_string parse_timedate part part2cont partfrac partition partition_set partpol path_digraph path_graph pathname_directory pathname_name pathname_type pdf_bernoulli pdf_beta pdf_binomial pdf_cauchy pdf_chi2 pdf_continuous_uniform pdf_discrete_uniform pdf_exp pdf_f pdf_gamma pdf_general_finite_discrete pdf_geometric pdf_gumbel pdf_hypergeometric pdf_laplace pdf_logistic pdf_lognormal pdf_negative_binomial pdf_noncentral_chi2 pdf_noncentral_student_t pdf_normal pdf_pareto pdf_poisson pdf_rank_sum pdf_rayleigh pdf_signed_rank pdf_student_t pdf_weibull pearson_skewness permanent permut permutation permutations petersen_graph petrov pickapart picture_equalp picturep piechart piechart_description planar_embedding playback plog plot2d plot3d plotdf ploteq plsquares pochhammer points poisdiff poisexpt poisint poismap poisplus poissimp poissubst poistimes poistrim polar polarform polartorect polar_to_xy poly_add poly_buchberger poly_buchberger_criterion poly_colon_ideal poly_content polydecomp poly_depends_p poly_elimination_ideal poly_exact_divide poly_expand poly_expt poly_gcd polygon poly_grobner poly_grobner_equal poly_grobner_member poly_grobner_subsetp poly_ideal_intersection poly_ideal_polysaturation poly_ideal_polysaturation1 poly_ideal_saturation poly_ideal_saturation1 poly_lcm poly_minimization polymod poly_multiply polynome2ele polynomialp poly_normal_form poly_normalize poly_normalize_list poly_polysaturation_extension poly_primitive_part poly_pseudo_divide poly_reduced_grobner poly_reduction poly_saturation_extension poly_s_polynomial poly_subtract polytocompanion pop postfix potential power_mod powerseries powerset prefix prev_prime primep primes principal_components print printf printfile print_graph printpois printprops prodrac product properties propvars psi psubst ptriangularize pui pui2comp pui2ele pui2polynome pui_direct puireduc push put pv qput qrange qty quad_control quad_qag quad_qagi quad_qagp quad_qags quad_qawc quad_qawf quad_qawo quad_qaws quadrilateral quantile quantile_bernoulli quantile_beta quantile_binomial quantile_cauchy quantile_chi2 quantile_continuous_uniform quantile_discrete_uniform quantile_exp quantile_f quantile_gamma quantile_general_finite_discrete quantile_geometric quantile_gumbel quantile_hypergeometric quantile_laplace quantile_logistic quantile_lognormal quantile_negative_binomial quantile_noncentral_chi2 quantile_noncentral_student_t quantile_normal quantile_pareto quantile_poisson quantile_rayleigh quantile_student_t quantile_weibull quartile_skewness quit qunit quotient racah_v racah_w radcan radius random random_bernoulli random_beta random_binomial random_bipartite_graph random_cauchy random_chi2 random_continuous_uniform random_digraph random_discrete_uniform random_exp random_f random_gamma random_general_finite_discrete random_geometric random_graph random_graph1 random_gumbel random_hypergeometric random_laplace random_logistic random_lognormal random_negative_binomial random_network random_noncentral_chi2 random_noncentral_student_t random_normal random_pareto random_permutation random_poisson random_rayleigh random_regular_graph random_student_t random_tournament random_tree random_weibull range rank rat ratcoef ratdenom ratdiff ratdisrep ratexpand ratinterpol rational rationalize ratnumer ratnump ratp ratsimp ratsubst ratvars ratweight read read_array read_binary_array read_binary_list read_binary_matrix readbyte readchar read_hashed_array readline read_list read_matrix read_nested_list readonly read_xpm real_imagpart_to_conjugate realpart realroots rearray rectangle rectform rectform_log_if_constant recttopolar rediff reduce_consts reduce_order region region_boundaries region_boundaries_plus rem remainder remarray rembox remcomps remcon remcoord remfun remfunction remlet remove remove_constvalue remove_dimensions remove_edge remove_fundamental_dimensions remove_fundamental_units remove_plot_option remove_vertex rempart remrule remsym remvalue rename rename_file reset reset_displays residue resolvante resolvante_alternee1 resolvante_bipartite resolvante_diedrale resolvante_klein resolvante_klein3 resolvante_produit_sym resolvante_unitaire resolvante_vierer rest resultant return reveal reverse revert revert2 rgb2level rhs ricci riemann rinvariant risch rk rmdir rncombine romberg room rootscontract round row rowop rowswap rreduce run_testsuite %s save saving scalarp scaled_bessel_i scaled_bessel_i0 scaled_bessel_i1 scalefactors scanmap scatterplot scatterplot_description scene schur2comp sconcat scopy scsimp scurvature sdowncase sec sech second sequal sequalignore set_alt_display setdifference set_draw_defaults set_edge_weight setelmx setequalp setify setp set_partitions set_plot_option set_prompt set_random_state set_tex_environment set_tex_environment_default setunits setup_autoload set_up_dot_simplifications set_vertex_label seventh sexplode sf sha1sum sha256sum shortest_path shortest_weighted_path show showcomps showratvars sierpinskiale sierpinskimap sign signum similaritytransform simp_inequality simplify_sum simplode simpmetderiv simtran sin sinh sinsert sinvertcase sixth skewness skewness_bernoulli skewness_beta skewness_binomial skewness_chi2 skewness_continuous_uniform skewness_discrete_uniform skewness_exp skewness_f skewness_gamma skewness_general_finite_discrete skewness_geometric skewness_gumbel skewness_hypergeometric skewness_laplace skewness_logistic skewness_lognormal skewness_negative_binomial skewness_noncentral_chi2 skewness_noncentral_student_t skewness_normal skewness_pareto skewness_poisson skewness_rayleigh skewness_student_t skewness_weibull slength smake small_rhombicosidodecahedron_graph small_rhombicuboctahedron_graph smax smin smismatch snowmap snub_cube_graph snub_dodecahedron_graph solve solve_rec solve_rec_rat some somrac sort sparse6_decode sparse6_encode sparse6_export sparse6_import specint spherical spherical_bessel_j spherical_bessel_y spherical_hankel1 spherical_hankel2 spherical_harmonic spherical_to_xyz splice split sposition sprint sqfr sqrt sqrtdenest sremove sremovefirst sreverse ssearch ssort sstatus ssubst ssubstfirst staircase standardize standardize_inverse_trig starplot starplot_description status std std1 std_bernoulli std_beta std_binomial std_chi2 std_continuous_uniform std_discrete_uniform std_exp std_f std_gamma std_general_finite_discrete std_geometric std_gumbel std_hypergeometric std_laplace std_logistic std_lognormal std_negative_binomial std_noncentral_chi2 std_noncentral_student_t std_normal std_pareto std_poisson std_rayleigh std_student_t std_weibull stemplot stirling stirling1 stirling2 strim striml strimr string stringout stringp strong_components struve_h struve_l sublis sublist sublist_indices submatrix subsample subset subsetp subst substinpart subst_parallel substpart substring subvar subvarp sum sumcontract summand_to_rec supcase supcontext symbolp symmdifference symmetricp system take_channel take_inference tan tanh taylor taylorinfo taylorp taylor_simplifier taytorat tcl_output tcontract tellrat tellsimp tellsimpafter tentex tenth test_mean test_means_difference test_normality test_proportion test_proportions_difference test_rank_sum test_sign test_signed_rank test_variance test_variance_ratio tex tex1 tex_display texput %th third throw time timedate timer timer_info tldefint tlimit todd_coxeter toeplitz tokens to_lisp topological_sort to_poly to_poly_solve totaldisrep totalfourier totient tpartpol trace tracematrix trace_options transform_sample translate translate_file transpose treefale tree_reduce treillis treinat triangle triangularize trigexpand trigrat trigreduce trigsimp trunc truncate truncated_cube_graph truncated_dodecahedron_graph truncated_icosahedron_graph truncated_tetrahedron_graph tr_warnings_get tube tutte_graph ueivects uforget ultraspherical underlying_graph undiff union unique uniteigenvectors unitp units unit_step unitvector unorder unsum untellrat untimer untrace uppercasep uricci uriemann uvect vandermonde_matrix var var1 var_bernoulli var_beta var_binomial var_chi2 var_continuous_uniform var_discrete_uniform var_exp var_f var_gamma var_general_finite_discrete var_geometric var_gumbel var_hypergeometric var_laplace var_logistic var_lognormal var_negative_binomial var_noncentral_chi2 var_noncentral_student_t var_normal var_pareto var_poisson var_rayleigh var_student_t var_weibull vector vectorpotential vectorsimp verbify vers vertex_coloring vertex_connectivity vertex_degree vertex_distance vertex_eccentricity vertex_in_degree vertex_out_degree vertices vertices_to_cycle vertices_to_path %w weyl wheel_graph wiener_index wigner_3j wigner_6j wigner_9j with_stdout write_binary_data writebyte write_data writefile wronskian xreduce xthru %y Zeilberger zeroequiv zerofor zeromatrix zeromatrixp zeta zgeev zheev zlange zn_add_table zn_carmichael_lambda zn_characteristic_factors zn_determinant zn_factor_generators zn_invert_by_lu zn_log zn_mult_table absboxchar activecontexts adapt_depth additive adim aform algebraic algepsilon algexact aliases allbut all_dotsimp_denoms allocation allsym alphabetic animation antisymmetric arrays askexp assume_pos assume_pos_pred assumescalar asymbol atomgrad atrig1 axes axis_3d axis_bottom axis_left axis_right axis_top azimuth background background_color backsubst berlefact bernstein_explicit besselexpand beta_args_sum_to_integer beta_expand bftorat bftrunc bindtest border boundaries_array box boxchar breakup %c capping cauchysum cbrange cbtics center cflength cframe_flag cnonmet_flag color color_bar color_bar_tics colorbox columns commutative complex cone context contexts contour contour_levels cosnpiflag ctaypov ctaypt ctayswitch ctayvar ct_coords ctorsion_flag ctrgsimp cube current_let_rule_package cylinder data_file_name debugmode decreasing default_let_rule_package delay dependencies derivabbrev derivsubst detout diagmetric diff dim dimensions dispflag display2d|10 display_format_internal distribute_over doallmxops domain domxexpt domxmxops domxnctimes dontfactor doscmxops doscmxplus dot0nscsimp dot0simp dot1simp dotassoc dotconstrules dotdistrib dotexptsimp dotident dotscrules draw_graph_program draw_realpart edge_color edge_coloring edge_partition edge_type edge_width %edispflag elevation %emode endphi endtheta engineering_format_floats enhanced3d %enumer epsilon_lp erfflag erf_representation errormsg error_size error_syms error_type %e_to_numlog eval even evenfun evflag evfun ev_point expandwrt_denom expintexpand expintrep expon expop exptdispflag exptisolate exptsubst facexpand facsum_combine factlim factorflag factorial_expand factors_only fb feature features file_name file_output_append file_search_demo file_search_lisp file_search_maxima|10 file_search_tests file_search_usage file_type_lisp file_type_maxima|10 fill_color fill_density filled_func fixed_vertices flipflag float2bf font font_size fortindent fortspaces fpprec fpprintprec functions gamma_expand gammalim gdet genindex gensumnum GGFCFMAX GGFINFINITY globalsolve gnuplot_command gnuplot_curve_styles gnuplot_curve_titles gnuplot_default_term_command gnuplot_dumb_term_command gnuplot_file_args gnuplot_file_name gnuplot_out_file gnuplot_pdf_term_command gnuplot_pm3d gnuplot_png_term_command gnuplot_postamble gnuplot_preamble gnuplot_ps_term_command gnuplot_svg_term_command gnuplot_term gnuplot_view_args Gosper_in_Zeilberger gradefs grid grid2d grind halfangles head_angle head_both head_length head_type height hypergeometric_representation %iargs ibase icc1 icc2 icounter idummyx ieqnprint ifb ifc1 ifc2 ifg ifgi ifr iframe_bracket_form ifri igeowedge_flag ikt1 ikt2 imaginary inchar increasing infeval infinity inflag infolists inm inmc1 inmc2 intanalysis integer integervalued integrate_use_rootsof integration_constant integration_constant_counter interpolate_color intfaclim ip_grid ip_grid_in irrational isolate_wrt_times iterations itr julia_parameter %k1 %k2 keepfloat key key_pos kinvariant kt label label_alignment label_orientation labels lassociative lbfgs_ncorrections lbfgs_nfeval_max leftjust legend letrat let_rule_packages lfg lg lhospitallim limsubst linear linear_solver linechar linel|10 linenum line_type linewidth line_width linsolve_params linsolvewarn lispdisp listarith listconstvars listdummyvars lmxchar load_pathname loadprint logabs logarc logcb logconcoeffp logexpand lognegint logsimp logx logx_secondary logy logy_secondary logz lriem m1pbranch macroexpansion macros mainvar manual_demo maperror mapprint matrix_element_add matrix_element_mult matrix_element_transpose maxapplydepth maxapplyheight maxima_tempdir|10 maxima_userdir|10 maxnegex MAX_ORD maxposex maxpsifracdenom maxpsifracnum maxpsinegint maxpsiposint maxtayorder mesh_lines_color method mod_big_prime mode_check_errorp mode_checkp mode_check_warnp mod_test mod_threshold modular_linear_solver modulus multiplicative multiplicities myoptions nary negdistrib negsumdispflag newline newtonepsilon newtonmaxiter nextlayerfactor niceindicespref nm nmc noeval nolabels nonegative_lp noninteger nonscalar noun noundisp nouns np npi nticks ntrig numer numer_pbranch obase odd oddfun opacity opproperties opsubst optimprefix optionset orientation origin orthopoly_returns_intervals outative outchar packagefile palette partswitch pdf_file pfeformat phiresolution %piargs piece pivot_count_sx pivot_max_sx plot_format plot_options plot_realpart png_file pochhammer_max_index points pointsize point_size points_joined point_type poislim poisson poly_coefficient_ring poly_elimination_order polyfactor poly_grobner_algorithm poly_grobner_debug poly_monomial_order poly_primary_elimination_order poly_return_term_list poly_secondary_elimination_order poly_top_reduction_only posfun position powerdisp pred prederror primep_number_of_tests product_use_gamma program programmode promote_float_to_bigfloat prompt proportional_axes props psexpand ps_file radexpand radius radsubstflag rassociative ratalgdenom ratchristof ratdenomdivide rateinstein ratepsilon ratfac rational ratmx ratprint ratriemann ratsimpexpons ratvarswitch ratweights ratweyl ratwtlvl real realonly redraw refcheck resolution restart resultant ric riem rmxchar %rnum_list rombergabs rombergit rombergmin rombergtol rootsconmode rootsepsilon run_viewer same_xy same_xyz savedef savefactors scalar scalarmatrixp scale scale_lp setcheck setcheckbreak setval show_edge_color show_edges show_edge_type show_edge_width show_id show_label showtime show_vertex_color show_vertex_size show_vertex_type show_vertices show_weight simp simplified_output simplify_products simpproduct simpsum sinnpiflag solvedecomposes solveexplicit solvefactors solvenullwarn solveradcan solvetrigwarn space sparse sphere spring_embedding_depth sqrtdispflag stardisp startphi starttheta stats_numer stringdisp structures style sublis_apply_lambda subnumsimp sumexpand sumsplitfact surface surface_hide svg_file symmetric tab taylordepth taylor_logexpand taylor_order_coefficients taylor_truncate_polynomials tensorkill terminal testsuite_files thetaresolution timer_devalue title tlimswitch tr track transcompile transform transform_xy translate_fast_arrays transparent transrun tr_array_as_ref tr_bound_function_applyp tr_file_tty_messagesp tr_float_can_branch_complex tr_function_call_default trigexpandplus trigexpandtimes triginverses trigsign trivial_solutions tr_numer tr_optimize_max_loop tr_semicompile tr_state_vars tr_warn_bad_function_calls tr_warn_fexpr tr_warn_meval tr_warn_mode tr_warn_undeclared tr_warn_undefined_variable tstep ttyoff tube_extremes ufg ug %unitexpand unit_vectors uric uriem use_fast_arrays user_preamble usersetunits values vect_cross verbose vertex_color vertex_coloring vertex_partition vertex_size vertex_type view warnings weyl width windowname windowtitle wired_surface wireframe xaxis xaxis_color xaxis_secondary xaxis_type xaxis_width xlabel xlabel_secondary xlength xrange xrange_secondary xtics xtics_axis xtics_rotate xtics_rotate_secondary xtics_secondary xtics_secondary_axis xu_grid x_voxel xy_file xyplane xy_scale yaxis yaxis_color yaxis_secondary yaxis_type yaxis_width ylabel ylabel_secondary ylength yrange yrange_secondary ytics ytics_axis ytics_rotate ytics_rotate_secondary ytics_secondary ytics_secondary_axis yv_grid y_voxel yx_ratio zaxis zaxis_color zaxis_type zaxis_width zeroa zerob zerobern zeta%pi zlabel zlabel_rotate zlength zmin zn_primroot_limit zn_primroot_pretest",symbol:"_ __ %|0 %%|0"},contains:[{className:"comment",begin:"/\\*",end:"\\*/",contains:["self"]},e.QUOTE_STRING_MODE,{className:"number",relevance:0,variants:[{begin:"\\b(\\d+|\\d+\\.|\\.\\d+|\\d+\\.\\d+)[Ee][-+]?\\d+\\b"},{begin:"\\b(\\d+|\\d+\\.|\\.\\d+|\\d+\\.\\d+)[Bb][-+]?\\d+\\b",relevance:10},{begin:"\\b(\\.\\d+|\\d+\\.\\d+)\\b"},{begin:"\\b(\\d+|0[0-9A-Za-z]+)\\.?\\b"}]}],illegal:/@/}}_c.exports=wE});var mc=O((mT,uc)=>{function ME(e){return{name:"MEL",keywords:"int float string vector matrix if else switch case default while do for in break continue global proc return about abs addAttr addAttributeEditorNodeHelp addDynamic addNewShelfTab addPP addPanelCategory addPrefixToName advanceToNextDrivenKey affectedNet affects aimConstraint air alias aliasAttr align alignCtx alignCurve alignSurface allViewFit ambientLight angle angleBetween animCone animCurveEditor animDisplay animView annotate appendStringArray applicationName applyAttrPreset applyTake arcLenDimContext arcLengthDimension arclen arrayMapper art3dPaintCtx artAttrCtx artAttrPaintVertexCtx artAttrSkinPaintCtx artAttrTool artBuildPaintMenu artFluidAttrCtx artPuttyCtx artSelectCtx artSetPaintCtx artUserPaintCtx assignCommand assignInputDevice assignViewportFactories attachCurve attachDeviceAttr attachSurface attrColorSliderGrp attrCompatibility attrControlGrp attrEnumOptionMenu attrEnumOptionMenuGrp attrFieldGrp attrFieldSliderGrp attrNavigationControlGrp attrPresetEditWin attributeExists attributeInfo attributeMenu attributeQuery autoKeyframe autoPlace bakeClip bakeFluidShading bakePartialHistory bakeResults bakeSimulation basename basenameEx batchRender bessel bevel bevelPlus binMembership bindSkin blend2 blendShape blendShapeEditor blendShapePanel blendTwoAttr blindDataType boneLattice boundary boxDollyCtx boxZoomCtx bufferCurve buildBookmarkMenu buildKeyframeMenu button buttonManip CBG cacheFile cacheFileCombine cacheFileMerge cacheFileTrack camera cameraView canCreateManip canvas capitalizeString catch catchQuiet ceil changeSubdivComponentDisplayLevel changeSubdivRegion channelBox character characterMap characterOutlineEditor characterize chdir checkBox checkBoxGrp checkDefaultRenderGlobals choice circle circularFillet clamp clear clearCache clip clipEditor clipEditorCurrentTimeCtx clipSchedule clipSchedulerOutliner clipTrimBefore closeCurve closeSurface cluster cmdFileOutput cmdScrollFieldExecuter cmdScrollFieldReporter cmdShell coarsenSubdivSelectionList collision color colorAtPoint colorEditor colorIndex colorIndexSliderGrp colorSliderButtonGrp colorSliderGrp columnLayout commandEcho commandLine commandPort compactHairSystem componentEditor compositingInterop computePolysetVolume condition cone confirmDialog connectAttr connectControl connectDynamic connectJoint connectionInfo constrain constrainValue constructionHistory container containsMultibyte contextInfo control convertFromOldLayers convertIffToPsd convertLightmap convertSolidTx convertTessellation convertUnit copyArray copyFlexor copyKey copySkinWeights cos cpButton cpCache cpClothSet cpCollision cpConstraint cpConvClothToMesh cpForces cpGetSolverAttr cpPanel cpProperty cpRigidCollisionFilter cpSeam cpSetEdit cpSetSolverAttr cpSolver cpSolverTypes cpTool cpUpdateClothUVs createDisplayLayer createDrawCtx createEditor createLayeredPsdFile createMotionField createNewShelf createNode createRenderLayer createSubdivRegion cross crossProduct ctxAbort ctxCompletion ctxEditMode ctxTraverse currentCtx currentTime currentTimeCtx currentUnit curve curveAddPtCtx curveCVCtx curveEPCtx curveEditorCtx curveIntersect curveMoveEPCtx curveOnSurface curveSketchCtx cutKey cycleCheck cylinder dagPose date defaultLightListCheckBox defaultNavigation defineDataServer defineVirtualDevice deformer deg_to_rad delete deleteAttr deleteShadingGroupsAndMaterials deleteShelfTab deleteUI deleteUnusedBrushes delrandstr detachCurve detachDeviceAttr detachSurface deviceEditor devicePanel dgInfo dgdirty dgeval dgtimer dimWhen directKeyCtx directionalLight dirmap dirname disable disconnectAttr disconnectJoint diskCache displacementToPoly displayAffected displayColor displayCull displayLevelOfDetail displayPref displayRGBColor displaySmoothness displayStats displayString displaySurface distanceDimContext distanceDimension doBlur dolly dollyCtx dopeSheetEditor dot dotProduct doubleProfileBirailSurface drag dragAttrContext draggerContext dropoffLocator duplicate duplicateCurve duplicateSurface dynCache dynControl dynExport dynExpression dynGlobals dynPaintEditor dynParticleCtx dynPref dynRelEdPanel dynRelEditor dynamicLoad editAttrLimits editDisplayLayerGlobals editDisplayLayerMembers editRenderLayerAdjustment editRenderLayerGlobals editRenderLayerMembers editor editorTemplate effector emit emitter enableDevice encodeString endString endsWith env equivalent equivalentTol erf error eval evalDeferred evalEcho event exactWorldBoundingBox exclusiveLightCheckBox exec executeForEachObject exists exp expression expressionEditorListen extendCurve extendSurface extrude fcheck fclose feof fflush fgetline fgetword file fileBrowserDialog fileDialog fileExtension fileInfo filetest filletCurve filter filterCurve filterExpand filterStudioImport findAllIntersections findAnimCurves findKeyframe findMenuItem findRelatedSkinCluster finder firstParentOf fitBspline flexor floatEq floatField floatFieldGrp floatScrollBar floatSlider floatSlider2 floatSliderButtonGrp floatSliderGrp floor flow fluidCacheInfo fluidEmitter fluidVoxelInfo flushUndo fmod fontDialog fopen formLayout format fprint frameLayout fread freeFormFillet frewind fromNativePath fwrite gamma gauss geometryConstraint getApplicationVersionAsFloat getAttr getClassification getDefaultBrush getFileList getFluidAttr getInputDeviceRange getMayaPanelTypes getModifiers getPanel getParticleAttr getPluginResource getenv getpid glRender glRenderEditor globalStitch gmatch goal gotoBindPose grabColor gradientControl gradientControlNoAttr graphDollyCtx graphSelectContext graphTrackCtx gravity grid gridLayout group groupObjectsByName HfAddAttractorToAS HfAssignAS HfBuildEqualMap HfBuildFurFiles HfBuildFurImages HfCancelAFR HfConnectASToHF HfCreateAttractor HfDeleteAS HfEditAS HfPerformCreateAS HfRemoveAttractorFromAS HfSelectAttached HfSelectAttractors HfUnAssignAS hardenPointCurve hardware hardwareRenderPanel headsUpDisplay headsUpMessage help helpLine hermite hide hilite hitTest hotBox hotkey hotkeyCheck hsv_to_rgb hudButton hudSlider hudSliderButton hwReflectionMap hwRender hwRenderLoad hyperGraph hyperPanel hyperShade hypot iconTextButton iconTextCheckBox iconTextRadioButton iconTextRadioCollection iconTextScrollList iconTextStaticLabel ikHandle ikHandleCtx ikHandleDisplayScale ikSolver ikSplineHandleCtx ikSystem ikSystemInfo ikfkDisplayMethod illustratorCurves image imfPlugins inheritTransform insertJoint insertJointCtx insertKeyCtx insertKnotCurve insertKnotSurface instance instanceable instancer intField intFieldGrp intScrollBar intSlider intSliderGrp interToUI internalVar intersect iprEngine isAnimCurve isConnected isDirty isParentOf isSameObject isTrue isValidObjectName isValidString isValidUiName isolateSelect itemFilter itemFilterAttr itemFilterRender itemFilterType joint jointCluster jointCtx jointDisplayScale jointLattice keyTangent keyframe keyframeOutliner keyframeRegionCurrentTimeCtx keyframeRegionDirectKeyCtx keyframeRegionDollyCtx keyframeRegionInsertKeyCtx keyframeRegionMoveKeyCtx keyframeRegionScaleKeyCtx keyframeRegionSelectKeyCtx keyframeRegionSetKeyCtx keyframeRegionTrackCtx keyframeStats lassoContext lattice latticeDeformKeyCtx launch launchImageEditor layerButton layeredShaderPort layeredTexturePort layout layoutDialog lightList lightListEditor lightListPanel lightlink lineIntersection linearPrecision linstep listAnimatable listAttr listCameras listConnections listDeviceAttachments listHistory listInputDeviceAxes listInputDeviceButtons listInputDevices listMenuAnnotation listNodeTypes listPanelCategories listRelatives listSets listTransforms listUnselected listerEditor loadFluid loadNewShelf loadPlugin loadPluginLanguageResources loadPrefObjects localizedPanelLabel lockNode loft log longNameOf lookThru ls lsThroughFilter lsType lsUI Mayatomr mag makeIdentity makeLive makePaintable makeRoll makeSingleSurface makeTubeOn makebot manipMoveContext manipMoveLimitsCtx manipOptions manipRotateContext manipRotateLimitsCtx manipScaleContext manipScaleLimitsCtx marker match max memory menu menuBarLayout menuEditor menuItem menuItemToShelf menuSet menuSetPref messageLine min minimizeApp mirrorJoint modelCurrentTimeCtx modelEditor modelPanel mouse movIn movOut move moveIKtoFK moveKeyCtx moveVertexAlongDirection multiProfileBirailSurface mute nParticle nameCommand nameField namespace namespaceInfo newPanelItems newton nodeCast nodeIconButton nodeOutliner nodePreset nodeType noise nonLinear normalConstraint normalize nurbsBoolean nurbsCopyUVSet nurbsCube nurbsEditUV nurbsPlane nurbsSelect nurbsSquare nurbsToPoly nurbsToPolygonsPref nurbsToSubdiv nurbsToSubdivPref nurbsUVSet nurbsViewDirectionVector objExists objectCenter objectLayer objectType objectTypeUI obsoleteProc oceanNurbsPreviewPlane offsetCurve offsetCurveOnSurface offsetSurface openGLExtension openMayaPref optionMenu optionMenuGrp optionVar orbit orbitCtx orientConstraint outlinerEditor outlinerPanel overrideModifier paintEffectsDisplay pairBlend palettePort paneLayout panel panelConfiguration panelHistory paramDimContext paramDimension paramLocator parent parentConstraint particle particleExists particleInstancer particleRenderInfo partition pasteKey pathAnimation pause pclose percent performanceOptions pfxstrokes pickWalk picture pixelMove planarSrf plane play playbackOptions playblast plugAttr plugNode pluginInfo pluginResourceUtil pointConstraint pointCurveConstraint pointLight pointMatrixMult pointOnCurve pointOnSurface pointPosition poleVectorConstraint polyAppend polyAppendFacetCtx polyAppendVertex polyAutoProjection polyAverageNormal polyAverageVertex polyBevel polyBlendColor polyBlindData polyBoolOp polyBridgeEdge polyCacheMonitor polyCheck polyChipOff polyClipboard polyCloseBorder polyCollapseEdge polyCollapseFacet polyColorBlindData polyColorDel polyColorPerVertex polyColorSet polyCompare polyCone polyCopyUV polyCrease polyCreaseCtx polyCreateFacet polyCreateFacetCtx polyCube polyCut polyCutCtx polyCylinder polyCylindricalProjection polyDelEdge polyDelFacet polyDelVertex polyDuplicateAndConnect polyDuplicateEdge polyEditUV polyEditUVShell polyEvaluate polyExtrudeEdge polyExtrudeFacet polyExtrudeVertex polyFlipEdge polyFlipUV polyForceUV polyGeoSampler polyHelix polyInfo polyInstallAction polyLayoutUV polyListComponentConversion polyMapCut polyMapDel polyMapSew polyMapSewMove polyMergeEdge polyMergeEdgeCtx polyMergeFacet polyMergeFacetCtx polyMergeUV polyMergeVertex polyMirrorFace polyMoveEdge polyMoveFacet polyMoveFacetUV polyMoveUV polyMoveVertex polyNormal polyNormalPerVertex polyNormalizeUV polyOptUvs polyOptions polyOutput polyPipe polyPlanarProjection polyPlane polyPlatonicSolid polyPoke polyPrimitive polyPrism polyProjection polyPyramid polyQuad polyQueryBlindData polyReduce polySelect polySelectConstraint polySelectConstraintMonitor polySelectCtx polySelectEditCtx polySeparate polySetToFaceNormal polySewEdge polyShortestPathCtx polySmooth polySoftEdge polySphere polySphericalProjection polySplit polySplitCtx polySplitEdge polySplitRing polySplitVertex polyStraightenUVBorder polySubdivideEdge polySubdivideFacet polyToSubdiv polyTorus polyTransfer polyTriangulate polyUVSet polyUnite polyWedgeFace popen popupMenu pose pow preloadRefEd print progressBar progressWindow projFileViewer projectCurve projectTangent projectionContext projectionManip promptDialog propModCtx propMove psdChannelOutliner psdEditTextureFile psdExport psdTextureFile putenv pwd python querySubdiv quit rad_to_deg radial radioButton radioButtonGrp radioCollection radioMenuItemCollection rampColorPort rand randomizeFollicles randstate rangeControl readTake rebuildCurve rebuildSurface recordAttr recordDevice redo reference referenceEdit referenceQuery refineSubdivSelectionList refresh refreshAE registerPluginResource rehash reloadImage removeJoint removeMultiInstance removePanelCategory rename renameAttr renameSelectionList renameUI render renderGlobalsNode renderInfo renderLayerButton renderLayerParent renderLayerPostProcess renderLayerUnparent renderManip renderPartition renderQualityNode renderSettings renderThumbnailUpdate renderWindowEditor renderWindowSelectContext renderer reorder reorderDeformers requires reroot resampleFluid resetAE resetPfxToPolyCamera resetTool resolutionNode retarget reverseCurve reverseSurface revolve rgb_to_hsv rigidBody rigidSolver roll rollCtx rootOf rot rotate rotationInterpolation roundConstantRadius rowColumnLayout rowLayout runTimeCommand runup sampleImage saveAllShelves saveAttrPreset saveFluid saveImage saveInitialState saveMenu savePrefObjects savePrefs saveShelf saveToolSettings scale scaleBrushBrightness scaleComponents scaleConstraint scaleKey scaleKeyCtx sceneEditor sceneUIReplacement scmh scriptCtx scriptEditorInfo scriptJob scriptNode scriptTable scriptToShelf scriptedPanel scriptedPanelType scrollField scrollLayout sculpt searchPathArray seed selLoadSettings select selectContext selectCurveCV selectKey selectKeyCtx selectKeyframeRegionCtx selectMode selectPref selectPriority selectType selectedNodes selectionConnection separator setAttr setAttrEnumResource setAttrMapping setAttrNiceNameResource setConstraintRestPosition setDefaultShadingGroup setDrivenKeyframe setDynamic setEditCtx setEditor setFluidAttr setFocus setInfinity setInputDeviceMapping setKeyCtx setKeyPath setKeyframe setKeyframeBlendshapeTargetWts setMenuMode setNodeNiceNameResource setNodeTypeFlag setParent setParticleAttr setPfxToPolyCamera setPluginResource setProject setStampDensity setStartupMessage setState setToolTo setUITemplate setXformManip sets shadingConnection shadingGeometryRelCtx shadingLightRelCtx shadingNetworkCompare shadingNode shapeCompare shelfButton shelfLayout shelfTabLayout shellField shortNameOf showHelp showHidden showManipCtx showSelectionInTitle showShadingGroupAttrEditor showWindow sign simplify sin singleProfileBirailSurface size sizeBytes skinCluster skinPercent smoothCurve smoothTangentSurface smoothstep snap2to2 snapKey snapMode snapTogetherCtx snapshot soft softMod softModCtx sort sound soundControl source spaceLocator sphere sphrand spotLight spotLightPreviewPort spreadSheetEditor spring sqrt squareSurface srtContext stackTrace startString startsWith stitchAndExplodeShell stitchSurface stitchSurfacePoints strcmp stringArrayCatenate stringArrayContains stringArrayCount stringArrayInsertAtIndex stringArrayIntersector stringArrayRemove stringArrayRemoveAtIndex stringArrayRemoveDuplicates stringArrayRemoveExact stringArrayToString stringToStringArray strip stripPrefixFromName stroke subdAutoProjection subdCleanTopology subdCollapse subdDuplicateAndConnect subdEditUV subdListComponentConversion subdMapCut subdMapSewMove subdMatchTopology subdMirror subdToBlind subdToPoly subdTransferUVsToCache subdiv subdivCrease subdivDisplaySmoothness substitute substituteAllString substituteGeometry substring surface surfaceSampler surfaceShaderList swatchDisplayPort switchTable symbolButton symbolCheckBox sysFile system tabLayout tan tangentConstraint texLatticeDeformContext texManipContext texMoveContext texMoveUVShellContext texRotateContext texScaleContext texSelectContext texSelectShortestPathCtx texSmudgeUVContext texWinToolCtx text textCurves textField textFieldButtonGrp textFieldGrp textManip textScrollList textToShelf textureDisplacePlane textureHairColor texturePlacementContext textureWindow threadCount threePointArcCtx timeControl timePort timerX toNativePath toggle toggleAxis toggleWindowVisibility tokenize tokenizeList tolerance tolower toolButton toolCollection toolDropped toolHasOptions toolPropertyWindow torus toupper trace track trackCtx transferAttributes transformCompare transformLimits translator trim trunc truncateFluidCache truncateHairCache tumble tumbleCtx turbulence twoPointArcCtx uiRes uiTemplate unassignInputDevice undo undoInfo ungroup uniform unit unloadPlugin untangleUV untitledFileName untrim upAxis updateAE userCtx uvLink uvSnapshot validateShelfName vectorize view2dToolCtx viewCamera viewClipPlane viewFit viewHeadOn viewLookAt viewManip viewPlace viewSet visor volumeAxis vortex waitCursor warning webBrowser webBrowserPrefs whatIs window windowPref wire wireContext workspace wrinkle wrinkleContext writeTake xbmLangPathList xform",illegal:"</",contains:[e.C_NUMBER_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,{className:"string",begin:"`",end:"`",contains:[e.BACKSLASH_ESCAPE]},{begin:/[$%@](\^\w\b|#\w+|[^\s\w{]|\{\w+\}|\w+)/},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]}}uc.exports=ME});var Ec=O((gT,gc)=>{function LE(e){let n={keyword:"module use_module import_module include_module end_module initialise mutable initialize finalize finalise interface implementation pred mode func type inst solver any_pred any_func is semidet det nondet multi erroneous failure cc_nondet cc_multi typeclass instance where pragma promise external trace atomic or_else require_complete_switch require_det require_semidet require_multi require_nondet require_cc_multi require_cc_nondet require_erroneous require_failure",meta:"inline no_inline type_spec source_file fact_table obsolete memo loop_check minimal_model terminates does_not_terminate check_termination promise_equivalent_clauses foreign_proc foreign_decl foreign_code foreign_type foreign_import_module foreign_export_enum foreign_export foreign_enum may_call_mercury will_not_call_mercury thread_safe not_thread_safe maybe_thread_safe promise_pure promise_semipure tabled_for_io local untrailed trailed attach_to_io_state can_pass_as_mercury_type stable will_not_throw_exception may_modify_trail will_not_modify_trail may_duplicate may_not_duplicate affects_liveness does_not_affect_liveness doesnt_affect_liveness no_sharing unknown_sharing sharing",built_in:"some all not if then else true fail false try catch catch_any semidet_true semidet_false semidet_fail impure_true impure semipure"},i=e.COMMENT("%","$"),_={className:"number",begin:"0'.\\|0[box][0-9a-fA-F]*"},l=e.inherit(e.APOS_STRING_MODE,{relevance:0}),a=e.inherit(e.QUOTE_STRING_MODE,{relevance:0}),s={className:"subst",begin:"\\\\[abfnrtv]\\|\\\\x[0-9a-fA-F]*\\\\\\|%[-+# *.0-9]*[dioxXucsfeEgGp]",relevance:0};return a.contains=a.contains.slice(),a.contains.push(s),{name:"Mercury",aliases:["m","moo"],keywords:n,contains:[{className:"built_in",variants:[{begin:"<=>"},{begin:"<=",relevance:0},{begin:"=>",relevance:0},{begin:"/\\\\"},{begin:"\\\\/"}]},{className:"built_in",variants:[{begin:":-\\|-->"},{begin:"=",relevance:0}]},i,e.C_BLOCK_COMMENT_MODE,_,e.NUMBER_MODE,l,a,{begin:/:-/},{begin:/\.$/}]}}gc.exports=LE});var fc=O((ET,bc)=>{function PE(e){return{name:"MIPS Assembly",case_insensitive:!0,aliases:["mips"],keywords:{$pattern:"\\.?"+e.IDENT_RE,meta:".2byte .4byte .align .ascii .asciz .balign .byte .code .data .else .end .endif .endm .endr .equ .err .exitm .extern .global .hword .if .ifdef .ifndef .include .irp .long .macro .rept .req .section .set .skip .space .text .word .ltorg ",built_in:"$0 $1 $2 $3 $4 $5 $6 $7 $8 $9 $10 $11 $12 $13 $14 $15 $16 $17 $18 $19 $20 $21 $22 $23 $24 $25 $26 $27 $28 $29 $30 $31 zero at v0 v1 a0 a1 a2 a3 a4 a5 a6 a7 t0 t1 t2 t3 t4 t5 t6 t7 t8 t9 s0 s1 s2 s3 s4 s5 s6 s7 s8 k0 k1 gp sp fp ra $f0 $f1 $f2 $f2 $f4 $f5 $f6 $f7 $f8 $f9 $f10 $f11 $f12 $f13 $f14 $f15 $f16 $f17 $f18 $f19 $f20 $f21 $f22 $f23 $f24 $f25 $f26 $f27 $f28 $f29 $f30 $f31 Context Random EntryLo0 EntryLo1 Context PageMask Wired EntryHi HWREna BadVAddr Count Compare SR IntCtl SRSCtl SRSMap Cause EPC PRId EBase Config Config1 Config2 Config3 LLAddr Debug DEPC DESAVE CacheErr ECC ErrorEPC TagLo DataLo TagHi DataHi WatchLo WatchHi PerfCtl PerfCnt "},contains:[{className:"keyword",begin:"\\b(addi?u?|andi?|b(al)?|beql?|bgez(al)?l?|bgtzl?|blezl?|bltz(al)?l?|bnel?|cl[oz]|divu?|ext|ins|j(al)?|jalr(\\.hb)?|jr(\\.hb)?|lbu?|lhu?|ll|lui|lw[lr]?|maddu?|mfhi|mflo|movn|movz|move|msubu?|mthi|mtlo|mul|multu?|nop|nor|ori?|rotrv?|sb|sc|se[bh]|sh|sllv?|slti?u?|srav?|srlv?|subu?|sw[lr]?|xori?|wsbh|abs\\.[sd]|add\\.[sd]|alnv.ps|bc1[ft]l?|c\\.(s?f|un|u?eq|[ou]lt|[ou]le|ngle?|seq|l[et]|ng[et])\\.[sd]|(ceil|floor|round|trunc)\\.[lw]\\.[sd]|cfc1|cvt\\.d\\.[lsw]|cvt\\.l\\.[dsw]|cvt\\.ps\\.s|cvt\\.s\\.[dlw]|cvt\\.s\\.p[lu]|cvt\\.w\\.[dls]|div\\.[ds]|ldx?c1|luxc1|lwx?c1|madd\\.[sd]|mfc1|mov[fntz]?\\.[ds]|msub\\.[sd]|mth?c1|mul\\.[ds]|neg\\.[ds]|nmadd\\.[ds]|nmsub\\.[ds]|p[lu][lu]\\.ps|recip\\.fmt|r?sqrt\\.[ds]|sdx?c1|sub\\.[ds]|suxc1|swx?c1|break|cache|d?eret|[de]i|ehb|mfc0|mtc0|pause|prefx?|rdhwr|rdpgpr|sdbbp|ssnop|synci?|syscall|teqi?|tgei?u?|tlb(p|r|w[ir])|tlti?u?|tnei?|wait|wrpgpr)",end:"\\s"},e.COMMENT("[;#](?!\\s*$)","$"),e.C_BLOCK_COMMENT_MODE,e.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"[^\\\\]'",relevance:0},{className:"title",begin:"\\|",end:"\\|",illegal:"\\n",relevance:0},{className:"number",variants:[{begin:"0x[0-9a-f]+"},{begin:"\\b-?\\d+"}],relevance:0},{className:"symbol",variants:[{begin:"^\\s*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{begin:"^\\s*[0-9]+:"},{begin:"[0-9]+[bf]"}],relevance:0}],illegal:/\//}}bc.exports=PE});var hc=O((bT,Sc)=>{function kE(e){return{name:"Mizar",keywords:"environ vocabularies notations constructors definitions registrations theorems schemes requirements begin end definition registration cluster existence pred func defpred deffunc theorem proof let take assume then thus hence ex for st holds consider reconsider such that and in provided of as from be being by means equals implies iff redefine define now not or attr is mode suppose per cases set thesis contradiction scheme reserve struct correctness compatibility coherence symmetry assymetry reflexivity irreflexivity connectedness uniqueness commutativity idempotence involutiveness projectivity",contains:[e.COMMENT("::","$")]}}Sc.exports=kE});var Rc=O((fT,Tc)=>{function UE(e){let n=e.regex,i=["abs","accept","alarm","and","atan2","bind","binmode","bless","break","caller","chdir","chmod","chomp","chop","chown","chr","chroot","close","closedir","connect","continue","cos","crypt","dbmclose","dbmopen","defined","delete","die","do","dump","each","else","elsif","endgrent","endhostent","endnetent","endprotoent","endpwent","endservent","eof","eval","exec","exists","exit","exp","fcntl","fileno","flock","for","foreach","fork","format","formline","getc","getgrent","getgrgid","getgrnam","gethostbyaddr","gethostbyname","gethostent","getlogin","getnetbyaddr","getnetbyname","getnetent","getpeername","getpgrp","getpriority","getprotobyname","getprotobynumber","getprotoent","getpwent","getpwnam","getpwuid","getservbyname","getservbyport","getservent","getsockname","getsockopt","given","glob","gmtime","goto","grep","gt","hex","if","index","int","ioctl","join","keys","kill","last","lc","lcfirst","length","link","listen","local","localtime","log","lstat","lt","ma","map","mkdir","msgctl","msgget","msgrcv","msgsnd","my","ne","next","no","not","oct","open","opendir","or","ord","our","pack","package","pipe","pop","pos","print","printf","prototype","push","q|0","qq","quotemeta","qw","qx","rand","read","readdir","readline","readlink","readpipe","recv","redo","ref","rename","require","reset","return","reverse","rewinddir","rindex","rmdir","say","scalar","seek","seekdir","select","semctl","semget","semop","send","setgrent","sethostent","setnetent","setpgrp","setpriority","setprotoent","setpwent","setservent","setsockopt","shift","shmctl","shmget","shmread","shmwrite","shutdown","sin","sleep","socket","socketpair","sort","splice","split","sprintf","sqrt","srand","stat","state","study","sub","substr","symlink","syscall","sysopen","sysread","sysseek","system","syswrite","tell","telldir","tie","tied","time","times","tr","truncate","uc","ucfirst","umask","undef","unless","unlink","unpack","unshift","untie","until","use","utime","values","vec","wait","waitpid","wantarray","warn","when","while","write","x|0","xor","y|0"],_=/[dualxmsipngr]{0,12}/,l={$pattern:/[\w.]+/,keyword:i.join(" ")},a={className:"subst",begin:"[$@]\\{",end:"\\}",keywords:l},s={begin:/->\{/,end:/\}/},d={variants:[{begin:/\$\d/},{begin:n.concat(/[$%@](\^\w\b|#\w+(::\w+)*|\{\w+\}|\w+(::\w*)*)/,"(?![A-Za-z])(?![@$%])")},{begin:/[$%@][^\s\w{]/,relevance:0}]},u=[e.BACKSLASH_ESCAPE,a,d],E=[/!/,/\//,/\|/,/\?/,/'/,/"/,/#/],f=(h,C,I="\\1")=>{let x=I==="\\1"?I:n.concat(I,C);return n.concat(n.concat("(?:",h,")"),C,/(?:\\.|[^\\\/])*?/,x,/(?:\\.|[^\\\/])*?/,I,_)},N=(h,C,I)=>n.concat(n.concat("(?:",h,")"),C,/(?:\\.|[^\\\/])*?/,I,_),S=[d,e.HASH_COMMENT_MODE,e.COMMENT(/^=\w/,/=cut/,{endsWithParent:!0}),s,{className:"string",contains:u,variants:[{begin:"q[qwxr]?\\s*\\(",end:"\\)",relevance:5},{begin:"q[qwxr]?\\s*\\[",end:"\\]",relevance:5},{begin:"q[qwxr]?\\s*\\{",end:"\\}",relevance:5},{begin:"q[qwxr]?\\s*\\|",end:"\\|",relevance:5},{begin:"q[qwxr]?\\s*<",end:">",relevance:5},{begin:"qw\\s+q",end:"q",relevance:5},{begin:"'",end:"'",contains:[e.BACKSLASH_ESCAPE]},{begin:'"',end:'"'},{begin:"`",end:"`",contains:[e.BACKSLASH_ESCAPE]},{begin:/\{\w+\}/,relevance:0},{begin:"-?\\w+\\s*=>",relevance:0}]},{className:"number",begin:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",relevance:0},{begin:"(\\/\\/|"+e.RE_STARTERS_RE+"|\\b(split|return|print|reverse|grep)\\b)\\s*",keywords:"split return print reverse grep",relevance:0,contains:[e.HASH_COMMENT_MODE,{className:"regexp",variants:[{begin:f("s|tr|y",n.either(...E,{capture:!0}))},{begin:f("s|tr|y","\\(","\\)")},{begin:f("s|tr|y","\\[","\\]")},{begin:f("s|tr|y","\\{","\\}")}],relevance:2},{className:"regexp",variants:[{begin:/(m|qr)\/\//,relevance:0},{begin:N("(?:m|qr)?",/\//,/\//)},{begin:N("m|qr",n.either(...E,{capture:!0}),/\1/)},{begin:N("m|qr",/\(/,/\)/)},{begin:N("m|qr",/\[/,/\]/)},{begin:N("m|qr",/\{/,/\}/)}]}]},{className:"function",beginKeywords:"sub",end:"(\\s*\\(.*?\\))?[;{]",excludeEnd:!0,relevance:5,contains:[e.TITLE_MODE]},{begin:"-\\w\\b",relevance:0},{begin:"^__DATA__$",end:"^__END__$",subLanguage:"mojolicious",contains:[{begin:"^@@.*",end:"$",className:"comment"}]}];return a.contains=S,s.contains=S,{name:"Perl",aliases:["pl","pm"],keywords:l,contains:S}}Tc.exports=UE});var vc=O((ST,Cc)=>{function FE(e){return{name:"Mojolicious",subLanguage:"xml",contains:[{className:"meta",begin:"^__(END|DATA)__$"},{begin:"^\\s*%{1,2}={0,2}",end:"$",subLanguage:"perl"},{begin:"<%{1,2}={0,2}",end:"={0,1}%>",subLanguage:"perl",excludeBegin:!0,excludeEnd:!0}]}}Cc.exports=FE});var Oc=O((hT,Nc)=>{function BE(e){let n={className:"number",relevance:0,variants:[{begin:"[$][a-fA-F0-9]+"},e.NUMBER_MODE]},i={variants:[{match:[/(function|method)/,/\s+/,e.UNDERSCORE_IDENT_RE]}],scope:{1:"keyword",3:"title.function"}},_={variants:[{match:[/(class|interface|extends|implements)/,/\s+/,e.UNDERSCORE_IDENT_RE]}],scope:{1:"keyword",3:"title.class"}};return{name:"Monkey",case_insensitive:!0,keywords:{keyword:["public","private","property","continue","exit","extern","new","try","catch","eachin","not","abstract","final","select","case","default","const","local","global","field","end","if","then","else","elseif","endif","while","wend","repeat","until","forever","for","to","step","next","return","module","inline","throw","import","and","or","shl","shr","mod"],built_in:["DebugLog","DebugStop","Error","Print","ACos","ACosr","ASin","ASinr","ATan","ATan2","ATan2r","ATanr","Abs","Abs","Ceil","Clamp","Clamp","Cos","Cosr","Exp","Floor","Log","Max","Max","Min","Min","Pow","Sgn","Sgn","Sin","Sinr","Sqrt","Tan","Tanr","Seed","PI","HALFPI","TWOPI"],literal:["true","false","null"]},illegal:/\/\*/,contains:[e.COMMENT("#rem","#end"),e.COMMENT("'","$",{relevance:0}),i,_,{className:"variable.language",begin:/\b(self|super)\b/},{className:"meta",begin:/\s*#/,end:"$",keywords:{keyword:"if else elseif endif end then"}},{match:[/^\s*/,/strict\b/],scope:{2:"meta"}},{beginKeywords:"alias",end:"=",contains:[e.UNDERSCORE_TITLE_MODE]},e.QUOTE_STRING_MODE,n]}}Nc.exports=BE});var yc=O((TT,Ac)=>{function GE(e){let n={keyword:"if then not for in while do return else elseif break continue switch and or unless when class extends super local import export from using",literal:"true false nil",built_in:"_G _VERSION assert collectgarbage dofile error getfenv getmetatable ipairs load loadfile loadstring module next pairs pcall print rawequal rawget rawset require select setfenv setmetatable tonumber tostring type unpack xpcall coroutine debug io math os package string table"},i="[A-Za-z$_][0-9A-Za-z$_]*",_={className:"subst",begin:/#\{/,end:/\}/,keywords:n},l=[e.inherit(e.C_NUMBER_MODE,{starts:{end:"(\\s*/)?",relevance:0}}),{className:"string",variants:[{begin:/'/,end:/'/,contains:[e.BACKSLASH_ESCAPE]},{begin:/"/,end:/"/,contains:[e.BACKSLASH_ESCAPE,_]}]},{className:"built_in",begin:"@__"+e.IDENT_RE},{begin:"@"+e.IDENT_RE},{begin:e.IDENT_RE+"\\\\"+e.IDENT_RE}];_.contains=l;let a=e.inherit(e.TITLE_MODE,{begin:i}),s="(\\(.*\\)\\s*)?\\B[-=]>",d={className:"params",begin:"\\([^\\(]",returnBegin:!0,contains:[{begin:/\(/,end:/\)/,keywords:n,contains:["self"].concat(l)}]};return{name:"MoonScript",aliases:["moon"],keywords:n,illegal:/\/\*/,contains:l.concat([e.COMMENT("--","$"),{className:"function",begin:"^\\s*"+i+"\\s*=\\s*"+s,end:"[-=]>",returnBegin:!0,contains:[a,d]},{begin:/[\(,:=]\s*/,relevance:0,contains:[{className:"function",begin:s,end:"[-=]>",returnBegin:!0,contains:[d]}]},{className:"class",beginKeywords:"class",end:"$",illegal:/[:="\[\]]/,contains:[{beginKeywords:"extends",endsWithParent:!0,illegal:/[:="\[\]]/,contains:[a]},a]},{className:"name",begin:i+":",end:":",returnBegin:!0,returnEnd:!0,relevance:0}])}}Ac.exports=GE});var Dc=O((RT,Ic)=>{function YE(e){return{name:"N1QL",case_insensitive:!0,contains:[{beginKeywords:"build create index delete drop explain infer|10 insert merge prepare select update upsert|10",end:/;/,keywords:{keyword:["all","alter","analyze","and","any","array","as","asc","begin","between","binary","boolean","break","bucket","build","by","call","case","cast","cluster","collate","collection","commit","connect","continue","correlate","cover","create","database","dataset","datastore","declare","decrement","delete","derived","desc","describe","distinct","do","drop","each","element","else","end","every","except","exclude","execute","exists","explain","fetch","first","flatten","for","force","from","function","grant","group","gsi","having","if","ignore","ilike","in","include","increment","index","infer","inline","inner","insert","intersect","into","is","join","key","keys","keyspace","known","last","left","let","letting","like","limit","lsm","map","mapping","matched","materialized","merge","minus","namespace","nest","not","number","object","offset","on","option","or","order","outer","over","parse","partition","password","path","pool","prepare","primary","private","privilege","procedure","public","raw","realm","reduce","rename","return","returning","revoke","right","role","rollback","satisfies","schema","select","self","semi","set","show","some","start","statistics","string","system","then","to","transaction","trigger","truncate","under","union","unique","unknown","unnest","unset","update","upsert","use","user","using","validate","value","valued","values","via","view","when","where","while","with","within","work","xor"],literal:["true","false","null","missing|5"],built_in:["array_agg","array_append","array_concat","array_contains","array_count","array_distinct","array_ifnull","array_length","array_max","array_min","array_position","array_prepend","array_put","array_range","array_remove","array_repeat","array_replace","array_reverse","array_sort","array_sum","avg","count","max","min","sum","greatest","least","ifmissing","ifmissingornull","ifnull","missingif","nullif","ifinf","ifnan","ifnanorinf","naninf","neginfif","posinfif","clock_millis","clock_str","date_add_millis","date_add_str","date_diff_millis","date_diff_str","date_part_millis","date_part_str","date_trunc_millis","date_trunc_str","duration_to_str","millis","str_to_millis","millis_to_str","millis_to_utc","millis_to_zone_name","now_millis","now_str","str_to_duration","str_to_utc","str_to_zone_name","decode_json","encode_json","encoded_size","poly_length","base64","base64_encode","base64_decode","meta","uuid","abs","acos","asin","atan","atan2","ceil","cos","degrees","e","exp","ln","log","floor","pi","power","radians","random","round","sign","sin","sqrt","tan","trunc","object_length","object_names","object_pairs","object_inner_pairs","object_values","object_inner_values","object_add","object_put","object_remove","object_unwrap","regexp_contains","regexp_like","regexp_position","regexp_replace","contains","initcap","length","lower","ltrim","position","repeat","replace","rtrim","split","substr","title","trim","upper","isarray","isatom","isboolean","isnumber","isobject","isstring","type","toarray","toatom","toboolean","tonumber","toobject","tostring"]},contains:[{className:"string",begin:"'",end:"'",contains:[e.BACKSLASH_ESCAPE]},{className:"string",begin:'"',end:'"',contains:[e.BACKSLASH_ESCAPE]},{className:"symbol",begin:"`",end:"`",contains:[e.BACKSLASH_ESCAPE]},e.C_NUMBER_MODE,e.C_BLOCK_COMMENT_MODE]},e.C_BLOCK_COMMENT_MODE]}}Ic.exports=YE});var wc=O((CT,xc)=>{function HE(e){let n={match:[/^\s*(?=\S)/,/[^:]+/,/:\s*/,/$/],className:{2:"attribute",3:"punctuation"}},i={match:[/^\s*(?=\S)/,/[^:]*[^: ]/,/[ ]*:/,/[ ]/,/.*$/],className:{2:"attribute",3:"punctuation",5:"string"}},_={match:[/^\s*/,/>/,/[ ]/,/.*$/],className:{2:"punctuation",4:"string"}},l={variants:[{match:[/^\s*/,/-/,/[ ]/,/.*$/]},{match:[/^\s*/,/-$/]}],className:{2:"bullet",4:"string"}};return{name:"Nested Text",aliases:["nt"],contains:[e.inherit(e.HASH_COMMENT_MODE,{begin:/^\s*(?=#)/,excludeBegin:!0}),l,_,n,i]}}xc.exports=HE});var Lc=O((vT,Mc)=>{function qE(e){let n=e.regex,i={className:"variable",variants:[{begin:/\$\d+/},{begin:/\$\{\w+\}/},{begin:n.concat(/[$@]/,e.UNDERSCORE_IDENT_RE)}]},l={endsWithParent:!0,keywords:{$pattern:/[a-z_]{2,}|\/dev\/poll/,literal:["on","off","yes","no","true","false","none","blocked","debug","info","notice","warn","error","crit","select","break","last","permanent","redirect","kqueue","rtsig","epoll","poll","/dev/poll"]},relevance:0,illegal:"=>",contains:[e.HASH_COMMENT_MODE,{className:"string",contains:[e.BACKSLASH_ESCAPE,i],variants:[{begin:/"/,end:/"/},{begin:/'/,end:/'/}]},{begin:"([a-z]+):/",end:"\\s",endsWithParent:!0,excludeEnd:!0,contains:[i]},{className:"regexp",contains:[e.BACKSLASH_ESCAPE,i],variants:[{begin:"\\s\\^",end:"\\s|\\{|;",returnEnd:!0},{begin:"~\\*?\\s+",end:"\\s|\\{|;",returnEnd:!0},{begin:"\\*(\\.[a-z\\-]+)+"},{begin:"([a-z\\-]+\\.)+\\*"}]},{className:"number",begin:"\\b\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}(:\\d{1,5})?\\b"},{className:"number",begin:"\\b\\d+[kKmMgGdshdwy]?\\b",relevance:0},i]};return{name:"Nginx config",aliases:["nginxconf"],contains:[e.HASH_COMMENT_MODE,{beginKeywords:"upstream location",end:/;|\{/,contains:l.contains,keywords:{section:"upstream location"}},{className:"section",begin:n.concat(e.UNDERSCORE_IDENT_RE+n.lookahead(/\s+\{/)),relevance:0},{begin:n.lookahead(e.UNDERSCORE_IDENT_RE+"\\s"),end:";|\\{",contains:[{className:"attribute",begin:e.UNDERSCORE_IDENT_RE,starts:l}],relevance:0}],illegal:"[^\\s\\}\\{]"}}Mc.exports=qE});var kc=O((NT,Pc)=>{function VE(e){return{name:"Nim",keywords:{keyword:["addr","and","as","asm","bind","block","break","case","cast","const","continue","converter","discard","distinct","div","do","elif","else","end","enum","except","export","finally","for","from","func","generic","guarded","if","import","in","include","interface","is","isnot","iterator","let","macro","method","mixin","mod","nil","not","notin","object","of","or","out","proc","ptr","raise","ref","return","shared","shl","shr","static","template","try","tuple","type","using","var","when","while","with","without","xor","yield"],literal:["true","false"],type:["int","int8","int16","int32","int64","uint","uint8","uint16","uint32","uint64","float","float32","float64","bool","char","string","cstring","pointer","expr","stmt","void","auto","any","range","array","openarray","varargs","seq","set","clong","culong","cchar","cschar","cshort","cint","csize","clonglong","cfloat","cdouble","clongdouble","cuchar","cushort","cuint","culonglong","cstringarray","semistatic"],built_in:["stdin","stdout","stderr","result"]},contains:[{className:"meta",begin:/\{\./,end:/\.\}/,relevance:10},{className:"string",begin:/[a-zA-Z]\w*"/,end:/"/,contains:[{begin:/""/}]},{className:"string",begin:/([a-zA-Z]\w*)?"""/,end:/"""/},e.QUOTE_STRING_MODE,{className:"type",begin:/\b[A-Z]\w+\b/,relevance:0},{className:"number",relevance:0,variants:[{begin:/\b(0[xX][0-9a-fA-F][_0-9a-fA-F]*)('?[iIuU](8|16|32|64))?/},{begin:/\b(0o[0-7][_0-7]*)('?[iIuUfF](8|16|32|64))?/},{begin:/\b(0(b|B)[01][_01]*)('?[iIuUfF](8|16|32|64))?/},{begin:/\b(\d[_\d]*)('?[iIuUfF](8|16|32|64))?/}]},e.HASH_COMMENT_MODE]}}Pc.exports=VE});var Fc=O((OT,Uc)=>{function zE(e){let n={keyword:["rec","with","let","in","inherit","assert","if","else","then"],literal:["true","false","or","and","null"],built_in:["import","abort","baseNameOf","dirOf","isNull","builtins","map","removeAttrs","throw","toString","derivation"]},i={className:"subst",begin:/\$\{/,end:/\}/,keywords:n},_={className:"char.escape",begin:/''\$/},l={begin:/[a-zA-Z0-9-_]+(\s*=)/,returnBegin:!0,relevance:0,contains:[{className:"attr",begin:/\S+/,relevance:.2}]},a={className:"string",contains:[_,i],variants:[{begin:"''",end:"''"},{begin:'"',end:'"'}]},s=[e.NUMBER_MODE,e.HASH_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,a,l];return i.contains=s,{name:"Nix",aliases:["nixos"],keywords:n,contains:s}}Uc.exports=zE});var Gc=O((AT,Bc)=>{function WE(e){return{name:"Node REPL",contains:[{className:"meta.prompt",starts:{end:/ |$/,starts:{end:"$",subLanguage:"javascript"}},variants:[{begin:/^>(?=[ ]|$)/},{begin:/^\.\.\.(?=[ ]|$)/}]}]}}Bc.exports=WE});var Hc=O((yT,Yc)=>{function $E(e){let n=e.regex,i=["ADMINTOOLS","APPDATA","CDBURN_AREA","CMDLINE","COMMONFILES32","COMMONFILES64","COMMONFILES","COOKIES","DESKTOP","DOCUMENTS","EXEDIR","EXEFILE","EXEPATH","FAVORITES","FONTS","HISTORY","HWNDPARENT","INSTDIR","INTERNET_CACHE","LANGUAGE","LOCALAPPDATA","MUSIC","NETHOOD","OUTDIR","PICTURES","PLUGINSDIR","PRINTHOOD","PROFILE","PROGRAMFILES32","PROGRAMFILES64","PROGRAMFILES","QUICKLAUNCH","RECENT","RESOURCES_LOCALIZED","RESOURCES","SENDTO","SMPROGRAMS","SMSTARTUP","STARTMENU","SYSDIR","TEMP","TEMPLATES","VIDEOS","WINDIR"],_=["ARCHIVE","FILE_ATTRIBUTE_ARCHIVE","FILE_ATTRIBUTE_NORMAL","FILE_ATTRIBUTE_OFFLINE","FILE_ATTRIBUTE_READONLY","FILE_ATTRIBUTE_SYSTEM","FILE_ATTRIBUTE_TEMPORARY","HKCR","HKCU","HKDD","HKEY_CLASSES_ROOT","HKEY_CURRENT_CONFIG","HKEY_CURRENT_USER","HKEY_DYN_DATA","HKEY_LOCAL_MACHINE","HKEY_PERFORMANCE_DATA","HKEY_USERS","HKLM","HKPD","HKU","IDABORT","IDCANCEL","IDIGNORE","IDNO","IDOK","IDRETRY","IDYES","MB_ABORTRETRYIGNORE","MB_DEFBUTTON1","MB_DEFBUTTON2","MB_DEFBUTTON3","MB_DEFBUTTON4","MB_ICONEXCLAMATION","MB_ICONINFORMATION","MB_ICONQUESTION","MB_ICONSTOP","MB_OK","MB_OKCANCEL","MB_RETRYCANCEL","MB_RIGHT","MB_RTLREADING","MB_SETFOREGROUND","MB_TOPMOST","MB_USERICON","MB_YESNO","NORMAL","OFFLINE","READONLY","SHCTX","SHELL_CONTEXT","SYSTEM|TEMPORARY"],l=["addincludedir","addplugindir","appendfile","cd","define","delfile","echo","else","endif","error","execute","finalize","getdllversion","gettlbversion","if","ifdef","ifmacrodef","ifmacrondef","ifndef","include","insertmacro","macro","macroend","makensis","packhdr","searchparse","searchreplace","system","tempfile","undef","uninstfinalize","verbose","warning"],a={className:"variable.constant",begin:n.concat(/\$/,n.either(...i))},s={className:"variable",begin:/\$+\{[\!\w.:-]+\}/},d={className:"variable",begin:/\$+\w[\w\.]*/,illegal:/\(\)\{\}/},u={className:"variable",begin:/\$+\([\w^.:!-]+\)/},E={className:"params",begin:n.either(..._)},f={className:"keyword",begin:n.concat(/!/,n.either(...l))},N={className:"char.escape",begin:/\$(\\[nrt]|\$)/},S={className:"title.function",begin:/\w+::\w+/},h={className:"string",variants:[{begin:'"',end:'"'},{begin:"'",end:"'"},{begin:"`",end:"`"}],illegal:/\n/,contains:[N,a,s,d,u]},C=["Abort","AddBrandingImage","AddSize","AllowRootDirInstall","AllowSkipFiles","AutoCloseWindow","BGFont","BGGradient","BrandingText","BringToFront","Call","CallInstDLL","Caption","ChangeUI","CheckBitmap","ClearErrors","CompletedText","ComponentText","CopyFiles","CRCCheck","CreateDirectory","CreateFont","CreateShortCut","Delete","DeleteINISec","DeleteINIStr","DeleteRegKey","DeleteRegValue","DetailPrint","DetailsButtonText","DirText","DirVar","DirVerify","EnableWindow","EnumRegKey","EnumRegValue","Exch","Exec","ExecShell","ExecShellWait","ExecWait","ExpandEnvStrings","File","FileBufSize","FileClose","FileErrorText","FileOpen","FileRead","FileReadByte","FileReadUTF16LE","FileReadWord","FileWriteUTF16LE","FileSeek","FileWrite","FileWriteByte","FileWriteWord","FindClose","FindFirst","FindNext","FindWindow","FlushINI","GetCurInstType","GetCurrentAddress","GetDlgItem","GetDLLVersion","GetDLLVersionLocal","GetErrorLevel","GetFileTime","GetFileTimeLocal","GetFullPathName","GetFunctionAddress","GetInstDirError","GetKnownFolderPath","GetLabelAddress","GetTempFileName","GetWinVer","Goto","HideWindow","Icon","IfAbort","IfErrors","IfFileExists","IfRebootFlag","IfRtlLanguage","IfShellVarContextAll","IfSilent","InitPluginsDir","InstallButtonText","InstallColors","InstallDir","InstallDirRegKey","InstProgressFlags","InstType","InstTypeGetText","InstTypeSetText","Int64Cmp","Int64CmpU","Int64Fmt","IntCmp","IntCmpU","IntFmt","IntOp","IntPtrCmp","IntPtrCmpU","IntPtrOp","IsWindow","LangString","LicenseBkColor","LicenseData","LicenseForceSelection","LicenseLangString","LicenseText","LoadAndSetImage","LoadLanguageFile","LockWindow","LogSet","LogText","ManifestDPIAware","ManifestLongPathAware","ManifestMaxVersionTested","ManifestSupportedOS","MessageBox","MiscButtonText","Name|0","Nop","OutFile","Page","PageCallbacks","PEAddResource","PEDllCharacteristics","PERemoveResource","PESubsysVer","Pop","Push","Quit","ReadEnvStr","ReadINIStr","ReadRegDWORD","ReadRegStr","Reboot","RegDLL","Rename","RequestExecutionLevel","ReserveFile","Return","RMDir","SearchPath","SectionGetFlags","SectionGetInstTypes","SectionGetSize","SectionGetText","SectionIn","SectionSetFlags","SectionSetInstTypes","SectionSetSize","SectionSetText","SendMessage","SetAutoClose","SetBrandingImage","SetCompress","SetCompressor","SetCompressorDictSize","SetCtlColors","SetCurInstType","SetDatablockOptimize","SetDateSave","SetDetailsPrint","SetDetailsView","SetErrorLevel","SetErrors","SetFileAttributes","SetFont","SetOutPath","SetOverwrite","SetRebootFlag","SetRegView","SetShellVarContext","SetSilent","ShowInstDetails","ShowUninstDetails","ShowWindow","SilentInstall","SilentUnInstall","Sleep","SpaceTexts","StrCmp","StrCmpS","StrCpy","StrLen","SubCaption","Unicode","UninstallButtonText","UninstallCaption","UninstallIcon","UninstallSubCaption","UninstallText","UninstPage","UnRegDLL","Var","VIAddVersionKey","VIFileVersion","VIProductVersion","WindowIcon","WriteINIStr","WriteRegBin","WriteRegDWORD","WriteRegExpandStr","WriteRegMultiStr","WriteRegNone","WriteRegStr","WriteUninstaller","XPStyle"],I=["admin","all","auto","both","bottom","bzip2","colored","components","current","custom","directory","false","force","hide","highest","ifdiff","ifnewer","instfiles","lastused","leave","left","license","listonly","lzma","nevershow","none","normal","notset","off","on","open","print","right","show","silent","silentlog","smooth","textonly","top","true","try","un.components","un.custom","un.directory","un.instfiles","un.license","uninstConfirm","user","Win10","Win7","Win8","WinVista","zlib"],x={match:[/Function/,/\s+/,n.concat(/(\.)?/,e.IDENT_RE)],scope:{1:"keyword",3:"title.function"}},q={match:[/Var/,/\s+/,/(?:\/GLOBAL\s+)?/,/[A-Za-z][\w.]*/],scope:{1:"keyword",3:"params",4:"variable"}};return{name:"NSIS",case_insensitive:!0,keywords:{keyword:C,literal:I},contains:[e.HASH_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.COMMENT(";","$",{relevance:0}),q,x,{beginKeywords:"Function PageEx Section SectionGroup FunctionEnd SectionEnd"},h,f,s,d,u,E,S,e.NUMBER_MODE]}}Yc.exports=$E});var Vc=O((IT,qc)=>{function KE(e){let n={className:"built_in",begin:"\\b(AV|CA|CF|CG|CI|CL|CM|CN|CT|MK|MP|MTK|MTL|NS|SCN|SK|UI|WK|XC)\\w+"},i=/[a-zA-Z@][a-zA-Z0-9_]*/,d={"variable.language":["this","super"],$pattern:i,keyword:["while","export","sizeof","typedef","const","struct","for","union","volatile","static","mutable","if","do","return","goto","enum","else","break","extern","asm","case","default","register","explicit","typename","switch","continue","inline","readonly","assign","readwrite","self","@synchronized","id","typeof","nonatomic","IBOutlet","IBAction","strong","weak","copy","in","out","inout","bycopy","byref","oneway","__strong","__weak","__block","__autoreleasing","@private","@protected","@public","@try","@property","@end","@throw","@catch","@finally","@autoreleasepool","@synthesize","@dynamic","@selector","@optional","@required","@encode","@package","@import","@defs","@compatibility_alias","__bridge","__bridge_transfer","__bridge_retained","__bridge_retain","__covariant","__contravariant","__kindof","_Nonnull","_Nullable","_Null_unspecified","__FUNCTION__","__PRETTY_FUNCTION__","__attribute__","getter","setter","retain","unsafe_unretained","nonnull","nullable","null_unspecified","null_resettable","class","instancetype","NS_DESIGNATED_INITIALIZER","NS_UNAVAILABLE","NS_REQUIRES_SUPER","NS_RETURNS_INNER_POINTER","NS_INLINE","NS_AVAILABLE","NS_DEPRECATED","NS_ENUM","NS_OPTIONS","NS_SWIFT_UNAVAILABLE","NS_ASSUME_NONNULL_BEGIN","NS_ASSUME_NONNULL_END","NS_REFINED_FOR_SWIFT","NS_SWIFT_NAME","NS_SWIFT_NOTHROW","NS_DURING","NS_HANDLER","NS_ENDHANDLER","NS_VALUERETURN","NS_VOIDRETURN"],literal:["false","true","FALSE","TRUE","nil","YES","NO","NULL"],built_in:["dispatch_once_t","dispatch_queue_t","dispatch_sync","dispatch_async","dispatch_once"],type:["int","float","char","unsigned","signed","short","long","double","wchar_t","unichar","void","bool","BOOL","id|0","_Bool"]},u={$pattern:i,keyword:["@interface","@class","@protocol","@implementation"]};return{name:"Objective-C",aliases:["mm","objc","obj-c","obj-c++","objective-c++"],keywords:d,illegal:"</",contains:[n,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.C_NUMBER_MODE,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,{className:"string",variants:[{begin:'@"',end:'"',illegal:"\\n",contains:[e.BACKSLASH_ESCAPE]}]},{className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},e.inherit(e.QUOTE_STRING_MODE,{className:"string"}),{className:"string",begin:/<.*?>/,end:/$/,illegal:"\\n"},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]},{className:"class",begin:"("+u.keyword.join("|")+")\\b",end:/(\{|$)/,excludeEnd:!0,keywords:u,contains:[e.UNDERSCORE_TITLE_MODE]},{begin:"\\."+e.UNDERSCORE_IDENT_RE,relevance:0}]}}qc.exports=KE});var Wc=O((DT,zc)=>{function QE(e){return{name:"OCaml",aliases:["ml"],keywords:{$pattern:"[a-z_]\\w*!?",keyword:"and as assert asr begin class constraint do done downto else end exception external for fun function functor if in include inherit! inherit initializer land lazy let lor lsl lsr lxor match method!|10 method mod module mutable new object of open! open or private rec sig struct then to try type val! val virtual when while with parser value",built_in:"array bool bytes char exn|5 float int int32 int64 list lazy_t|5 nativeint|5 string unit in_channel out_channel ref",literal:"true false"},illegal:/\/\/|>>/,contains:[{className:"literal",begin:"\\[(\\|\\|)?\\]|\\(\\)",relevance:0},e.COMMENT("\\(\\*","\\*\\)",{contains:["self"]}),{className:"symbol",begin:"'[A-Za-z_](?!')[\\w']*"},{className:"type",begin:"`[A-Z][\\w']*"},{className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},{begin:"[a-z_]\\w*'[\\w']*",relevance:0},e.inherit(e.APOS_STRING_MODE,{className:"string",relevance:0}),e.inherit(e.QUOTE_STRING_MODE,{illegal:null}),{className:"number",begin:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",relevance:0},{begin:/->/}]}}zc.exports=QE});var Kc=O((xT,$c)=>{function XE(e){let n={className:"keyword",begin:"\\$(f[asn]|t|vp[rtd]|children)"},i={className:"literal",begin:"false|true|PI|undef"},_={className:"number",begin:"\\b\\d+(\\.\\d+)?(e-?\\d+)?",relevance:0},l=e.inherit(e.QUOTE_STRING_MODE,{illegal:null}),a={className:"meta",keywords:{keyword:"include use"},begin:"include|use <",end:">"},s={className:"params",begin:"\\(",end:"\\)",contains:["self",_,l,n,i]},d={begin:"[*!#%]",relevance:0},u={className:"function",beginKeywords:"module function",end:/=|\{/,contains:[s,e.UNDERSCORE_TITLE_MODE]};return{name:"OpenSCAD",aliases:["scad"],keywords:{keyword:"function module include use for intersection_for if else \\%",literal:"false true PI undef",built_in:"circle square polygon text sphere cube cylinder polyhedron translate rotate scale resize mirror multmatrix color offset hull minkowski union difference intersection abs sign sin cos tan acos asin atan atan2 floor round ceil ln log pow sqrt exp rands min max concat lookup str chr search version version_num norm cross parent_module echo import import_dxf dxf_linear_extrude linear_extrude rotate_extrude surface projection render children dxf_cross dxf_dim let assign"},contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,_,a,l,n,d,u]}}$c.exports=XE});var Xc=O((wT,Qc)=>{function ZE(e){let n={$pattern:/\.?\w+/,keyword:"abstract add and array as asc aspect assembly async begin break block by case class concat const copy constructor continue create default delegate desc distinct div do downto dynamic each else empty end ensure enum equals event except exit extension external false final finalize finalizer finally flags for forward from function future global group has if implementation implements implies in index inherited inline interface into invariants is iterator join locked locking loop matching method mod module namespace nested new nil not notify nullable of old on operator or order out override parallel params partial pinned private procedure property protected public queryable raise read readonly record reintroduce remove repeat require result reverse sealed select self sequence set shl shr skip static step soft take then to true try tuple type union unit unsafe until uses using var virtual raises volatile where while with write xor yield await mapped deprecated stdcall cdecl pascal register safecall overload library platform reference packed strict published autoreleasepool selector strong weak unretained"},i=e.COMMENT(/\{/,/\}/,{relevance:0}),_=e.COMMENT("\\(\\*","\\*\\)",{relevance:10}),l={className:"string",begin:"'",end:"'",contains:[{begin:"''"}]},a={className:"string",begin:"(#\\d+)+"},s={beginKeywords:"function constructor destructor procedure method",end:"[:;]",keywords:"function constructor|10 destructor|10 procedure|10 method|10",contains:[e.inherit(e.TITLE_MODE,{scope:"title.function"}),{className:"params",begin:"\\(",end:"\\)",keywords:n,contains:[l,a]},i,_]},d={scope:"punctuation",match:/;/,relevance:0};return{name:"Oxygene",case_insensitive:!0,keywords:n,illegal:'("|\\$[G-Zg-z]|\\/\\*|</|=>|->)',contains:[i,_,e.C_LINE_COMMENT_MODE,l,a,e.NUMBER_MODE,s,d]}}Qc.exports=ZE});var Jc=O((MT,Zc)=>{function JE(e){let n=e.COMMENT(/\{/,/\}/,{contains:["self"]});return{name:"Parser3",subLanguage:"xml",relevance:0,contains:[e.COMMENT("^#","$"),e.COMMENT(/\^rem\{/,/\}/,{relevance:10,contains:[n]}),{className:"meta",begin:"^@(?:BASE|USE|CLASS|OPTIONS)$",relevance:10},{className:"title",begin:"@[\\w\\-]+\\[[\\w^;\\-]*\\](?:\\[[\\w^;\\-]*\\])?(?:.*)$"},{className:"variable",begin:/\$\{?[\w\-.:]+\}?/},{className:"keyword",begin:/\^[\w\-.:]+/},{className:"number",begin:"\\^#[0-9a-fA-F]+"},e.C_NUMBER_MODE]}}Zc.exports=JE});var ed=O((LT,jc)=>{function jE(e){let n={className:"variable",begin:/\$[\w\d#@][\w\d_]*/,relevance:0},i={className:"variable",begin:/<(?!\/)/,end:/>/};return{name:"Packet Filter config",aliases:["pf.conf"],keywords:{$pattern:/[a-z0-9_<>-]+/,built_in:"block match pass load anchor|5 antispoof|10 set table",keyword:"in out log quick on rdomain inet inet6 proto from port os to route allow-opts divert-packet divert-reply divert-to flags group icmp-type icmp6-type label once probability recieved-on rtable prio queue tos tag tagged user keep fragment for os drop af-to|10 binat-to|10 nat-to|10 rdr-to|10 bitmask least-stats random round-robin source-hash static-port dup-to reply-to route-to parent bandwidth default min max qlimit block-policy debug fingerprints hostid limit loginterface optimization reassemble ruleset-optimization basic none profile skip state-defaults state-policy timeout const counters persist no modulate synproxy state|5 floating if-bound no-sync pflow|10 sloppy source-track global rule max-src-nodes max-src-states max-src-conn max-src-conn-rate overload flush scrub|5 max-mss min-ttl no-df|10 random-id",literal:"all any no-route self urpf-failed egress|5 unknown"},contains:[e.HASH_COMMENT_MODE,e.NUMBER_MODE,e.QUOTE_STRING_MODE,n,i]}}jc.exports=jE});var nd=O((PT,td)=>{function eb(e){let n=e.COMMENT("--","$"),i="[a-zA-Z_][a-zA-Z_0-9$]*",_="\\$([a-zA-Z_]?|[a-zA-Z_][a-zA-Z_0-9]*)\\$",l="<<\\s*"+i+"\\s*>>",a="ABORT ALTER ANALYZE BEGIN CALL CHECKPOINT|10 CLOSE CLUSTER COMMENT COMMIT COPY CREATE DEALLOCATE DECLARE DELETE DISCARD DO DROP END EXECUTE EXPLAIN FETCH GRANT IMPORT INSERT LISTEN LOAD LOCK MOVE NOTIFY PREPARE REASSIGN|10 REFRESH REINDEX RELEASE RESET REVOKE ROLLBACK SAVEPOINT SECURITY SELECT SET SHOW START TRUNCATE UNLISTEN|10 UPDATE VACUUM|10 VALUES AGGREGATE COLLATION CONVERSION|10 DATABASE DEFAULT PRIVILEGES DOMAIN TRIGGER EXTENSION FOREIGN WRAPPER|10 TABLE FUNCTION GROUP LANGUAGE LARGE OBJECT MATERIALIZED VIEW OPERATOR CLASS FAMILY POLICY PUBLICATION|10 ROLE RULE SCHEMA SEQUENCE SERVER STATISTICS SUBSCRIPTION SYSTEM TABLESPACE CONFIGURATION DICTIONARY PARSER TEMPLATE TYPE USER MAPPING PREPARED ACCESS METHOD CAST AS TRANSFORM TRANSACTION OWNED TO INTO SESSION AUTHORIZATION INDEX PROCEDURE ASSERTION ALL ANALYSE AND ANY ARRAY ASC ASYMMETRIC|10 BOTH CASE CHECK COLLATE COLUMN CONCURRENTLY|10 CONSTRAINT CROSS DEFERRABLE RANGE DESC DISTINCT ELSE EXCEPT FOR FREEZE|10 FROM FULL HAVING ILIKE IN INITIALLY INNER INTERSECT IS ISNULL JOIN LATERAL LEADING LIKE LIMIT NATURAL NOT NOTNULL NULL OFFSET ON ONLY OR ORDER OUTER OVERLAPS PLACING PRIMARY REFERENCES RETURNING SIMILAR SOME SYMMETRIC TABLESAMPLE THEN TRAILING UNION UNIQUE USING VARIADIC|10 VERBOSE WHEN WHERE WINDOW WITH BY RETURNS INOUT OUT SETOF|10 IF STRICT CURRENT CONTINUE OWNER LOCATION OVER PARTITION WITHIN BETWEEN ESCAPE EXTERNAL INVOKER DEFINER WORK RENAME VERSION CONNECTION CONNECT TABLES TEMP TEMPORARY FUNCTIONS SEQUENCES TYPES SCHEMAS OPTION CASCADE RESTRICT ADD ADMIN EXISTS VALID VALIDATE ENABLE DISABLE REPLICA|10 ALWAYS PASSING COLUMNS PATH REF VALUE OVERRIDING IMMUTABLE STABLE VOLATILE BEFORE AFTER EACH ROW PROCEDURAL ROUTINE NO HANDLER VALIDATOR OPTIONS STORAGE OIDS|10 WITHOUT INHERIT DEPENDS CALLED INPUT LEAKPROOF|10 COST ROWS NOWAIT SEARCH UNTIL ENCRYPTED|10 PASSWORD CONFLICT|10 INSTEAD INHERITS CHARACTERISTICS WRITE CURSOR ALSO STATEMENT SHARE EXCLUSIVE INLINE ISOLATION REPEATABLE READ COMMITTED SERIALIZABLE UNCOMMITTED LOCAL GLOBAL SQL PROCEDURES RECURSIVE SNAPSHOT ROLLUP CUBE TRUSTED|10 INCLUDE FOLLOWING PRECEDING UNBOUNDED RANGE GROUPS UNENCRYPTED|10 SYSID FORMAT DELIMITER HEADER QUOTE ENCODING FILTER OFF FORCE_QUOTE FORCE_NOT_NULL FORCE_NULL COSTS BUFFERS TIMING SUMMARY DISABLE_PAGE_SKIPPING RESTART CYCLE GENERATED IDENTITY DEFERRED IMMEDIATE LEVEL LOGGED UNLOGGED OF NOTHING NONE EXCLUDE ATTRIBUTE USAGE ROUTINES TRUE FALSE NAN INFINITY ",s="SUPERUSER NOSUPERUSER CREATEDB NOCREATEDB CREATEROLE NOCREATEROLE INHERIT NOINHERIT LOGIN NOLOGIN REPLICATION NOREPLICATION BYPASSRLS NOBYPASSRLS ",d="ALIAS BEGIN CONSTANT DECLARE END EXCEPTION RETURN PERFORM|10 RAISE GET DIAGNOSTICS STACKED|10 FOREACH LOOP ELSIF EXIT WHILE REVERSE SLICE DEBUG LOG INFO NOTICE WARNING ASSERT OPEN ",u="BIGINT INT8 BIGSERIAL SERIAL8 BIT VARYING VARBIT BOOLEAN BOOL BOX BYTEA CHARACTER CHAR VARCHAR CIDR CIRCLE DATE DOUBLE PRECISION FLOAT8 FLOAT INET INTEGER INT INT4 INTERVAL JSON JSONB LINE LSEG|10 MACADDR MACADDR8 MONEY NUMERIC DEC DECIMAL PATH POINT POLYGON REAL FLOAT4 SMALLINT INT2 SMALLSERIAL|10 SERIAL2|10 SERIAL|10 SERIAL4|10 TEXT TIME ZONE TIMETZ|10 TIMESTAMP TIMESTAMPTZ|10 TSQUERY|10 TSVECTOR|10 TXID_SNAPSHOT|10 UUID XML NATIONAL NCHAR INT4RANGE|10 INT8RANGE|10 NUMRANGE|10 TSRANGE|10 TSTZRANGE|10 DATERANGE|10 ANYELEMENT ANYARRAY ANYNONARRAY ANYENUM ANYRANGE CSTRING INTERNAL RECORD PG_DDL_COMMAND VOID UNKNOWN OPAQUE REFCURSOR NAME OID REGPROC|10 REGPROCEDURE|10 REGOPER|10 REGOPERATOR|10 REGCLASS|10 REGTYPE|10 REGROLE|10 REGNAMESPACE|10 REGCONFIG|10 REGDICTIONARY|10 ",E=u.trim().split(" ").map(function(I){return I.split("|")[0]}).join("|"),f="CURRENT_TIME CURRENT_TIMESTAMP CURRENT_USER CURRENT_CATALOG|10 CURRENT_DATE LOCALTIME LOCALTIMESTAMP CURRENT_ROLE|10 CURRENT_SCHEMA|10 SESSION_USER PUBLIC ",N="FOUND NEW OLD TG_NAME|10 TG_WHEN|10 TG_LEVEL|10 TG_OP|10 TG_RELID|10 TG_RELNAME|10 TG_TABLE_NAME|10 TG_TABLE_SCHEMA|10 TG_NARGS|10 TG_ARGV|10 TG_EVENT|10 TG_TAG|10 ROW_COUNT RESULT_OID|10 PG_CONTEXT|10 RETURNED_SQLSTATE COLUMN_NAME CONSTRAINT_NAME PG_DATATYPE_NAME|10 MESSAGE_TEXT TABLE_NAME SCHEMA_NAME PG_EXCEPTION_DETAIL|10 PG_EXCEPTION_HINT|10 PG_EXCEPTION_CONTEXT|10 ",S="SQLSTATE SQLERRM|10 SUCCESSFUL_COMPLETION WARNING DYNAMIC_RESULT_SETS_RETURNED IMPLICIT_ZERO_BIT_PADDING NULL_VALUE_ELIMINATED_IN_SET_FUNCTION PRIVILEGE_NOT_GRANTED PRIVILEGE_NOT_REVOKED STRING_DATA_RIGHT_TRUNCATION DEPRECATED_FEATURE NO_DATA NO_ADDITIONAL_DYNAMIC_RESULT_SETS_RETURNED SQL_STATEMENT_NOT_YET_COMPLETE CONNECTION_EXCEPTION CONNECTION_DOES_NOT_EXIST CONNECTION_FAILURE SQLCLIENT_UNABLE_TO_ESTABLISH_SQLCONNECTION SQLSERVER_REJECTED_ESTABLISHMENT_OF_SQLCONNECTION TRANSACTION_RESOLUTION_UNKNOWN PROTOCOL_VIOLATION TRIGGERED_ACTION_EXCEPTION FEATURE_NOT_SUPPORTED INVALID_TRANSACTION_INITIATION LOCATOR_EXCEPTION INVALID_LOCATOR_SPECIFICATION INVALID_GRANTOR INVALID_GRANT_OPERATION INVALID_ROLE_SPECIFICATION DIAGNOSTICS_EXCEPTION STACKED_DIAGNOSTICS_ACCESSED_WITHOUT_ACTIVE_HANDLER CASE_NOT_FOUND CARDINALITY_VIOLATION DATA_EXCEPTION ARRAY_SUBSCRIPT_ERROR CHARACTER_NOT_IN_REPERTOIRE DATETIME_FIELD_OVERFLOW DIVISION_BY_ZERO ERROR_IN_ASSIGNMENT ESCAPE_CHARACTER_CONFLICT INDICATOR_OVERFLOW INTERVAL_FIELD_OVERFLOW INVALID_ARGUMENT_FOR_LOGARITHM INVALID_ARGUMENT_FOR_NTILE_FUNCTION INVALID_ARGUMENT_FOR_NTH_VALUE_FUNCTION INVALID_ARGUMENT_FOR_POWER_FUNCTION INVALID_ARGUMENT_FOR_WIDTH_BUCKET_FUNCTION INVALID_CHARACTER_VALUE_FOR_CAST INVALID_DATETIME_FORMAT INVALID_ESCAPE_CHARACTER INVALID_ESCAPE_OCTET INVALID_ESCAPE_SEQUENCE NONSTANDARD_USE_OF_ESCAPE_CHARACTER INVALID_INDICATOR_PARAMETER_VALUE INVALID_PARAMETER_VALUE INVALID_REGULAR_EXPRESSION INVALID_ROW_COUNT_IN_LIMIT_CLAUSE INVALID_ROW_COUNT_IN_RESULT_OFFSET_CLAUSE INVALID_TABLESAMPLE_ARGUMENT INVALID_TABLESAMPLE_REPEAT INVALID_TIME_ZONE_DISPLACEMENT_VALUE INVALID_USE_OF_ESCAPE_CHARACTER MOST_SPECIFIC_TYPE_MISMATCH NULL_VALUE_NOT_ALLOWED NULL_VALUE_NO_INDICATOR_PARAMETER NUMERIC_VALUE_OUT_OF_RANGE SEQUENCE_GENERATOR_LIMIT_EXCEEDED STRING_DATA_LENGTH_MISMATCH STRING_DATA_RIGHT_TRUNCATION SUBSTRING_ERROR TRIM_ERROR UNTERMINATED_C_STRING ZERO_LENGTH_CHARACTER_STRING FLOATING_POINT_EXCEPTION INVALID_TEXT_REPRESENTATION INVALID_BINARY_REPRESENTATION BAD_COPY_FILE_FORMAT UNTRANSLATABLE_CHARACTER NOT_AN_XML_DOCUMENT INVALID_XML_DOCUMENT INVALID_XML_CONTENT INVALID_XML_COMMENT INVALID_XML_PROCESSING_INSTRUCTION INTEGRITY_CONSTRAINT_VIOLATION RESTRICT_VIOLATION NOT_NULL_VIOLATION FOREIGN_KEY_VIOLATION UNIQUE_VIOLATION CHECK_VIOLATION EXCLUSION_VIOLATION INVALID_CURSOR_STATE INVALID_TRANSACTION_STATE ACTIVE_SQL_TRANSACTION BRANCH_TRANSACTION_ALREADY_ACTIVE HELD_CURSOR_REQUIRES_SAME_ISOLATION_LEVEL INAPPROPRIATE_ACCESS_MODE_FOR_BRANCH_TRANSACTION INAPPROPRIATE_ISOLATION_LEVEL_FOR_BRANCH_TRANSACTION NO_ACTIVE_SQL_TRANSACTION_FOR_BRANCH_TRANSACTION READ_ONLY_SQL_TRANSACTION SCHEMA_AND_DATA_STATEMENT_MIXING_NOT_SUPPORTED NO_ACTIVE_SQL_TRANSACTION IN_FAILED_SQL_TRANSACTION IDLE_IN_TRANSACTION_SESSION_TIMEOUT INVALID_SQL_STATEMENT_NAME TRIGGERED_DATA_CHANGE_VIOLATION INVALID_AUTHORIZATION_SPECIFICATION INVALID_PASSWORD DEPENDENT_PRIVILEGE_DESCRIPTORS_STILL_EXIST DEPENDENT_OBJECTS_STILL_EXIST INVALID_TRANSACTION_TERMINATION SQL_ROUTINE_EXCEPTION FUNCTION_EXECUTED_NO_RETURN_STATEMENT MODIFYING_SQL_DATA_NOT_PERMITTED PROHIBITED_SQL_STATEMENT_ATTEMPTED READING_SQL_DATA_NOT_PERMITTED INVALID_CURSOR_NAME EXTERNAL_ROUTINE_EXCEPTION CONTAINING_SQL_NOT_PERMITTED MODIFYING_SQL_DATA_NOT_PERMITTED PROHIBITED_SQL_STATEMENT_ATTEMPTED READING_SQL_DATA_NOT_PERMITTED EXTERNAL_ROUTINE_INVOCATION_EXCEPTION INVALID_SQLSTATE_RETURNED NULL_VALUE_NOT_ALLOWED TRIGGER_PROTOCOL_VIOLATED SRF_PROTOCOL_VIOLATED EVENT_TRIGGER_PROTOCOL_VIOLATED SAVEPOINT_EXCEPTION INVALID_SAVEPOINT_SPECIFICATION INVALID_CATALOG_NAME INVALID_SCHEMA_NAME TRANSACTION_ROLLBACK TRANSACTION_INTEGRITY_CONSTRAINT_VIOLATION SERIALIZATION_FAILURE STATEMENT_COMPLETION_UNKNOWN DEADLOCK_DETECTED SYNTAX_ERROR_OR_ACCESS_RULE_VIOLATION SYNTAX_ERROR INSUFFICIENT_PRIVILEGE CANNOT_COERCE GROUPING_ERROR WINDOWING_ERROR INVALID_RECURSION INVALID_FOREIGN_KEY INVALID_NAME NAME_TOO_LONG RESERVED_NAME DATATYPE_MISMATCH INDETERMINATE_DATATYPE COLLATION_MISMATCH INDETERMINATE_COLLATION WRONG_OBJECT_TYPE GENERATED_ALWAYS UNDEFINED_COLUMN UNDEFINED_FUNCTION UNDEFINED_TABLE UNDEFINED_PARAMETER UNDEFINED_OBJECT DUPLICATE_COLUMN DUPLICATE_CURSOR DUPLICATE_DATABASE DUPLICATE_FUNCTION DUPLICATE_PREPARED_STATEMENT DUPLICATE_SCHEMA DUPLICATE_TABLE DUPLICATE_ALIAS DUPLICATE_OBJECT AMBIGUOUS_COLUMN AMBIGUOUS_FUNCTION AMBIGUOUS_PARAMETER AMBIGUOUS_ALIAS INVALID_COLUMN_REFERENCE INVALID_COLUMN_DEFINITION INVALID_CURSOR_DEFINITION INVALID_DATABASE_DEFINITION INVALID_FUNCTION_DEFINITION INVALID_PREPARED_STATEMENT_DEFINITION INVALID_SCHEMA_DEFINITION INVALID_TABLE_DEFINITION INVALID_OBJECT_DEFINITION WITH_CHECK_OPTION_VIOLATION INSUFFICIENT_RESOURCES DISK_FULL OUT_OF_MEMORY TOO_MANY_CONNECTIONS CONFIGURATION_LIMIT_EXCEEDED PROGRAM_LIMIT_EXCEEDED STATEMENT_TOO_COMPLEX TOO_MANY_COLUMNS TOO_MANY_ARGUMENTS OBJECT_NOT_IN_PREREQUISITE_STATE OBJECT_IN_USE CANT_CHANGE_RUNTIME_PARAM LOCK_NOT_AVAILABLE OPERATOR_INTERVENTION QUERY_CANCELED ADMIN_SHUTDOWN CRASH_SHUTDOWN CANNOT_CONNECT_NOW DATABASE_DROPPED SYSTEM_ERROR IO_ERROR UNDEFINED_FILE DUPLICATE_FILE SNAPSHOT_TOO_OLD CONFIG_FILE_ERROR LOCK_FILE_EXISTS FDW_ERROR FDW_COLUMN_NAME_NOT_FOUND FDW_DYNAMIC_PARAMETER_VALUE_NEEDED FDW_FUNCTION_SEQUENCE_ERROR FDW_INCONSISTENT_DESCRIPTOR_INFORMATION FDW_INVALID_ATTRIBUTE_VALUE FDW_INVALID_COLUMN_NAME FDW_INVALID_COLUMN_NUMBER FDW_INVALID_DATA_TYPE FDW_INVALID_DATA_TYPE_DESCRIPTORS FDW_INVALID_DESCRIPTOR_FIELD_IDENTIFIER FDW_INVALID_HANDLE FDW_INVALID_OPTION_INDEX FDW_INVALID_OPTION_NAME FDW_INVALID_STRING_LENGTH_OR_BUFFER_LENGTH FDW_INVALID_STRING_FORMAT FDW_INVALID_USE_OF_NULL_POINTER FDW_TOO_MANY_HANDLES FDW_OUT_OF_MEMORY FDW_NO_SCHEMAS FDW_OPTION_NAME_NOT_FOUND FDW_REPLY_HANDLE FDW_SCHEMA_NOT_FOUND FDW_TABLE_NOT_FOUND FDW_UNABLE_TO_CREATE_EXECUTION FDW_UNABLE_TO_CREATE_REPLY FDW_UNABLE_TO_ESTABLISH_CONNECTION PLPGSQL_ERROR RAISE_EXCEPTION NO_DATA_FOUND TOO_MANY_ROWS ASSERT_FAILURE INTERNAL_ERROR DATA_CORRUPTED INDEX_CORRUPTED ",C="ARRAY_AGG AVG BIT_AND BIT_OR BOOL_AND BOOL_OR COUNT EVERY JSON_AGG JSONB_AGG JSON_OBJECT_AGG JSONB_OBJECT_AGG MAX MIN MODE STRING_AGG SUM XMLAGG CORR COVAR_POP COVAR_SAMP REGR_AVGX REGR_AVGY REGR_COUNT REGR_INTERCEPT REGR_R2 REGR_SLOPE REGR_SXX REGR_SXY REGR_SYY STDDEV STDDEV_POP STDDEV_SAMP VARIANCE VAR_POP VAR_SAMP PERCENTILE_CONT PERCENTILE_DISC ROW_NUMBER RANK DENSE_RANK PERCENT_RANK CUME_DIST NTILE LAG LEAD FIRST_VALUE LAST_VALUE NTH_VALUE NUM_NONNULLS NUM_NULLS ABS CBRT CEIL CEILING DEGREES DIV EXP FLOOR LN LOG MOD PI POWER RADIANS ROUND SCALE SIGN SQRT TRUNC WIDTH_BUCKET RANDOM SETSEED ACOS ACOSD ASIN ASIND ATAN ATAND ATAN2 ATAN2D COS COSD COT COTD SIN SIND TAN TAND BIT_LENGTH CHAR_LENGTH CHARACTER_LENGTH LOWER OCTET_LENGTH OVERLAY POSITION SUBSTRING TREAT TRIM UPPER ASCII BTRIM CHR CONCAT CONCAT_WS CONVERT CONVERT_FROM CONVERT_TO DECODE ENCODE INITCAP LEFT LENGTH LPAD LTRIM MD5 PARSE_IDENT PG_CLIENT_ENCODING QUOTE_IDENT|10 QUOTE_LITERAL|10 QUOTE_NULLABLE|10 REGEXP_MATCH REGEXP_MATCHES REGEXP_REPLACE REGEXP_SPLIT_TO_ARRAY REGEXP_SPLIT_TO_TABLE REPEAT REPLACE REVERSE RIGHT RPAD RTRIM SPLIT_PART STRPOS SUBSTR TO_ASCII TO_HEX TRANSLATE OCTET_LENGTH GET_BIT GET_BYTE SET_BIT SET_BYTE TO_CHAR TO_DATE TO_NUMBER TO_TIMESTAMP AGE CLOCK_TIMESTAMP|10 DATE_PART DATE_TRUNC ISFINITE JUSTIFY_DAYS JUSTIFY_HOURS JUSTIFY_INTERVAL MAKE_DATE MAKE_INTERVAL|10 MAKE_TIME MAKE_TIMESTAMP|10 MAKE_TIMESTAMPTZ|10 NOW STATEMENT_TIMESTAMP|10 TIMEOFDAY TRANSACTION_TIMESTAMP|10 ENUM_FIRST ENUM_LAST ENUM_RANGE AREA CENTER DIAMETER HEIGHT ISCLOSED ISOPEN NPOINTS PCLOSE POPEN RADIUS WIDTH BOX BOUND_BOX CIRCLE LINE LSEG PATH POLYGON ABBREV BROADCAST HOST HOSTMASK MASKLEN NETMASK NETWORK SET_MASKLEN TEXT INET_SAME_FAMILY INET_MERGE MACADDR8_SET7BIT ARRAY_TO_TSVECTOR GET_CURRENT_TS_CONFIG NUMNODE PLAINTO_TSQUERY PHRASETO_TSQUERY WEBSEARCH_TO_TSQUERY QUERYTREE SETWEIGHT STRIP TO_TSQUERY TO_TSVECTOR JSON_TO_TSVECTOR JSONB_TO_TSVECTOR TS_DELETE TS_FILTER TS_HEADLINE TS_RANK TS_RANK_CD TS_REWRITE TSQUERY_PHRASE TSVECTOR_TO_ARRAY TSVECTOR_UPDATE_TRIGGER TSVECTOR_UPDATE_TRIGGER_COLUMN XMLCOMMENT XMLCONCAT XMLELEMENT XMLFOREST XMLPI XMLROOT XMLEXISTS XML_IS_WELL_FORMED XML_IS_WELL_FORMED_DOCUMENT XML_IS_WELL_FORMED_CONTENT XPATH XPATH_EXISTS XMLTABLE XMLNAMESPACES TABLE_TO_XML TABLE_TO_XMLSCHEMA TABLE_TO_XML_AND_XMLSCHEMA QUERY_TO_XML QUERY_TO_XMLSCHEMA QUERY_TO_XML_AND_XMLSCHEMA CURSOR_TO_XML CURSOR_TO_XMLSCHEMA SCHEMA_TO_XML SCHEMA_TO_XMLSCHEMA SCHEMA_TO_XML_AND_XMLSCHEMA DATABASE_TO_XML DATABASE_TO_XMLSCHEMA DATABASE_TO_XML_AND_XMLSCHEMA XMLATTRIBUTES TO_JSON TO_JSONB ARRAY_TO_JSON ROW_TO_JSON JSON_BUILD_ARRAY JSONB_BUILD_ARRAY JSON_BUILD_OBJECT JSONB_BUILD_OBJECT JSON_OBJECT JSONB_OBJECT JSON_ARRAY_LENGTH JSONB_ARRAY_LENGTH JSON_EACH JSONB_EACH JSON_EACH_TEXT JSONB_EACH_TEXT JSON_EXTRACT_PATH JSONB_EXTRACT_PATH JSON_OBJECT_KEYS JSONB_OBJECT_KEYS JSON_POPULATE_RECORD JSONB_POPULATE_RECORD JSON_POPULATE_RECORDSET JSONB_POPULATE_RECORDSET JSON_ARRAY_ELEMENTS JSONB_ARRAY_ELEMENTS JSON_ARRAY_ELEMENTS_TEXT JSONB_ARRAY_ELEMENTS_TEXT JSON_TYPEOF JSONB_TYPEOF JSON_TO_RECORD JSONB_TO_RECORD JSON_TO_RECORDSET JSONB_TO_RECORDSET JSON_STRIP_NULLS JSONB_STRIP_NULLS JSONB_SET JSONB_INSERT JSONB_PRETTY CURRVAL LASTVAL NEXTVAL SETVAL COALESCE NULLIF GREATEST LEAST ARRAY_APPEND ARRAY_CAT ARRAY_NDIMS ARRAY_DIMS ARRAY_FILL ARRAY_LENGTH ARRAY_LOWER ARRAY_POSITION ARRAY_POSITIONS ARRAY_PREPEND ARRAY_REMOVE ARRAY_REPLACE ARRAY_TO_STRING ARRAY_UPPER CARDINALITY STRING_TO_ARRAY UNNEST ISEMPTY LOWER_INC UPPER_INC LOWER_INF UPPER_INF RANGE_MERGE GENERATE_SERIES GENERATE_SUBSCRIPTS CURRENT_DATABASE CURRENT_QUERY CURRENT_SCHEMA|10 CURRENT_SCHEMAS|10 INET_CLIENT_ADDR INET_CLIENT_PORT INET_SERVER_ADDR INET_SERVER_PORT ROW_SECURITY_ACTIVE FORMAT_TYPE TO_REGCLASS TO_REGPROC TO_REGPROCEDURE TO_REGOPER TO_REGOPERATOR TO_REGTYPE TO_REGNAMESPACE TO_REGROLE COL_DESCRIPTION OBJ_DESCRIPTION SHOBJ_DESCRIPTION TXID_CURRENT TXID_CURRENT_IF_ASSIGNED TXID_CURRENT_SNAPSHOT TXID_SNAPSHOT_XIP TXID_SNAPSHOT_XMAX TXID_SNAPSHOT_XMIN TXID_VISIBLE_IN_SNAPSHOT TXID_STATUS CURRENT_SETTING SET_CONFIG BRIN_SUMMARIZE_NEW_VALUES BRIN_SUMMARIZE_RANGE BRIN_DESUMMARIZE_RANGE GIN_CLEAN_PENDING_LIST SUPPRESS_REDUNDANT_UPDATES_TRIGGER LO_FROM_BYTEA LO_PUT LO_GET LO_CREAT LO_CREATE LO_UNLINK LO_IMPORT LO_EXPORT LOREAD LOWRITE GROUPING CAST ".trim().split(" ").map(function(I){return I.split("|")[0]}).join("|");return{name:"PostgreSQL",aliases:["postgres","postgresql"],supersetOf:"sql",case_insensitive:!0,keywords:{keyword:a+d+s,built_in:f+N+S},illegal:/:==|\W\s*\(\*|(^|\s)\$[a-z]|\{\{|[a-z]:\s*$|\.\.\.|TO:|DO:/,contains:[{className:"keyword",variants:[{begin:/\bTEXT\s*SEARCH\b/},{begin:/\b(PRIMARY|FOREIGN|FOR(\s+NO)?)\s+KEY\b/},{begin:/\bPARALLEL\s+(UNSAFE|RESTRICTED|SAFE)\b/},{begin:/\bSTORAGE\s+(PLAIN|EXTERNAL|EXTENDED|MAIN)\b/},{begin:/\bMATCH\s+(FULL|PARTIAL|SIMPLE)\b/},{begin:/\bNULLS\s+(FIRST|LAST)\b/},{begin:/\bEVENT\s+TRIGGER\b/},{begin:/\b(MAPPING|OR)\s+REPLACE\b/},{begin:/\b(FROM|TO)\s+(PROGRAM|STDIN|STDOUT)\b/},{begin:/\b(SHARE|EXCLUSIVE)\s+MODE\b/},{begin:/\b(LEFT|RIGHT)\s+(OUTER\s+)?JOIN\b/},{begin:/\b(FETCH|MOVE)\s+(NEXT|PRIOR|FIRST|LAST|ABSOLUTE|RELATIVE|FORWARD|BACKWARD)\b/},{begin:/\bPRESERVE\s+ROWS\b/},{begin:/\bDISCARD\s+PLANS\b/},{begin:/\bREFERENCING\s+(OLD|NEW)\b/},{begin:/\bSKIP\s+LOCKED\b/},{begin:/\bGROUPING\s+SETS\b/},{begin:/\b(BINARY|INSENSITIVE|SCROLL|NO\s+SCROLL)\s+(CURSOR|FOR)\b/},{begin:/\b(WITH|WITHOUT)\s+HOLD\b/},{begin:/\bWITH\s+(CASCADED|LOCAL)\s+CHECK\s+OPTION\b/},{begin:/\bEXCLUDE\s+(TIES|NO\s+OTHERS)\b/},{begin:/\bFORMAT\s+(TEXT|XML|JSON|YAML)\b/},{begin:/\bSET\s+((SESSION|LOCAL)\s+)?NAMES\b/},{begin:/\bIS\s+(NOT\s+)?UNKNOWN\b/},{begin:/\bSECURITY\s+LABEL\b/},{begin:/\bSTANDALONE\s+(YES|NO|NO\s+VALUE)\b/},{begin:/\bWITH\s+(NO\s+)?DATA\b/},{begin:/\b(FOREIGN|SET)\s+DATA\b/},{begin:/\bSET\s+(CATALOG|CONSTRAINTS)\b/},{begin:/\b(WITH|FOR)\s+ORDINALITY\b/},{begin:/\bIS\s+(NOT\s+)?DOCUMENT\b/},{begin:/\bXML\s+OPTION\s+(DOCUMENT|CONTENT)\b/},{begin:/\b(STRIP|PRESERVE)\s+WHITESPACE\b/},{begin:/\bNO\s+(ACTION|MAXVALUE|MINVALUE)\b/},{begin:/\bPARTITION\s+BY\s+(RANGE|LIST|HASH)\b/},{begin:/\bAT\s+TIME\s+ZONE\b/},{begin:/\bGRANTED\s+BY\b/},{begin:/\bRETURN\s+(QUERY|NEXT)\b/},{begin:/\b(ATTACH|DETACH)\s+PARTITION\b/},{begin:/\bFORCE\s+ROW\s+LEVEL\s+SECURITY\b/},{begin:/\b(INCLUDING|EXCLUDING)\s+(COMMENTS|CONSTRAINTS|DEFAULTS|IDENTITY|INDEXES|STATISTICS|STORAGE|ALL)\b/},{begin:/\bAS\s+(ASSIGNMENT|IMPLICIT|PERMISSIVE|RESTRICTIVE|ENUM|RANGE)\b/}]},{begin:/\b(FORMAT|FAMILY|VERSION)\s*\(/},{begin:/\bINCLUDE\s*\(/,keywords:"INCLUDE"},{begin:/\bRANGE(?!\s*(BETWEEN|UNBOUNDED|CURRENT|[-0-9]+))/},{begin:/\b(VERSION|OWNER|TEMPLATE|TABLESPACE|CONNECTION\s+LIMIT|PROCEDURE|RESTRICT|JOIN|PARSER|COPY|START|END|COLLATION|INPUT|ANALYZE|STORAGE|LIKE|DEFAULT|DELIMITER|ENCODING|COLUMN|CONSTRAINT|TABLE|SCHEMA)\s*=/},{begin:/\b(PG_\w+?|HAS_[A-Z_]+_PRIVILEGE)\b/,relevance:10},{begin:/\bEXTRACT\s*\(/,end:/\bFROM\b/,returnEnd:!0,keywords:{type:"CENTURY DAY DECADE DOW DOY EPOCH HOUR ISODOW ISOYEAR MICROSECONDS MILLENNIUM MILLISECONDS MINUTE MONTH QUARTER SECOND TIMEZONE TIMEZONE_HOUR TIMEZONE_MINUTE WEEK YEAR"}},{begin:/\b(XMLELEMENT|XMLPI)\s*\(\s*NAME/,keywords:{keyword:"NAME"}},{begin:/\b(XMLPARSE|XMLSERIALIZE)\s*\(\s*(DOCUMENT|CONTENT)/,keywords:{keyword:"DOCUMENT CONTENT"}},{beginKeywords:"CACHE INCREMENT MAXVALUE MINVALUE",end:e.C_NUMBER_RE,returnEnd:!0,keywords:"BY CACHE INCREMENT MAXVALUE MINVALUE"},{className:"type",begin:/\b(WITH|WITHOUT)\s+TIME\s+ZONE\b/},{className:"type",begin:/\bINTERVAL\s+(YEAR|MONTH|DAY|HOUR|MINUTE|SECOND)(\s+TO\s+(MONTH|HOUR|MINUTE|SECOND))?\b/},{begin:/\bRETURNS\s+(LANGUAGE_HANDLER|TRIGGER|EVENT_TRIGGER|FDW_HANDLER|INDEX_AM_HANDLER|TSM_HANDLER)\b/,keywords:{keyword:"RETURNS",type:"LANGUAGE_HANDLER TRIGGER EVENT_TRIGGER FDW_HANDLER INDEX_AM_HANDLER TSM_HANDLER"}},{begin:"\\b("+C+")\\s*\\("},{begin:"\\.("+E+")\\b"},{begin:"\\b("+E+")\\s+PATH\\b",keywords:{keyword:"PATH",type:u.replace("PATH ","")}},{className:"type",begin:"\\b("+E+")\\b"},{className:"string",begin:"'",end:"'",contains:[{begin:"''"}]},{className:"string",begin:"(e|E|u&|U&)'",end:"'",contains:[{begin:"\\\\."}],relevance:10},e.END_SAME_AS_BEGIN({begin:_,end:_,contains:[{subLanguage:["pgsql","perl","python","tcl","r","lua","java","php","ruby","bash","scheme","xml","json"],endsWithParent:!0}]}),{begin:'"',end:'"',contains:[{begin:'""'}]},e.C_NUMBER_MODE,e.C_BLOCK_COMMENT_MODE,n,{className:"meta",variants:[{begin:"%(ROW)?TYPE",relevance:10},{begin:"\\$\\d+"},{begin:"^#\\w",end:"$"}]},{className:"symbol",begin:l,relevance:10}]}}td.exports=eb});var id=O((kT,rd)=>{function tb(e){let n=e.regex,i=/(?![A-Za-z0-9])(?![$])/,_=n.concat(/[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*/,i),l=n.concat(/(\\?[A-Z][a-z0-9_\x7f-\xff]+|\\?[A-Z]+(?=[A-Z][a-z0-9_\x7f-\xff])){1,}/,i),a={scope:"variable",match:"\\$+"+_},s={scope:"meta",variants:[{begin:/<\?php/,relevance:10},{begin:/<\?=/},{begin:/<\?/,relevance:.1},{begin:/\?>/}]},d={scope:"subst",variants:[{begin:/\$\w+/},{begin:/\{\$/,end:/\}/}]},u=e.inherit(e.APOS_STRING_MODE,{illegal:null}),E=e.inherit(e.QUOTE_STRING_MODE,{illegal:null,contains:e.QUOTE_STRING_MODE.contains.concat(d)}),f={begin:/<<<[ \t]*(?:(\w+)|"(\w+)")\n/,end:/[ \t]*(\w+)\b/,contains:e.QUOTE_STRING_MODE.contains.concat(d),"on:begin":(ve,Oe)=>{Oe.data._beginMatch=ve[1]||ve[2]},"on:end":(ve,Oe)=>{Oe.data._beginMatch!==ve[1]&&Oe.ignoreMatch()}},N=e.END_SAME_AS_BEGIN({begin:/<<<[ \t]*'(\w+)'\n/,end:/[ \t]*(\w+)\b/}),S=`[ +]`,h={scope:"string",variants:[E,u,f,N]},C={scope:"number",variants:[{begin:"\\b0[bB][01]+(?:_[01]+)*\\b"},{begin:"\\b0[oO][0-7]+(?:_[0-7]+)*\\b"},{begin:"\\b0[xX][\\da-fA-F]+(?:_[\\da-fA-F]+)*\\b"},{begin:"(?:\\b\\d+(?:_\\d+)*(\\.(?:\\d+(?:_\\d+)*))?|\\B\\.\\d+)(?:[eE][+-]?\\d+)?"}],relevance:0},I=["false","null","true"],x=["__CLASS__","__DIR__","__FILE__","__FUNCTION__","__COMPILER_HALT_OFFSET__","__LINE__","__METHOD__","__NAMESPACE__","__TRAIT__","die","echo","exit","include","include_once","print","require","require_once","array","abstract","and","as","binary","bool","boolean","break","callable","case","catch","class","clone","const","continue","declare","default","do","double","else","elseif","empty","enddeclare","endfor","endforeach","endif","endswitch","endwhile","enum","eval","extends","final","finally","float","for","foreach","from","global","goto","if","implements","instanceof","insteadof","int","integer","interface","isset","iterable","list","match|0","mixed","new","never","object","or","private","protected","public","readonly","real","return","string","switch","throw","trait","try","unset","use","var","void","while","xor","yield"],F=["Error|0","AppendIterator","ArgumentCountError","ArithmeticError","ArrayIterator","ArrayObject","AssertionError","BadFunctionCallException","BadMethodCallException","CachingIterator","CallbackFilterIterator","CompileError","Countable","DirectoryIterator","DivisionByZeroError","DomainException","EmptyIterator","ErrorException","Exception","FilesystemIterator","FilterIterator","GlobIterator","InfiniteIterator","InvalidArgumentException","IteratorIterator","LengthException","LimitIterator","LogicException","MultipleIterator","NoRewindIterator","OutOfBoundsException","OutOfRangeException","OuterIterator","OverflowException","ParentIterator","ParseError","RangeException","RecursiveArrayIterator","RecursiveCachingIterator","RecursiveCallbackFilterIterator","RecursiveDirectoryIterator","RecursiveFilterIterator","RecursiveIterator","RecursiveIteratorIterator","RecursiveRegexIterator","RecursiveTreeIterator","RegexIterator","RuntimeException","SeekableIterator","SplDoublyLinkedList","SplFileInfo","SplFileObject","SplFixedArray","SplHeap","SplMaxHeap","SplMinHeap","SplObjectStorage","SplObserver","SplPriorityQueue","SplQueue","SplStack","SplSubject","SplTempFileObject","TypeError","UnderflowException","UnexpectedValueException","UnhandledMatchError","ArrayAccess","BackedEnum","Closure","Fiber","Generator","Iterator","IteratorAggregate","Serializable","Stringable","Throwable","Traversable","UnitEnum","WeakReference","WeakMap","Directory","__PHP_Incomplete_Class","parent","php_user_filter","self","static","stdClass"],B={keyword:x,literal:(ve=>{let Oe=[];return ve.forEach(we=>{Oe.push(we),we.toLowerCase()===we?Oe.push(we.toUpperCase()):Oe.push(we.toLowerCase())}),Oe})(I),built_in:F},Y=ve=>ve.map(Oe=>Oe.replace(/\|\d+$/,"")),z={variants:[{match:[/new/,n.concat(S,"+"),n.concat("(?!",Y(F).join("\\b|"),"\\b)"),l],scope:{1:"keyword",4:"title.class"}}]},c=n.concat(_,"\\b(?!\\()"),te={variants:[{match:[n.concat(/::/,n.lookahead(/(?!class\b)/)),c],scope:{2:"variable.constant"}},{match:[/::/,/class/],scope:{2:"variable.language"}},{match:[l,n.concat(/::/,n.lookahead(/(?!class\b)/)),c],scope:{1:"title.class",3:"variable.constant"}},{match:[l,n.concat("::",n.lookahead(/(?!class\b)/))],scope:{1:"title.class"}},{match:[l,/::/,/class/],scope:{1:"title.class",3:"variable.language"}}]},K={scope:"attr",match:n.concat(_,n.lookahead(":"),n.lookahead(/(?!::)/))},ce={relevance:0,begin:/\(/,end:/\)/,keywords:B,contains:[K,a,te,e.C_BLOCK_COMMENT_MODE,h,C,z]},ne={relevance:0,match:[/\b/,n.concat("(?!fn\\b|function\\b|",Y(x).join("\\b|"),"|",Y(F).join("\\b|"),"\\b)"),_,n.concat(S,"*"),n.lookahead(/(?=\()/)],scope:{3:"title.function.invoke"},contains:[ce]};ce.contains.push(ne);let Te=[K,te,e.C_BLOCK_COMMENT_MODE,h,C,z],oe={begin:n.concat(/#\[\s*/,l),beginScope:"meta",end:/]/,endScope:"meta",keywords:{literal:I,keyword:["new","array"]},contains:[{begin:/\[/,end:/]/,keywords:{literal:I,keyword:["new","array"]},contains:["self",...Te]},...Te,{scope:"meta",match:l}]};return{case_insensitive:!1,keywords:B,contains:[oe,e.HASH_COMMENT_MODE,e.COMMENT("//","$"),e.COMMENT("/\\*","\\*/",{contains:[{scope:"doctag",match:"@[A-Za-z]+"}]}),{match:/__halt_compiler\(\);/,keywords:"__halt_compiler",starts:{scope:"comment",end:e.MATCH_NOTHING_RE,contains:[{match:/\?>/,scope:"meta",endsParent:!0}]}},s,{scope:"variable.language",match:/\$this\b/},a,ne,te,{match:[/const/,/\s/,_],scope:{1:"keyword",3:"variable.constant"}},z,{scope:"function",relevance:0,beginKeywords:"fn function",end:/[;{]/,excludeEnd:!0,illegal:"[$%\\[]",contains:[{beginKeywords:"use"},e.UNDERSCORE_TITLE_MODE,{begin:"=>",endsParent:!0},{scope:"params",begin:"\\(",end:"\\)",excludeBegin:!0,excludeEnd:!0,keywords:B,contains:["self",a,te,e.C_BLOCK_COMMENT_MODE,h,C]}]},{scope:"class",variants:[{beginKeywords:"enum",illegal:/[($"]/},{beginKeywords:"class interface trait",illegal:/[:($"]/}],relevance:0,end:/\{/,excludeEnd:!0,contains:[{beginKeywords:"extends implements"},e.UNDERSCORE_TITLE_MODE]},{beginKeywords:"namespace",relevance:0,end:";",illegal:/[.']/,contains:[e.inherit(e.UNDERSCORE_TITLE_MODE,{scope:"title.class"})]},{beginKeywords:"use",relevance:0,end:";",contains:[{match:/\b(as|const|function)\b/,scope:"keyword"},e.UNDERSCORE_TITLE_MODE]},h,C]}}rd.exports=tb});var od=O((UT,ad)=>{function nb(e){return{name:"PHP template",subLanguage:"xml",contains:[{begin:/<\?(php|=)?/,end:/\?>/,subLanguage:"php",contains:[{begin:"/\\*",end:"\\*/",skip:!0},{begin:'b"',end:'"',skip:!0},{begin:"b'",end:"'",skip:!0},e.inherit(e.APOS_STRING_MODE,{illegal:null,className:null,contains:null,skip:!0}),e.inherit(e.QUOTE_STRING_MODE,{illegal:null,className:null,contains:null,skip:!0})]}]}}ad.exports=nb});var ld=O((FT,sd)=>{function rb(e){return{name:"Plain text",aliases:["text","txt"],disableAutodetect:!0}}sd.exports=rb});var dd=O((BT,cd)=>{function ib(e){let n={keyword:"actor addressof and as be break class compile_error compile_intrinsic consume continue delegate digestof do else elseif embed end error for fun if ifdef in interface is isnt lambda let match new not object or primitive recover repeat return struct then trait try type until use var where while with xor",meta:"iso val tag trn box ref",literal:"this false true"},i={className:"string",begin:'"""',end:'"""',relevance:10},_={className:"string",begin:'"',end:'"',contains:[e.BACKSLASH_ESCAPE]},l={className:"string",begin:"'",end:"'",contains:[e.BACKSLASH_ESCAPE],relevance:0},a={className:"type",begin:"\\b_?[A-Z][\\w]*",relevance:0},s={begin:e.IDENT_RE+"'",relevance:0};return{name:"Pony",keywords:n,contains:[a,i,_,l,s,{className:"number",begin:"(-?)(\\b0[xX][a-fA-F0-9]+|\\b0[bB][01]+|(\\b\\d+(_\\d+)?(\\.\\d*)?|\\.\\d+)([eE][-+]?\\d+)?)",relevance:0},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]}}cd.exports=ib});var pd=O((GT,_d)=>{function ab(e){let n=["string","char","byte","int","long","bool","decimal","single","double","DateTime","xml","array","hashtable","void"],i="Add|Clear|Close|Copy|Enter|Exit|Find|Format|Get|Hide|Join|Lock|Move|New|Open|Optimize|Pop|Push|Redo|Remove|Rename|Reset|Resize|Search|Select|Set|Show|Skip|Split|Step|Switch|Undo|Unlock|Watch|Backup|Checkpoint|Compare|Compress|Convert|ConvertFrom|ConvertTo|Dismount|Edit|Expand|Export|Group|Import|Initialize|Limit|Merge|Mount|Out|Publish|Restore|Save|Sync|Unpublish|Update|Approve|Assert|Build|Complete|Confirm|Deny|Deploy|Disable|Enable|Install|Invoke|Register|Request|Restart|Resume|Start|Stop|Submit|Suspend|Uninstall|Unregister|Wait|Debug|Measure|Ping|Repair|Resolve|Test|Trace|Connect|Disconnect|Read|Receive|Send|Write|Block|Grant|Protect|Revoke|Unblock|Unprotect|Use|ForEach|Sort|Tee|Where",_="-and|-as|-band|-bnot|-bor|-bxor|-casesensitive|-ccontains|-ceq|-cge|-cgt|-cle|-clike|-clt|-cmatch|-cne|-cnotcontains|-cnotlike|-cnotmatch|-contains|-creplace|-csplit|-eq|-exact|-f|-file|-ge|-gt|-icontains|-ieq|-ige|-igt|-ile|-ilike|-ilt|-imatch|-in|-ine|-inotcontains|-inotlike|-inotmatch|-ireplace|-is|-isnot|-isplit|-join|-le|-like|-lt|-match|-ne|-not|-notcontains|-notin|-notlike|-notmatch|-or|-regex|-replace|-shl|-shr|-split|-wildcard|-xor",l={$pattern:/-?[A-z\.\-]+\b/,keyword:"if else foreach return do while until elseif begin for trap data dynamicparam end break throw param continue finally in switch exit filter try process catch hidden static parameter",built_in:"ac asnp cat cd CFS chdir clc clear clhy cli clp cls clv cnsn compare copy cp cpi cpp curl cvpa dbp del diff dir dnsn ebp echo|0 epal epcsv epsn erase etsn exsn fc fhx fl ft fw gal gbp gc gcb gci gcm gcs gdr gerr ghy gi gin gjb gl gm gmo gp gps gpv group gsn gsnp gsv gtz gu gv gwmi h history icm iex ihy ii ipal ipcsv ipmo ipsn irm ise iwmi iwr kill lp ls man md measure mi mount move mp mv nal ndr ni nmo npssc nsn nv ogv oh popd ps pushd pwd r rbp rcjb rcsn rd rdr ren ri rjb rm rmdir rmo rni rnp rp rsn rsnp rujb rv rvpa rwmi sajb sal saps sasv sbp sc scb select set shcm si sl sleep sls sort sp spjb spps spsv start stz sujb sv swmi tee trcm type wget where wjb write"},a=/\w[\w\d]*((-)[\w\d]+)*/,s={begin:"`[\\s\\S]",relevance:0},d={className:"variable",variants:[{begin:/\$\B/},{className:"keyword",begin:/\$this/},{begin:/\$[\w\d][\w\d_:]*/}]},u={className:"literal",begin:/\$(null|true|false)\b/},E={className:"string",variants:[{begin:/"/,end:/"/},{begin:/@"/,end:/^"@/}],contains:[s,d,{className:"variable",begin:/\$[A-z]/,end:/[^A-z]/}]},f={className:"string",variants:[{begin:/'/,end:/'/},{begin:/@'/,end:/^'@/}]},N={className:"doctag",variants:[{begin:/\.(synopsis|description|example|inputs|outputs|notes|link|component|role|functionality)/},{begin:/\.(parameter|forwardhelptargetname|forwardhelpcategory|remotehelprunspace|externalhelp)\s+\S+/}]},S=e.inherit(e.COMMENT(null,null),{variants:[{begin:/#/,end:/$/},{begin:/<#/,end:/#>/}],contains:[N]}),h={className:"built_in",variants:[{begin:"(".concat(i,")+(-)[\\w\\d]+")}]},C={className:"class",beginKeywords:"class enum",end:/\s*[{]/,excludeEnd:!0,relevance:0,contains:[e.TITLE_MODE]},I={className:"function",begin:/function\s+/,end:/\s*\{|$/,excludeEnd:!0,returnBegin:!0,relevance:0,contains:[{begin:"function",relevance:0,className:"keyword"},{className:"title",begin:a,relevance:0},{begin:/\(/,end:/\)/,className:"params",relevance:0,contains:[d]}]},x={begin:/using\s/,end:/$/,returnBegin:!0,contains:[E,f,{className:"keyword",begin:/(using|assembly|command|module|namespace|type)/}]},F={variants:[{className:"operator",begin:"(".concat(_,")\\b")},{className:"literal",begin:/(-){1,2}[\w\d-]+/,relevance:0}]},q={className:"selector-tag",begin:/@\B/,relevance:0},B={className:"function",begin:/\[.*\]\s*[\w]+[ ]??\(/,end:/$/,returnBegin:!0,relevance:0,contains:[{className:"keyword",begin:"(".concat(l.keyword.toString().replace(/\s/g,"|"),")\\b"),endsParent:!0,relevance:0},e.inherit(e.TITLE_MODE,{endsParent:!0})]},Y=[B,S,s,e.NUMBER_MODE,E,f,h,d,u,q],z={begin:/\[/,end:/\]/,excludeBegin:!0,excludeEnd:!0,relevance:0,contains:[].concat("self",Y,{begin:"("+n.join("|")+")",className:"built_in",relevance:0},{className:"type",begin:/[\.\w\d]+/,relevance:0})};return B.contains.unshift(z),{name:"PowerShell",aliases:["pwsh","ps","ps1"],case_insensitive:!0,keywords:l,contains:Y.concat(C,I,x,F,z)}}_d.exports=ab});var md=O((YT,ud)=>{function ob(e){let n=e.regex,i=["displayHeight","displayWidth","mouseY","mouseX","mousePressed","pmouseX","pmouseY","key","keyCode","pixels","focused","frameCount","frameRate","height","width","size","createGraphics","beginDraw","createShape","loadShape","PShape","arc","ellipse","line","point","quad","rect","triangle","bezier","bezierDetail","bezierPoint","bezierTangent","curve","curveDetail","curvePoint","curveTangent","curveTightness","shape","shapeMode","beginContour","beginShape","bezierVertex","curveVertex","endContour","endShape","quadraticVertex","vertex","ellipseMode","noSmooth","rectMode","smooth","strokeCap","strokeJoin","strokeWeight","mouseClicked","mouseDragged","mouseMoved","mousePressed","mouseReleased","mouseWheel","keyPressed","keyPressedkeyReleased","keyTyped","print","println","save","saveFrame","day","hour","millis","minute","month","second","year","background","clear","colorMode","fill","noFill","noStroke","stroke","alpha","blue","brightness","color","green","hue","lerpColor","red","saturation","modelX","modelY","modelZ","screenX","screenY","screenZ","ambient","emissive","shininess","specular","add","createImage","beginCamera","camera","endCamera","frustum","ortho","perspective","printCamera","printProjection","cursor","frameRate","noCursor","exit","loop","noLoop","popStyle","pushStyle","redraw","binary","boolean","byte","char","float","hex","int","str","unbinary","unhex","join","match","matchAll","nf","nfc","nfp","nfs","split","splitTokens","trim","append","arrayCopy","concat","expand","reverse","shorten","sort","splice","subset","box","sphere","sphereDetail","createInput","createReader","loadBytes","loadJSONArray","loadJSONObject","loadStrings","loadTable","loadXML","open","parseXML","saveTable","selectFolder","selectInput","beginRaw","beginRecord","createOutput","createWriter","endRaw","endRecord","PrintWritersaveBytes","saveJSONArray","saveJSONObject","saveStream","saveStrings","saveXML","selectOutput","popMatrix","printMatrix","pushMatrix","resetMatrix","rotate","rotateX","rotateY","rotateZ","scale","shearX","shearY","translate","ambientLight","directionalLight","lightFalloff","lights","lightSpecular","noLights","normal","pointLight","spotLight","image","imageMode","loadImage","noTint","requestImage","tint","texture","textureMode","textureWrap","blend","copy","filter","get","loadPixels","set","updatePixels","blendMode","loadShader","PShaderresetShader","shader","createFont","loadFont","text","textFont","textAlign","textLeading","textMode","textSize","textWidth","textAscent","textDescent","abs","ceil","constrain","dist","exp","floor","lerp","log","mag","map","max","min","norm","pow","round","sq","sqrt","acos","asin","atan","atan2","cos","degrees","radians","sin","tan","noise","noiseDetail","noiseSeed","random","randomGaussian","randomSeed"],_=e.IDENT_RE,l={variants:[{match:n.concat(n.either(...i),n.lookahead(/\s*\(/)),className:"built_in"},{relevance:0,match:n.concat(/\b(?!for|if|while)/,_,n.lookahead(/\s*\(/)),className:"title.function"}]},a={match:[/new\s+/,_],className:{1:"keyword",2:"class.title"}},s={relevance:0,match:[/\./,_],className:{2:"property"}},d={variants:[{match:[/class/,/\s+/,_,/\s+/,/extends/,/\s+/,_]},{match:[/class/,/\s+/,_]}],className:{1:"keyword",3:"title.class",5:"keyword",7:"title.class.inherited"}},u=["boolean","byte","char","color","double","float","int","long","short"],E=["BufferedReader","PVector","PFont","PImage","PGraphics","HashMap","String","Array","FloatDict","ArrayList","FloatList","IntDict","IntList","JSONArray","JSONObject","Object","StringDict","StringList","Table","TableRow","XML"];return{name:"Processing",aliases:["pde"],keywords:{keyword:[...["abstract","assert","break","case","catch","const","continue","default","else","enum","final","finally","for","if","import","instanceof","long","native","new","package","private","private","protected","protected","public","public","return","static","strictfp","switch","synchronized","throw","throws","transient","try","void","volatile","while"]],literal:"P2D P3D HALF_PI PI QUARTER_PI TAU TWO_PI null true false",title:"setup draw",variable:"super this",built_in:[...i,...E],type:u},contains:[d,a,l,s,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.C_NUMBER_MODE]}}ud.exports=ob});var Ed=O((HT,gd)=>{function sb(e){return{name:"Python profiler",contains:[e.C_NUMBER_MODE,{begin:"[a-zA-Z_][\\da-zA-Z_]+\\.[\\da-zA-Z_]{1,3}",end:":",excludeEnd:!0},{begin:"(ncalls|tottime|cumtime)",end:"$",keywords:"ncalls tottime|10 cumtime|10 filename",relevance:10},{begin:"function calls",end:"$",contains:[e.C_NUMBER_MODE],relevance:10},e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,{className:"string",begin:"\\(",end:"\\)$",excludeBegin:!0,excludeEnd:!0,relevance:0}]}}gd.exports=sb});var fd=O((qT,bd)=>{function lb(e){let n={begin:/[a-z][A-Za-z0-9_]*/,relevance:0},i={className:"symbol",variants:[{begin:/[A-Z][a-zA-Z0-9_]*/},{begin:/_[A-Za-z0-9_]*/}],relevance:0},_={begin:/\(/,end:/\)/,relevance:0},l={begin:/\[/,end:/\]/},a={className:"comment",begin:/%/,end:/$/,contains:[e.PHRASAL_WORDS_MODE]},s={className:"string",begin:/`/,end:/`/,contains:[e.BACKSLASH_ESCAPE]},d={className:"string",begin:/0'(\\'|.)/},u={className:"string",begin:/0'\\s/},f=[n,i,_,{begin:/:-/},l,a,e.C_BLOCK_COMMENT_MODE,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,s,d,u,e.C_NUMBER_MODE];return _.contains=f,l.contains=f,{name:"Prolog",contains:f.concat([{begin:/\.$/}])}}bd.exports=lb});var hd=O((VT,Sd)=>{function cb(e){let n="[ \\t\\f]*",i="[ \\t\\f]+",_=n+"[:=]"+n,l=i,a="("+_+"|"+l+")",s="([^\\\\:= \\t\\f\\n]|\\\\.)+",d={end:a,relevance:0,starts:{className:"string",end:/$/,relevance:0,contains:[{begin:"\\\\\\\\"},{begin:"\\\\\\n"}]}};return{name:".properties",disableAutodetect:!0,case_insensitive:!0,illegal:/\S/,contains:[e.COMMENT("^\\s*[!#]","$"),{returnBegin:!0,variants:[{begin:s+_},{begin:s+l}],contains:[{className:"attr",begin:s,endsParent:!0}],starts:d},{className:"attr",begin:s+n+"$"}]}}Sd.exports=cb});var Rd=O((zT,Td)=>{function db(e){let n=["package","import","option","optional","required","repeated","group","oneof"],i=["double","float","int32","int64","uint32","uint64","sint32","sint64","fixed32","fixed64","sfixed32","sfixed64","bool","string","bytes"],_={match:[/(message|enum|service)\s+/,e.IDENT_RE],scope:{1:"keyword",2:"title.class"}};return{name:"Protocol Buffers",aliases:["proto"],keywords:{keyword:n,type:i,literal:["true","false"]},contains:[e.QUOTE_STRING_MODE,e.NUMBER_MODE,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,_,{className:"function",beginKeywords:"rpc",end:/[{;]/,excludeEnd:!0,keywords:"rpc returns"},{begin:/^\s*[A-Z_]+(?=\s*=[^\n]+;$)/}]}}Td.exports=db});var vd=O((WT,Cd)=>{function _b(e){let n={keyword:"and case default else elsif false if in import enherits node or true undef unless main settings $string ",literal:"alias audit before loglevel noop require subscribe tag owner ensure group mode name|0 changes context force incl lens load_path onlyif provider returns root show_diff type_check en_address ip_address realname command environment hour monute month monthday special target weekday creates cwd ogoutput refresh refreshonly tries try_sleep umask backup checksum content ctime force ignore links mtime purge recurse recurselimit replace selinux_ignore_defaults selrange selrole seltype seluser source souirce_permissions sourceselect validate_cmd validate_replacement allowdupe attribute_membership auth_membership forcelocal gid ia_load_module members system host_aliases ip allowed_trunk_vlans description device_url duplex encapsulation etherchannel native_vlan speed principals allow_root auth_class auth_type authenticate_user k_of_n mechanisms rule session_owner shared options device fstype enable hasrestart directory present absent link atboot blockdevice device dump pass remounts poller_tag use message withpath adminfile allow_virtual allowcdrom category configfiles flavor install_options instance package_settings platform responsefile status uninstall_options vendor unless_system_user unless_uid binary control flags hasstatus manifest pattern restart running start stop allowdupe auths expiry gid groups home iterations key_membership keys managehome membership password password_max_age password_min_age profile_membership profiles project purge_ssh_keys role_membership roles salt shell uid baseurl cost descr enabled enablegroups exclude failovermethod gpgcheck gpgkey http_caching include includepkgs keepalive metadata_expire metalink mirrorlist priority protect proxy proxy_password proxy_username repo_gpgcheck s3_enabled skip_if_unavailable sslcacert sslclientcert sslclientkey sslverify mounted",built_in:"architecture augeasversion blockdevices boardmanufacturer boardproductname boardserialnumber cfkey dhcp_servers domain ec2_ ec2_userdata facterversion filesystems ldom fqdn gid hardwareisa hardwaremodel hostname id|0 interfaces ipaddress ipaddress_ ipaddress6 ipaddress6_ iphostnumber is_virtual kernel kernelmajversion kernelrelease kernelversion kernelrelease kernelversion lsbdistcodename lsbdistdescription lsbdistid lsbdistrelease lsbmajdistrelease lsbminordistrelease lsbrelease macaddress macaddress_ macosx_buildversion macosx_productname macosx_productversion macosx_productverson_major macosx_productversion_minor manufacturer memoryfree memorysize netmask metmask_ network_ operatingsystem operatingsystemmajrelease operatingsystemrelease osfamily partitions path physicalprocessorcount processor processorcount productname ps puppetversion rubysitedir rubyversion selinux selinux_config_mode selinux_config_policy selinux_current_mode selinux_current_mode selinux_enforced selinux_policyversion serialnumber sp_ sshdsakey sshecdsakey sshrsakey swapencrypted swapfree swapsize timezone type uniqueid uptime uptime_days uptime_hours uptime_seconds uuid virtual vlans xendomains zfs_version zonenae zones zpool_version"},i=e.COMMENT("#","$"),_="([A-Za-z_]|::)(\\w|::)*",l=e.inherit(e.TITLE_MODE,{begin:_}),a={className:"variable",begin:"\\$"+_},s={className:"string",contains:[e.BACKSLASH_ESCAPE,a],variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/}]};return{name:"Puppet",aliases:["pp"],contains:[i,a,s,{beginKeywords:"class",end:"\\{|;",illegal:/=/,contains:[l,i]},{beginKeywords:"define",end:/\{/,contains:[{className:"section",begin:e.IDENT_RE,endsParent:!0}]},{begin:e.IDENT_RE+"\\s+\\{",returnBegin:!0,end:/\S/,contains:[{className:"keyword",begin:e.IDENT_RE,relevance:.2},{begin:/\{/,end:/\}/,keywords:n,relevance:0,contains:[s,i,{begin:"[a-zA-Z_]+\\s*=>",returnBegin:!0,end:"=>",contains:[{className:"attr",begin:e.IDENT_RE}]},{className:"number",begin:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",relevance:0},a]}],relevance:0}]}}Cd.exports=_b});var Od=O(($T,Nd)=>{function pb(e){let n={className:"string",begin:'(~)?"',end:'"',illegal:"\\n"},i={className:"symbol",begin:"#[a-zA-Z_]\\w*\\$?"};return{name:"PureBASIC",aliases:["pb","pbi"],keywords:"Align And Array As Break CallDebugger Case CompilerCase CompilerDefault CompilerElse CompilerElseIf CompilerEndIf CompilerEndSelect CompilerError CompilerIf CompilerSelect CompilerWarning Continue Data DataSection Debug DebugLevel Declare DeclareC DeclareCDLL DeclareDLL DeclareModule Default Define Dim DisableASM DisableDebugger DisableExplicit Else ElseIf EnableASM EnableDebugger EnableExplicit End EndDataSection EndDeclareModule EndEnumeration EndIf EndImport EndInterface EndMacro EndModule EndProcedure EndSelect EndStructure EndStructureUnion EndWith Enumeration EnumerationBinary Extends FakeReturn For ForEach ForEver Global Gosub Goto If Import ImportC IncludeBinary IncludeFile IncludePath Interface List Macro MacroExpandedCount Map Module NewList NewMap Next Not Or Procedure ProcedureC ProcedureCDLL ProcedureDLL ProcedureReturn Protected Prototype PrototypeC ReDim Read Repeat Restore Return Runtime Select Shared Static Step Structure StructureUnion Swap Threaded To UndefineMacro Until Until UnuseModule UseModule Wend While With XIncludeFile XOr",contains:[e.COMMENT(";","$",{relevance:0}),{className:"function",begin:"\\b(Procedure|Declare)(C|CDLL|DLL)?\\b",end:"\\(",excludeEnd:!0,returnBegin:!0,contains:[{className:"keyword",begin:"(Procedure|Declare)(C|CDLL|DLL)?",excludeEnd:!0},{className:"type",begin:"\\.\\w*"},e.UNDERSCORE_TITLE_MODE]},n,i]}}Nd.exports=pb});var yd=O((KT,Ad)=>{function ub(e){let n=e.regex,i=/[\p{XID_Start}_]\p{XID_Continue}*/u,_=["and","as","assert","async","await","break","case","class","continue","def","del","elif","else","except","finally","for","from","global","if","import","in","is","lambda","match","nonlocal|10","not","or","pass","raise","return","try","while","with","yield"],d={$pattern:/[A-Za-z]\w+|__\w+__/,keyword:_,built_in:["__import__","abs","all","any","ascii","bin","bool","breakpoint","bytearray","bytes","callable","chr","classmethod","compile","complex","delattr","dict","dir","divmod","enumerate","eval","exec","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","print","property","range","repr","reversed","round","set","setattr","slice","sorted","staticmethod","str","sum","super","tuple","type","vars","zip"],literal:["__debug__","Ellipsis","False","None","NotImplemented","True"],type:["Any","Callable","Coroutine","Dict","List","Literal","Generic","Optional","Sequence","Set","Tuple","Type","Union"]},u={className:"meta",begin:/^(>>>|\.\.\.) /},E={className:"subst",begin:/\{/,end:/\}/,keywords:d,illegal:/#/},f={begin:/\{\{/,relevance:0},N={className:"string",contains:[e.BACKSLASH_ESCAPE],variants:[{begin:/([uU]|[bB]|[rR]|[bB][rR]|[rR][bB])?'''/,end:/'''/,contains:[e.BACKSLASH_ESCAPE,u],relevance:10},{begin:/([uU]|[bB]|[rR]|[bB][rR]|[rR][bB])?"""/,end:/"""/,contains:[e.BACKSLASH_ESCAPE,u],relevance:10},{begin:/([fF][rR]|[rR][fF]|[fF])'''/,end:/'''/,contains:[e.BACKSLASH_ESCAPE,u,f,E]},{begin:/([fF][rR]|[rR][fF]|[fF])"""/,end:/"""/,contains:[e.BACKSLASH_ESCAPE,u,f,E]},{begin:/([uU]|[rR])'/,end:/'/,relevance:10},{begin:/([uU]|[rR])"/,end:/"/,relevance:10},{begin:/([bB]|[bB][rR]|[rR][bB])'/,end:/'/},{begin:/([bB]|[bB][rR]|[rR][bB])"/,end:/"/},{begin:/([fF][rR]|[rR][fF]|[fF])'/,end:/'/,contains:[e.BACKSLASH_ESCAPE,f,E]},{begin:/([fF][rR]|[rR][fF]|[fF])"/,end:/"/,contains:[e.BACKSLASH_ESCAPE,f,E]},e.APOS_STRING_MODE,e.QUOTE_STRING_MODE]},S="[0-9](_?[0-9])*",h=`(\\b(${S}))?\\.(${S})|\\b(${S})\\.`,C=`\\b|${_.join("|")}`,I={className:"number",relevance:0,variants:[{begin:`(\\b(${S})|(${h}))[eE][+-]?(${S})[jJ]?(?=${C})`},{begin:`(${h})[jJ]?`},{begin:`\\b([1-9](_?[0-9])*|0+(_?0)*)[lLjJ]?(?=${C})`},{begin:`\\b0[bB](_?[01])+[lL]?(?=${C})`},{begin:`\\b0[oO](_?[0-7])+[lL]?(?=${C})`},{begin:`\\b0[xX](_?[0-9a-fA-F])+[lL]?(?=${C})`},{begin:`\\b(${S})[jJ](?=${C})`}]},x={className:"comment",begin:n.lookahead(/# type:/),end:/$/,keywords:d,contains:[{begin:/# type:/},{begin:/#/,end:/\b\B/,endsWithParent:!0}]},F={className:"params",variants:[{className:"",begin:/\(\s*\)/,skip:!0},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:d,contains:["self",u,I,N,e.HASH_COMMENT_MODE]}]};return E.contains=[N,I,u],{name:"Python",aliases:["py","gyp","ipython"],unicodeRegex:!0,keywords:d,illegal:/(<\/|\?)|=>/,contains:[u,I,{begin:/\bself\b/},{beginKeywords:"if",relevance:0},N,x,e.HASH_COMMENT_MODE,{match:[/\bdef/,/\s+/,i],scope:{1:"keyword",3:"title.function"},contains:[F]},{variants:[{match:[/\bclass/,/\s+/,i,/\s*/,/\(\s*/,i,/\s*\)/]},{match:[/\bclass/,/\s+/,i]}],scope:{1:"keyword",3:"title.class",6:"title.class.inherited"}},{className:"meta",begin:/^[\t ]*@/,end:/(?=#)|$/,contains:[I,F,N]}]}}Ad.exports=ub});var Dd=O((QT,Id)=>{function mb(e){return{aliases:["pycon"],contains:[{className:"meta.prompt",starts:{end:/ |$/,starts:{end:"$",subLanguage:"python"}},variants:[{begin:/^>>>(?=[ ]|$)/},{begin:/^\.\.\.(?=[ ]|$)/}]}]}}Id.exports=mb});var wd=O((XT,xd)=>{function gb(e){return{name:"Q",aliases:["k","kdb"],keywords:{$pattern:/(`?)[A-Za-z0-9_]+\b/,keyword:"do while select delete by update from",literal:"0b 1b",built_in:"neg not null string reciprocal floor ceiling signum mod xbar xlog and or each scan over prior mmu lsq inv md5 ltime gtime count first var dev med cov cor all any rand sums prds mins maxs fills deltas ratios avgs differ prev next rank reverse iasc idesc asc desc msum mcount mavg mdev xrank mmin mmax xprev rotate distinct group where flip type key til get value attr cut set upsert raze union inter except cross sv vs sublist enlist read0 read1 hopen hclose hdel hsym hcount peach system ltrim rtrim trim lower upper ssr view tables views cols xcols keys xkey xcol xasc xdesc fkeys meta lj aj aj0 ij pj asof uj ww wj wj1 fby xgroup ungroup ej save load rsave rload show csv parse eval min max avg wavg wsum sin cos tan sum",type:"`float `double int `timestamp `timespan `datetime `time `boolean `symbol `char `byte `short `long `real `month `date `minute `second `guid"},contains:[e.C_LINE_COMMENT_MODE,e.QUOTE_STRING_MODE,e.C_NUMBER_MODE]}}xd.exports=gb});var Ld=O((ZT,Md)=>{function Eb(e){let n=e.regex,i={keyword:"in of on if for while finally var new function do return void else break catch instanceof with throw case default try this switch continue typeof delete let yield const export super debugger as async await import",literal:"true false null undefined NaN Infinity",built_in:"eval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent encodeURI encodeURIComponent escape unescape Object Function Boolean Error EvalError InternalError RangeError ReferenceError StopIteration SyntaxError TypeError URIError Number Math Date String RegExp Array Float32Array Float64Array Int16Array Int32Array Int8Array Uint16Array Uint32Array Uint8Array Uint8ClampedArray ArrayBuffer DataView JSON Intl arguments require module console window document Symbol Set Map WeakSet WeakMap Proxy Reflect Behavior bool color coordinate date double enumeration font geocircle georectangle geoshape int list matrix4x4 parent point quaternion real rect size string url variant vector2d vector3d vector4d Promise"},_="[a-zA-Z_][a-zA-Z0-9\\._]*",l={className:"keyword",begin:"\\bproperty\\b",starts:{className:"string",end:"(:|=|;|,|//|/\\*|$)",returnEnd:!0}},a={className:"keyword",begin:"\\bsignal\\b",starts:{className:"string",end:"(\\(|:|=|;|,|//|/\\*|$)",returnEnd:!0}},s={className:"attribute",begin:"\\bid\\s*:",starts:{className:"string",end:_,returnEnd:!1}},d={begin:_+"\\s*:",returnBegin:!0,contains:[{className:"attribute",begin:_,end:"\\s*:",excludeEnd:!0,relevance:0}],relevance:0},u={begin:n.concat(_,/\s*\{/),end:/\{/,returnBegin:!0,relevance:0,contains:[e.inherit(e.TITLE_MODE,{begin:_})]};return{name:"QML",aliases:["qt"],case_insensitive:!1,keywords:i,contains:[{className:"meta",begin:/^\s*['"]use (strict|asm)['"]/},e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,{className:"string",begin:"`",end:"`",contains:[e.BACKSLASH_ESCAPE,{className:"subst",begin:"\\$\\{",end:"\\}"}]},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,{className:"number",variants:[{begin:"\\b(0[bB][01]+)"},{begin:"\\b(0[oO][0-7]+)"},{begin:e.C_NUMBER_RE}],relevance:0},{begin:"("+e.RE_STARTERS_RE+"|\\b(case|return|throw)\\b)\\s*",keywords:"return throw case",contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.REGEXP_MODE,{begin:/</,end:/>\s*[);\]]/,relevance:0,subLanguage:"xml"}],relevance:0},a,l,{className:"function",beginKeywords:"function",end:/\{/,excludeEnd:!0,contains:[e.inherit(e.TITLE_MODE,{begin:/[A-Za-z$_][0-9A-Za-z$_]*/}),{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]}],illegal:/\[|%/},{begin:"\\."+e.IDENT_RE,relevance:0},s,d,u],illegal:/#/}}Md.exports=Eb});var kd=O((JT,Pd)=>{function bb(e){let n=e.regex,i=/(?:(?:[a-zA-Z]|\.[._a-zA-Z])[._a-zA-Z0-9]*)|\.(?!\d)/,_=n.either(/0[xX][0-9a-fA-F]+\.[0-9a-fA-F]*[pP][+-]?\d+i?/,/0[xX][0-9a-fA-F]+(?:[pP][+-]?\d+)?[Li]?/,/(?:\d+(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+)?[Li]?/),l=/[=!<>:]=|\|\||&&|:::?|<-|<<-|->>|->|\|>|[-+*\/?!$&|:<=>@^~]|\*\*/,a=n.either(/[()]/,/[{}]/,/\[\[/,/[[\]]/,/\\/,/,/);return{name:"R",keywords:{$pattern:i,keyword:"function if in break next repeat else for while",literal:"NULL NA TRUE FALSE Inf NaN NA_integer_|10 NA_real_|10 NA_character_|10 NA_complex_|10",built_in:"LETTERS letters month.abb month.name pi T F abs acos acosh all any anyNA Arg as.call as.character as.complex as.double as.environment as.integer as.logical as.null.default as.numeric as.raw asin asinh atan atanh attr attributes baseenv browser c call ceiling class Conj cos cosh cospi cummax cummin cumprod cumsum digamma dim dimnames emptyenv exp expression floor forceAndCall gamma gc.time globalenv Im interactive invisible is.array is.atomic is.call is.character is.complex is.double is.environment is.expression is.finite is.function is.infinite is.integer is.language is.list is.logical is.matrix is.na is.name is.nan is.null is.numeric is.object is.pairlist is.raw is.recursive is.single is.symbol lazyLoadDBfetch length lgamma list log max min missing Mod names nargs nzchar oldClass on.exit pos.to.env proc.time prod quote range Re rep retracemem return round seq_along seq_len seq.int sign signif sin sinh sinpi sqrt standardGeneric substitute sum switch tan tanh tanpi tracemem trigamma trunc unclass untracemem UseMethod xtfrm"},contains:[e.COMMENT(/#'/,/$/,{contains:[{scope:"doctag",match:/@examples/,starts:{end:n.lookahead(n.either(/\n^#'\s*(?=@[a-zA-Z]+)/,/\n^(?!#')/)),endsParent:!0}},{scope:"doctag",begin:"@param",end:/$/,contains:[{scope:"variable",variants:[{match:i},{match:/`(?:\\.|[^`\\])+`/}],endsParent:!0}]},{scope:"doctag",match:/@[a-zA-Z]+/},{scope:"keyword",match:/\\[a-zA-Z]+/}]}),e.HASH_COMMENT_MODE,{scope:"string",contains:[e.BACKSLASH_ESCAPE],variants:[e.END_SAME_AS_BEGIN({begin:/[rR]"(-*)\(/,end:/\)(-*)"/}),e.END_SAME_AS_BEGIN({begin:/[rR]"(-*)\{/,end:/\}(-*)"/}),e.END_SAME_AS_BEGIN({begin:/[rR]"(-*)\[/,end:/\](-*)"/}),e.END_SAME_AS_BEGIN({begin:/[rR]'(-*)\(/,end:/\)(-*)'/}),e.END_SAME_AS_BEGIN({begin:/[rR]'(-*)\{/,end:/\}(-*)'/}),e.END_SAME_AS_BEGIN({begin:/[rR]'(-*)\[/,end:/\](-*)'/}),{begin:'"',end:'"',relevance:0},{begin:"'",end:"'",relevance:0}]},{relevance:0,variants:[{scope:{1:"operator",2:"number"},match:[l,_]},{scope:{1:"operator",2:"number"},match:[/%[^%]*%/,_]},{scope:{1:"punctuation",2:"number"},match:[a,_]},{scope:{2:"number"},match:[/[^a-zA-Z0-9._]|^/,_]}]},{scope:{3:"operator"},match:[i,/\s+/,/<-/,/\s+/]},{scope:"operator",relevance:0,variants:[{match:l},{match:/%[^%]*%/}]},{scope:"punctuation",relevance:0,match:a},{begin:"`",end:"`",contains:[{begin:/\\./}]}]}}Pd.exports=bb});var Fd=O((jT,Ud)=>{function fb(e){function n(z){return z.map(function(c){return c.split("").map(function(te){return"\\"+te}).join("")}).join("|")}let i="~?[a-z$_][0-9a-zA-Z$_]*",_="`?[A-Z$_][0-9a-zA-Z$_]*",l="'?[a-z$_][0-9a-z$_]*",a="\\s*:\\s*[a-z$_][0-9a-z$_]*(\\(\\s*("+l+"\\s*(,"+l+"\\s*)*)?\\))?",s=i+"("+a+"){0,2}",d="("+n(["||","++","**","+.","*","/","*.","/.","..."])+"|\\|>|&&|==|===)",u="\\s+"+d+"\\s+",E={keyword:"and as asr assert begin class constraint do done downto else end exception external for fun function functor if in include inherit initializer land lazy let lor lsl lsr lxor match method mod module mutable new nonrec object of open or private rec sig struct then to try type val virtual when while with",built_in:"array bool bytes char exn|5 float int int32 int64 list lazy_t|5 nativeint|5 ref string unit ",literal:"true false"},f="\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",N={className:"number",relevance:0,variants:[{begin:f},{begin:"\\(-"+f+"\\)"}]},S={className:"operator",relevance:0,begin:d},h=[{className:"identifier",relevance:0,begin:i},S,N],C=[e.QUOTE_STRING_MODE,S,{className:"module",begin:"\\b"+_,returnBegin:!0,relevance:0,end:".",contains:[{className:"identifier",begin:_,relevance:0}]}],I=[{className:"module",begin:"\\b"+_,returnBegin:!0,end:".",relevance:0,contains:[{className:"identifier",begin:_,relevance:0}]}],x={begin:i,end:"(,|\\n|\\))",relevance:0,contains:[S,{className:"typing",begin:":",end:"(,|\\n)",returnBegin:!0,relevance:0,contains:I}]},F={className:"function",relevance:0,keywords:E,variants:[{begin:"\\s(\\(\\.?.*?\\)|"+i+")\\s*=>",end:"\\s*=>",returnBegin:!0,relevance:0,contains:[{className:"params",variants:[{begin:i},{begin:s},{begin:/\(\s*\)/}]}]},{begin:"\\s\\(\\.?[^;\\|]*\\)\\s*=>",end:"\\s=>",returnBegin:!0,relevance:0,contains:[{className:"params",relevance:0,variants:[x]}]},{begin:"\\(\\.\\s"+i+"\\)\\s*=>"}]};C.push(F);let q={className:"constructor",begin:_+"\\(",end:"\\)",illegal:"\\n",keywords:E,contains:[e.QUOTE_STRING_MODE,S,{className:"params",begin:"\\b"+i}]},B={className:"pattern-match",begin:"\\|",returnBegin:!0,keywords:E,end:"=>",relevance:0,contains:[q,S,{relevance:0,className:"constructor",begin:_}]},Y={className:"module-access",keywords:E,returnBegin:!0,variants:[{begin:"\\b("+_+"\\.)+"+i},{begin:"\\b("+_+"\\.)+\\(",end:"\\)",returnBegin:!0,contains:[F,{begin:"\\(",end:"\\)",relevance:0,skip:!0}].concat(C)},{begin:"\\b("+_+"\\.)+\\{",end:/\}/}],contains:C};return I.push(Y),{name:"ReasonML",aliases:["re"],keywords:E,illegal:"(:-|:=|\\$\\{|\\+=)",contains:[e.COMMENT("/\\*","\\*/",{illegal:"^(#,\\/\\/)"}),{className:"character",begin:"'(\\\\[^']+|[^'])'",illegal:"\\n",relevance:0},e.QUOTE_STRING_MODE,{className:"literal",begin:"\\(\\)",relevance:0},{className:"literal",begin:"\\[\\|",end:"\\|\\]",relevance:0,contains:h},{className:"literal",begin:"\\[",end:"\\]",relevance:0,contains:h},q,{className:"operator",begin:u,illegal:"-->",relevance:0},N,e.C_LINE_COMMENT_MODE,B,F,{className:"module-def",begin:"\\bmodule\\s+"+i+"\\s+"+_+"\\s+=\\s+\\{",end:/\}/,returnBegin:!0,keywords:E,relevance:0,contains:[{className:"module",relevance:0,begin:_},{begin:/\{/,end:/\}/,relevance:0,skip:!0}].concat(C)},Y]}}Ud.exports=fb});var Gd=O((eR,Bd)=>{function Sb(e){return{name:"RenderMan RIB",keywords:"ArchiveRecord AreaLightSource Atmosphere Attribute AttributeBegin AttributeEnd Basis Begin Blobby Bound Clipping ClippingPlane Color ColorSamples ConcatTransform Cone CoordinateSystem CoordSysTransform CropWindow Curves Cylinder DepthOfField Detail DetailRange Disk Displacement Display End ErrorHandler Exposure Exterior Format FrameAspectRatio FrameBegin FrameEnd GeneralPolygon GeometricApproximation Geometry Hider Hyperboloid Identity Illuminate Imager Interior LightSource MakeCubeFaceEnvironment MakeLatLongEnvironment MakeShadow MakeTexture Matte MotionBegin MotionEnd NuPatch ObjectBegin ObjectEnd ObjectInstance Opacity Option Orientation Paraboloid Patch PatchMesh Perspective PixelFilter PixelSamples PixelVariance Points PointsGeneralPolygons PointsPolygons Polygon Procedural Projection Quantize ReadArchive RelativeDetail ReverseOrientation Rotate Scale ScreenWindow ShadingInterpolation ShadingRate Shutter Sides Skew SolidBegin SolidEnd Sphere SubdivisionMesh Surface TextureCoordinates Torus Transform TransformBegin TransformEnd TransformPoints Translate TrimCurve WorldBegin WorldEnd",illegal:"</",contains:[e.HASH_COMMENT_MODE,e.C_NUMBER_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE]}}Bd.exports=Sb});var Hd=O((tR,Yd)=>{function hb(e){let n="[a-zA-Z-_][^\\n{]+\\{",i={className:"attribute",begin:/[a-zA-Z-_]+/,end:/\s*:/,excludeEnd:!0,starts:{end:";",relevance:0,contains:[{className:"variable",begin:/\.[a-zA-Z-_]+/},{className:"keyword",begin:/\(optional\)/}]}};return{name:"Roboconf",aliases:["graph","instances"],case_insensitive:!0,keywords:"import",contains:[{begin:"^facet "+n,end:/\}/,keywords:"facet",contains:[i,e.HASH_COMMENT_MODE]},{begin:"^\\s*instance of "+n,end:/\}/,keywords:"name count channels instance-data instance-state instance of",illegal:/\S/,contains:["self",i,e.HASH_COMMENT_MODE]},{begin:"^"+n,end:/\}/,contains:[i,e.HASH_COMMENT_MODE]},e.HASH_COMMENT_MODE]}}Yd.exports=hb});var Vd=O((nR,qd)=>{function Tb(e){let n="foreach do while for if from to step else on-error and or not in",i="global local beep delay put len typeof pick log time set find environment terminal error execute parse resolve toarray tobool toid toip toip6 tonum tostr totime",_="add remove enable disable set get print export edit find run debug error info warning",l="true false yes no nothing nil null",a="traffic-flow traffic-generator firewall scheduler aaa accounting address-list address align area bandwidth-server bfd bgp bridge client clock community config connection console customer default dhcp-client dhcp-server discovery dns e-mail ethernet filter firmware gps graphing group hardware health hotspot identity igmp-proxy incoming instance interface ip ipsec ipv6 irq l2tp-server lcd ldp logging mac-server mac-winbox mangle manual mirror mme mpls nat nd neighbor network note ntp ospf ospf-v3 ovpn-server page peer pim ping policy pool port ppp pppoe-client pptp-server prefix profile proposal proxy queue radius resource rip ripng route routing screen script security-profiles server service service-port settings shares smb sms sniffer snmp snooper socks sstp-server system tool tracking type upgrade upnp user-manager users user vlan secret vrrp watchdog web-access wireless pptp pppoe lan wan layer7-protocol lease simple raw",s={className:"variable",variants:[{begin:/\$[\w\d#@][\w\d_]*/},{begin:/\$\{(.*?)\}/}]},d={className:"string",begin:/"/,end:/"/,contains:[e.BACKSLASH_ESCAPE,s,{className:"variable",begin:/\$\(/,end:/\)/,contains:[e.BACKSLASH_ESCAPE]}]},u={className:"string",begin:/'/,end:/'/};return{name:"MikroTik RouterOS script",aliases:["mikrotik"],case_insensitive:!0,keywords:{$pattern:/:?[\w-]+/,literal:l,keyword:n+" :"+n.split(" ").join(" :")+" :"+i.split(" ").join(" :")},contains:[{variants:[{begin:/\/\*/,end:/\*\//},{begin:/\/\//,end:/$/},{begin:/<\//,end:/>/}],illegal:/./},e.COMMENT("^#","$"),d,u,s,{begin:/[\w-]+=([^\s{}[\]()>]+)/,relevance:0,returnBegin:!0,contains:[{className:"attribute",begin:/[^=]+/},{begin:/=/,endsWithParent:!0,relevance:0,contains:[d,u,s,{className:"literal",begin:"\\b("+l.split(" ").join("|")+")\\b"},{begin:/("[^"]*"|[^\s{}[\]]+)/}]}]},{className:"number",begin:/\*[0-9a-fA-F]+/},{begin:"\\b("+_.split(" ").join("|")+")([\\s[(\\]|])",returnBegin:!0,contains:[{className:"built_in",begin:/\w+/}]},{className:"built_in",variants:[{begin:"(\\.\\./|/|\\s)(("+a.split(" ").join("|")+");?\\s)+"},{begin:/\.\./,relevance:0}]}]}}qd.exports=Tb});var Wd=O((rR,zd)=>{function Rb(e){let n=["abs","acos","ambient","area","asin","atan","atmosphere","attribute","calculatenormal","ceil","cellnoise","clamp","comp","concat","cos","degrees","depth","Deriv","diffuse","distance","Du","Dv","environment","exp","faceforward","filterstep","floor","format","fresnel","incident","length","lightsource","log","match","max","min","mod","noise","normalize","ntransform","opposite","option","phong","pnoise","pow","printf","ptlined","radians","random","reflect","refract","renderinfo","round","setcomp","setxcomp","setycomp","setzcomp","shadow","sign","sin","smoothstep","specular","specularbrdf","spline","sqrt","step","tan","texture","textureinfo","trace","transform","vtransform","xcomp","ycomp","zcomp"],i=["matrix","float","color","point","normal","vector"],_=["while","for","if","do","return","else","break","extern","continue"],l={match:[/(surface|displacement|light|volume|imager)/,/\s+/,e.IDENT_RE],scope:{1:"keyword",3:"title.class"}};return{name:"RenderMan RSL",keywords:{keyword:_,built_in:n,type:i},illegal:"</",contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,e.C_NUMBER_MODE,{className:"meta",begin:"#",end:"$"},l,{beginKeywords:"illuminate illuminance gather",end:"\\("}]}}zd.exports=Rb});var Kd=O((iR,$d)=>{function Cb(e){return{name:"Oracle Rules Language",keywords:{keyword:"BILL_PERIOD BILL_START BILL_STOP RS_EFFECTIVE_START RS_EFFECTIVE_STOP RS_JURIS_CODE RS_OPCO_CODE INTDADDATTRIBUTE|5 INTDADDVMSG|5 INTDBLOCKOP|5 INTDBLOCKOPNA|5 INTDCLOSE|5 INTDCOUNT|5 INTDCOUNTSTATUSCODE|5 INTDCREATEMASK|5 INTDCREATEDAYMASK|5 INTDCREATEFACTORMASK|5 INTDCREATEHANDLE|5 INTDCREATEOVERRIDEDAYMASK|5 INTDCREATEOVERRIDEMASK|5 INTDCREATESTATUSCODEMASK|5 INTDCREATETOUPERIOD|5 INTDDELETE|5 INTDDIPTEST|5 INTDEXPORT|5 INTDGETERRORCODE|5 INTDGETERRORMESSAGE|5 INTDISEQUAL|5 INTDJOIN|5 INTDLOAD|5 INTDLOADACTUALCUT|5 INTDLOADDATES|5 INTDLOADHIST|5 INTDLOADLIST|5 INTDLOADLISTDATES|5 INTDLOADLISTENERGY|5 INTDLOADLISTHIST|5 INTDLOADRELATEDCHANNEL|5 INTDLOADSP|5 INTDLOADSTAGING|5 INTDLOADUOM|5 INTDLOADUOMDATES|5 INTDLOADUOMHIST|5 INTDLOADVERSION|5 INTDOPEN|5 INTDREADFIRST|5 INTDREADNEXT|5 INTDRECCOUNT|5 INTDRELEASE|5 INTDREPLACE|5 INTDROLLAVG|5 INTDROLLPEAK|5 INTDSCALAROP|5 INTDSCALE|5 INTDSETATTRIBUTE|5 INTDSETDSTPARTICIPANT|5 INTDSETSTRING|5 INTDSETVALUE|5 INTDSETVALUESTATUS|5 INTDSHIFTSTARTTIME|5 INTDSMOOTH|5 INTDSORT|5 INTDSPIKETEST|5 INTDSUBSET|5 INTDTOU|5 INTDTOURELEASE|5 INTDTOUVALUE|5 INTDUPDATESTATS|5 INTDVALUE|5 STDEV INTDDELETEEX|5 INTDLOADEXACTUAL|5 INTDLOADEXCUT|5 INTDLOADEXDATES|5 INTDLOADEX|5 INTDLOADEXRELATEDCHANNEL|5 INTDSAVEEX|5 MVLOAD|5 MVLOADACCT|5 MVLOADACCTDATES|5 MVLOADACCTHIST|5 MVLOADDATES|5 MVLOADHIST|5 MVLOADLIST|5 MVLOADLISTDATES|5 MVLOADLISTHIST|5 IF FOR NEXT DONE SELECT END CALL ABORT CLEAR CHANNEL FACTOR LIST NUMBER OVERRIDE SET WEEK DISTRIBUTIONNODE ELSE WHEN THEN OTHERWISE IENUM CSV INCLUDE LEAVE RIDER SAVE DELETE NOVALUE SECTION WARN SAVE_UPDATE DETERMINANT LABEL REPORT REVENUE EACH IN FROM TOTAL CHARGE BLOCK AND OR CSV_FILE RATE_CODE AUXILIARY_DEMAND UIDACCOUNT RS BILL_PERIOD_SELECT HOURS_PER_MONTH INTD_ERROR_STOP SEASON_SCHEDULE_NAME ACCOUNTFACTOR ARRAYUPPERBOUND CALLSTOREDPROC GETADOCONNECTION GETCONNECT GETDATASOURCE GETQUALIFIER GETUSERID HASVALUE LISTCOUNT LISTOP LISTUPDATE LISTVALUE PRORATEFACTOR RSPRORATE SETBINPATH SETDBMONITOR WQ_OPEN BILLINGHOURS DATE DATEFROMFLOAT DATETIMEFROMSTRING DATETIMETOSTRING DATETOFLOAT DAY DAYDIFF DAYNAME DBDATETIME HOUR MINUTE MONTH MONTHDIFF MONTHHOURS MONTHNAME ROUNDDATE SAMEWEEKDAYLASTYEAR SECOND WEEKDAY WEEKDIFF YEAR YEARDAY YEARSTR COMPSUM HISTCOUNT HISTMAX HISTMIN HISTMINNZ HISTVALUE MAXNRANGE MAXRANGE MINRANGE COMPIKVA COMPKVA COMPKVARFROMKQKW COMPLF IDATTR FLAG LF2KW LF2KWH MAXKW POWERFACTOR READING2USAGE AVGSEASON MAXSEASON MONTHLYMERGE SEASONVALUE SUMSEASON ACCTREADDATES ACCTTABLELOAD CONFIGADD CONFIGGET CREATEOBJECT CREATEREPORT EMAILCLIENT EXPBLKMDMUSAGE EXPMDMUSAGE EXPORT_USAGE FACTORINEFFECT GETUSERSPECIFIEDSTOP INEFFECT ISHOLIDAY RUNRATE SAVE_PROFILE SETREPORTTITLE USEREXIT WATFORRUNRATE TO TABLE ACOS ASIN ATAN ATAN2 BITAND CEIL COS COSECANT COSH COTANGENT DIVQUOT DIVREM EXP FABS FLOOR FMOD FREPM FREXPN LOG LOG10 MAX MAXN MIN MINNZ MODF POW ROUND ROUND2VALUE ROUNDINT SECANT SIN SINH SQROOT TAN TANH FLOAT2STRING FLOAT2STRINGNC INSTR LEFT LEN LTRIM MID RIGHT RTRIM STRING STRINGNC TOLOWER TOUPPER TRIM NUMDAYS READ_DATE STAGING",built_in:"IDENTIFIER OPTIONS XML_ELEMENT XML_OP XML_ELEMENT_OF DOMDOCCREATE DOMDOCLOADFILE DOMDOCLOADXML DOMDOCSAVEFILE DOMDOCGETROOT DOMDOCADDPI DOMNODEGETNAME DOMNODEGETTYPE DOMNODEGETVALUE DOMNODEGETCHILDCT DOMNODEGETFIRSTCHILD DOMNODEGETSIBLING DOMNODECREATECHILDELEMENT DOMNODESETATTRIBUTE DOMNODEGETCHILDELEMENTCT DOMNODEGETFIRSTCHILDELEMENT DOMNODEGETSIBLINGELEMENT DOMNODEGETATTRIBUTECT DOMNODEGETATTRIBUTEI DOMNODEGETATTRIBUTEBYNAME DOMNODEGETBYNAME"},contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.C_NUMBER_MODE,{className:"literal",variants:[{begin:"#\\s+",relevance:0},{begin:"#[a-zA-Z .]+"}]}]}}$d.exports=Cb});var Xd=O((aR,Qd)=>{function vb(e){let n=e.regex,i={className:"title.function.invoke",relevance:0,begin:n.concat(/\b/,/(?!let\b)/,e.IDENT_RE,n.lookahead(/\s*\(/))},_="([ui](8|16|32|64|128|size)|f(32|64))?",l=["abstract","as","async","await","become","box","break","const","continue","crate","do","dyn","else","enum","extern","false","final","fn","for","if","impl","in","let","loop","macro","match","mod","move","mut","override","priv","pub","ref","return","self","Self","static","struct","super","trait","true","try","type","typeof","unsafe","unsized","use","virtual","where","while","yield"],a=["true","false","Some","None","Ok","Err"],s=["drop ","Copy","Send","Sized","Sync","Drop","Fn","FnMut","FnOnce","ToOwned","Clone","Debug","PartialEq","PartialOrd","Eq","Ord","AsRef","AsMut","Into","From","Default","Iterator","Extend","IntoIterator","DoubleEndedIterator","ExactSizeIterator","SliceConcatExt","ToString","assert!","assert_eq!","bitflags!","bytes!","cfg!","col!","concat!","concat_idents!","debug_assert!","debug_assert_eq!","env!","panic!","file!","format!","format_args!","include_bytes!","include_str!","line!","local_data_key!","module_path!","option_env!","print!","println!","select!","stringify!","try!","unimplemented!","unreachable!","vec!","write!","writeln!","macro_rules!","assert_ne!","debug_assert_ne!"],d=["i8","i16","i32","i64","i128","isize","u8","u16","u32","u64","u128","usize","f32","f64","str","char","bool","Box","Option","Result","String","Vec"];return{name:"Rust",aliases:["rs"],keywords:{$pattern:e.IDENT_RE+"!?",type:d,keyword:l,literal:a,built_in:s},illegal:"</",contains:[e.C_LINE_COMMENT_MODE,e.COMMENT("/\\*","\\*/",{contains:["self"]}),e.inherit(e.QUOTE_STRING_MODE,{begin:/b?"/,illegal:null}),{className:"string",variants:[{begin:/b?r(#*)"(.|\n)*?"\1(?!#)/},{begin:/b?'\\?(x\w{2}|u\w{4}|U\w{8}|.)'/}]},{className:"symbol",begin:/'[a-zA-Z_][a-zA-Z0-9_]*/},{className:"number",variants:[{begin:"\\b0b([01_]+)"+_},{begin:"\\b0o([0-7_]+)"+_},{begin:"\\b0x([A-Fa-f0-9_]+)"+_},{begin:"\\b(\\d[\\d_]*(\\.[0-9_]+)?([eE][+-]?[0-9_]+)?)"+_}],relevance:0},{begin:[/fn/,/\s+/,e.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"title.function"}},{className:"meta",begin:"#!?\\[",end:"\\]",contains:[{className:"string",begin:/"/,end:/"/}]},{begin:[/let/,/\s+/,/(?:mut\s+)?/,e.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"keyword",4:"variable"}},{begin:[/for/,/\s+/,e.UNDERSCORE_IDENT_RE,/\s+/,/in/],className:{1:"keyword",3:"variable",5:"keyword"}},{begin:[/type/,/\s+/,e.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"title.class"}},{begin:[/(?:trait|enum|struct|union|impl|for)/,/\s+/,e.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"title.class"}},{begin:e.IDENT_RE+"::",keywords:{keyword:"Self",built_in:s,type:d}},{className:"punctuation",begin:"->"},i]}}Qd.exports=vb});var Jd=O((oR,Zd)=>{function Nb(e){let n=e.regex,i=["do","if","then","else","end","until","while","abort","array","attrib","by","call","cards","cards4","catname","continue","datalines","datalines4","delete","delim","delimiter","display","dm","drop","endsas","error","file","filename","footnote","format","goto","in","infile","informat","input","keep","label","leave","length","libname","link","list","lostcard","merge","missing","modify","options","output","out","page","put","redirect","remove","rename","replace","retain","return","select","set","skip","startsas","stop","title","update","waitsas","where","window","x|0","systask","add","and","alter","as","cascade","check","create","delete","describe","distinct","drop","foreign","from","group","having","index","insert","into","in","key","like","message","modify","msgtype","not","null","on","or","order","primary","references","reset","restrict","select","set","table","unique","update","validate","view","where"],_=["abs","addr","airy","arcos","arsin","atan","attrc","attrn","band","betainv","blshift","bnot","bor","brshift","bxor","byte","cdf","ceil","cexist","cinv","close","cnonct","collate","compbl","compound","compress","cos","cosh","css","curobs","cv","daccdb","daccdbsl","daccsl","daccsyd","dacctab","dairy","date","datejul","datepart","datetime","day","dclose","depdb","depdbsl","depdbsl","depsl","depsl","depsyd","depsyd","deptab","deptab","dequote","dhms","dif","digamma","dim","dinfo","dnum","dopen","doptname","doptnum","dread","dropnote","dsname","erf","erfc","exist","exp","fappend","fclose","fcol","fdelete","fetch","fetchobs","fexist","fget","fileexist","filename","fileref","finfo","finv","fipname","fipnamel","fipstate","floor","fnonct","fnote","fopen","foptname","foptnum","fpoint","fpos","fput","fread","frewind","frlen","fsep","fuzz","fwrite","gaminv","gamma","getoption","getvarc","getvarn","hbound","hms","hosthelp","hour","ibessel","index","indexc","indexw","input","inputc","inputn","int","intck","intnx","intrr","irr","jbessel","juldate","kurtosis","lag","lbound","left","length","lgamma","libname","libref","log","log10","log2","logpdf","logpmf","logsdf","lowcase","max","mdy","mean","min","minute","mod","month","mopen","mort","n","netpv","nmiss","normal","note","npv","open","ordinal","pathname","pdf","peek","peekc","pmf","point","poisson","poke","probbeta","probbnml","probchi","probf","probgam","probhypr","probit","probnegb","probnorm","probt","put","putc","putn","qtr","quote","ranbin","rancau","ranexp","rangam","range","rank","rannor","ranpoi","rantbl","rantri","ranuni","repeat","resolve","reverse","rewind","right","round","saving","scan","sdf","second","sign","sin","sinh","skewness","soundex","spedis","sqrt","std","stderr","stfips","stname","stnamel","substr","sum","symget","sysget","sysmsg","sysprod","sysrc","system","tan","tanh","time","timepart","tinv","tnonct","today","translate","tranwrd","trigamma","trim","trimn","trunc","uniform","upcase","uss","var","varfmt","varinfmt","varlabel","varlen","varname","varnum","varray","varrayx","vartype","verify","vformat","vformatd","vformatdx","vformatn","vformatnx","vformatw","vformatwx","vformatx","vinarray","vinarrayx","vinformat","vinformatd","vinformatdx","vinformatn","vinformatnx","vinformatw","vinformatwx","vinformatx","vlabel","vlabelx","vlength","vlengthx","vname","vnamex","vtype","vtypex","weekday","year","yyq","zipfips","zipname","zipnamel","zipstate"],l=["bquote","nrbquote","cmpres","qcmpres","compstor","datatyp","display","do","else","end","eval","global","goto","if","index","input","keydef","label","left","length","let","local","lowcase","macro","mend","nrbquote","nrquote","nrstr","put","qcmpres","qleft","qlowcase","qscan","qsubstr","qsysfunc","qtrim","quote","qupcase","scan","str","substr","superq","syscall","sysevalf","sysexec","sysfunc","sysget","syslput","sysprod","sysrc","sysrput","then","to","trim","unquote","until","upcase","verify","while","window"];return{name:"SAS",case_insensitive:!0,keywords:{literal:["null","missing","_all_","_automatic_","_character_","_infile_","_n_","_name_","_null_","_numeric_","_user_","_webout_"],keyword:i},contains:[{className:"keyword",begin:/^\s*(proc [\w\d_]+|data|run|quit)[\s;]/},{className:"variable",begin:/&[a-zA-Z_&][a-zA-Z0-9_]*\.?/},{begin:[/^\s*/,/datalines;|cards;/,/(?:.*\n)+/,/^\s*;\s*$/],className:{2:"keyword",3:"string"}},{begin:[/%mend|%macro/,/\s+/,/[a-zA-Z_&][a-zA-Z0-9_]*/],className:{1:"built_in",3:"title.function"}},{className:"built_in",begin:"%"+n.either(...l)},{className:"title.function",begin:/%[a-zA-Z_][a-zA-Z_0-9]*/},{className:"meta",begin:n.either(..._)+"(?=\\()"},{className:"string",variants:[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE]},e.COMMENT("\\*",";"),e.C_BLOCK_COMMENT_MODE]}}Zd.exports=Nb});var e_=O((sR,jd)=>{function Ob(e){let n=e.regex,i={className:"meta",begin:"@[A-Za-z]+"},_={className:"subst",variants:[{begin:"\\$[A-Za-z0-9_]+"},{begin:/\$\{/,end:/\}/}]},l={className:"string",variants:[{begin:'"""',end:'"""'},{begin:'"',end:'"',illegal:"\\n",contains:[e.BACKSLASH_ESCAPE]},{begin:'[a-z]+"',end:'"',illegal:"\\n",contains:[e.BACKSLASH_ESCAPE,_]},{className:"string",begin:'[a-z]+"""',end:'"""',contains:[_],relevance:10}]},a={className:"type",begin:"\\b[A-Z][A-Za-z0-9_]*",relevance:0},s={className:"title",begin:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/,relevance:0},d={className:"class",beginKeywords:"class object trait type",end:/[:={\[\n;]/,excludeEnd:!0,contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,{beginKeywords:"extends with",relevance:10},{begin:/\[/,end:/\]/,excludeBegin:!0,excludeEnd:!0,relevance:0,contains:[a]},{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,relevance:0,contains:[a]},s]},u={className:"function",beginKeywords:"def",end:n.lookahead(/[:={\[(\n;]/),contains:[s]},E={begin:[/^\s*/,"extension",/\s+(?=[[(])/],beginScope:{2:"keyword"}},f={begin:[/^\s*/,/end/,/\s+/,/(extension\b)?/],beginScope:{2:"keyword",4:"keyword"}},N=[{match:/\.inline\b/},{begin:/\binline(?=\s)/,keywords:"inline"}],S={begin:[/\(\s*/,/using/,/\s+(?!\))/],beginScope:{2:"keyword"}};return{name:"Scala",keywords:{literal:"true false null",keyword:"type yield lazy override def with val var sealed abstract private trait object if then forSome for while do throw finally protected extends import final return else break new catch super class case package default try this match continue throws implicit export enum given transparent"},contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,l,a,u,d,e.C_NUMBER_MODE,E,f,...N,S,i]}}jd.exports=Ob});var n_=O((lR,t_)=>{function Ab(e){let n="[^\\(\\)\\[\\]\\{\\}\",'`;#|\\\\\\s]+",i="(-|\\+)?\\d+([./]\\d+)?",_=i+"[+\\-]"+i+"i",l={$pattern:n,built_in:"case-lambda call/cc class define-class exit-handler field import inherit init-field interface let*-values let-values let/ec mixin opt-lambda override protect provide public rename require require-for-syntax syntax syntax-case syntax-error unit/sig unless when with-syntax and begin call-with-current-continuation call-with-input-file call-with-output-file case cond define define-syntax delay do dynamic-wind else for-each if lambda let let* let-syntax letrec letrec-syntax map or syntax-rules ' * + , ,@ - ... / ; < <= = => > >= ` abs acos angle append apply asin assoc assq assv atan boolean? caar cadr call-with-input-file call-with-output-file call-with-values car cdddar cddddr cdr ceiling char->integer char-alphabetic? char-ci<=? char-ci<? char-ci=? char-ci>=? char-ci>? char-downcase char-lower-case? char-numeric? char-ready? char-upcase char-upper-case? char-whitespace? char<=? char<? char=? char>=? char>? char? close-input-port close-output-port complex? cons cos current-input-port current-output-port denominator display eof-object? eq? equal? eqv? eval even? exact->inexact exact? exp expt floor force gcd imag-part inexact->exact inexact? input-port? integer->char integer? interaction-environment lcm length list list->string list->vector list-ref list-tail list? load log magnitude make-polar make-rectangular make-string make-vector max member memq memv min modulo negative? newline not null-environment null? number->string number? numerator odd? open-input-file open-output-file output-port? pair? peek-char port? positive? procedure? quasiquote quote quotient rational? rationalize read read-char real-part real? remainder reverse round scheme-report-environment set! set-car! set-cdr! sin sqrt string string->list string->number string->symbol string-append string-ci<=? string-ci<? string-ci=? string-ci>=? string-ci>? string-copy string-fill! string-length string-ref string-set! string<=? string<? string=? string>=? string>? string? substring symbol->string symbol? tan transcript-off transcript-on truncate values vector vector->list vector-fill! vector-length vector-ref vector-set! with-input-from-file with-output-to-file write write-char zero?"},a={className:"literal",begin:"(#t|#f|#\\\\"+n+"|#\\\\.)"},s={className:"number",variants:[{begin:i,relevance:0},{begin:_,relevance:0},{begin:"#b[0-1]+(/[0-1]+)?"},{begin:"#o[0-7]+(/[0-7]+)?"},{begin:"#x[0-9a-f]+(/[0-9a-f]+)?"}]},d=e.QUOTE_STRING_MODE,u=[e.COMMENT(";","$",{relevance:0}),e.COMMENT("#\\|","\\|#")],E={begin:n,relevance:0},f={className:"symbol",begin:"'"+n},N={endsWithParent:!0,relevance:0},S={variants:[{begin:/'/},{begin:"`"}],contains:[{begin:"\\(",end:"\\)",contains:["self",a,d,s,E,f]}]},h={className:"name",relevance:0,begin:n,keywords:l},I={variants:[{begin:"\\(",end:"\\)"},{begin:"\\[",end:"\\]"}],contains:[{begin:/lambda/,endsWithParent:!0,returnBegin:!0,contains:[h,{endsParent:!0,variants:[{begin:/\(/,end:/\)/},{begin:/\[/,end:/\]/}],contains:[E]}]},h,N]};return N.contains=[a,s,d,E,f,S,I].concat(u),{name:"Scheme",aliases:["scm"],illegal:/\S/,contains:[e.SHEBANG(),s,d,f,S,I].concat(u)}}t_.exports=Ab});var i_=O((cR,r_)=>{function yb(e){let n=[e.C_NUMBER_MODE,{className:"string",begin:`'|"`,end:`'|"`,contains:[e.BACKSLASH_ESCAPE,{begin:"''"}]}];return{name:"Scilab",aliases:["sci"],keywords:{$pattern:/%?\w+/,keyword:"abort break case clear catch continue do elseif else endfunction end for function global if pause return resume select try then while",literal:"%f %F %t %T %pi %eps %inf %nan %e %i %z %s",built_in:"abs and acos asin atan ceil cd chdir clearglobal cosh cos cumprod deff disp error exec execstr exists exp eye gettext floor fprintf fread fsolve imag isdef isempty isinfisnan isvector lasterror length load linspace list listfiles log10 log2 log max min msprintf mclose mopen ones or pathconvert poly printf prod pwd rand real round sinh sin size gsort sprintf sqrt strcat strcmps tring sum system tanh tan type typename warning zeros matrix"},illegal:'("|#|/\\*|\\s+/\\w+)',contains:[{className:"function",beginKeywords:"function",end:"$",contains:[e.UNDERSCORE_TITLE_MODE,{className:"params",begin:"\\(",end:"\\)"}]},{begin:"[a-zA-Z_][a-zA-Z_0-9]*[\\.']+",relevance:0},{begin:"\\[",end:"\\][\\.']*",relevance:0,contains:n},e.COMMENT("//","$")].concat(n)}}r_.exports=yb});var o_=O((dR,a_)=>{var Ib=e=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:e.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:e.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z][A-Za-z0-9_-]*/}}),Db=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],xb=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],wb=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],Mb=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],Lb=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","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-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-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","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","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","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse();function Pb(e){let n=Ib(e),i=Mb,_=wb,l="@[a-z-]+",a="and or not only",d={className:"variable",begin:"(\\$"+"[a-zA-Z-][a-zA-Z0-9_-]*"+")\\b",relevance:0};return{name:"SCSS",case_insensitive:!0,illegal:"[=/|']",contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,n.CSS_NUMBER_MODE,{className:"selector-id",begin:"#[A-Za-z0-9_-]+",relevance:0},{className:"selector-class",begin:"\\.[A-Za-z0-9_-]+",relevance:0},n.ATTRIBUTE_SELECTOR_MODE,{className:"selector-tag",begin:"\\b("+Db.join("|")+")\\b",relevance:0},{className:"selector-pseudo",begin:":("+_.join("|")+")"},{className:"selector-pseudo",begin:":(:)?("+i.join("|")+")"},d,{begin:/\(/,end:/\)/,contains:[n.CSS_NUMBER_MODE]},n.CSS_VARIABLE,{className:"attribute",begin:"\\b("+Lb.join("|")+")\\b"},{begin:"\\b(whitespace|wait|w-resize|visible|vertical-text|vertical-ideographic|uppercase|upper-roman|upper-alpha|underline|transparent|top|thin|thick|text|text-top|text-bottom|tb-rl|table-header-group|table-footer-group|sw-resize|super|strict|static|square|solid|small-caps|separate|se-resize|scroll|s-resize|rtl|row-resize|ridge|right|repeat|repeat-y|repeat-x|relative|progress|pointer|overline|outside|outset|oblique|nowrap|not-allowed|normal|none|nw-resize|no-repeat|no-drop|newspaper|ne-resize|n-resize|move|middle|medium|ltr|lr-tb|lowercase|lower-roman|lower-alpha|loose|list-item|line|line-through|line-edge|lighter|left|keep-all|justify|italic|inter-word|inter-ideograph|inside|inset|inline|inline-block|inherit|inactive|ideograph-space|ideograph-parenthesis|ideograph-numeric|ideograph-alpha|horizontal|hidden|help|hand|groove|fixed|ellipsis|e-resize|double|dotted|distribute|distribute-space|distribute-letter|distribute-all-lines|disc|disabled|default|decimal|dashed|crosshair|collapse|col-resize|circle|char|center|capitalize|break-word|break-all|bottom|both|bolder|bold|block|bidi-override|below|baseline|auto|always|all-scroll|absolute|table|table-cell)\\b"},{begin:/:/,end:/[;}{]/,relevance:0,contains:[n.BLOCK_COMMENT,d,n.HEXCOLOR,n.CSS_NUMBER_MODE,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,n.IMPORTANT,n.FUNCTION_DISPATCH]},{begin:"@(page|font-face)",keywords:{$pattern:l,keyword:"@page @font-face"}},{begin:"@",end:"[{;]",returnBegin:!0,keywords:{$pattern:/[a-z-]+/,keyword:a,attribute:xb.join(" ")},contains:[{begin:l,className:"keyword"},{begin:/[a-z-]+(?=:)/,className:"attribute"},d,e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,n.HEXCOLOR,n.CSS_NUMBER_MODE]},n.FUNCTION_DISPATCH]}}a_.exports=Pb});var l_=O((_R,s_)=>{function kb(e){return{name:"Shell Session",aliases:["console","shellsession"],contains:[{className:"meta.prompt",begin:/^\s{0,3}[/~\w\d[\]()@-]*[>%$#][ ]?/,starts:{end:/[^\\](?=\s*$)/,subLanguage:"bash"}}]}}s_.exports=kb});var d_=O((pR,c_)=>{function Ub(e){let n=["add","and","cmp","cmpg","cmpl","const","div","double","float","goto","if","int","long","move","mul","neg","new","nop","not","or","rem","return","shl","shr","sput","sub","throw","ushr","xor"],i=["aget","aput","array","check","execute","fill","filled","goto/16","goto/32","iget","instance","invoke","iput","monitor","packed","sget","sparse"],_=["transient","constructor","abstract","final","synthetic","public","private","protected","static","bridge","system"];return{name:"Smali",contains:[{className:"string",begin:'"',end:'"',relevance:0},e.COMMENT("#","$",{relevance:0}),{className:"keyword",variants:[{begin:"\\s*\\.end\\s[a-zA-Z0-9]*"},{begin:"^[ ]*\\.[a-zA-Z]*",relevance:0},{begin:"\\s:[a-zA-Z_0-9]*",relevance:0},{begin:"\\s("+_.join("|")+")"}]},{className:"built_in",variants:[{begin:"\\s("+n.join("|")+")\\s"},{begin:"\\s("+n.join("|")+")((-|/)[a-zA-Z0-9]+)+\\s",relevance:10},{begin:"\\s("+i.join("|")+")((-|/)[a-zA-Z0-9]+)*\\s",relevance:10}]},{className:"class",begin:`L[^(;: +]*;`,relevance:0},{begin:"[vp][0-9]+"}]}}c_.exports=Ub});var p_=O((uR,__)=>{function Fb(e){let n="[a-z][a-zA-Z0-9_]*",i={className:"string",begin:"\\$.{1}"},_={className:"symbol",begin:"#"+e.UNDERSCORE_IDENT_RE};return{name:"Smalltalk",aliases:["st"],keywords:["self","super","nil","true","false","thisContext"],contains:[e.COMMENT('"','"'),e.APOS_STRING_MODE,{className:"type",begin:"\\b[A-Z][A-Za-z0-9_]*",relevance:0},{begin:n+":",relevance:0},e.C_NUMBER_MODE,_,i,{begin:"\\|[ ]*"+n+"([ ]+"+n+")*[ ]*\\|",returnBegin:!0,end:/\|/,illegal:/\S/,contains:[{begin:"(\\|[ ]*)?"+n}]},{begin:"#\\(",end:"\\)",contains:[e.APOS_STRING_MODE,i,e.C_NUMBER_MODE,_]}]}}__.exports=Fb});var m_=O((mR,u_)=>{function Bb(e){return{name:"SML (Standard ML)",aliases:["ml"],keywords:{$pattern:"[a-z_]\\w*!?",keyword:"abstype and andalso as case datatype do else end eqtype exception fn fun functor handle if in include infix infixr let local nonfix of op open orelse raise rec sharing sig signature struct structure then type val with withtype where while",built_in:"array bool char exn int list option order real ref string substring vector unit word",literal:"true false NONE SOME LESS EQUAL GREATER nil"},illegal:/\/\/|>>/,contains:[{className:"literal",begin:/\[(\|\|)?\]|\(\)/,relevance:0},e.COMMENT("\\(\\*","\\*\\)",{contains:["self"]}),{className:"symbol",begin:"'[A-Za-z_](?!')[\\w']*"},{className:"type",begin:"`[A-Z][\\w']*"},{className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},{begin:"[a-z_]\\w*'[\\w']*"},e.inherit(e.APOS_STRING_MODE,{className:"string",relevance:0}),e.inherit(e.QUOTE_STRING_MODE,{illegal:null}),{className:"number",begin:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",relevance:0},{begin:/[-=]>/}]}}u_.exports=Bb});var E_=O((gR,g_)=>{function Gb(e){let n={className:"variable",begin:/\b_+[a-zA-Z]\w*/},i={className:"title",begin:/[a-zA-Z][a-zA-Z_0-9]*_fnc_[a-zA-Z_0-9]+/},_={className:"string",variants:[{begin:'"',end:'"',contains:[{begin:'""',relevance:0}]},{begin:"'",end:"'",contains:[{begin:"''",relevance:0}]}]},l=["break","breakWith","breakOut","breakTo","case","catch","continue","continueWith","default","do","else","exit","exitWith","for","forEach","from","if","local","private","switch","step","then","throw","to","try","waitUntil","while","with"],a=["blufor","civilian","configNull","controlNull","displayNull","diaryRecordNull","east","endl","false","grpNull","independent","lineBreak","locationNull","nil","objNull","opfor","pi","resistance","scriptNull","sideAmbientLife","sideEmpty","sideEnemy","sideFriendly","sideLogic","sideUnknown","taskNull","teamMemberNull","true","west"],s=["abs","accTime","acos","action","actionIDs","actionKeys","actionKeysEx","actionKeysImages","actionKeysNames","actionKeysNamesArray","actionName","actionParams","activateAddons","activatedAddons","activateKey","activeTitleEffectParams","add3DENConnection","add3DENEventHandler","add3DENLayer","addAction","addBackpack","addBackpackCargo","addBackpackCargoGlobal","addBackpackGlobal","addBinocularItem","addCamShake","addCuratorAddons","addCuratorCameraArea","addCuratorEditableObjects","addCuratorEditingArea","addCuratorPoints","addEditorObject","addEventHandler","addForce","addForceGeneratorRTD","addGoggles","addGroupIcon","addHandgunItem","addHeadgear","addItem","addItemCargo","addItemCargoGlobal","addItemPool","addItemToBackpack","addItemToUniform","addItemToVest","addLiveStats","addMagazine","addMagazineAmmoCargo","addMagazineCargo","addMagazineCargoGlobal","addMagazineGlobal","addMagazinePool","addMagazines","addMagazineTurret","addMenu","addMenuItem","addMissionEventHandler","addMPEventHandler","addMusicEventHandler","addonFiles","addOwnedMine","addPlayerScores","addPrimaryWeaponItem","addPublicVariableEventHandler","addRating","addResources","addScore","addScoreSide","addSecondaryWeaponItem","addSwitchableUnit","addTeamMember","addToRemainsCollector","addTorque","addUniform","addUserActionEventHandler","addVehicle","addVest","addWaypoint","addWeapon","addWeaponCargo","addWeaponCargoGlobal","addWeaponGlobal","addWeaponItem","addWeaponPool","addWeaponTurret","addWeaponWithAttachmentsCargo","addWeaponWithAttachmentsCargoGlobal","admin","agent","agents","AGLToASL","aimedAtTarget","aimPos","airDensityCurveRTD","airDensityRTD","airplaneThrottle","airportSide","AISFinishHeal","alive","all3DENEntities","allActiveTitleEffects","allAddonsInfo","allAirports","allControls","allCurators","allCutLayers","allDead","allDeadMen","allDiaryRecords","allDiarySubjects","allDisplays","allEnv3DSoundSources","allGroups","allLODs","allMapMarkers","allMines","allMissionObjects","allObjects","allow3DMode","allowCrewInImmobile","allowCuratorLogicIgnoreAreas","allowDamage","allowDammage","allowedService","allowFileOperations","allowFleeing","allowGetIn","allowService","allowSprint","allPlayers","allSimpleObjects","allSites","allTurrets","allUnits","allUnitsUAV","allUsers","allVariables","ambientTemperature","ammo","ammoOnPylon","and","animate","animateBay","animateDoor","animatePylon","animateSource","animationNames","animationPhase","animationSourcePhase","animationState","apertureParams","append","apply","armoryPoints","arrayIntersect","asin","ASLToAGL","ASLToATL","assert","assignAsCargo","assignAsCargoIndex","assignAsCommander","assignAsDriver","assignAsGunner","assignAsTurret","assignCurator","assignedCargo","assignedCommander","assignedDriver","assignedGroup","assignedGunner","assignedItems","assignedTarget","assignedTeam","assignedVehicle","assignedVehicleRole","assignedVehicles","assignItem","assignTeam","assignToAirport","atan","atan2","atg","ATLToASL","attachedObject","attachedObjects","attachedTo","attachObject","attachTo","attackEnabled","awake","backpack","backpackCargo","backpackContainer","backpackItems","backpackMagazines","backpackSpaceFor","behaviour","benchmark","bezierInterpolation","binocular","binocularItems","binocularMagazine","boundingBox","boundingBoxReal","boundingCenter","brakesDisabled","briefingName","buildingExit","buildingPos","buldozer_EnableRoadDiag","buldozer_IsEnabledRoadDiag","buldozer_LoadNewRoads","buldozer_reloadOperMap","buttonAction","buttonSetAction","cadetMode","calculatePath","calculatePlayerVisibilityByFriendly","call","callExtension","camCommand","camCommit","camCommitPrepared","camCommitted","camConstuctionSetParams","camCreate","camDestroy","cameraEffect","cameraEffectEnableHUD","cameraInterest","cameraOn","cameraView","campaignConfigFile","camPreload","camPreloaded","camPrepareBank","camPrepareDir","camPrepareDive","camPrepareFocus","camPrepareFov","camPrepareFovRange","camPreparePos","camPrepareRelPos","camPrepareTarget","camSetBank","camSetDir","camSetDive","camSetFocus","camSetFov","camSetFovRange","camSetPos","camSetRelPos","camSetTarget","camTarget","camUseNVG","canAdd","canAddItemToBackpack","canAddItemToUniform","canAddItemToVest","cancelSimpleTaskDestination","canDeployWeapon","canFire","canMove","canSlingLoad","canStand","canSuspend","canTriggerDynamicSimulation","canUnloadInCombat","canVehicleCargo","captive","captiveNum","cbChecked","cbSetChecked","ceil","channelEnabled","cheatsEnabled","checkAIFeature","checkVisibility","className","clear3DENAttribute","clear3DENInventory","clearAllItemsFromBackpack","clearBackpackCargo","clearBackpackCargoGlobal","clearForcesRTD","clearGroupIcons","clearItemCargo","clearItemCargoGlobal","clearItemPool","clearMagazineCargo","clearMagazineCargoGlobal","clearMagazinePool","clearOverlay","clearRadio","clearWeaponCargo","clearWeaponCargoGlobal","clearWeaponPool","clientOwner","closeDialog","closeDisplay","closeOverlay","collapseObjectTree","collect3DENHistory","collectiveRTD","collisionDisabledWith","combatBehaviour","combatMode","commandArtilleryFire","commandChat","commander","commandFire","commandFollow","commandFSM","commandGetOut","commandingMenu","commandMove","commandRadio","commandStop","commandSuppressiveFire","commandTarget","commandWatch","comment","commitOverlay","compatibleItems","compatibleMagazines","compile","compileFinal","compileScript","completedFSM","composeText","configClasses","configFile","configHierarchy","configName","configOf","configProperties","configSourceAddonList","configSourceMod","configSourceModList","confirmSensorTarget","connectTerminalToUAV","connectToServer","controlsGroupCtrl","conversationDisabled","copyFromClipboard","copyToClipboard","copyWaypoints","cos","count","countEnemy","countFriendly","countSide","countType","countUnknown","create3DENComposition","create3DENEntity","createAgent","createCenter","createDialog","createDiaryLink","createDiaryRecord","createDiarySubject","createDisplay","createGearDialog","createGroup","createGuardedPoint","createHashMap","createHashMapFromArray","createLocation","createMarker","createMarkerLocal","createMenu","createMine","createMissionDisplay","createMPCampaignDisplay","createSimpleObject","createSimpleTask","createSite","createSoundSource","createTask","createTeam","createTrigger","createUnit","createVehicle","createVehicleCrew","createVehicleLocal","crew","ctAddHeader","ctAddRow","ctClear","ctCurSel","ctData","ctFindHeaderRows","ctFindRowHeader","ctHeaderControls","ctHeaderCount","ctRemoveHeaders","ctRemoveRows","ctrlActivate","ctrlAddEventHandler","ctrlAngle","ctrlAnimateModel","ctrlAnimationPhaseModel","ctrlAt","ctrlAutoScrollDelay","ctrlAutoScrollRewind","ctrlAutoScrollSpeed","ctrlBackgroundColor","ctrlChecked","ctrlClassName","ctrlCommit","ctrlCommitted","ctrlCreate","ctrlDelete","ctrlEnable","ctrlEnabled","ctrlFade","ctrlFontHeight","ctrlForegroundColor","ctrlHTMLLoaded","ctrlIDC","ctrlIDD","ctrlMapAnimAdd","ctrlMapAnimClear","ctrlMapAnimCommit","ctrlMapAnimDone","ctrlMapCursor","ctrlMapMouseOver","ctrlMapPosition","ctrlMapScale","ctrlMapScreenToWorld","ctrlMapSetPosition","ctrlMapWorldToScreen","ctrlModel","ctrlModelDirAndUp","ctrlModelScale","ctrlMousePosition","ctrlParent","ctrlParentControlsGroup","ctrlPosition","ctrlRemoveAllEventHandlers","ctrlRemoveEventHandler","ctrlScale","ctrlScrollValues","ctrlSetActiveColor","ctrlSetAngle","ctrlSetAutoScrollDelay","ctrlSetAutoScrollRewind","ctrlSetAutoScrollSpeed","ctrlSetBackgroundColor","ctrlSetChecked","ctrlSetDisabledColor","ctrlSetEventHandler","ctrlSetFade","ctrlSetFocus","ctrlSetFont","ctrlSetFontH1","ctrlSetFontH1B","ctrlSetFontH2","ctrlSetFontH2B","ctrlSetFontH3","ctrlSetFontH3B","ctrlSetFontH4","ctrlSetFontH4B","ctrlSetFontH5","ctrlSetFontH5B","ctrlSetFontH6","ctrlSetFontH6B","ctrlSetFontHeight","ctrlSetFontHeightH1","ctrlSetFontHeightH2","ctrlSetFontHeightH3","ctrlSetFontHeightH4","ctrlSetFontHeightH5","ctrlSetFontHeightH6","ctrlSetFontHeightSecondary","ctrlSetFontP","ctrlSetFontPB","ctrlSetFontSecondary","ctrlSetForegroundColor","ctrlSetModel","ctrlSetModelDirAndUp","ctrlSetModelScale","ctrlSetMousePosition","ctrlSetPixelPrecision","ctrlSetPosition","ctrlSetPositionH","ctrlSetPositionW","ctrlSetPositionX","ctrlSetPositionY","ctrlSetScale","ctrlSetScrollValues","ctrlSetShadow","ctrlSetStructuredText","ctrlSetText","ctrlSetTextColor","ctrlSetTextColorSecondary","ctrlSetTextSecondary","ctrlSetTextSelection","ctrlSetTooltip","ctrlSetTooltipColorBox","ctrlSetTooltipColorShade","ctrlSetTooltipColorText","ctrlSetTooltipMaxWidth","ctrlSetURL","ctrlSetURLOverlayMode","ctrlShadow","ctrlShow","ctrlShown","ctrlStyle","ctrlText","ctrlTextColor","ctrlTextHeight","ctrlTextSecondary","ctrlTextSelection","ctrlTextWidth","ctrlTooltip","ctrlType","ctrlURL","ctrlURLOverlayMode","ctrlVisible","ctRowControls","ctRowCount","ctSetCurSel","ctSetData","ctSetHeaderTemplate","ctSetRowTemplate","ctSetValue","ctValue","curatorAddons","curatorCamera","curatorCameraArea","curatorCameraAreaCeiling","curatorCoef","curatorEditableObjects","curatorEditingArea","curatorEditingAreaType","curatorMouseOver","curatorPoints","curatorRegisteredObjects","curatorSelected","curatorWaypointCost","current3DENOperation","currentChannel","currentCommand","currentMagazine","currentMagazineDetail","currentMagazineDetailTurret","currentMagazineTurret","currentMuzzle","currentNamespace","currentPilot","currentTask","currentTasks","currentThrowable","currentVisionMode","currentWaypoint","currentWeapon","currentWeaponMode","currentWeaponTurret","currentZeroing","cursorObject","cursorTarget","customChat","customRadio","customWaypointPosition","cutFadeOut","cutObj","cutRsc","cutText","damage","date","dateToNumber","dayTime","deActivateKey","debriefingText","debugFSM","debugLog","decayGraphValues","deg","delete3DENEntities","deleteAt","deleteCenter","deleteCollection","deleteEditorObject","deleteGroup","deleteGroupWhenEmpty","deleteIdentity","deleteLocation","deleteMarker","deleteMarkerLocal","deleteRange","deleteResources","deleteSite","deleteStatus","deleteTeam","deleteVehicle","deleteVehicleCrew","deleteWaypoint","detach","detectedMines","diag_activeMissionFSMs","diag_activeScripts","diag_activeSQFScripts","diag_activeSQSScripts","diag_allMissionEventHandlers","diag_captureFrame","diag_captureFrameToFile","diag_captureSlowFrame","diag_codePerformance","diag_deltaTime","diag_drawmode","diag_dumpCalltraceToLog","diag_dumpScriptAssembly","diag_dumpTerrainSynth","diag_dynamicSimulationEnd","diag_enable","diag_enabled","diag_exportConfig","diag_exportTerrainSVG","diag_fps","diag_fpsmin","diag_frameno","diag_getTerrainSegmentOffset","diag_lightNewLoad","diag_list","diag_localized","diag_log","diag_logSlowFrame","diag_mergeConfigFile","diag_recordTurretLimits","diag_resetFSM","diag_resetshapes","diag_scope","diag_setLightNew","diag_stacktrace","diag_tickTime","diag_toggle","dialog","diarySubjectExists","didJIP","didJIPOwner","difficulty","difficultyEnabled","difficultyEnabledRTD","difficultyOption","direction","directionStabilizationEnabled","directSay","disableAI","disableBrakes","disableCollisionWith","disableConversation","disableDebriefingStats","disableMapIndicators","disableNVGEquipment","disableRemoteSensors","disableSerialization","disableTIEquipment","disableUAVConnectability","disableUserInput","displayAddEventHandler","displayChild","displayCtrl","displayParent","displayRemoveAllEventHandlers","displayRemoveEventHandler","displaySetEventHandler","displayUniqueName","displayUpdate","dissolveTeam","distance","distance2D","distanceSqr","distributionRegion","do3DENAction","doArtilleryFire","doFire","doFollow","doFSM","doGetOut","doMove","doorPhase","doStop","doSuppressiveFire","doTarget","doWatch","drawArrow","drawEllipse","drawIcon","drawIcon3D","drawLaser","drawLine","drawLine3D","drawLink","drawLocation","drawPolygon","drawRectangle","drawTriangle","driver","drop","dynamicSimulationDistance","dynamicSimulationDistanceCoef","dynamicSimulationEnabled","dynamicSimulationSystemEnabled","echo","edit3DENMissionAttributes","editObject","editorSetEventHandler","effectiveCommander","elevatePeriscope","emptyPositions","enableAI","enableAIFeature","enableAimPrecision","enableAttack","enableAudioFeature","enableAutoStartUpRTD","enableAutoTrimRTD","enableCamShake","enableCaustics","enableChannel","enableCollisionWith","enableCopilot","enableDebriefingStats","enableDiagLegend","enableDirectionStabilization","enableDynamicSimulation","enableDynamicSimulationSystem","enableEndDialog","enableEngineArtillery","enableEnvironment","enableFatigue","enableGunLights","enableInfoPanelComponent","enableIRLasers","enableMimics","enablePersonTurret","enableRadio","enableReload","enableRopeAttach","enableSatNormalOnDetail","enableSaving","enableSentences","enableSimulation","enableSimulationGlobal","enableStamina","enableStressDamage","enableTeamSwitch","enableTraffic","enableUAVConnectability","enableUAVWaypoints","enableVehicleCargo","enableVehicleSensor","enableWeaponDisassembly","endLoadingScreen","endMission","engineOn","enginesIsOnRTD","enginesPowerRTD","enginesRpmRTD","enginesTorqueRTD","entities","environmentEnabled","environmentVolume","equipmentDisabled","estimatedEndServerTime","estimatedTimeLeft","evalObjectArgument","everyBackpack","everyContainer","exec","execEditorScript","execFSM","execVM","exp","expectedDestination","exportJIPMessages","eyeDirection","eyePos","face","faction","fadeEnvironment","fadeMusic","fadeRadio","fadeSound","fadeSpeech","failMission","fileExists","fillWeaponsFromPool","find","findAny","findCover","findDisplay","findEditorObject","findEmptyPosition","findEmptyPositionReady","findIf","findNearestEnemy","finishMissionInit","finite","fire","fireAtTarget","firstBackpack","flag","flagAnimationPhase","flagOwner","flagSide","flagTexture","flatten","fleeing","floor","flyInHeight","flyInHeightASL","focusedCtrl","fog","fogForecast","fogParams","forceAddUniform","forceAtPositionRTD","forceCadetDifficulty","forcedMap","forceEnd","forceFlagTexture","forceFollowRoad","forceGeneratorRTD","forceMap","forceRespawn","forceSpeed","forceUnicode","forceWalk","forceWeaponFire","forceWeatherChange","forEachMember","forEachMemberAgent","forEachMemberTeam","forgetTarget","format","formation","formationDirection","formationLeader","formationMembers","formationPosition","formationTask","formatText","formLeader","freeExtension","freeLook","fromEditor","fuel","fullCrew","gearIDCAmmoCount","gearSlotAmmoCount","gearSlotData","gestureState","get","get3DENActionState","get3DENAttribute","get3DENCamera","get3DENConnections","get3DENEntity","get3DENEntityID","get3DENGrid","get3DENIconsVisible","get3DENLayerEntities","get3DENLinesVisible","get3DENMissionAttribute","get3DENMouseOver","get3DENSelected","getAimingCoef","getAllEnv3DSoundControllers","getAllEnvSoundControllers","getAllHitPointsDamage","getAllOwnedMines","getAllPylonsInfo","getAllSoundControllers","getAllUnitTraits","getAmmoCargo","getAnimAimPrecision","getAnimSpeedCoef","getArray","getArtilleryAmmo","getArtilleryComputerSettings","getArtilleryETA","getAssetDLCInfo","getAssignedCuratorLogic","getAssignedCuratorUnit","getAttackTarget","getAudioOptionVolumes","getBackpackCargo","getBleedingRemaining","getBurningValue","getCalculatePlayerVisibilityByFriendly","getCameraViewDirection","getCargoIndex","getCenterOfMass","getClientState","getClientStateNumber","getCompatiblePylonMagazines","getConnectedUAV","getConnectedUAVUnit","getContainerMaxLoad","getCorpse","getCruiseControl","getCursorObjectParams","getCustomAimCoef","getCustomSoundController","getCustomSoundControllerCount","getDammage","getDebriefingText","getDescription","getDir","getDirVisual","getDiverState","getDLCAssetsUsage","getDLCAssetsUsageByName","getDLCs","getDLCUsageTime","getEditorCamera","getEditorMode","getEditorObjectScope","getElevationOffset","getEngineTargetRPMRTD","getEnv3DSoundController","getEnvSoundController","getEventHandlerInfo","getFatigue","getFieldManualStartPage","getForcedFlagTexture","getForcedSpeed","getFriend","getFSMVariable","getFuelCargo","getGraphValues","getGroupIcon","getGroupIconParams","getGroupIcons","getHideFrom","getHit","getHitIndex","getHitPointDamage","getItemCargo","getLighting","getLightingAt","getLoadedModsInfo","getMagazineCargo","getMarkerColor","getMarkerPos","getMarkerSize","getMarkerType","getMass","getMissionConfig","getMissionConfigValue","getMissionDLCs","getMissionLayerEntities","getMissionLayers","getMissionPath","getModelInfo","getMousePosition","getMusicPlayedTime","getNumber","getObjectArgument","getObjectChildren","getObjectDLC","getObjectFOV","getObjectID","getObjectMaterials","getObjectProxy","getObjectScale","getObjectTextures","getObjectType","getObjectViewDistance","getOpticsMode","getOrDefault","getOrDefaultCall","getOxygenRemaining","getPersonUsedDLCs","getPilotCameraDirection","getPilotCameraPosition","getPilotCameraRotation","getPilotCameraTarget","getPiPViewDistance","getPlateNumber","getPlayerChannel","getPlayerID","getPlayerScores","getPlayerUID","getPlayerVoNVolume","getPos","getPosASL","getPosASLVisual","getPosASLW","getPosATL","getPosATLVisual","getPosVisual","getPosWorld","getPosWorldVisual","getPylonMagazines","getRelDir","getRelPos","getRemoteSensorsDisabled","getRepairCargo","getResolution","getRoadInfo","getRotorBrakeRTD","getSensorTargets","getSensorThreats","getShadowDistance","getShotParents","getSlingLoad","getSoundController","getSoundControllerResult","getSpeed","getStamina","getStatValue","getSteamFriendsServers","getSubtitleOptions","getSuppression","getTerrainGrid","getTerrainHeight","getTerrainHeightASL","getTerrainInfo","getText","getTextRaw","getTextureInfo","getTextWidth","getTiParameters","getTotalDLCUsageTime","getTrimOffsetRTD","getTurretLimits","getTurretOpticsMode","getUnitFreefallInfo","getUnitLoadout","getUnitTrait","getUnloadInCombat","getUserInfo","getUserMFDText","getUserMFDValue","getVariable","getVehicleCargo","getVehicleTiPars","getWeaponCargo","getWeaponSway","getWingsOrientationRTD","getWingsPositionRTD","getWPPos","glanceAt","globalChat","globalRadio","goggles","goto","group","groupChat","groupFromNetId","groupIconSelectable","groupIconsVisible","groupID","groupOwner","groupRadio","groups","groupSelectedUnits","groupSelectUnit","gunner","gusts","halt","handgunItems","handgunMagazine","handgunWeapon","handsHit","hashValue","hasInterface","hasPilotCamera","hasWeapon","hcAllGroups","hcGroupParams","hcLeader","hcRemoveAllGroups","hcRemoveGroup","hcSelected","hcSelectGroup","hcSetGroup","hcShowBar","hcShownBar","headgear","hideBody","hideObject","hideObjectGlobal","hideSelection","hint","hintC","hintCadet","hintSilent","hmd","hostMission","htmlLoad","HUDMovementLevels","humidity","image","importAllGroups","importance","in","inArea","inAreaArray","incapacitatedState","inflame","inflamed","infoPanel","infoPanelComponentEnabled","infoPanelComponents","infoPanels","inGameUISetEventHandler","inheritsFrom","initAmbientLife","inPolygon","inputAction","inputController","inputMouse","inRangeOfArtillery","insert","insertEditorObject","intersect","is3DEN","is3DENMultiplayer","is3DENPreview","isAbleToBreathe","isActionMenuVisible","isAgent","isAimPrecisionEnabled","isAllowedCrewInImmobile","isArray","isAutoHoverOn","isAutonomous","isAutoStartUpEnabledRTD","isAutotest","isAutoTrimOnRTD","isAwake","isBleeding","isBurning","isClass","isCollisionLightOn","isCopilotEnabled","isDamageAllowed","isDedicated","isDLCAvailable","isEngineOn","isEqualRef","isEqualTo","isEqualType","isEqualTypeAll","isEqualTypeAny","isEqualTypeArray","isEqualTypeParams","isFilePatchingEnabled","isFinal","isFlashlightOn","isFlatEmpty","isForcedWalk","isFormationLeader","isGameFocused","isGamePaused","isGroupDeletedWhenEmpty","isHidden","isInRemainsCollector","isInstructorFigureEnabled","isIRLaserOn","isKeyActive","isKindOf","isLaserOn","isLightOn","isLocalized","isManualFire","isMarkedForCollection","isMissionProfileNamespaceLoaded","isMultiplayer","isMultiplayerSolo","isNil","isNotEqualRef","isNotEqualTo","isNull","isNumber","isObjectHidden","isObjectRTD","isOnRoad","isPiPEnabled","isPlayer","isRealTime","isRemoteExecuted","isRemoteExecutedJIP","isSaving","isSensorTargetConfirmed","isServer","isShowing3DIcons","isSimpleObject","isSprintAllowed","isStaminaEnabled","isSteamMission","isSteamOverlayEnabled","isStreamFriendlyUIEnabled","isStressDamageEnabled","isText","isTouchingGround","isTurnedOut","isTutHintsEnabled","isUAVConnectable","isUAVConnected","isUIContext","isUniformAllowed","isVehicleCargo","isVehicleRadarOn","isVehicleSensorEnabled","isWalking","isWeaponDeployed","isWeaponRested","itemCargo","items","itemsWithMagazines","join","joinAs","joinAsSilent","joinSilent","joinString","kbAddDatabase","kbAddDatabaseTargets","kbAddTopic","kbHasTopic","kbReact","kbRemoveTopic","kbTell","kbWasSaid","keyImage","keyName","keys","knowsAbout","land","landAt","landResult","language","laserTarget","lbAdd","lbClear","lbColor","lbColorRight","lbCurSel","lbData","lbDelete","lbIsSelected","lbPicture","lbPictureRight","lbSelection","lbSetColor","lbSetColorRight","lbSetCurSel","lbSetData","lbSetPicture","lbSetPictureColor","lbSetPictureColorDisabled","lbSetPictureColorSelected","lbSetPictureRight","lbSetPictureRightColor","lbSetPictureRightColorDisabled","lbSetPictureRightColorSelected","lbSetSelectColor","lbSetSelectColorRight","lbSetSelected","lbSetText","lbSetTextRight","lbSetTooltip","lbSetValue","lbSize","lbSort","lbSortBy","lbSortByValue","lbText","lbTextRight","lbTooltip","lbValue","leader","leaderboardDeInit","leaderboardGetRows","leaderboardInit","leaderboardRequestRowsFriends","leaderboardRequestRowsGlobal","leaderboardRequestRowsGlobalAroundUser","leaderboardsRequestUploadScore","leaderboardsRequestUploadScoreKeepBest","leaderboardState","leaveVehicle","libraryCredits","libraryDisclaimers","lifeState","lightAttachObject","lightDetachObject","lightIsOn","lightnings","limitSpeed","linearConversion","lineIntersects","lineIntersectsObjs","lineIntersectsSurfaces","lineIntersectsWith","linkItem","list","listObjects","listRemoteTargets","listVehicleSensors","ln","lnbAddArray","lnbAddColumn","lnbAddRow","lnbClear","lnbColor","lnbColorRight","lnbCurSelRow","lnbData","lnbDeleteColumn","lnbDeleteRow","lnbGetColumnsPosition","lnbPicture","lnbPictureRight","lnbSetColor","lnbSetColorRight","lnbSetColumnsPos","lnbSetCurSelRow","lnbSetData","lnbSetPicture","lnbSetPictureColor","lnbSetPictureColorRight","lnbSetPictureColorSelected","lnbSetPictureColorSelectedRight","lnbSetPictureRight","lnbSetText","lnbSetTextRight","lnbSetTooltip","lnbSetValue","lnbSize","lnbSort","lnbSortBy","lnbSortByValue","lnbText","lnbTextRight","lnbValue","load","loadAbs","loadBackpack","loadConfig","loadFile","loadGame","loadIdentity","loadMagazine","loadOverlay","loadStatus","loadUniform","loadVest","localize","localNamespace","locationPosition","lock","lockCameraTo","lockCargo","lockDriver","locked","lockedCameraTo","lockedCargo","lockedDriver","lockedInventory","lockedTurret","lockIdentity","lockInventory","lockTurret","lockWp","log","logEntities","logNetwork","logNetworkTerminate","lookAt","lookAtPos","magazineCargo","magazines","magazinesAllTurrets","magazinesAmmo","magazinesAmmoCargo","magazinesAmmoFull","magazinesDetail","magazinesDetailBackpack","magazinesDetailUniform","magazinesDetailVest","magazinesTurret","magazineTurretAmmo","mapAnimAdd","mapAnimClear","mapAnimCommit","mapAnimDone","mapCenterOnCamera","mapGridPosition","markAsFinishedOnSteam","markerAlpha","markerBrush","markerChannel","markerColor","markerDir","markerPolyline","markerPos","markerShadow","markerShape","markerSize","markerText","markerType","matrixMultiply","matrixTranspose","max","maxLoad","members","menuAction","menuAdd","menuChecked","menuClear","menuCollapse","menuData","menuDelete","menuEnable","menuEnabled","menuExpand","menuHover","menuPicture","menuSetAction","menuSetCheck","menuSetData","menuSetPicture","menuSetShortcut","menuSetText","menuSetURL","menuSetValue","menuShortcut","menuShortcutText","menuSize","menuSort","menuText","menuURL","menuValue","merge","min","mineActive","mineDetectedBy","missileTarget","missileTargetPos","missionConfigFile","missionDifficulty","missionEnd","missionName","missionNameSource","missionNamespace","missionProfileNamespace","missionStart","missionVersion","mod","modelToWorld","modelToWorldVisual","modelToWorldVisualWorld","modelToWorldWorld","modParams","moonIntensity","moonPhase","morale","move","move3DENCamera","moveInAny","moveInCargo","moveInCommander","moveInDriver","moveInGunner","moveInTurret","moveObjectToEnd","moveOut","moveTime","moveTo","moveToCompleted","moveToFailed","musicVolume","name","namedProperties","nameSound","nearEntities","nearestBuilding","nearestLocation","nearestLocations","nearestLocationWithDubbing","nearestMines","nearestObject","nearestObjects","nearestTerrainObjects","nearObjects","nearObjectsReady","nearRoads","nearSupplies","nearTargets","needReload","needService","netId","netObjNull","newOverlay","nextMenuItemIndex","nextWeatherChange","nMenuItems","not","numberOfEnginesRTD","numberToDate","objectCurators","objectFromNetId","objectParent","objStatus","onBriefingGroup","onBriefingNotes","onBriefingPlan","onBriefingTeamSwitch","onCommandModeChanged","onDoubleClick","onEachFrame","onGroupIconClick","onGroupIconOverEnter","onGroupIconOverLeave","onHCGroupSelectionChanged","onMapSingleClick","onPlayerConnected","onPlayerDisconnected","onPreloadFinished","onPreloadStarted","onShowNewObject","onTeamSwitch","openCuratorInterface","openDLCPage","openGPS","openMap","openSteamApp","openYoutubeVideo","or","orderGetIn","overcast","overcastForecast","owner","param","params","parseNumber","parseSimpleArray","parseText","parsingNamespace","particlesQuality","periscopeElevation","pickWeaponPool","pitch","pixelGrid","pixelGridBase","pixelGridNoUIScale","pixelH","pixelW","playableSlotsNumber","playableUnits","playAction","playActionNow","player","playerRespawnTime","playerSide","playersNumber","playGesture","playMission","playMove","playMoveNow","playMusic","playScriptedMission","playSound","playSound3D","playSoundUI","pose","position","positionCameraToWorld","posScreenToWorld","posWorldToScreen","ppEffectAdjust","ppEffectCommit","ppEffectCommitted","ppEffectCreate","ppEffectDestroy","ppEffectEnable","ppEffectEnabled","ppEffectForceInNVG","precision","preloadCamera","preloadObject","preloadSound","preloadTitleObj","preloadTitleRsc","preprocessFile","preprocessFileLineNumbers","primaryWeapon","primaryWeaponItems","primaryWeaponMagazine","priority","processDiaryLink","productVersion","profileName","profileNamespace","profileNameSteam","progressLoadingScreen","progressPosition","progressSetPosition","publicVariable","publicVariableClient","publicVariableServer","pushBack","pushBackUnique","putWeaponPool","queryItemsPool","queryMagazinePool","queryWeaponPool","rad","radioChannelAdd","radioChannelCreate","radioChannelInfo","radioChannelRemove","radioChannelSetCallSign","radioChannelSetLabel","radioEnabled","radioVolume","rain","rainbow","rainParams","random","rank","rankId","rating","rectangular","regexFind","regexMatch","regexReplace","registeredTasks","registerTask","reload","reloadEnabled","remoteControl","remoteExec","remoteExecCall","remoteExecutedOwner","remove3DENConnection","remove3DENEventHandler","remove3DENLayer","removeAction","removeAll3DENEventHandlers","removeAllActions","removeAllAssignedItems","removeAllBinocularItems","removeAllContainers","removeAllCuratorAddons","removeAllCuratorCameraAreas","removeAllCuratorEditingAreas","removeAllEventHandlers","removeAllHandgunItems","removeAllItems","removeAllItemsWithMagazines","removeAllMissionEventHandlers","removeAllMPEventHandlers","removeAllMusicEventHandlers","removeAllOwnedMines","removeAllPrimaryWeaponItems","removeAllSecondaryWeaponItems","removeAllUserActionEventHandlers","removeAllWeapons","removeBackpack","removeBackpackGlobal","removeBinocularItem","removeCuratorAddons","removeCuratorCameraArea","removeCuratorEditableObjects","removeCuratorEditingArea","removeDiaryRecord","removeDiarySubject","removeDrawIcon","removeDrawLinks","removeEventHandler","removeFromRemainsCollector","removeGoggles","removeGroupIcon","removeHandgunItem","removeHeadgear","removeItem","removeItemFromBackpack","removeItemFromUniform","removeItemFromVest","removeItems","removeMagazine","removeMagazineGlobal","removeMagazines","removeMagazinesTurret","removeMagazineTurret","removeMenuItem","removeMissionEventHandler","removeMPEventHandler","removeMusicEventHandler","removeOwnedMine","removePrimaryWeaponItem","removeSecondaryWeaponItem","removeSimpleTask","removeSwitchableUnit","removeTeamMember","removeUniform","removeUserActionEventHandler","removeVest","removeWeapon","removeWeaponAttachmentCargo","removeWeaponCargo","removeWeaponGlobal","removeWeaponTurret","reportRemoteTarget","requiredVersion","resetCamShake","resetSubgroupDirection","resize","resources","respawnVehicle","restartEditorCamera","reveal","revealMine","reverse","reversedMouseY","roadAt","roadsConnectedTo","roleDescription","ropeAttachedObjects","ropeAttachedTo","ropeAttachEnabled","ropeAttachTo","ropeCreate","ropeCut","ropeDestroy","ropeDetach","ropeEndPosition","ropeLength","ropes","ropesAttachedTo","ropeSegments","ropeUnwind","ropeUnwound","rotorsForcesRTD","rotorsRpmRTD","round","runInitScript","safeZoneH","safeZoneW","safeZoneWAbs","safeZoneX","safeZoneXAbs","safeZoneY","save3DENInventory","saveGame","saveIdentity","saveJoysticks","saveMissionProfileNamespace","saveOverlay","saveProfileNamespace","saveStatus","saveVar","savingEnabled","say","say2D","say3D","scopeName","score","scoreSide","screenshot","screenToWorld","scriptDone","scriptName","scudState","secondaryWeapon","secondaryWeaponItems","secondaryWeaponMagazine","select","selectBestPlaces","selectDiarySubject","selectedEditorObjects","selectEditorObject","selectionNames","selectionPosition","selectionVectorDirAndUp","selectLeader","selectMax","selectMin","selectNoPlayer","selectPlayer","selectRandom","selectRandomWeighted","selectWeapon","selectWeaponTurret","sendAUMessage","sendSimpleCommand","sendTask","sendTaskResult","sendUDPMessage","sentencesEnabled","serverCommand","serverCommandAvailable","serverCommandExecutable","serverName","serverNamespace","serverTime","set","set3DENAttribute","set3DENAttributes","set3DENGrid","set3DENIconsVisible","set3DENLayer","set3DENLinesVisible","set3DENLogicType","set3DENMissionAttribute","set3DENMissionAttributes","set3DENModelsVisible","set3DENObjectType","set3DENSelected","setAccTime","setActualCollectiveRTD","setAirplaneThrottle","setAirportSide","setAmmo","setAmmoCargo","setAmmoOnPylon","setAnimSpeedCoef","setAperture","setApertureNew","setArmoryPoints","setAttributes","setAutonomous","setBehaviour","setBehaviourStrong","setBleedingRemaining","setBrakesRTD","setCameraInterest","setCamShakeDefParams","setCamShakeParams","setCamUseTi","setCaptive","setCenterOfMass","setCollisionLight","setCombatBehaviour","setCombatMode","setCompassOscillation","setConvoySeparation","setCruiseControl","setCuratorCameraAreaCeiling","setCuratorCoef","setCuratorEditingAreaType","setCuratorWaypointCost","setCurrentChannel","setCurrentTask","setCurrentWaypoint","setCustomAimCoef","SetCustomMissionData","setCustomSoundController","setCustomWeightRTD","setDamage","setDammage","setDate","setDebriefingText","setDefaultCamera","setDestination","setDetailMapBlendPars","setDiaryRecordText","setDiarySubjectPicture","setDir","setDirection","setDrawIcon","setDriveOnPath","setDropInterval","setDynamicSimulationDistance","setDynamicSimulationDistanceCoef","setEditorMode","setEditorObjectScope","setEffectCondition","setEffectiveCommander","setEngineRpmRTD","setFace","setFaceanimation","setFatigue","setFeatureType","setFlagAnimationPhase","setFlagOwner","setFlagSide","setFlagTexture","setFog","setForceGeneratorRTD","setFormation","setFormationTask","setFormDir","setFriend","setFromEditor","setFSMVariable","setFuel","setFuelCargo","setGroupIcon","setGroupIconParams","setGroupIconsSelectable","setGroupIconsVisible","setGroupid","setGroupIdGlobal","setGroupOwner","setGusts","setHideBehind","setHit","setHitIndex","setHitPointDamage","setHorizonParallaxCoef","setHUDMovementLevels","setHumidity","setIdentity","setImportance","setInfoPanel","setLeader","setLightAmbient","setLightAttenuation","setLightBrightness","setLightColor","setLightConePars","setLightDayLight","setLightFlareMaxDistance","setLightFlareSize","setLightIntensity","setLightIR","setLightnings","setLightUseFlare","setLightVolumeShape","setLocalWindParams","setMagazineTurretAmmo","setMarkerAlpha","setMarkerAlphaLocal","setMarkerBrush","setMarkerBrushLocal","setMarkerColor","setMarkerColorLocal","setMarkerDir","setMarkerDirLocal","setMarkerPolyline","setMarkerPolylineLocal","setMarkerPos","setMarkerPosLocal","setMarkerShadow","setMarkerShadowLocal","setMarkerShape","setMarkerShapeLocal","setMarkerSize","setMarkerSizeLocal","setMarkerText","setMarkerTextLocal","setMarkerType","setMarkerTypeLocal","setMass","setMaxLoad","setMimic","setMissileTarget","setMissileTargetPos","setMousePosition","setMusicEffect","setMusicEventHandler","setName","setNameSound","setObjectArguments","setObjectMaterial","setObjectMaterialGlobal","setObjectProxy","setObjectScale","setObjectTexture","setObjectTextureGlobal","setObjectViewDistance","setOpticsMode","setOvercast","setOwner","setOxygenRemaining","setParticleCircle","setParticleClass","setParticleFire","setParticleParams","setParticleRandom","setPilotCameraDirection","setPilotCameraRotation","setPilotCameraTarget","setPilotLight","setPiPEffect","setPiPViewDistance","setPitch","setPlateNumber","setPlayable","setPlayerRespawnTime","setPlayerVoNVolume","setPos","setPosASL","setPosASL2","setPosASLW","setPosATL","setPosition","setPosWorld","setPylonLoadout","setPylonsPriority","setRadioMsg","setRain","setRainbow","setRandomLip","setRank","setRectangular","setRepairCargo","setRotorBrakeRTD","setShadowDistance","setShotParents","setSide","setSimpleTaskAlwaysVisible","setSimpleTaskCustomData","setSimpleTaskDescription","setSimpleTaskDestination","setSimpleTaskTarget","setSimpleTaskType","setSimulWeatherLayers","setSize","setSkill","setSlingLoad","setSoundEffect","setSpeaker","setSpeech","setSpeedMode","setStamina","setStaminaScheme","setStatValue","setSuppression","setSystemOfUnits","setTargetAge","setTaskMarkerOffset","setTaskResult","setTaskState","setTerrainGrid","setTerrainHeight","setText","setTimeMultiplier","setTiParameter","setTitleEffect","setTowParent","setTrafficDensity","setTrafficDistance","setTrafficGap","setTrafficSpeed","setTriggerActivation","setTriggerArea","setTriggerInterval","setTriggerStatements","setTriggerText","setTriggerTimeout","setTriggerType","setTurretLimits","setTurretOpticsMode","setType","setUnconscious","setUnitAbility","setUnitCombatMode","setUnitFreefallHeight","setUnitLoadout","setUnitPos","setUnitPosWeak","setUnitRank","setUnitRecoilCoefficient","setUnitTrait","setUnloadInCombat","setUserActionText","setUserMFDText","setUserMFDValue","setVariable","setVectorDir","setVectorDirAndUp","setVectorUp","setVehicleAmmo","setVehicleAmmoDef","setVehicleArmor","setVehicleCargo","setVehicleId","setVehicleLock","setVehiclePosition","setVehicleRadar","setVehicleReceiveRemoteTargets","setVehicleReportOwnPosition","setVehicleReportRemoteTargets","setVehicleTiPars","setVehicleVarName","setVelocity","setVelocityModelSpace","setVelocityTransformation","setViewDistance","setVisibleIfTreeCollapsed","setWantedRPMRTD","setWaves","setWaypointBehaviour","setWaypointCombatMode","setWaypointCompletionRadius","setWaypointDescription","setWaypointForceBehaviour","setWaypointFormation","setWaypointHousePosition","setWaypointLoiterAltitude","setWaypointLoiterRadius","setWaypointLoiterType","setWaypointName","setWaypointPosition","setWaypointScript","setWaypointSpeed","setWaypointStatements","setWaypointTimeout","setWaypointType","setWaypointVisible","setWeaponReloadingTime","setWeaponZeroing","setWind","setWindDir","setWindForce","setWindStr","setWingForceScaleRTD","setWPPos","show3DIcons","showChat","showCinemaBorder","showCommandingMenu","showCompass","showCuratorCompass","showGps","showHUD","showLegend","showMap","shownArtilleryComputer","shownChat","shownCompass","shownCuratorCompass","showNewEditorObject","shownGps","shownHUD","shownMap","shownPad","shownRadio","shownScoretable","shownSubtitles","shownUAVFeed","shownWarrant","shownWatch","showPad","showRadio","showScoretable","showSubtitles","showUAVFeed","showWarrant","showWatch","showWaypoint","showWaypoints","side","sideChat","sideRadio","simpleTasks","simulationEnabled","simulCloudDensity","simulCloudOcclusion","simulInClouds","simulWeatherSync","sin","size","sizeOf","skill","skillFinal","skipTime","sleep","sliderPosition","sliderRange","sliderSetPosition","sliderSetRange","sliderSetSpeed","sliderSpeed","slingLoadAssistantShown","soldierMagazines","someAmmo","sort","soundVolume","spawn","speaker","speechVolume","speed","speedMode","splitString","sqrt","squadParams","stance","startLoadingScreen","stop","stopEngineRTD","stopped","str","sunOrMoon","supportInfo","suppressFor","surfaceIsWater","surfaceNormal","surfaceTexture","surfaceType","swimInDepth","switchableUnits","switchAction","switchCamera","switchGesture","switchLight","switchMove","synchronizedObjects","synchronizedTriggers","synchronizedWaypoints","synchronizeObjectsAdd","synchronizeObjectsRemove","synchronizeTrigger","synchronizeWaypoint","systemChat","systemOfUnits","systemTime","systemTimeUTC","tan","targetKnowledge","targets","targetsAggregate","targetsQuery","taskAlwaysVisible","taskChildren","taskCompleted","taskCustomData","taskDescription","taskDestination","taskHint","taskMarkerOffset","taskName","taskParent","taskResult","taskState","taskType","teamMember","teamName","teams","teamSwitch","teamSwitchEnabled","teamType","terminate","terrainIntersect","terrainIntersectASL","terrainIntersectAtASL","text","textLog","textLogFormat","tg","time","timeMultiplier","titleCut","titleFadeOut","titleObj","titleRsc","titleText","toArray","toFixed","toLower","toLowerANSI","toString","toUpper","toUpperANSI","triggerActivated","triggerActivation","triggerAmmo","triggerArea","triggerAttachedVehicle","triggerAttachObject","triggerAttachVehicle","triggerDynamicSimulation","triggerInterval","triggerStatements","triggerText","triggerTimeout","triggerTimeoutCurrent","triggerType","trim","turretLocal","turretOwner","turretUnit","tvAdd","tvClear","tvCollapse","tvCollapseAll","tvCount","tvCurSel","tvData","tvDelete","tvExpand","tvExpandAll","tvIsSelected","tvPicture","tvPictureRight","tvSelection","tvSetColor","tvSetCurSel","tvSetData","tvSetPicture","tvSetPictureColor","tvSetPictureColorDisabled","tvSetPictureColorSelected","tvSetPictureRight","tvSetPictureRightColor","tvSetPictureRightColorDisabled","tvSetPictureRightColorSelected","tvSetSelectColor","tvSetSelected","tvSetText","tvSetTooltip","tvSetValue","tvSort","tvSortAll","tvSortByValue","tvSortByValueAll","tvText","tvTooltip","tvValue","type","typeName","typeOf","UAVControl","uiNamespace","uiSleep","unassignCurator","unassignItem","unassignTeam","unassignVehicle","underwater","uniform","uniformContainer","uniformItems","uniformMagazines","uniqueUnitItems","unitAddons","unitAimPosition","unitAimPositionVisual","unitBackpack","unitCombatMode","unitIsUAV","unitPos","unitReady","unitRecoilCoefficient","units","unitsBelowHeight","unitTurret","unlinkItem","unlockAchievement","unregisterTask","updateDrawIcon","updateMenuItem","updateObjectTree","useAIOperMapObstructionTest","useAISteeringComponent","useAudioTimeForMoves","userInputDisabled","values","vectorAdd","vectorCos","vectorCrossProduct","vectorDiff","vectorDir","vectorDirVisual","vectorDistance","vectorDistanceSqr","vectorDotProduct","vectorFromTo","vectorLinearConversion","vectorMagnitude","vectorMagnitudeSqr","vectorModelToWorld","vectorModelToWorldVisual","vectorMultiply","vectorNormalized","vectorUp","vectorUpVisual","vectorWorldToModel","vectorWorldToModelVisual","vehicle","vehicleCargoEnabled","vehicleChat","vehicleMoveInfo","vehicleRadio","vehicleReceiveRemoteTargets","vehicleReportOwnPosition","vehicleReportRemoteTargets","vehicles","vehicleVarName","velocity","velocityModelSpace","verifySignature","vest","vestContainer","vestItems","vestMagazines","viewDistance","visibleCompass","visibleGps","visibleMap","visiblePosition","visiblePositionASL","visibleScoretable","visibleWatch","waves","waypointAttachedObject","waypointAttachedVehicle","waypointAttachObject","waypointAttachVehicle","waypointBehaviour","waypointCombatMode","waypointCompletionRadius","waypointDescription","waypointForceBehaviour","waypointFormation","waypointHousePosition","waypointLoiterAltitude","waypointLoiterRadius","waypointLoiterType","waypointName","waypointPosition","waypoints","waypointScript","waypointsEnabledUAV","waypointShow","waypointSpeed","waypointStatements","waypointTimeout","waypointTimeoutCurrent","waypointType","waypointVisible","weaponAccessories","weaponAccessoriesCargo","weaponCargo","weaponDirection","weaponInertia","weaponLowered","weaponReloadingTime","weapons","weaponsInfo","weaponsItems","weaponsItemsCargo","weaponState","weaponsTurret","weightRTD","WFSideText","wind","windDir","windRTD","windStr","wingsForcesRTD","worldName","worldSize","worldToModel","worldToModelVisual","worldToScreen"],d={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:"define undef ifdef ifndef else endif include if",contains:[{begin:/\\\n/,relevance:0},e.inherit(_,{className:"string"}),{begin:/<[^\n>]*>/,end:/$/,illegal:"\\n"},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]};return{name:"SQF",case_insensitive:!0,keywords:{keyword:l,built_in:s,literal:a},contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.NUMBER_MODE,n,i,_,d],illegal:[/\$[^a-fA-F0-9]/,/\w\$/,/\?/,/@/,/ \| /,/[a-zA-Z_]\./,/\:\=/,/\[\:/]}}g_.exports=Gb});var f_=O((ER,b_)=>{function Yb(e){let n=e.regex,i=e.COMMENT("--","$"),_={className:"string",variants:[{begin:/'/,end:/'/,contains:[{begin:/''/}]}]},l={begin:/"/,end:/"/,contains:[{begin:/""/}]},a=["true","false","unknown"],s=["double precision","large object","with timezone","without timezone"],d=["bigint","binary","blob","boolean","char","character","clob","date","dec","decfloat","decimal","float","int","integer","interval","nchar","nclob","national","numeric","real","row","smallint","time","timestamp","varchar","varying","varbinary"],u=["add","asc","collation","desc","final","first","last","view"],E=["abs","acos","all","allocate","alter","and","any","are","array","array_agg","array_max_cardinality","as","asensitive","asin","asymmetric","at","atan","atomic","authorization","avg","begin","begin_frame","begin_partition","between","bigint","binary","blob","boolean","both","by","call","called","cardinality","cascaded","case","cast","ceil","ceiling","char","char_length","character","character_length","check","classifier","clob","close","coalesce","collate","collect","column","commit","condition","connect","constraint","contains","convert","copy","corr","corresponding","cos","cosh","count","covar_pop","covar_samp","create","cross","cube","cume_dist","current","current_catalog","current_date","current_default_transform_group","current_path","current_role","current_row","current_schema","current_time","current_timestamp","current_path","current_role","current_transform_group_for_type","current_user","cursor","cycle","date","day","deallocate","dec","decimal","decfloat","declare","default","define","delete","dense_rank","deref","describe","deterministic","disconnect","distinct","double","drop","dynamic","each","element","else","empty","end","end_frame","end_partition","end-exec","equals","escape","every","except","exec","execute","exists","exp","external","extract","false","fetch","filter","first_value","float","floor","for","foreign","frame_row","free","from","full","function","fusion","get","global","grant","group","grouping","groups","having","hold","hour","identity","in","indicator","initial","inner","inout","insensitive","insert","int","integer","intersect","intersection","interval","into","is","join","json_array","json_arrayagg","json_exists","json_object","json_objectagg","json_query","json_table","json_table_primitive","json_value","lag","language","large","last_value","lateral","lead","leading","left","like","like_regex","listagg","ln","local","localtime","localtimestamp","log","log10","lower","match","match_number","match_recognize","matches","max","member","merge","method","min","minute","mod","modifies","module","month","multiset","national","natural","nchar","nclob","new","no","none","normalize","not","nth_value","ntile","null","nullif","numeric","octet_length","occurrences_regex","of","offset","old","omit","on","one","only","open","or","order","out","outer","over","overlaps","overlay","parameter","partition","pattern","per","percent","percent_rank","percentile_cont","percentile_disc","period","portion","position","position_regex","power","precedes","precision","prepare","primary","procedure","ptf","range","rank","reads","real","recursive","ref","references","referencing","regr_avgx","regr_avgy","regr_count","regr_intercept","regr_r2","regr_slope","regr_sxx","regr_sxy","regr_syy","release","result","return","returns","revoke","right","rollback","rollup","row","row_number","rows","running","savepoint","scope","scroll","search","second","seek","select","sensitive","session_user","set","show","similar","sin","sinh","skip","smallint","some","specific","specifictype","sql","sqlexception","sqlstate","sqlwarning","sqrt","start","static","stddev_pop","stddev_samp","submultiset","subset","substring","substring_regex","succeeds","sum","symmetric","system","system_time","system_user","table","tablesample","tan","tanh","then","time","timestamp","timezone_hour","timezone_minute","to","trailing","translate","translate_regex","translation","treat","trigger","trim","trim_array","true","truncate","uescape","union","unique","unknown","unnest","update","upper","user","using","value","values","value_of","var_pop","var_samp","varbinary","varchar","varying","versioning","when","whenever","where","width_bucket","window","with","within","without","year"],f=["abs","acos","array_agg","asin","atan","avg","cast","ceil","ceiling","coalesce","corr","cos","cosh","count","covar_pop","covar_samp","cume_dist","dense_rank","deref","element","exp","extract","first_value","floor","json_array","json_arrayagg","json_exists","json_object","json_objectagg","json_query","json_table","json_table_primitive","json_value","lag","last_value","lead","listagg","ln","log","log10","lower","max","min","mod","nth_value","ntile","nullif","percent_rank","percentile_cont","percentile_disc","position","position_regex","power","rank","regr_avgx","regr_avgy","regr_count","regr_intercept","regr_r2","regr_slope","regr_sxx","regr_sxy","regr_syy","row_number","sin","sinh","sqrt","stddev_pop","stddev_samp","substring","substring_regex","sum","tan","tanh","translate","translate_regex","treat","trim","trim_array","unnest","upper","value_of","var_pop","var_samp","width_bucket"],N=["current_catalog","current_date","current_default_transform_group","current_path","current_role","current_schema","current_transform_group_for_type","current_user","session_user","system_time","system_user","current_time","localtime","current_timestamp","localtimestamp"],S=["create table","insert into","primary key","foreign key","not null","alter table","add constraint","grouping sets","on overflow","character set","respect nulls","ignore nulls","nulls first","nulls last","depth first","breadth first"],h=f,C=[...E,...u].filter(B=>!f.includes(B)),I={className:"variable",begin:/@[a-z0-9][a-z0-9_]*/},x={className:"operator",begin:/[-+*/=%^~]|&&?|\|\|?|!=?|<(?:=>?|<|>)?|>[>=]?/,relevance:0},F={begin:n.concat(/\b/,n.either(...h),/\s*\(/),relevance:0,keywords:{built_in:h}};function q(B,{exceptions:Y,when:z}={}){let c=z;return Y=Y||[],B.map(te=>te.match(/\|\d+$/)||Y.includes(te)?te:c(te)?`${te}|0`:te)}return{name:"SQL",case_insensitive:!0,illegal:/[{}]|<\//,keywords:{$pattern:/\b[\w\.]+/,keyword:q(C,{when:B=>B.length<3}),literal:a,type:d,built_in:N},contains:[{begin:n.either(...S),relevance:0,keywords:{$pattern:/[\w\.]+/,keyword:C.concat(S),literal:a,type:d}},{className:"type",begin:n.either(...s)},F,I,_,l,e.C_NUMBER_MODE,e.C_BLOCK_COMMENT_MODE,i,x]}}b_.exports=Yb});var h_=O((bR,S_)=>{function Hb(e){let n=e.regex,i=["functions","model","data","parameters","quantities","transformed","generated"],_=["for","in","if","else","while","break","continue","return"],l=["array","complex","int","real","vector","ordered","positive_ordered","simplex","unit_vector","row_vector","matrix","cholesky_factor_corr|10","cholesky_factor_cov|10","corr_matrix|10","cov_matrix|10","void"],a=["Phi","Phi_approx","abs","acos","acosh","add_diag","algebra_solver","algebra_solver_newton","append_array","append_col","append_row","asin","asinh","atan","atan2","atanh","bessel_first_kind","bessel_second_kind","binary_log_loss","binomial_coefficient_log","block","cbrt","ceil","chol2inv","cholesky_decompose","choose","col","cols","columns_dot_product","columns_dot_self","conj","cos","cosh","cov_exp_quad","crossprod","csr_extract_u","csr_extract_v","csr_extract_w","csr_matrix_times_vector","csr_to_dense_matrix","cumulative_sum","determinant","diag_matrix","diag_post_multiply","diag_pre_multiply","diagonal","digamma","dims","distance","dot_product","dot_self","eigenvalues_sym","eigenvectors_sym","erf","erfc","exp","exp2","expm1","fabs","falling_factorial","fdim","floor","fma","fmax","fmin","fmod","gamma_p","gamma_q","generalized_inverse","get_imag","get_lp","get_real","head","hmm_hidden_state_prob","hmm_marginal","hypot","identity_matrix","inc_beta","int_step","integrate_1d","integrate_ode","integrate_ode_adams","integrate_ode_bdf","integrate_ode_rk45","inv","inv_Phi","inv_cloglog","inv_logit","inv_sqrt","inv_square","inverse","inverse_spd","is_inf","is_nan","lambert_w0","lambert_wm1","lbeta","lchoose","ldexp","lgamma","linspaced_array","linspaced_int_array","linspaced_row_vector","linspaced_vector","lmgamma","lmultiply","log","log1m","log1m_exp","log1m_inv_logit","log1p","log1p_exp","log_determinant","log_diff_exp","log_falling_factorial","log_inv_logit","log_inv_logit_diff","log_mix","log_modified_bessel_first_kind","log_rising_factorial","log_softmax","log_sum_exp","logit","machine_precision","map_rect","matrix_exp","matrix_exp_multiply","matrix_power","max","mdivide_left_spd","mdivide_left_tri_low","mdivide_right_spd","mdivide_right_tri_low","mean","min","modified_bessel_first_kind","modified_bessel_second_kind","multiply_log","multiply_lower_tri_self_transpose","negative_infinity","norm","not_a_number","num_elements","ode_adams","ode_adams_tol","ode_adjoint_tol_ctl","ode_bdf","ode_bdf_tol","ode_ckrk","ode_ckrk_tol","ode_rk45","ode_rk45_tol","one_hot_array","one_hot_int_array","one_hot_row_vector","one_hot_vector","ones_array","ones_int_array","ones_row_vector","ones_vector","owens_t","polar","positive_infinity","pow","print","prod","proj","qr_Q","qr_R","qr_thin_Q","qr_thin_R","quad_form","quad_form_diag","quad_form_sym","quantile","rank","reduce_sum","reject","rep_array","rep_matrix","rep_row_vector","rep_vector","reverse","rising_factorial","round","row","rows","rows_dot_product","rows_dot_self","scale_matrix_exp_multiply","sd","segment","sin","singular_values","sinh","size","softmax","sort_asc","sort_desc","sort_indices_asc","sort_indices_desc","sqrt","square","squared_distance","step","sub_col","sub_row","sum","svd_U","svd_V","symmetrize_from_lower_tri","tail","tan","tanh","target","tcrossprod","tgamma","to_array_1d","to_array_2d","to_complex","to_matrix","to_row_vector","to_vector","trace","trace_gen_quad_form","trace_quad_form","trigamma","trunc","uniform_simplex","variance","zeros_array","zeros_int_array","zeros_row_vector"],s=["bernoulli","bernoulli_logit","bernoulli_logit_glm","beta","beta_binomial","beta_proportion","binomial","binomial_logit","categorical","categorical_logit","categorical_logit_glm","cauchy","chi_square","dirichlet","discrete_range","double_exponential","exp_mod_normal","exponential","frechet","gamma","gaussian_dlm_obs","gumbel","hmm_latent","hypergeometric","inv_chi_square","inv_gamma","inv_wishart","lkj_corr","lkj_corr_cholesky","logistic","lognormal","multi_gp","multi_gp_cholesky","multi_normal","multi_normal_cholesky","multi_normal_prec","multi_student_t","multinomial","multinomial_logit","neg_binomial","neg_binomial_2","neg_binomial_2_log","neg_binomial_2_log_glm","normal","normal_id_glm","ordered_logistic","ordered_logistic_glm","ordered_probit","pareto","pareto_type_2","poisson","poisson_log","poisson_log_glm","rayleigh","scaled_inv_chi_square","skew_double_exponential","skew_normal","std_normal","student_t","uniform","von_mises","weibull","wiener","wishart"],d=e.COMMENT(/\/\*/,/\*\//,{relevance:0,contains:[{scope:"doctag",match:/@(return|param)/}]}),u={scope:"meta",begin:/#include\b/,end:/$/,contains:[{match:/[a-z][a-z-._]+/,scope:"string"},e.C_LINE_COMMENT_MODE]},E=["lower","upper","offset","multiplier"];return{name:"Stan",aliases:["stanfuncs"],keywords:{$pattern:e.IDENT_RE,title:i,type:l,keyword:_,built_in:a},contains:[e.C_LINE_COMMENT_MODE,u,e.HASH_COMMENT_MODE,d,{scope:"built_in",match:/\s(pi|e|sqrt2|log2|log10)(?=\()/,relevance:0},{match:n.concat(/[<,]\s*/,n.either(...E),/\s*=/),keywords:E},{scope:"keyword",match:/\btarget(?=\s*\+=)/},{match:[/~\s*/,n.either(...s),/(?:\(\))/,/\s*T(?=\s*\[)/],scope:{2:"built_in",4:"keyword"}},{scope:"built_in",keywords:s,begin:n.concat(/\w*/,n.either(...s),/(_lpdf|_lupdf|_lpmf|_cdf|_lcdf|_lccdf|_qf)(?=\s*[\(.*\)])/)},{begin:[/~/,/\s*/,n.concat(n.either(...s),/(?=\s*[\(.*\)])/)],scope:{3:"built_in"}},{begin:[/~/,/\s*\w+(?=\s*[\(.*\)])/,"(?!.*/\b("+n.either(...s)+")\b)"],scope:{2:"title.function"}},{scope:"title.function",begin:/\w*(_lpdf|_lupdf|_lpmf|_cdf|_lcdf|_lccdf|_qf)(?=\s*[\(.*\)])/},{scope:"number",match:n.concat(/(?:\b\d+(?:_\d+)*(?:\.(?:\d+(?:_\d+)*)?)?|\B\.\d+(?:_\d+)*)/,/(?:[eE][+-]?\d+(?:_\d+)*)?i?(?!\w)/),relevance:0},{scope:"string",begin:/"/,end:/"/}]}}S_.exports=Hb});var R_=O((fR,T_)=>{function qb(e){return{name:"Stata",aliases:["do","ado"],case_insensitive:!0,keywords:"if else in foreach for forv forva forval forvalu forvalue forvalues by bys bysort xi quietly qui capture about ac ac_7 acprplot acprplot_7 adjust ado adopath adoupdate alpha ameans an ano anov anova anova_estat anova_terms anovadef aorder ap app appe appen append arch arch_dr arch_estat arch_p archlm areg areg_p args arima arima_dr arima_estat arima_p as asmprobit asmprobit_estat asmprobit_lf asmprobit_mfx__dlg asmprobit_p ass asse asser assert avplot avplot_7 avplots avplots_7 bcskew0 bgodfrey bias binreg bip0_lf biplot bipp_lf bipr_lf bipr_p biprobit bitest bitesti bitowt blogit bmemsize boot bootsamp bootstrap bootstrap_8 boxco_l boxco_p boxcox boxcox_6 boxcox_p bprobit br break brier bro brow brows browse brr brrstat bs bs_7 bsampl_w bsample bsample_7 bsqreg bstat bstat_7 bstat_8 bstrap bstrap_7 bubble bubbleplot ca ca_estat ca_p cabiplot camat canon canon_8 canon_8_p canon_estat canon_p cap caprojection capt captu captur capture cat cc cchart cchart_7 cci cd censobs_table centile cf char chdir checkdlgfiles checkestimationsample checkhlpfiles checksum chelp ci cii cl class classutil clear cli clis clist clo clog clog_lf clog_p clogi clogi_sw clogit clogit_lf clogit_p clogitp clogl_sw cloglog clonevar clslistarray cluster cluster_measures cluster_stop cluster_tree cluster_tree_8 clustermat cmdlog cnr cnre cnreg cnreg_p cnreg_sw cnsreg codebook collaps4 collapse colormult_nb colormult_nw compare compress conf confi confir confirm conren cons const constr constra constrai constrain constraint continue contract copy copyright copysource cor corc corr corr2data corr_anti corr_kmo corr_smc corre correl correla correlat correlate corrgram cou coun count cox cox_p cox_sw coxbase coxhaz coxvar cprplot cprplot_7 crc cret cretu cretur creturn cross cs cscript cscript_log csi ct ct_is ctset ctst_5 ctst_st cttost cumsp cumsp_7 cumul cusum cusum_7 cutil d|0 datasig datasign datasigna datasignat datasignatu datasignatur datasignature datetof db dbeta de dec deco decod decode deff des desc descr descri describ describe destring dfbeta dfgls dfuller di di_g dir dirstats dis discard disp disp_res disp_s displ displa display distinct do doe doed doedi doedit dotplot dotplot_7 dprobit drawnorm drop ds ds_util dstdize duplicates durbina dwstat dydx e|0 ed edi edit egen eivreg emdef en enc enco encod encode eq erase ereg ereg_lf ereg_p ereg_sw ereghet ereghet_glf ereghet_glf_sh ereghet_gp ereghet_ilf ereghet_ilf_sh ereghet_ip eret eretu eretur ereturn err erro error esize est est_cfexist est_cfname est_clickable est_expand est_hold est_table est_unhold est_unholdok estat estat_default estat_summ estat_vce_only esti estimates etodow etof etomdy ex exi exit expand expandcl fac fact facto factor factor_estat factor_p factor_pca_rotated factor_rotate factormat fcast fcast_compute fcast_graph fdades fdadesc fdadescr fdadescri fdadescrib fdadescribe fdasav fdasave fdause fh_st file open file read file close file filefilter fillin find_hlp_file findfile findit findit_7 fit fl fli flis flist for5_0 forest forestplot form forma format fpredict frac_154 frac_adj frac_chk frac_cox frac_ddp frac_dis frac_dv frac_in frac_mun frac_pp frac_pq frac_pv frac_wgt frac_xo fracgen fracplot fracplot_7 fracpoly fracpred fron_ex fron_hn fron_p fron_tn fron_tn2 frontier ftodate ftoe ftomdy ftowdate funnel funnelplot g|0 gamhet_glf gamhet_gp gamhet_ilf gamhet_ip gamma gamma_d2 gamma_p gamma_sw gammahet gdi_hexagon gdi_spokes ge gen gene gener genera generat generate genrank genstd genvmean gettoken gl gladder gladder_7 glim_l01 glim_l02 glim_l03 glim_l04 glim_l05 glim_l06 glim_l07 glim_l08 glim_l09 glim_l10 glim_l11 glim_l12 glim_lf glim_mu glim_nw1 glim_nw2 glim_nw3 glim_p glim_v1 glim_v2 glim_v3 glim_v4 glim_v5 glim_v6 glim_v7 glm glm_6 glm_p glm_sw glmpred glo glob globa global glogit glogit_8 glogit_p gmeans gnbre_lf gnbreg gnbreg_5 gnbreg_p gomp_lf gompe_sw gomper_p gompertz gompertzhet gomphet_glf gomphet_glf_sh gomphet_gp gomphet_ilf gomphet_ilf_sh gomphet_ip gphdot gphpen gphprint gprefs gprobi_p gprobit gprobit_8 gr gr7 gr_copy gr_current gr_db gr_describe gr_dir gr_draw gr_draw_replay gr_drop gr_edit gr_editviewopts gr_example gr_example2 gr_export gr_print gr_qscheme gr_query gr_read gr_rename gr_replay gr_save gr_set gr_setscheme gr_table gr_undo gr_use graph graph7 grebar greigen greigen_7 greigen_8 grmeanby grmeanby_7 gs_fileinfo gs_filetype gs_graphinfo gs_stat gsort gwood h|0 hadimvo hareg hausman haver he heck_d2 heckma_p heckman heckp_lf heckpr_p heckprob hel help hereg hetpr_lf hetpr_p hetprob hettest hexdump hilite hist hist_7 histogram hlogit hlu hmeans hotel hotelling hprobit hreg hsearch icd9 icd9_ff icd9p iis impute imtest inbase include inf infi infil infile infix inp inpu input ins insheet insp inspe inspec inspect integ inten intreg intreg_7 intreg_p intrg2_ll intrg_ll intrg_ll2 ipolate iqreg ir irf irf_create irfm iri is_svy is_svysum isid istdize ivprob_1_lf ivprob_lf ivprobit ivprobit_p ivreg ivreg_footnote ivtob_1_lf ivtob_lf ivtobit ivtobit_p jackknife jacknife jknife jknife_6 jknife_8 jkstat joinby kalarma1 kap kap_3 kapmeier kappa kapwgt kdensity kdensity_7 keep ksm ksmirnov ktau kwallis l|0 la lab labbe labbeplot labe label labelbook ladder levels levelsof leverage lfit lfit_p li lincom line linktest lis list lloghet_glf lloghet_glf_sh lloghet_gp lloghet_ilf lloghet_ilf_sh lloghet_ip llogi_sw llogis_p llogist llogistic llogistichet lnorm_lf lnorm_sw lnorma_p lnormal lnormalhet lnormhet_glf lnormhet_glf_sh lnormhet_gp lnormhet_ilf lnormhet_ilf_sh lnormhet_ip lnskew0 loadingplot loc loca local log logi logis_lf logistic logistic_p logit logit_estat logit_p loglogs logrank loneway lookfor lookup lowess lowess_7 lpredict lrecomp lroc lroc_7 lrtest ls lsens lsens_7 lsens_x lstat ltable ltable_7 ltriang lv lvr2plot lvr2plot_7 m|0 ma mac macr macro makecns man manova manova_estat manova_p manovatest mantel mark markin markout marksample mat mat_capp mat_order mat_put_rr mat_rapp mata mata_clear mata_describe mata_drop mata_matdescribe mata_matsave mata_matuse mata_memory mata_mlib mata_mosave mata_rename mata_which matalabel matcproc matlist matname matr matri matrix matrix_input__dlg matstrik mcc mcci md0_ md1_ md1debug_ md2_ md2debug_ mds mds_estat mds_p mdsconfig mdslong mdsmat mdsshepard mdytoe mdytof me_derd mean means median memory memsize menl meqparse mer merg merge meta mfp mfx mhelp mhodds minbound mixed_ll mixed_ll_reparm mkassert mkdir mkmat mkspline ml ml_5 ml_adjs ml_bhhhs ml_c_d ml_check ml_clear ml_cnt ml_debug ml_defd ml_e0 ml_e0_bfgs ml_e0_cycle ml_e0_dfp ml_e0i ml_e1 ml_e1_bfgs ml_e1_bhhh ml_e1_cycle ml_e1_dfp ml_e2 ml_e2_cycle ml_ebfg0 ml_ebfr0 ml_ebfr1 ml_ebh0q ml_ebhh0 ml_ebhr0 ml_ebr0i ml_ecr0i ml_edfp0 ml_edfr0 ml_edfr1 ml_edr0i ml_eds ml_eer0i ml_egr0i ml_elf ml_elf_bfgs ml_elf_bhhh ml_elf_cycle ml_elf_dfp ml_elfi ml_elfs ml_enr0i ml_enrr0 ml_erdu0 ml_erdu0_bfgs ml_erdu0_bhhh ml_erdu0_bhhhq ml_erdu0_cycle ml_erdu0_dfp ml_erdu0_nrbfgs ml_exde ml_footnote ml_geqnr ml_grad0 ml_graph ml_hbhhh ml_hd0 ml_hold ml_init ml_inv ml_log ml_max ml_mlout ml_mlout_8 ml_model ml_nb0 ml_opt ml_p ml_plot ml_query ml_rdgrd ml_repor ml_s_e ml_score ml_searc ml_technique ml_unhold mleval mlf_ mlmatbysum mlmatsum mlog mlogi mlogit mlogit_footnote mlogit_p mlopts mlsum mlvecsum mnl0_ mor more mov move mprobit mprobit_lf mprobit_p mrdu0_ mrdu1_ mvdecode mvencode mvreg mvreg_estat n|0 nbreg nbreg_al nbreg_lf nbreg_p nbreg_sw nestreg net newey newey_7 newey_p news nl nl_7 nl_9 nl_9_p nl_p nl_p_7 nlcom nlcom_p nlexp2 nlexp2_7 nlexp2a nlexp2a_7 nlexp3 nlexp3_7 nlgom3 nlgom3_7 nlgom4 nlgom4_7 nlinit nllog3 nllog3_7 nllog4 nllog4_7 nlog_rd nlogit nlogit_p nlogitgen nlogittree nlpred no nobreak noi nois noisi noisil noisily note notes notes_dlg nptrend numlabel numlist odbc old_ver olo olog ologi ologi_sw ologit ologit_p ologitp on one onew onewa oneway op_colnm op_comp op_diff op_inv op_str opr opro oprob oprob_sw oprobi oprobi_p oprobit oprobitp opts_exclusive order orthog orthpoly ou out outf outfi outfil outfile outs outsh outshe outshee outsheet ovtest pac pac_7 palette parse parse_dissim pause pca pca_8 pca_display pca_estat pca_p pca_rotate pcamat pchart pchart_7 pchi pchi_7 pcorr pctile pentium pergram pergram_7 permute permute_8 personal peto_st pkcollapse pkcross pkequiv pkexamine pkexamine_7 pkshape pksumm pksumm_7 pl plo plot plugin pnorm pnorm_7 poisgof poiss_lf poiss_sw poisso_p poisson poisson_estat post postclose postfile postutil pperron pr prais prais_e prais_e2 prais_p predict predictnl preserve print pro prob probi probit probit_estat probit_p proc_time procoverlay procrustes procrustes_estat procrustes_p profiler prog progr progra program prop proportion prtest prtesti pwcorr pwd q\\s qby qbys qchi qchi_7 qladder qladder_7 qnorm qnorm_7 qqplot qqplot_7 qreg qreg_c qreg_p qreg_sw qu quadchk quantile quantile_7 que quer query range ranksum ratio rchart rchart_7 rcof recast reclink recode reg reg3 reg3_p regdw regr regre regre_p2 regres regres_p regress regress_estat regriv_p remap ren rena renam rename renpfix repeat replace report reshape restore ret retu retur return rm rmdir robvar roccomp roccomp_7 roccomp_8 rocf_lf rocfit rocfit_8 rocgold rocplot rocplot_7 roctab roctab_7 rolling rologit rologit_p rot rota rotat rotate rotatemat rreg rreg_p ru run runtest rvfplot rvfplot_7 rvpplot rvpplot_7 sa safesum sample sampsi sav save savedresults saveold sc sca scal scala scalar scatter scm_mine sco scob_lf scob_p scobi_sw scobit scor score scoreplot scoreplot_help scree screeplot screeplot_help sdtest sdtesti se search separate seperate serrbar serrbar_7 serset set set_defaults sfrancia sh she shel shell shewhart shewhart_7 signestimationsample signrank signtest simul simul_7 simulate simulate_8 sktest sleep slogit slogit_d2 slogit_p smooth snapspan so sor sort spearman spikeplot spikeplot_7 spikeplt spline_x split sqreg sqreg_p sret sretu sretur sreturn ssc st st_ct st_hc st_hcd st_hcd_sh st_is st_issys st_note st_promo st_set st_show st_smpl st_subid stack statsby statsby_8 stbase stci stci_7 stcox stcox_estat stcox_fr stcox_fr_ll stcox_p stcox_sw stcoxkm stcoxkm_7 stcstat stcurv stcurve stcurve_7 stdes stem stepwise stereg stfill stgen stir stjoin stmc stmh stphplot stphplot_7 stphtest stphtest_7 stptime strate strate_7 streg streg_sw streset sts sts_7 stset stsplit stsum sttocc sttoct stvary stweib su suest suest_8 sum summ summa summar summari summariz summarize sunflower sureg survcurv survsum svar svar_p svmat svy svy_disp svy_dreg svy_est svy_est_7 svy_estat svy_get svy_gnbreg_p svy_head svy_header svy_heckman_p svy_heckprob_p svy_intreg_p svy_ivreg_p svy_logistic_p svy_logit_p svy_mlogit_p svy_nbreg_p svy_ologit_p svy_oprobit_p svy_poisson_p svy_probit_p svy_regress_p svy_sub svy_sub_7 svy_x svy_x_7 svy_x_p svydes svydes_8 svygen svygnbreg svyheckman svyheckprob svyintreg svyintreg_7 svyintrg svyivreg svylc svylog_p svylogit svymarkout svymarkout_8 svymean svymlog svymlogit svynbreg svyolog svyologit svyoprob svyoprobit svyopts svypois svypois_7 svypoisson svyprobit svyprobt svyprop svyprop_7 svyratio svyreg svyreg_p svyregress svyset svyset_7 svyset_8 svytab svytab_7 svytest svytotal sw sw_8 swcnreg swcox swereg swilk swlogis swlogit swologit swoprbt swpois swprobit swqreg swtobit swweib symmetry symmi symplot symplot_7 syntax sysdescribe sysdir sysuse szroeter ta tab tab1 tab2 tab_or tabd tabdi tabdis tabdisp tabi table tabodds tabodds_7 tabstat tabu tabul tabula tabulat tabulate te tempfile tempname tempvar tes test testnl testparm teststd tetrachoric time_it timer tis tob tobi tobit tobit_p tobit_sw token tokeni tokeniz tokenize tostring total translate translator transmap treat_ll treatr_p treatreg trim trimfill trnb_cons trnb_mean trpoiss_d2 trunc_ll truncr_p truncreg tsappend tset tsfill tsline tsline_ex tsreport tsrevar tsrline tsset tssmooth tsunab ttest ttesti tut_chk tut_wait tutorial tw tware_st two twoway twoway__fpfit_serset twoway__function_gen twoway__histogram_gen twoway__ipoint_serset twoway__ipoints_serset twoway__kdensity_gen twoway__lfit_serset twoway__normgen_gen twoway__pci_serset twoway__qfit_serset twoway__scatteri_serset twoway__sunflower_gen twoway_ksm_serset ty typ type typeof u|0 unab unabbrev unabcmd update us use uselabel var var_mkcompanion var_p varbasic varfcast vargranger varirf varirf_add varirf_cgraph varirf_create varirf_ctable varirf_describe varirf_dir varirf_drop varirf_erase varirf_graph varirf_ograph varirf_rename varirf_set varirf_table varlist varlmar varnorm varsoc varstable varstable_w varstable_w2 varwle vce vec vec_fevd vec_mkphi vec_p vec_p_w vecirf_create veclmar veclmar_w vecnorm vecnorm_w vecrank vecstable verinst vers versi versio version view viewsource vif vwls wdatetof webdescribe webseek webuse weib1_lf weib2_lf weib_lf weib_lf0 weibhet_glf weibhet_glf_sh weibhet_glfa weibhet_glfa_sh weibhet_gp weibhet_ilf weibhet_ilf_sh weibhet_ilfa weibhet_ilfa_sh weibhet_ip weibu_sw weibul_p weibull weibull_c weibull_s weibullhet wh whelp whi which whil while wilc_st wilcoxon win wind windo window winexec wntestb wntestb_7 wntestq xchart xchart_7 xcorr xcorr_7 xi xi_6 xmlsav xmlsave xmluse xpose xsh xshe xshel xshell xt_iis xt_tis xtab_p xtabond xtbin_p xtclog xtcloglog xtcloglog_8 xtcloglog_d2 xtcloglog_pa_p xtcloglog_re_p xtcnt_p xtcorr xtdata xtdes xtfront_p xtfrontier xtgee xtgee_elink xtgee_estat xtgee_makeivar xtgee_p xtgee_plink xtgls xtgls_p xthaus xthausman xtht_p xthtaylor xtile xtint_p xtintreg xtintreg_8 xtintreg_d2 xtintreg_p xtivp_1 xtivp_2 xtivreg xtline xtline_ex xtlogit xtlogit_8 xtlogit_d2 xtlogit_fe_p xtlogit_pa_p xtlogit_re_p xtmixed xtmixed_estat xtmixed_p xtnb_fe xtnb_lf xtnbreg xtnbreg_pa_p xtnbreg_refe_p xtpcse xtpcse_p xtpois xtpoisson xtpoisson_d2 xtpoisson_pa_p xtpoisson_refe_p xtpred xtprobit xtprobit_8 xtprobit_d2 xtprobit_re_p xtps_fe xtps_lf xtps_ren xtps_ren_8 xtrar_p xtrc xtrc_p xtrchh xtrefe_p xtreg xtreg_be xtreg_fe xtreg_ml xtreg_pa_p xtreg_re xtregar xtrere_p xtset xtsf_ll xtsf_llti xtsum xttab xttest0 xttobit xttobit_8 xttobit_p xttrans yx yxview__barlike_draw yxview_area_draw yxview_bar_draw yxview_dot_draw yxview_dropline_draw yxview_function_draw yxview_iarrow_draw yxview_ilabels_draw yxview_normal_draw yxview_pcarrow_draw yxview_pcbarrow_draw yxview_pccapsym_draw yxview_pcscatter_draw yxview_pcspike_draw yxview_rarea_draw yxview_rbar_draw yxview_rbarm_draw yxview_rcap_draw yxview_rcapsym_draw yxview_rconnected_draw yxview_rline_draw yxview_rscatter_draw yxview_rspike_draw yxview_spike_draw yxview_sunflower_draw zap_s zinb zinb_llf zinb_plf zip zip_llf zip_p zip_plf zt_ct_5 zt_hc_5 zt_hcd_5 zt_is_5 zt_iss_5 zt_sho_5 zt_smp_5 ztbase_5 ztcox_5 ztdes_5 ztereg_5 ztfill_5 ztgen_5 ztir_5 ztjoin_5 ztnb ztnb_p ztp ztp_p zts_5 ztset_5 ztspli_5 ztsum_5 zttoct_5 ztvary_5 ztweib_5",contains:[{className:"symbol",begin:/`[a-zA-Z0-9_]+'/},{className:"variable",begin:/\$\{?[a-zA-Z0-9_]+\}?/,relevance:0},{className:"string",variants:[{begin:`\`"[^\r +]*?"'`},{begin:`"[^\r +"]*"`}]},{className:"built_in",variants:[{begin:"\\b(abs|acos|asin|atan|atan2|atanh|ceil|cloglog|comb|cos|digamma|exp|floor|invcloglog|invlogit|ln|lnfact|lnfactorial|lngamma|log|log10|max|min|mod|reldif|round|sign|sin|sqrt|sum|tan|tanh|trigamma|trunc|betaden|Binomial|binorm|binormal|chi2|chi2tail|dgammapda|dgammapdada|dgammapdadx|dgammapdx|dgammapdxdx|F|Fden|Ftail|gammaden|gammap|ibeta|invbinomial|invchi2|invchi2tail|invF|invFtail|invgammap|invibeta|invnchi2|invnFtail|invnibeta|invnorm|invnormal|invttail|nbetaden|nchi2|nFden|nFtail|nibeta|norm|normal|normalden|normd|npnchi2|tden|ttail|uniform|abbrev|char|index|indexnot|length|lower|ltrim|match|plural|proper|real|regexm|regexr|regexs|reverse|rtrim|string|strlen|strlower|strltrim|strmatch|strofreal|strpos|strproper|strreverse|strrtrim|strtrim|strupper|subinstr|subinword|substr|trim|upper|word|wordcount|_caller|autocode|byteorder|chop|clip|cond|e|epsdouble|epsfloat|group|inlist|inrange|irecode|matrix|maxbyte|maxdouble|maxfloat|maxint|maxlong|mi|minbyte|mindouble|minfloat|minint|minlong|missing|r|recode|replay|return|s|scalar|d|date|day|dow|doy|halfyear|mdy|month|quarter|week|year|d|daily|dofd|dofh|dofm|dofq|dofw|dofy|h|halfyearly|hofd|m|mofd|monthly|q|qofd|quarterly|tin|twithin|w|weekly|wofd|y|yearly|yh|ym|yofd|yq|yw|cholesky|colnumb|colsof|corr|det|diag|diag0cnt|el|get|hadamard|I|inv|invsym|issym|issymmetric|J|matmissing|matuniform|mreldif|nullmat|rownumb|rowsof|sweep|syminv|trace|vec|vecdiag)(?=\\()"}]},e.COMMENT("^[ ]*\\*.*$",!1),e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE]}}T_.exports=qb});var v_=O((SR,C_)=>{function Vb(e){return{name:"STEP Part 21",aliases:["p21","step","stp"],case_insensitive:!0,keywords:{$pattern:"[A-Z_][A-Z0-9_.]*",keyword:["HEADER","ENDSEC","DATA"]},contains:[{className:"meta",begin:"ISO-10303-21;",relevance:10},{className:"meta",begin:"END-ISO-10303-21;",relevance:10},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,e.COMMENT("/\\*\\*!","\\*/"),e.C_NUMBER_MODE,e.inherit(e.APOS_STRING_MODE,{illegal:null}),e.inherit(e.QUOTE_STRING_MODE,{illegal:null}),{className:"string",begin:"'",end:"'"},{className:"symbol",variants:[{begin:"#",end:"\\d+",illegal:"\\W"}]}]}}C_.exports=Vb});var O_=O((hR,N_)=>{var zb=e=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:e.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:e.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z][A-Za-z0-9_-]*/}}),Wb=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],$b=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],Kb=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],Qb=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],Xb=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","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-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-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","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","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","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse();function Zb(e){let n=zb(e),i="and or not only",_={className:"variable",begin:"\\$"+e.IDENT_RE},l=["charset","css","debug","extend","font-face","for","import","include","keyframes","media","mixin","page","warn","while"],a="(?=[.\\s\\n[:,(])";return{name:"Stylus",aliases:["styl"],case_insensitive:!1,keywords:"if else for in",illegal:"("+["\\?","(\\bReturn\\b)","(\\bEnd\\b)","(\\bend\\b)","(\\bdef\\b)",";","#\\s","\\*\\s","===\\s","\\|","%"].join("|")+")",contains:[e.QUOTE_STRING_MODE,e.APOS_STRING_MODE,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,n.HEXCOLOR,{begin:"\\.[a-zA-Z][a-zA-Z0-9_-]*"+a,className:"selector-class"},{begin:"#[a-zA-Z][a-zA-Z0-9_-]*"+a,className:"selector-id"},{begin:"\\b("+Wb.join("|")+")"+a,className:"selector-tag"},{className:"selector-pseudo",begin:"&?:("+Kb.join("|")+")"+a},{className:"selector-pseudo",begin:"&?:(:)?("+Qb.join("|")+")"+a},n.ATTRIBUTE_SELECTOR_MODE,{className:"keyword",begin:/@media/,starts:{end:/[{;}]/,keywords:{$pattern:/[a-z-]+/,keyword:i,attribute:$b.join(" ")},contains:[n.CSS_NUMBER_MODE]}},{className:"keyword",begin:"@((-(o|moz|ms|webkit)-)?("+l.join("|")+"))\\b"},_,n.CSS_NUMBER_MODE,{className:"function",begin:"^[a-zA-Z][a-zA-Z0-9_-]*\\(.*\\)",illegal:"[\\n]",returnBegin:!0,contains:[{className:"title",begin:"\\b[a-zA-Z][a-zA-Z0-9_-]*"},{className:"params",begin:/\(/,end:/\)/,contains:[n.HEXCOLOR,_,e.APOS_STRING_MODE,n.CSS_NUMBER_MODE,e.QUOTE_STRING_MODE]}]},n.CSS_VARIABLE,{className:"attribute",begin:"\\b("+Xb.join("|")+")\\b",starts:{end:/;|$/,contains:[n.HEXCOLOR,_,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,n.CSS_NUMBER_MODE,e.C_BLOCK_COMMENT_MODE,n.IMPORTANT,n.FUNCTION_DISPATCH],illegal:/\./,relevance:0}},n.FUNCTION_DISPATCH]}}N_.exports=Zb});var y_=O((TR,A_)=>{function Jb(e){return{name:"SubUnit",case_insensitive:!0,contains:[{className:"string",begin:`\\[ +(multipart)?`,end:`\\] +`},{className:"string",begin:"\\d{4}-\\d{2}-\\d{2}(\\s+)\\d{2}:\\d{2}:\\d{2}.\\d+Z"},{className:"string",begin:"(\\+|-)\\d+"},{className:"keyword",relevance:10,variants:[{begin:"^(test|testing|success|successful|failure|error|skip|xfail|uxsuccess)(:?)\\s+(test)?"},{begin:"^progress(:?)(\\s+)?(pop|push)?"},{begin:"^tags:"},{begin:"^time:"}]}]}}A_.exports=Jb});var U_=O((RR,k_)=>{function w_(e){return e?typeof e=="string"?e:e.source:null}function _r(e){return xe("(?=",e,")")}function xe(...e){return e.map(i=>w_(i)).join("")}function jb(e){let n=e[e.length-1];return typeof n=="object"&&n.constructor===Object?(e.splice(e.length-1,1),n):{}}function Qe(...e){return"("+(jb(e).capture?"":"?:")+e.map(_=>w_(_)).join("|")+")"}var ii=e=>xe(/\b/,e,/\w$/.test(e)?/\b/:/\B/),ef=["Protocol","Type"].map(ii),I_=["init","self"].map(ii),tf=["Any","Self"],ti=["actor","any","associatedtype","async","await",/as\?/,/as!/,"as","break","case","catch","class","continue","convenience","default","defer","deinit","didSet","distributed","do","dynamic","else","enum","extension","fallthrough",/fileprivate\(set\)/,"fileprivate","final","for","func","get","guard","if","import","indirect","infix",/init\?/,/init!/,"inout",/internal\(set\)/,"internal","in","is","isolated","nonisolated","lazy","let","mutating","nonmutating",/open\(set\)/,"open","operator","optional","override","postfix","precedencegroup","prefix",/private\(set\)/,"private","protocol",/public\(set\)/,"public","repeat","required","rethrows","return","set","some","static","struct","subscript","super","switch","throws","throw",/try\?/,/try!/,"try","typealias",/unowned\(safe\)/,/unowned\(unsafe\)/,"unowned","var","weak","where","while","willSet"],D_=["false","nil","true"],nf=["assignment","associativity","higherThan","left","lowerThan","none","right"],rf=["#colorLiteral","#column","#dsohandle","#else","#elseif","#endif","#error","#file","#fileID","#fileLiteral","#filePath","#function","#if","#imageLiteral","#keyPath","#line","#selector","#sourceLocation","#warn_unqualified_access","#warning"],x_=["abs","all","any","assert","assertionFailure","debugPrint","dump","fatalError","getVaList","isKnownUniquelyReferenced","max","min","numericCast","pointwiseMax","pointwiseMin","precondition","preconditionFailure","print","readLine","repeatElement","sequence","stride","swap","swift_unboxFromSwiftValueWithType","transcode","type","unsafeBitCast","unsafeDowncast","withExtendedLifetime","withUnsafeMutablePointer","withUnsafePointer","withVaList","withoutActuallyEscaping","zip"],M_=Qe(/[/=\-+!*%<>&|^~?]/,/[\u00A1-\u00A7]/,/[\u00A9\u00AB]/,/[\u00AC\u00AE]/,/[\u00B0\u00B1]/,/[\u00B6\u00BB\u00BF\u00D7\u00F7]/,/[\u2016-\u2017]/,/[\u2020-\u2027]/,/[\u2030-\u203E]/,/[\u2041-\u2053]/,/[\u2055-\u205E]/,/[\u2190-\u23FF]/,/[\u2500-\u2775]/,/[\u2794-\u2BFF]/,/[\u2E00-\u2E7F]/,/[\u3001-\u3003]/,/[\u3008-\u3020]/,/[\u3030]/),L_=Qe(M_,/[\u0300-\u036F]/,/[\u1DC0-\u1DFF]/,/[\u20D0-\u20FF]/,/[\uFE00-\uFE0F]/,/[\uFE20-\uFE2F]/),ni=xe(M_,L_,"*"),P_=Qe(/[a-zA-Z_]/,/[\u00A8\u00AA\u00AD\u00AF\u00B2-\u00B5\u00B7-\u00BA]/,/[\u00BC-\u00BE\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u00FF]/,/[\u0100-\u02FF\u0370-\u167F\u1681-\u180D\u180F-\u1DBF]/,/[\u1E00-\u1FFF]/,/[\u200B-\u200D\u202A-\u202E\u203F-\u2040\u2054\u2060-\u206F]/,/[\u2070-\u20CF\u2100-\u218F\u2460-\u24FF\u2776-\u2793]/,/[\u2C00-\u2DFF\u2E80-\u2FFF]/,/[\u3004-\u3007\u3021-\u302F\u3031-\u303F\u3040-\uD7FF]/,/[\uF900-\uFD3D\uFD40-\uFDCF\uFDF0-\uFE1F\uFE30-\uFE44]/,/[\uFE47-\uFEFE\uFF00-\uFFFD]/),pr=Qe(P_,/\d/,/[\u0300-\u036F\u1DC0-\u1DFF\u20D0-\u20FF\uFE20-\uFE2F]/),St=xe(P_,pr,"*"),ri=xe(/[A-Z]/,pr,"*"),af=["autoclosure",xe(/convention\(/,Qe("swift","block","c"),/\)/),"discardableResult","dynamicCallable","dynamicMemberLookup","escaping","frozen","GKInspectable","IBAction","IBDesignable","IBInspectable","IBOutlet","IBSegueAction","inlinable","main","nonobjc","NSApplicationMain","NSCopying","NSManaged",xe(/objc\(/,St,/\)/),"objc","objcMembers","propertyWrapper","requires_stored_property_inits","resultBuilder","testable","UIApplicationMain","unknown","usableFromInline"],of=["iOS","iOSApplicationExtension","macOS","macOSApplicationExtension","macCatalyst","macCatalystApplicationExtension","watchOS","watchOSApplicationExtension","tvOS","tvOSApplicationExtension","swift"];function sf(e){let n={match:/\s+/,relevance:0},i=e.COMMENT("/\\*","\\*/",{contains:["self"]}),_=[e.C_LINE_COMMENT_MODE,i],l={match:[/\./,Qe(...ef,...I_)],className:{2:"keyword"}},a={match:xe(/\./,Qe(...ti)),relevance:0},s=ti.filter(ue=>typeof ue=="string").concat(["_|0"]),d=ti.filter(ue=>typeof ue!="string").concat(tf).map(ii),u={variants:[{className:"keyword",match:Qe(...d,...I_)}]},E={$pattern:Qe(/\b\w+/,/#\w+/),keyword:s.concat(rf),literal:D_},f=[l,a,u],N={match:xe(/\./,Qe(...x_)),relevance:0},S={className:"built_in",match:xe(/\b/,Qe(...x_),/(?=\()/)},h=[N,S],C={match:/->/,relevance:0},I={className:"operator",relevance:0,variants:[{match:ni},{match:`\\.(\\.|${L_})+`}]},x=[C,I],F="([0-9]_*)+",q="([0-9a-fA-F]_*)+",B={className:"number",relevance:0,variants:[{match:`\\b(${F})(\\.(${F}))?([eE][+-]?(${F}))?\\b`},{match:`\\b0x(${q})(\\.(${q}))?([pP][+-]?(${F}))?\\b`},{match:/\b0o([0-7]_*)+\b/},{match:/\b0b([01]_*)+\b/}]},Y=(ue="")=>({className:"subst",variants:[{match:xe(/\\/,ue,/[0\\tnr"']/)},{match:xe(/\\/,ue,/u\{[0-9a-fA-F]{1,8}\}/)}]}),z=(ue="")=>({className:"subst",match:xe(/\\/,ue,/[\t ]*(?:[\r\n]|\r\n)/)}),c=(ue="")=>({className:"subst",label:"interpol",begin:xe(/\\/,ue,/\(/),end:/\)/}),te=(ue="")=>({begin:xe(ue,/"""/),end:xe(/"""/,ue),contains:[Y(ue),z(ue),c(ue)]}),K=(ue="")=>({begin:xe(ue,/"/),end:xe(/"/,ue),contains:[Y(ue),c(ue)]}),ce={className:"string",variants:[te(),te("#"),te("##"),te("###"),K(),K("#"),K("##"),K("###")]},ne={match:xe(/`/,St,/`/)},Te={className:"variable",match:/\$\d+/},oe={className:"variable",match:`\\$${pr}+`},ve=[ne,Te,oe],Oe={match:/(@|#(un)?)available/,className:"keyword",starts:{contains:[{begin:/\(/,end:/\)/,keywords:of,contains:[...x,B,ce]}]}},we={className:"keyword",match:xe(/@/,Qe(...af))},ye={className:"meta",match:xe(/@/,St)},G=[Oe,we,ye],H={match:_r(/\b[A-Z]/),relevance:0,contains:[{className:"type",match:xe(/(AV|CA|CF|CG|CI|CL|CM|CN|CT|MK|MP|MTK|MTL|NS|SCN|SK|UI|WK|XC)/,pr,"+")},{className:"type",match:ri,relevance:0},{match:/[?!]+/,relevance:0},{match:/\.\.\./,relevance:0},{match:xe(/\s+&\s+/,_r(ri)),relevance:0}]},J={begin:/</,end:/>/,keywords:E,contains:[..._,...f,...G,C,H]};H.contains.push(J);let ie={match:xe(St,/\s*:/),keywords:"_|0",relevance:0},pe={begin:/\(/,end:/\)/,relevance:0,keywords:E,contains:["self",ie,..._,...f,...h,...x,B,ce,...ve,...G,H]},fe={begin:/</,end:/>/,contains:[..._,H]},Ie={begin:Qe(_r(xe(St,/\s*:/)),_r(xe(St,/\s+/,St,/\s*:/))),end:/:/,relevance:0,contains:[{className:"keyword",match:/\b_\b/},{className:"params",match:St}]},He={begin:/\(/,end:/\)/,keywords:E,contains:[Ie,..._,...f,...x,B,ce,...G,H,pe],endsParent:!0,illegal:/["']/},Le={match:[/func/,/\s+/,Qe(ne.match,St,ni)],className:{1:"keyword",3:"title.function"},contains:[fe,He,n],illegal:[/\[/,/%/]},Fe={match:[/\b(?:subscript|init[?!]?)/,/\s*(?=[<(])/],className:{1:"keyword"},contains:[fe,He,n],illegal:/\[|%/},je={match:[/operator/,/\s+/,ni],className:{1:"keyword",3:"title"}},rt={begin:[/precedencegroup/,/\s+/,ri],className:{1:"keyword",3:"title"},contains:[H],keywords:[...nf,...D_],end:/}/};for(let ue of ce.variants){let st=ue.contains.find(lt=>lt.label==="interpol");st.keywords=E;let Xe=[...f,...h,...x,B,ce,...ve];st.contains=[...Xe,{begin:/\(/,end:/\)/,contains:["self",...Xe]}]}return{name:"Swift",keywords:E,contains:[..._,Le,Fe,{beginKeywords:"struct protocol class extension enum actor",end:"\\{",excludeEnd:!0,keywords:E,contains:[e.inherit(e.TITLE_MODE,{className:"title.class",begin:/[A-Za-z$_][\u00C0-\u02B80-9A-Za-z$_]*/}),...f]},je,rt,{beginKeywords:"import",end:/$/,contains:[..._],relevance:0},...f,...h,...x,B,ce,...ve,...G,H,pe]}}k_.exports=sf});var B_=O((CR,F_)=>{function lf(e){return{name:"Tagger Script",contains:[{className:"comment",begin:/\$noop\(/,end:/\)/,contains:[{begin:/\\[()]/},{begin:/\(/,end:/\)/,contains:[{begin:/\\[()]/},"self"]}],relevance:10},{className:"keyword",begin:/\$[_a-zA-Z0-9]+(?=\()/},{className:"variable",begin:/%[_a-zA-Z0-9:]+%/},{className:"symbol",begin:/\\[\\nt$%,()]/},{className:"symbol",begin:/\\u[a-fA-F0-9]{4}/}]}}F_.exports=lf});var Y_=O((vR,G_)=>{function cf(e){let n="true false yes no null",i="[\\w#;/?:@&=+$,.~*'()[\\]]+",_={className:"attr",variants:[{begin:"\\w[\\w :\\/.-]*:(?=[ ]|$)"},{begin:'"\\w[\\w :\\/.-]*":(?=[ ]|$)'},{begin:"'\\w[\\w :\\/.-]*':(?=[ ]|$)"}]},l={className:"template-variable",variants:[{begin:/\{\{/,end:/\}\}/},{begin:/%\{/,end:/\}/}]},a={className:"string",relevance:0,variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/\S+/}],contains:[e.BACKSLASH_ESCAPE,l]},s=e.inherit(a,{variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/[^\s,{}[\]]+/}]}),d="[0-9]{4}(-[0-9][0-9]){0,2}",u="([Tt \\t][0-9][0-9]?(:[0-9][0-9]){2})?",E="(\\.[0-9]*)?",f="([ \\t])*(Z|[-+][0-9][0-9]?(:[0-9][0-9])?)?",N={className:"number",begin:"\\b"+d+u+E+f+"\\b"},S={end:",",endsWithParent:!0,excludeEnd:!0,keywords:n,relevance:0},h={begin:/\{/,end:/\}/,contains:[S],illegal:"\\n",relevance:0},C={begin:"\\[",end:"\\]",contains:[S],illegal:"\\n",relevance:0},I=[_,{className:"meta",begin:"^---\\s*$",relevance:10},{className:"string",begin:"[\\|>]([1-9]?[+-])?[ ]*\\n( +)[^ ][^\\n]*\\n(\\2[^\\n]+\\n?)*"},{begin:"<%[%=-]?",end:"[%-]?%>",subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0,relevance:0},{className:"type",begin:"!\\w+!"+i},{className:"type",begin:"!<"+i+">"},{className:"type",begin:"!"+i},{className:"type",begin:"!!"+i},{className:"meta",begin:"&"+e.UNDERSCORE_IDENT_RE+"$"},{className:"meta",begin:"\\*"+e.UNDERSCORE_IDENT_RE+"$"},{className:"bullet",begin:"-(?=[ ]|$)",relevance:0},e.HASH_COMMENT_MODE,{beginKeywords:n,keywords:{literal:n}},N,{className:"number",begin:e.C_NUMBER_RE+"\\b",relevance:0},h,C,a],x=[...I];return x.pop(),x.push(s),S.contains=x,{name:"YAML",case_insensitive:!0,aliases:["yml"],contains:I}}G_.exports=cf});var q_=O((NR,H_)=>{function df(e){return{name:"Test Anything Protocol",case_insensitive:!0,contains:[e.HASH_COMMENT_MODE,{className:"meta",variants:[{begin:"^TAP version (\\d+)$"},{begin:"^1\\.\\.(\\d+)$"}]},{begin:/---$/,end:"\\.\\.\\.$",subLanguage:"yaml",relevance:0},{className:"number",begin:" (\\d+) "},{className:"symbol",variants:[{begin:"^ok"},{begin:"^not ok"}]}]}}H_.exports=df});var z_=O((OR,V_)=>{function _f(e){let n=e.regex,i=/[a-zA-Z_][a-zA-Z0-9_]*/,_={className:"number",variants:[e.BINARY_NUMBER_MODE,e.C_NUMBER_MODE]};return{name:"Tcl",aliases:["tk"],keywords:["after","append","apply","array","auto_execok","auto_import","auto_load","auto_mkindex","auto_mkindex_old","auto_qualify","auto_reset","bgerror","binary","break","catch","cd","chan","clock","close","concat","continue","dde","dict","encoding","eof","error","eval","exec","exit","expr","fblocked","fconfigure","fcopy","file","fileevent","filename","flush","for","foreach","format","gets","glob","global","history","http","if","incr","info","interp","join","lappend|10","lassign|10","lindex|10","linsert|10","list","llength|10","load","lrange|10","lrepeat|10","lreplace|10","lreverse|10","lsearch|10","lset|10","lsort|10","mathfunc","mathop","memory","msgcat","namespace","open","package","parray","pid","pkg::create","pkg_mkIndex","platform","platform::shell","proc","puts","pwd","read","refchan","regexp","registry","regsub|10","rename","return","safe","scan","seek","set","socket","source","split","string","subst","switch","tcl_endOfWord","tcl_findLibrary","tcl_startOfNextWord","tcl_startOfPreviousWord","tcl_wordBreakAfter","tcl_wordBreakBefore","tcltest","tclvars","tell","time","tm","trace","unknown","unload","unset","update","uplevel","upvar","variable","vwait","while"],contains:[e.COMMENT(";[ \\t]*#","$"),e.COMMENT("^[ \\t]*#","$"),{beginKeywords:"proc",end:"[\\{]",excludeEnd:!0,contains:[{className:"title",begin:"[ \\t\\n\\r]+(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",end:"[ \\t\\n\\r]",endsWithParent:!0,excludeEnd:!0}]},{className:"variable",variants:[{begin:n.concat(/\$/,n.optional(/::/),i,"(::",i,")*")},{begin:"\\$\\{(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",end:"\\}",contains:[_]}]},{className:"string",contains:[e.BACKSLASH_ESCAPE],variants:[e.inherit(e.QUOTE_STRING_MODE,{illegal:null})]},_]}}V_.exports=_f});var $_=O((AR,W_)=>{function pf(e){let n=["bool","byte","i16","i32","i64","double","string","binary"];return{name:"Thrift",keywords:{keyword:["namespace","const","typedef","struct","enum","service","exception","void","oneway","set","list","map","required","optional"],type:n,literal:"true false"},contains:[e.QUOTE_STRING_MODE,e.NUMBER_MODE,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,{className:"class",beginKeywords:"struct enum service exception",end:/\{/,illegal:/\n/,contains:[e.inherit(e.TITLE_MODE,{starts:{endsWithParent:!0,excludeEnd:!0}})]},{begin:"\\b(set|list|map)\\s*<",keywords:{type:[...n,"set","list","map"]},end:">",contains:["self"]}]}}W_.exports=pf});var Q_=O((yR,K_)=>{function uf(e){let n={className:"number",begin:"[1-9][0-9]*",relevance:0},i={className:"symbol",begin:":[^\\]]+"},_={className:"built_in",begin:"(AR|P|PAYLOAD|PR|R|SR|RSR|LBL|VR|UALM|MESSAGE|UTOOL|UFRAME|TIMER|TIMER_OVERFLOW|JOINT_MAX_SPEED|RESUME_PROG|DIAG_REC)\\[",end:"\\]",contains:["self",n,i]},l={className:"built_in",begin:"(AI|AO|DI|DO|F|RI|RO|UI|UO|GI|GO|SI|SO)\\[",end:"\\]",contains:["self",n,e.QUOTE_STRING_MODE,i]};return{name:"TP",keywords:{keyword:["ABORT","ACC","ADJUST","AND","AP_LD","BREAK","CALL","CNT","COL","CONDITION","CONFIG","DA","DB","DIV","DETECT","ELSE","END","ENDFOR","ERR_NUM","ERROR_PROG","FINE","FOR","GP","GUARD","INC","IF","JMP","LINEAR_MAX_SPEED","LOCK","MOD","MONITOR","OFFSET","Offset","OR","OVERRIDE","PAUSE","PREG","PTH","RT_LD","RUN","SELECT","SKIP","Skip","TA","TB","TO","TOOL_OFFSET","Tool_Offset","UF","UT","UFRAME_NUM","UTOOL_NUM","UNLOCK","WAIT","X","Y","Z","W","P","R","STRLEN","SUBSTR","FINDSTR","VOFFSET","PROG","ATTR","MN","POS"],literal:["ON","OFF","max_speed","LPOS","JPOS","ENABLE","DISABLE","START","STOP","RESET"]},contains:[_,l,{className:"keyword",begin:"/(PROG|ATTR|MN|POS|END)\\b"},{className:"keyword",begin:"(CALL|RUN|POINT_LOGIC|LBL)\\b"},{className:"keyword",begin:"\\b(ACC|CNT|Skip|Offset|PSPD|RT_LD|AP_LD|Tool_Offset)"},{className:"number",begin:"\\d+(sec|msec|mm/sec|cm/min|inch/min|deg/sec|mm|in|cm)?\\b",relevance:0},e.COMMENT("//","[;$]"),e.COMMENT("!","[;$]"),e.COMMENT("--eg:","$"),e.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"'"},e.C_NUMBER_MODE,{className:"variable",begin:"\\$[A-Za-z0-9_]+"}]}}K_.exports=uf});var Z_=O((IR,X_)=>{function mf(e){let n=e.regex,i=["absolute_url","asset|0","asset_version","attribute","block","constant","controller|0","country_timezones","csrf_token","cycle","date","dump","expression","form|0","form_end","form_errors","form_help","form_label","form_rest","form_row","form_start","form_widget","html_classes","include","is_granted","logout_path","logout_url","max","min","parent","path|0","random","range","relative_path","render","render_esi","source","template_from_string","url|0"],_=["abs","abbr_class","abbr_method","batch","capitalize","column","convert_encoding","country_name","currency_name","currency_symbol","data_uri","date","date_modify","default","escape","file_excerpt","file_link","file_relative","filter","first","format","format_args","format_args_as_text","format_currency","format_date","format_datetime","format_file","format_file_from_text","format_number","format_time","html_to_markdown","humanize","inky_to_html","inline_css","join","json_encode","keys","language_name","last","length","locale_name","lower","map","markdown","markdown_to_html","merge","nl2br","number_format","raw","reduce","replace","reverse","round","slice","slug","sort","spaceless","split","striptags","timezone_name","title","trans","transchoice","trim","u|0","upper","url_encode","yaml_dump","yaml_encode"],l=["apply","autoescape","block","cache","deprecated","do","embed","extends","filter","flush","for","form_theme","from","if","import","include","macro","sandbox","set","stopwatch","trans","trans_default_domain","transchoice","use","verbatim","with"];l=l.concat(l.map(C=>`end${C}`));let a={scope:"string",variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/}]},s={scope:"number",match:/\d+/},d={begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,contains:[a,s]},u={beginKeywords:i.join(" "),keywords:{name:i},relevance:0,contains:[d]},E={match:/\|(?=[A-Za-z_]+:?)/,beginScope:"punctuation",relevance:0,contains:[{match:/[A-Za-z_]+:?/,keywords:_}]},f=(C,{relevance:I})=>({beginScope:{1:"template-tag",3:"name"},relevance:I||2,endScope:"template-tag",begin:[/\{%/,/\s*/,n.either(...C)],end:/%\}/,keywords:"in",contains:[E,u,a,s]}),N=/[a-z_]+/,S=f(l,{relevance:2}),h=f([N],{relevance:1});return{name:"Twig",aliases:["craftcms"],case_insensitive:!0,subLanguage:"xml",contains:[e.COMMENT(/\{#/,/#\}/),S,h,{className:"template-variable",begin:/\{\{/,end:/\}\}/,contains:["self",E,u,a,s]}]}}X_.exports=mf});var op=O((DR,ap)=>{var ur="[A-Za-z$_][0-9A-Za-z$_]*",J_=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],j_=["true","false","null","undefined","NaN","Infinity"],ep=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],tp=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],np=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],rp=["arguments","this","super","console","window","document","localStorage","sessionStorage","module","global"],ip=[].concat(np,ep,tp);function gf(e){let n=e.regex,i=(H,{after:J})=>{let ie="</"+H[0].slice(1);return H.input.indexOf(ie,J)!==-1},_=ur,l={begin:"<>",end:"</>"},a=/<[A-Za-z0-9\\._:-]+\s*\/>/,s={begin:/<[A-Za-z0-9\\._:-]+/,end:/\/[A-Za-z0-9\\._:-]+>|\/>/,isTrulyOpeningTag:(H,J)=>{let ie=H[0].length+H.index,pe=H.input[ie];if(pe==="<"||pe===","){J.ignoreMatch();return}pe===">"&&(i(H,{after:ie})||J.ignoreMatch());let fe,Ie=H.input.substring(ie);if(fe=Ie.match(/^\s*=/)){J.ignoreMatch();return}if((fe=Ie.match(/^\s+extends\s+/))&&fe.index===0){J.ignoreMatch();return}}},d={$pattern:ur,keyword:J_,literal:j_,built_in:ip,"variable.language":rp},u="[0-9](_?[0-9])*",E=`\\.(${u})`,f="0|[1-9](_?[0-9])*|0[0-7]*[89][0-9]*",N={className:"number",variants:[{begin:`(\\b(${f})((${E})|\\.)?|(${E}))[eE][+-]?(${u})\\b`},{begin:`\\b(${f})\\b((${E})\\b|\\.)?|(${E})\\b`},{begin:"\\b(0|[1-9](_?[0-9])*)n\\b"},{begin:"\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*n?\\b"},{begin:"\\b0[bB][0-1](_?[0-1])*n?\\b"},{begin:"\\b0[oO][0-7](_?[0-7])*n?\\b"},{begin:"\\b0[0-7]+n?\\b"}],relevance:0},S={className:"subst",begin:"\\$\\{",end:"\\}",keywords:d,contains:[]},h={begin:"html`",end:"",starts:{end:"`",returnEnd:!1,contains:[e.BACKSLASH_ESCAPE,S],subLanguage:"xml"}},C={begin:"css`",end:"",starts:{end:"`",returnEnd:!1,contains:[e.BACKSLASH_ESCAPE,S],subLanguage:"css"}},I={begin:"gql`",end:"",starts:{end:"`",returnEnd:!1,contains:[e.BACKSLASH_ESCAPE,S],subLanguage:"graphql"}},x={className:"string",begin:"`",end:"`",contains:[e.BACKSLASH_ESCAPE,S]},q={className:"comment",variants:[e.COMMENT(/\/\*\*(?!\/)/,"\\*/",{relevance:0,contains:[{begin:"(?=@[A-Za-z]+)",relevance:0,contains:[{className:"doctag",begin:"@[A-Za-z]+"},{className:"type",begin:"\\{",end:"\\}",excludeEnd:!0,excludeBegin:!0,relevance:0},{className:"variable",begin:_+"(?=\\s*(-)|$)",endsParent:!0,relevance:0},{begin:/(?=[^\n])\s/,relevance:0}]}]}),e.C_BLOCK_COMMENT_MODE,e.C_LINE_COMMENT_MODE]},B=[e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,h,C,I,x,{match:/\$\d+/},N];S.contains=B.concat({begin:/\{/,end:/\}/,keywords:d,contains:["self"].concat(B)});let Y=[].concat(q,S.contains),z=Y.concat([{begin:/\(/,end:/\)/,keywords:d,contains:["self"].concat(Y)}]),c={className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:d,contains:z},te={variants:[{match:[/class/,/\s+/,_,/\s+/,/extends/,/\s+/,n.concat(_,"(",n.concat(/\./,_),")*")],scope:{1:"keyword",3:"title.class",5:"keyword",7:"title.class.inherited"}},{match:[/class/,/\s+/,_],scope:{1:"keyword",3:"title.class"}}]},K={relevance:0,match:n.either(/\bJSON/,/\b[A-Z][a-z]+([A-Z][a-z]*|\d)*/,/\b[A-Z]{2,}([A-Z][a-z]+|\d)+([A-Z][a-z]*)*/,/\b[A-Z]{2,}[a-z]+([A-Z][a-z]+|\d)*([A-Z][a-z]*)*/),className:"title.class",keywords:{_:[...ep,...tp]}},ce={label:"use_strict",className:"meta",relevance:10,begin:/^\s*['"]use (strict|asm)['"]/},ne={variants:[{match:[/function/,/\s+/,_,/(?=\s*\()/]},{match:[/function/,/\s*(?=\()/]}],className:{1:"keyword",3:"title.function"},label:"func.def",contains:[c],illegal:/%/},Te={relevance:0,match:/\b[A-Z][A-Z_0-9]+\b/,className:"variable.constant"};function oe(H){return n.concat("(?!",H.join("|"),")")}let ve={match:n.concat(/\b/,oe([...np,"super","import"]),_,n.lookahead(/\(/)),className:"title.function",relevance:0},Oe={begin:n.concat(/\./,n.lookahead(n.concat(_,/(?![0-9A-Za-z$_(])/))),end:_,excludeBegin:!0,keywords:"prototype",className:"property",relevance:0},we={match:[/get|set/,/\s+/,_,/(?=\()/],className:{1:"keyword",3:"title.function"},contains:[{begin:/\(\)/},c]},ye="(\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)|"+e.UNDERSCORE_IDENT_RE+")\\s*=>",G={match:[/const|var|let/,/\s+/,_,/\s*/,/=\s*/,/(async\s*)?/,n.lookahead(ye)],keywords:"async",className:{1:"keyword",3:"title.function"},contains:[c]};return{name:"JavaScript",aliases:["js","jsx","mjs","cjs"],keywords:d,exports:{PARAMS_CONTAINS:z,CLASS_REFERENCE:K},illegal:/#(?![$_A-z])/,contains:[e.SHEBANG({label:"shebang",binary:"node",relevance:5}),ce,e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,h,C,I,x,q,{match:/\$\d+/},N,K,{className:"attr",begin:_+n.lookahead(":"),relevance:0},G,{begin:"("+e.RE_STARTERS_RE+"|\\b(case|return|throw)\\b)\\s*",keywords:"return throw case",relevance:0,contains:[q,e.REGEXP_MODE,{className:"function",begin:ye,returnBegin:!0,end:"\\s*=>",contains:[{className:"params",variants:[{begin:e.UNDERSCORE_IDENT_RE,relevance:0},{className:null,begin:/\(\s*\)/,skip:!0},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:d,contains:z}]}]},{begin:/,/,relevance:0},{match:/\s+/,relevance:0},{variants:[{begin:l.begin,end:l.end},{match:a},{begin:s.begin,"on:begin":s.isTrulyOpeningTag,end:s.end}],subLanguage:"xml",contains:[{begin:s.begin,end:s.end,skip:!0,contains:["self"]}]}]},ne,{beginKeywords:"while if switch catch for"},{begin:"\\b(?!function)"+e.UNDERSCORE_IDENT_RE+"\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)\\s*\\{",returnBegin:!0,label:"func.def",contains:[c,e.inherit(e.TITLE_MODE,{begin:_,className:"title.function"})]},{match:/\.\.\./,relevance:0},Oe,{match:"\\$"+_,relevance:0},{match:[/\bconstructor(?=\s*\()/],className:{1:"title.function"},contains:[c]},ve,Te,te,we,{match:/\$[(.]/}]}}function Ef(e){let n=gf(e),i=ur,_=["any","void","number","boolean","string","object","never","symbol","bigint","unknown"],l={beginKeywords:"namespace",end:/\{/,excludeEnd:!0,contains:[n.exports.CLASS_REFERENCE]},a={beginKeywords:"interface",end:/\{/,excludeEnd:!0,keywords:{keyword:"interface extends",built_in:_},contains:[n.exports.CLASS_REFERENCE]},s={className:"meta",relevance:10,begin:/^\s*['"]use strict['"]/},d=["type","namespace","interface","public","private","protected","implements","declare","abstract","readonly","enum","override"],u={$pattern:ur,keyword:J_.concat(d),literal:j_,built_in:ip.concat(_),"variable.language":rp},E={className:"meta",begin:"@"+i},f=(S,h,C)=>{let I=S.contains.findIndex(x=>x.label===h);if(I===-1)throw new Error("can not find mode to replace");S.contains.splice(I,1,C)};Object.assign(n.keywords,u),n.exports.PARAMS_CONTAINS.push(E),n.contains=n.contains.concat([E,l,a]),f(n,"shebang",e.SHEBANG()),f(n,"use_strict",s);let N=n.contains.find(S=>S.label==="func.def");return N.relevance=0,Object.assign(n,{name:"TypeScript",aliases:["ts","tsx","mts","cts"]}),n}ap.exports=Ef});var lp=O((xR,sp)=>{function bf(e){return{name:"Vala",keywords:{keyword:"char uchar unichar int uint long ulong short ushort int8 int16 int32 int64 uint8 uint16 uint32 uint64 float double bool struct enum string void weak unowned owned async signal static abstract interface override virtual delegate if while do for foreach else switch case break default return try catch public private protected internal using new this get set const stdout stdin stderr var",built_in:"DBus GLib CCode Gee Object Gtk Posix",literal:"false true null"},contains:[{className:"class",beginKeywords:"class interface namespace",end:/\{/,excludeEnd:!0,illegal:"[^,:\\n\\s\\.]",contains:[e.UNDERSCORE_TITLE_MODE]},e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,{className:"string",begin:'"""',end:'"""',relevance:5},e.APOS_STRING_MODE,e.QUOTE_STRING_MODE,e.C_NUMBER_MODE,{className:"meta",begin:"^#",end:"$"}]}}sp.exports=bf});var dp=O((wR,cp)=>{function ff(e){let n=e.regex,i={className:"string",begin:/"(""|[^/n])"C\b/},_={className:"string",begin:/"/,end:/"/,illegal:/\n/,contains:[{begin:/""/}]},l=/\d{1,2}\/\d{1,2}\/\d{4}/,a=/\d{4}-\d{1,2}-\d{1,2}/,s=/(\d|1[012])(:\d+){0,2} *(AM|PM)/,d=/\d{1,2}(:\d{1,2}){1,2}/,u={className:"literal",variants:[{begin:n.concat(/# */,n.either(a,l),/ *#/)},{begin:n.concat(/# */,d,/ *#/)},{begin:n.concat(/# */,s,/ *#/)},{begin:n.concat(/# */,n.either(a,l),/ +/,n.either(s,d),/ *#/)}]},E={className:"number",relevance:0,variants:[{begin:/\b\d[\d_]*((\.[\d_]+(E[+-]?[\d_]+)?)|(E[+-]?[\d_]+))[RFD@!#]?/},{begin:/\b\d[\d_]*((U?[SIL])|[%&])?/},{begin:/&H[\dA-F_]+((U?[SIL])|[%&])?/},{begin:/&O[0-7_]+((U?[SIL])|[%&])?/},{begin:/&B[01_]+((U?[SIL])|[%&])?/}]},f={className:"label",begin:/^\w+:/},N=e.COMMENT(/'''/,/$/,{contains:[{className:"doctag",begin:/<\/?/,end:/>/}]}),S=e.COMMENT(null,/$/,{variants:[{begin:/'/},{begin:/([\t ]|^)REM(?=\s)/}]});return{name:"Visual Basic .NET",aliases:["vb"],case_insensitive:!0,classNameAliases:{label:"symbol"},keywords:{keyword:"addhandler alias aggregate ansi as async assembly auto binary by byref byval call case catch class compare const continue custom declare default delegate dim distinct do each equals else elseif end enum erase error event exit explicit finally for friend from function get global goto group handles if implements imports in inherits interface into iterator join key let lib loop me mid module mustinherit mustoverride mybase myclass namespace narrowing new next notinheritable notoverridable of off on operator option optional order overloads overridable overrides paramarray partial preserve private property protected public raiseevent readonly redim removehandler resume return select set shadows shared skip static step stop structure strict sub synclock take text then throw to try unicode until using when where while widening with withevents writeonly yield",built_in:"addressof and andalso await directcast gettype getxmlnamespace is isfalse isnot istrue like mod nameof new not or orelse trycast typeof xor cbool cbyte cchar cdate cdbl cdec cint clng cobj csbyte cshort csng cstr cuint culng cushort",type:"boolean byte char date decimal double integer long object sbyte short single string uinteger ulong ushort",literal:"true false nothing"},illegal:"//|\\{|\\}|endif|gosub|variant|wend|^\\$ ",contains:[i,_,u,E,f,N,S,{className:"meta",begin:/[\t ]*#(const|disable|else|elseif|enable|end|externalsource|if|region)\b/,end:/$/,keywords:{keyword:"const disable else elseif enable end externalsource if region then"},contains:[S]}]}}cp.exports=ff});var pp=O((MR,_p)=>{function Sf(e){let n=e.regex,i=["lcase","month","vartype","instrrev","ubound","setlocale","getobject","rgb","getref","string","weekdayname","rnd","dateadd","monthname","now","day","minute","isarray","cbool","round","formatcurrency","conversions","csng","timevalue","second","year","space","abs","clng","timeserial","fixs","len","asc","isempty","maths","dateserial","atn","timer","isobject","filter","weekday","datevalue","ccur","isdate","instr","datediff","formatdatetime","replace","isnull","right","sgn","array","snumeric","log","cdbl","hex","chr","lbound","msgbox","ucase","getlocale","cos","cdate","cbyte","rtrim","join","hour","oct","typename","trim","strcomp","int","createobject","loadpicture","tan","formatnumber","mid","split","cint","sin","datepart","ltrim","sqr","time","derived","eval","date","formatpercent","exp","inputbox","left","ascw","chrw","regexp","cstr","err"],_=["server","response","request","scriptengine","scriptenginebuildversion","scriptengineminorversion","scriptenginemajorversion"],l={begin:n.concat(n.either(...i),"\\s*\\("),relevance:0,keywords:{built_in:i}};return{name:"VBScript",aliases:["vbs"],case_insensitive:!0,keywords:{keyword:["call","class","const","dim","do","loop","erase","execute","executeglobal","exit","for","each","next","function","if","then","else","on","error","option","explicit","new","private","property","let","get","public","randomize","redim","rem","select","case","set","stop","sub","while","wend","with","end","to","elseif","is","or","xor","and","not","class_initialize","class_terminate","default","preserve","in","me","byval","byref","step","resume","goto"],built_in:_,literal:["true","false","null","nothing","empty"]},illegal:"//",contains:[l,e.inherit(e.QUOTE_STRING_MODE,{contains:[{begin:'""'}]}),e.COMMENT(/'/,/$/,{relevance:0}),e.C_NUMBER_MODE]}}_p.exports=Sf});var mp=O((LR,up)=>{function hf(e){return{name:"VBScript in HTML",subLanguage:"xml",contains:[{begin:"<%",end:"%>",subLanguage:"vbscript"}]}}up.exports=hf});var Ep=O((PR,gp)=>{function Tf(e){let n=e.regex,i={$pattern:/\$?[\w]+(\$[\w]+)*/,keyword:["accept_on","alias","always","always_comb","always_ff","always_latch","and","assert","assign","assume","automatic","before","begin","bind","bins","binsof","bit","break","buf|0","bufif0","bufif1","byte","case","casex","casez","cell","chandle","checker","class","clocking","cmos","config","const","constraint","context","continue","cover","covergroup","coverpoint","cross","deassign","default","defparam","design","disable","dist","do","edge","else","end","endcase","endchecker","endclass","endclocking","endconfig","endfunction","endgenerate","endgroup","endinterface","endmodule","endpackage","endprimitive","endprogram","endproperty","endspecify","endsequence","endtable","endtask","enum","event","eventually","expect","export","extends","extern","final","first_match","for","force","foreach","forever","fork","forkjoin","function","generate|5","genvar","global","highz0","highz1","if","iff","ifnone","ignore_bins","illegal_bins","implements","implies","import","incdir","include","initial","inout","input","inside","instance","int","integer","interconnect","interface","intersect","join","join_any","join_none","large","let","liblist","library","local","localparam","logic","longint","macromodule","matches","medium","modport","module","nand","negedge","nettype","new","nexttime","nmos","nor","noshowcancelled","not","notif0","notif1","or","output","package","packed","parameter","pmos","posedge","primitive","priority","program","property","protected","pull0","pull1","pulldown","pullup","pulsestyle_ondetect","pulsestyle_onevent","pure","rand","randc","randcase","randsequence","rcmos","real","realtime","ref","reg","reject_on","release","repeat","restrict","return","rnmos","rpmos","rtran","rtranif0","rtranif1","s_always","s_eventually","s_nexttime","s_until","s_until_with","scalared","sequence","shortint","shortreal","showcancelled","signed","small","soft","solve","specify","specparam","static","string","strong","strong0","strong1","struct","super","supply0","supply1","sync_accept_on","sync_reject_on","table","tagged","task","this","throughout","time","timeprecision","timeunit","tran","tranif0","tranif1","tri","tri0","tri1","triand","trior","trireg","type","typedef","union","unique","unique0","unsigned","until","until_with","untyped","use","uwire","var","vectored","virtual","void","wait","wait_order","wand","weak","weak0","weak1","while","wildcard","wire","with","within","wor","xnor","xor"],literal:["null"],built_in:["$finish","$stop","$exit","$fatal","$error","$warning","$info","$realtime","$time","$printtimescale","$bitstoreal","$bitstoshortreal","$itor","$signed","$cast","$bits","$stime","$timeformat","$realtobits","$shortrealtobits","$rtoi","$unsigned","$asserton","$assertkill","$assertpasson","$assertfailon","$assertnonvacuouson","$assertoff","$assertcontrol","$assertpassoff","$assertfailoff","$assertvacuousoff","$isunbounded","$sampled","$fell","$changed","$past_gclk","$fell_gclk","$changed_gclk","$rising_gclk","$steady_gclk","$coverage_control","$coverage_get","$coverage_save","$set_coverage_db_name","$rose","$stable","$past","$rose_gclk","$stable_gclk","$future_gclk","$falling_gclk","$changing_gclk","$display","$coverage_get_max","$coverage_merge","$get_coverage","$load_coverage_db","$typename","$unpacked_dimensions","$left","$low","$increment","$clog2","$ln","$log10","$exp","$sqrt","$pow","$floor","$ceil","$sin","$cos","$tan","$countbits","$onehot","$isunknown","$fatal","$warning","$dimensions","$right","$high","$size","$asin","$acos","$atan","$atan2","$hypot","$sinh","$cosh","$tanh","$asinh","$acosh","$atanh","$countones","$onehot0","$error","$info","$random","$dist_chi_square","$dist_erlang","$dist_exponential","$dist_normal","$dist_poisson","$dist_t","$dist_uniform","$q_initialize","$q_remove","$q_exam","$async$and$array","$async$nand$array","$async$or$array","$async$nor$array","$sync$and$array","$sync$nand$array","$sync$or$array","$sync$nor$array","$q_add","$q_full","$psprintf","$async$and$plane","$async$nand$plane","$async$or$plane","$async$nor$plane","$sync$and$plane","$sync$nand$plane","$sync$or$plane","$sync$nor$plane","$system","$display","$displayb","$displayh","$displayo","$strobe","$strobeb","$strobeh","$strobeo","$write","$readmemb","$readmemh","$writememh","$value$plusargs","$dumpvars","$dumpon","$dumplimit","$dumpports","$dumpportson","$dumpportslimit","$writeb","$writeh","$writeo","$monitor","$monitorb","$monitorh","$monitoro","$writememb","$dumpfile","$dumpoff","$dumpall","$dumpflush","$dumpportsoff","$dumpportsall","$dumpportsflush","$fclose","$fdisplay","$fdisplayb","$fdisplayh","$fdisplayo","$fstrobe","$fstrobeb","$fstrobeh","$fstrobeo","$swrite","$swriteb","$swriteh","$swriteo","$fscanf","$fread","$fseek","$fflush","$feof","$fopen","$fwrite","$fwriteb","$fwriteh","$fwriteo","$fmonitor","$fmonitorb","$fmonitorh","$fmonitoro","$sformat","$sformatf","$fgetc","$ungetc","$fgets","$sscanf","$rewind","$ftell","$ferror"]},_=["__FILE__","__LINE__"],l=["begin_keywords","celldefine","default_nettype","default_decay_time","default_trireg_strength","define","delay_mode_distributed","delay_mode_path","delay_mode_unit","delay_mode_zero","else","elsif","end_keywords","endcelldefine","endif","ifdef","ifndef","include","line","nounconnected_drive","pragma","resetall","timescale","unconnected_drive","undef","undefineall"];return{name:"Verilog",aliases:["v","sv","svh"],case_insensitive:!1,keywords:i,contains:[e.C_BLOCK_COMMENT_MODE,e.C_LINE_COMMENT_MODE,e.QUOTE_STRING_MODE,{scope:"number",contains:[e.BACKSLASH_ESCAPE],variants:[{begin:/\b((\d+'([bhodBHOD]))[0-9xzXZa-fA-F_]+)/},{begin:/\B(('([bhodBHOD]))[0-9xzXZa-fA-F_]+)/},{begin:/\b[0-9][0-9_]*/,relevance:0}]},{scope:"variable",variants:[{begin:"#\\((?!parameter).+\\)"},{begin:"\\.\\w+",relevance:0}]},{scope:"variable.constant",match:n.concat(/`/,n.either(..._))},{scope:"meta",begin:n.concat(/`/,n.either(...l)),end:/$|\/\/|\/\*/,returnEnd:!0,keywords:l}]}}gp.exports=Tf});var fp=O((kR,bp)=>{function Rf(e){let n="\\d(_|\\d)*",i="[eE][-+]?"+n,_=n+"(\\."+n+")?("+i+")?",l="\\w+",s="\\b("+(n+"#"+l+"(\\."+l+")?#("+i+")?")+"|"+_+")";return{name:"VHDL",case_insensitive:!0,keywords:{keyword:["abs","access","after","alias","all","and","architecture","array","assert","assume","assume_guarantee","attribute","begin","block","body","buffer","bus","case","component","configuration","constant","context","cover","disconnect","downto","default","else","elsif","end","entity","exit","fairness","file","for","force","function","generate","generic","group","guarded","if","impure","in","inertial","inout","is","label","library","linkage","literal","loop","map","mod","nand","new","next","nor","not","null","of","on","open","or","others","out","package","parameter","port","postponed","procedure","process","property","protected","pure","range","record","register","reject","release","rem","report","restrict","restrict_guarantee","return","rol","ror","select","sequence","severity","shared","signal","sla","sll","sra","srl","strong","subtype","then","to","transport","type","unaffected","units","until","use","variable","view","vmode","vprop","vunit","wait","when","while","with","xnor","xor"],built_in:["boolean","bit","character","integer","time","delay_length","natural","positive","string","bit_vector","file_open_kind","file_open_status","std_logic","std_logic_vector","unsigned","signed","boolean_vector","integer_vector","std_ulogic","std_ulogic_vector","unresolved_unsigned","u_unsigned","unresolved_signed","u_signed","real_vector","time_vector"],literal:["false","true","note","warning","error","failure","line","text","side","width"]},illegal:/\{/,contains:[e.C_BLOCK_COMMENT_MODE,e.COMMENT("--","$"),e.QUOTE_STRING_MODE,{className:"number",begin:s,relevance:0},{className:"string",begin:"'(U|X|0|1|Z|W|L|H|-)'",contains:[e.BACKSLASH_ESCAPE]},{className:"symbol",begin:"'[A-Za-z](_?[A-Za-z0-9])*",contains:[e.BACKSLASH_ESCAPE]}]}}bp.exports=Rf});var hp=O((UR,Sp)=>{function Cf(e){return{name:"Vim Script",keywords:{$pattern:/[!#@\w]+/,keyword:"N|0 P|0 X|0 a|0 ab abc abo al am an|0 ar arga argd arge argdo argg argl argu as au aug aun b|0 bN ba bad bd be bel bf bl bm bn bo bp br brea breaka breakd breakl bro bufdo buffers bun bw c|0 cN cNf ca cabc caddb cad caddf cal cat cb cc ccl cd ce cex cf cfir cgetb cgete cg changes chd che checkt cl cla clo cm cmapc cme cn cnew cnf cno cnorea cnoreme co col colo com comc comp con conf cope cp cpf cq cr cs cst cu cuna cunme cw delm deb debugg delc delf dif diffg diffo diffp diffpu diffs diffthis dig di dl dell dj dli do doautoa dp dr ds dsp e|0 ea ec echoe echoh echom echon el elsei em en endfo endf endt endw ene ex exe exi exu f|0 files filet fin fina fini fir fix fo foldc foldd folddoc foldo for fu go gr grepa gu gv ha helpf helpg helpt hi hid his ia iabc if ij il im imapc ime ino inorea inoreme int is isp iu iuna iunme j|0 ju k|0 keepa kee keepj lN lNf l|0 lad laddb laddf la lan lat lb lc lch lcl lcs le lefta let lex lf lfir lgetb lgete lg lgr lgrepa lh ll lla lli lmak lm lmapc lne lnew lnf ln loadk lo loc lockv lol lope lp lpf lr ls lt lu lua luad luaf lv lvimgrepa lw m|0 ma mak map mapc marks mat me menut mes mk mks mksp mkv mkvie mod mz mzf nbc nb nbs new nm nmapc nme nn nnoreme noa no noh norea noreme norm nu nun nunme ol o|0 om omapc ome on ono onoreme opt ou ounme ow p|0 profd prof pro promptr pc ped pe perld po popu pp pre prev ps pt ptN ptf ptj ptl ptn ptp ptr pts pu pw py3 python3 py3d py3f py pyd pyf quita qa rec red redi redr redraws reg res ret retu rew ri rightb rub rubyd rubyf rund ru rv sN san sa sal sav sb sbN sba sbf sbl sbm sbn sbp sbr scrip scripte scs se setf setg setl sf sfir sh sim sig sil sl sla sm smap smapc sme sn sni sno snor snoreme sor so spelld spe spelli spellr spellu spellw sp spr sre st sta startg startr star stopi stj sts sun sunm sunme sus sv sw sy synti sync tN tabN tabc tabdo tabe tabf tabfir tabl tabm tabnew tabn tabo tabp tabr tabs tab ta tags tc tcld tclf te tf th tj tl tm tn to tp tr try ts tu u|0 undoj undol una unh unl unlo unm unme uns up ve verb vert vim vimgrepa vi viu vie vm vmapc vme vne vn vnoreme vs vu vunme windo w|0 wN wa wh wi winc winp wn wp wq wqa ws wu wv x|0 xa xmapc xm xme xn xnoreme xu xunme y|0 z|0 ~ Next Print append abbreviate abclear aboveleft all amenu anoremenu args argadd argdelete argedit argglobal arglocal argument ascii autocmd augroup aunmenu buffer bNext ball badd bdelete behave belowright bfirst blast bmodified bnext botright bprevious brewind break breakadd breakdel breaklist browse bunload bwipeout change cNext cNfile cabbrev cabclear caddbuffer caddexpr caddfile call catch cbuffer cclose center cexpr cfile cfirst cgetbuffer cgetexpr cgetfile chdir checkpath checktime clist clast close cmap cmapclear cmenu cnext cnewer cnfile cnoremap cnoreabbrev cnoremenu copy colder colorscheme command comclear compiler continue confirm copen cprevious cpfile cquit crewind cscope cstag cunmap cunabbrev cunmenu cwindow delete delmarks debug debuggreedy delcommand delfunction diffupdate diffget diffoff diffpatch diffput diffsplit digraphs display deletel djump dlist doautocmd doautoall deletep drop dsearch dsplit edit earlier echo echoerr echohl echomsg else elseif emenu endif endfor endfunction endtry endwhile enew execute exit exusage file filetype find finally finish first fixdel fold foldclose folddoopen folddoclosed foldopen function global goto grep grepadd gui gvim hardcopy help helpfind helpgrep helptags highlight hide history insert iabbrev iabclear ijump ilist imap imapclear imenu inoremap inoreabbrev inoremenu intro isearch isplit iunmap iunabbrev iunmenu join jumps keepalt keepmarks keepjumps lNext lNfile list laddexpr laddbuffer laddfile last language later lbuffer lcd lchdir lclose lcscope left leftabove lexpr lfile lfirst lgetbuffer lgetexpr lgetfile lgrep lgrepadd lhelpgrep llast llist lmake lmap lmapclear lnext lnewer lnfile lnoremap loadkeymap loadview lockmarks lockvar lolder lopen lprevious lpfile lrewind ltag lunmap luado luafile lvimgrep lvimgrepadd lwindow move mark make mapclear match menu menutranslate messages mkexrc mksession mkspell mkvimrc mkview mode mzscheme mzfile nbclose nbkey nbsart next nmap nmapclear nmenu nnoremap nnoremenu noautocmd noremap nohlsearch noreabbrev noremenu normal number nunmap nunmenu oldfiles open omap omapclear omenu only onoremap onoremenu options ounmap ounmenu ownsyntax print profdel profile promptfind promptrepl pclose pedit perl perldo pop popup ppop preserve previous psearch ptag ptNext ptfirst ptjump ptlast ptnext ptprevious ptrewind ptselect put pwd py3do py3file python pydo pyfile quit quitall qall read recover redo redir redraw redrawstatus registers resize retab return rewind right rightbelow ruby rubydo rubyfile rundo runtime rviminfo substitute sNext sandbox sargument sall saveas sbuffer sbNext sball sbfirst sblast sbmodified sbnext sbprevious sbrewind scriptnames scriptencoding scscope set setfiletype setglobal setlocal sfind sfirst shell simalt sign silent sleep slast smagic smapclear smenu snext sniff snomagic snoremap snoremenu sort source spelldump spellgood spellinfo spellrepall spellundo spellwrong split sprevious srewind stop stag startgreplace startreplace startinsert stopinsert stjump stselect sunhide sunmap sunmenu suspend sview swapname syntax syntime syncbind tNext tabNext tabclose tabedit tabfind tabfirst tablast tabmove tabnext tabonly tabprevious tabrewind tag tcl tcldo tclfile tearoff tfirst throw tjump tlast tmenu tnext topleft tprevious trewind tselect tunmenu undo undojoin undolist unabbreviate unhide unlet unlockvar unmap unmenu unsilent update vglobal version verbose vertical vimgrep vimgrepadd visual viusage view vmap vmapclear vmenu vnew vnoremap vnoremenu vsplit vunmap vunmenu write wNext wall while winsize wincmd winpos wnext wprevious wqall wsverb wundo wviminfo xit xall xmapclear xmap xmenu xnoremap xnoremenu xunmap xunmenu yank",built_in:"synIDtrans atan2 range matcharg did_filetype asin feedkeys xor argv complete_check add getwinposx getqflist getwinposy screencol clearmatches empty extend getcmdpos mzeval garbagecollect setreg ceil sqrt diff_hlID inputsecret get getfperm getpid filewritable shiftwidth max sinh isdirectory synID system inputrestore winline atan visualmode inputlist tabpagewinnr round getregtype mapcheck hasmapto histdel argidx findfile sha256 exists toupper getcmdline taglist string getmatches bufnr strftime winwidth bufexists strtrans tabpagebuflist setcmdpos remote_read printf setloclist getpos getline bufwinnr float2nr len getcmdtype diff_filler luaeval resolve libcallnr foldclosedend reverse filter has_key bufname str2float strlen setline getcharmod setbufvar index searchpos shellescape undofile foldclosed setqflist buflisted strchars str2nr virtcol floor remove undotree remote_expr winheight gettabwinvar reltime cursor tabpagenr finddir localtime acos getloclist search tanh matchend rename gettabvar strdisplaywidth type abs py3eval setwinvar tolower wildmenumode log10 spellsuggest bufloaded synconcealed nextnonblank server2client complete settabwinvar executable input wincol setmatches getftype hlID inputsave searchpair or screenrow line settabvar histadd deepcopy strpart remote_peek and eval getftime submatch screenchar winsaveview matchadd mkdir screenattr getfontname libcall reltimestr getfsize winnr invert pow getbufline byte2line soundfold repeat fnameescape tagfiles sin strwidth spellbadword trunc maparg log lispindent hostname setpos globpath remote_foreground getchar synIDattr fnamemodify cscope_connection stridx winbufnr indent min complete_add nr2char searchpairpos inputdialog values matchlist items hlexists strridx browsedir expand fmod pathshorten line2byte argc count getwinvar glob foldtextresult getreg foreground cosh matchdelete has char2nr simplify histget searchdecl iconv winrestcmd pumvisible writefile foldlevel haslocaldir keys cos matchstr foldtext histnr tan tempname getcwd byteidx getbufvar islocked escape eventhandler remote_send serverlist winrestview synstack pyeval prevnonblank readfile cindent filereadable changenr exp"},illegal:/;/,contains:[e.NUMBER_MODE,{className:"string",begin:"'",end:"'",illegal:"\\n"},{className:"string",begin:/"(\\"|\n\\|[^"\n])*"/},e.COMMENT('"',"$"),{className:"variable",begin:/[bwtglsav]:[\w\d_]+/},{begin:[/\b(?:function|function!)/,/\s+/,e.IDENT_RE],className:{1:"keyword",3:"title"},end:"$",relevance:0,contains:[{className:"params",begin:"\\(",end:"\\)"}]},{className:"symbol",begin:/<[\w-]+>/}]}}Sp.exports=Cf});var Rp=O((FR,Tp)=>{function vf(e){e.regex;let n=e.COMMENT(/\(;/,/;\)/);n.contains.push("self");let i=e.COMMENT(/;;/,/$/),_=["anyfunc","block","br","br_if","br_table","call","call_indirect","data","drop","elem","else","end","export","func","global.get","global.set","local.get","local.set","local.tee","get_global","get_local","global","if","import","local","loop","memory","memory.grow","memory.size","module","mut","nop","offset","param","result","return","select","set_global","set_local","start","table","tee_local","then","type","unreachable"],l={begin:[/(?:func|call|call_indirect)/,/\s+/,/\$[^\s)]+/],className:{1:"keyword",3:"title.function"}},a={className:"variable",begin:/\$[\w_]+/},s={match:/(\((?!;)|\))+/,className:"punctuation",relevance:0},d={className:"number",relevance:0,match:/[+-]?\b(?:\d(?:_?\d)*(?:\.\d(?:_?\d)*)?(?:[eE][+-]?\d(?:_?\d)*)?|0x[\da-fA-F](?:_?[\da-fA-F])*(?:\.[\da-fA-F](?:_?[\da-fA-D])*)?(?:[pP][+-]?\d(?:_?\d)*)?)\b|\binf\b|\bnan(?::0x[\da-fA-F](?:_?[\da-fA-D])*)?\b/},u={match:/(i32|i64|f32|f64)(?!\.)/,className:"type"},E={className:"keyword",match:/\b(f32|f64|i32|i64)(?:\.(?:abs|add|and|ceil|clz|const|convert_[su]\/i(?:32|64)|copysign|ctz|demote\/f64|div(?:_[su])?|eqz?|extend_[su]\/i32|floor|ge(?:_[su])?|gt(?:_[su])?|le(?:_[su])?|load(?:(?:8|16|32)_[su])?|lt(?:_[su])?|max|min|mul|nearest|neg?|or|popcnt|promote\/f32|reinterpret\/[fi](?:32|64)|rem_[su]|rot[lr]|shl|shr_[su]|store(?:8|16|32)?|sqrt|sub|trunc(?:_[su]\/f(?:32|64))?|wrap\/i64|xor))\b/};return{name:"WebAssembly",keywords:{$pattern:/[\w.]+/,keyword:_},contains:[i,n,{match:[/(?:offset|align)/,/\s*/,/=/],className:{1:"keyword",3:"operator"}},a,s,l,e.QUOTE_STRING_MODE,u,E,d]}}Tp.exports=vf});var vp=O((BR,Cp)=>{function Nf(e){let n=e.regex,i=/[a-zA-Z]\w*/,_=["as","break","class","construct","continue","else","for","foreign","if","import","in","is","return","static","var","while"],l=["true","false","null"],a=["this","super"],s=["Bool","Class","Fiber","Fn","List","Map","Null","Num","Object","Range","Sequence","String","System"],d=["-","~",/\*/,"%",/\.\.\./,/\.\./,/\+/,"<<",">>",">=","<=","<",">",/\^/,/!=/,/!/,/\bis\b/,"==","&&","&",/\|\|/,/\|/,/\?:/,"="],u={relevance:0,match:n.concat(/\b(?!(if|while|for|else|super)\b)/,i,/(?=\s*[({])/),className:"title.function"},E={match:n.concat(n.either(n.concat(/\b(?!(if|while|for|else|super)\b)/,i),n.either(...d)),/(?=\s*\([^)]+\)\s*\{)/),className:"title.function",starts:{contains:[{begin:/\(/,end:/\)/,contains:[{relevance:0,scope:"params",match:i}]}]}},f={variants:[{match:[/class\s+/,i,/\s+is\s+/,i]},{match:[/class\s+/,i]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:_},N={relevance:0,match:n.either(...d),className:"operator"},S={className:"string",begin:/"""/,end:/"""/},h={className:"property",begin:n.concat(/\./,n.lookahead(i)),end:i,excludeBegin:!0,relevance:0},C={relevance:0,match:n.concat(/\b_/,i),scope:"variable"},I={relevance:0,match:/\b[A-Z]+[a-z]+([A-Z]+[a-z]+)*/,scope:"title.class",keywords:{_:s}},x=e.C_NUMBER_MODE,F={match:[i,/\s*/,/=/,/\s*/,/\(/,i,/\)\s*\{/],scope:{1:"title.function",3:"operator",6:"params"}},q=e.COMMENT(/\/\*\*/,/\*\//,{contains:[{match:/@[a-z]+/,scope:"doctag"},"self"]}),B={scope:"subst",begin:/%\(/,end:/\)/,contains:[x,I,u,C,N]},Y={scope:"string",begin:/"/,end:/"/,contains:[B,{scope:"char.escape",variants:[{match:/\\\\|\\["0%abefnrtv]/},{match:/\\x[0-9A-F]{2}/},{match:/\\u[0-9A-F]{4}/},{match:/\\U[0-9A-F]{8}/}]}]};B.contains.push(Y);let z=[..._,...a,...l],c={relevance:0,match:n.concat("\\b(?!",z.join("|"),"\\b)",/[a-zA-Z_]\w*(?:[?!]|\b)/),className:"variable"};return{name:"Wren",keywords:{keyword:_,"variable.language":a,literal:l},contains:[{scope:"comment",variants:[{begin:[/#!?/,/[A-Za-z_]+(?=\()/],beginScope:{},keywords:{literal:l},contains:[],end:/\)/},{begin:[/#!?/,/[A-Za-z_]+/],beginScope:{},end:/$/}]},x,Y,S,q,e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,I,f,F,E,u,N,C,h,c]}}Cp.exports=Nf});var Op=O((GR,Np)=>{function Of(e){return{name:"Intel x86 Assembly",case_insensitive:!0,keywords:{$pattern:"[.%]?"+e.IDENT_RE,keyword:"lock rep repe repz repne repnz xaquire xrelease bnd nobnd aaa aad aam aas adc add and arpl bb0_reset bb1_reset bound bsf bsr bswap bt btc btr bts call cbw cdq cdqe clc cld cli clts cmc cmp cmpsb cmpsd cmpsq cmpsw cmpxchg cmpxchg486 cmpxchg8b cmpxchg16b cpuid cpu_read cpu_write cqo cwd cwde daa das dec div dmint emms enter equ f2xm1 fabs fadd faddp fbld fbstp fchs fclex fcmovb fcmovbe fcmove fcmovnb fcmovnbe fcmovne fcmovnu fcmovu fcom fcomi fcomip fcomp fcompp fcos fdecstp fdisi fdiv fdivp fdivr fdivrp femms feni ffree ffreep fiadd ficom ficomp fidiv fidivr fild fimul fincstp finit fist fistp fisttp fisub fisubr fld fld1 fldcw fldenv fldl2e fldl2t fldlg2 fldln2 fldpi fldz fmul fmulp fnclex fndisi fneni fninit fnop fnsave fnstcw fnstenv fnstsw fpatan fprem fprem1 fptan frndint frstor fsave fscale fsetpm fsin fsincos fsqrt fst fstcw fstenv fstp fstsw fsub fsubp fsubr fsubrp ftst fucom fucomi fucomip fucomp fucompp fxam fxch fxtract fyl2x fyl2xp1 hlt ibts icebp idiv imul in inc incbin insb insd insw int int01 int1 int03 int3 into invd invpcid invlpg invlpga iret iretd iretq iretw jcxz jecxz jrcxz jmp jmpe lahf lar lds lea leave les lfence lfs lgdt lgs lidt lldt lmsw loadall loadall286 lodsb lodsd lodsq lodsw loop loope loopne loopnz loopz lsl lss ltr mfence monitor mov movd movq movsb movsd movsq movsw movsx movsxd movzx mul mwait neg nop not or out outsb outsd outsw packssdw packsswb packuswb paddb paddd paddsb paddsiw paddsw paddusb paddusw paddw pand pandn pause paveb pavgusb pcmpeqb pcmpeqd pcmpeqw pcmpgtb pcmpgtd pcmpgtw pdistib pf2id pfacc pfadd pfcmpeq pfcmpge pfcmpgt pfmax pfmin pfmul pfrcp pfrcpit1 pfrcpit2 pfrsqit1 pfrsqrt pfsub pfsubr pi2fd pmachriw pmaddwd pmagw pmulhriw pmulhrwa pmulhrwc pmulhw pmullw pmvgezb pmvlzb pmvnzb pmvzb pop popa popad popaw popf popfd popfq popfw por prefetch prefetchw pslld psllq psllw psrad psraw psrld psrlq psrlw psubb psubd psubsb psubsiw psubsw psubusb psubusw psubw punpckhbw punpckhdq punpckhwd punpcklbw punpckldq punpcklwd push pusha pushad pushaw pushf pushfd pushfq pushfw pxor rcl rcr rdshr rdmsr rdpmc rdtsc rdtscp ret retf retn rol ror rdm rsdc rsldt rsm rsts sahf sal salc sar sbb scasb scasd scasq scasw sfence sgdt shl shld shr shrd sidt sldt skinit smi smint smintold smsw stc std sti stosb stosd stosq stosw str sub svdc svldt svts swapgs syscall sysenter sysexit sysret test ud0 ud1 ud2b ud2 ud2a umov verr verw fwait wbinvd wrshr wrmsr xadd xbts xchg xlatb xlat xor cmove cmovz cmovne cmovnz cmova cmovnbe cmovae cmovnb cmovb cmovnae cmovbe cmovna cmovg cmovnle cmovge cmovnl cmovl cmovnge cmovle cmovng cmovc cmovnc cmovo cmovno cmovs cmovns cmovp cmovpe cmovnp cmovpo je jz jne jnz ja jnbe jae jnb jb jnae jbe jna jg jnle jge jnl jl jnge jle jng jc jnc jo jno js jns jpo jnp jpe jp sete setz setne setnz seta setnbe setae setnb setnc setb setnae setcset setbe setna setg setnle setge setnl setl setnge setle setng sets setns seto setno setpe setp setpo setnp addps addss andnps andps cmpeqps cmpeqss cmpleps cmpless cmpltps cmpltss cmpneqps cmpneqss cmpnleps cmpnless cmpnltps cmpnltss cmpordps cmpordss cmpunordps cmpunordss cmpps cmpss comiss cvtpi2ps cvtps2pi cvtsi2ss cvtss2si cvttps2pi cvttss2si divps divss ldmxcsr maxps maxss minps minss movaps movhps movlhps movlps movhlps movmskps movntps movss movups mulps mulss orps rcpps rcpss rsqrtps rsqrtss shufps sqrtps sqrtss stmxcsr subps subss ucomiss unpckhps unpcklps xorps fxrstor fxrstor64 fxsave fxsave64 xgetbv xsetbv xsave xsave64 xsaveopt xsaveopt64 xrstor xrstor64 prefetchnta prefetcht0 prefetcht1 prefetcht2 maskmovq movntq pavgb pavgw pextrw pinsrw pmaxsw pmaxub pminsw pminub pmovmskb pmulhuw psadbw pshufw pf2iw pfnacc pfpnacc pi2fw pswapd maskmovdqu clflush movntdq movnti movntpd movdqa movdqu movdq2q movq2dq paddq pmuludq pshufd pshufhw pshuflw pslldq psrldq psubq punpckhqdq punpcklqdq addpd addsd andnpd andpd cmpeqpd cmpeqsd cmplepd cmplesd cmpltpd cmpltsd cmpneqpd cmpneqsd cmpnlepd cmpnlesd cmpnltpd cmpnltsd cmpordpd cmpordsd cmpunordpd cmpunordsd cmppd comisd cvtdq2pd cvtdq2ps cvtpd2dq cvtpd2pi cvtpd2ps cvtpi2pd cvtps2dq cvtps2pd cvtsd2si cvtsd2ss cvtsi2sd cvtss2sd cvttpd2pi cvttpd2dq cvttps2dq cvttsd2si divpd divsd maxpd maxsd minpd minsd movapd movhpd movlpd movmskpd movupd mulpd mulsd orpd shufpd sqrtpd sqrtsd subpd subsd ucomisd unpckhpd unpcklpd xorpd addsubpd addsubps haddpd haddps hsubpd hsubps lddqu movddup movshdup movsldup clgi stgi vmcall vmclear vmfunc vmlaunch vmload vmmcall vmptrld vmptrst vmread vmresume vmrun vmsave vmwrite vmxoff vmxon invept invvpid pabsb pabsw pabsd palignr phaddw phaddd phaddsw phsubw phsubd phsubsw pmaddubsw pmulhrsw pshufb psignb psignw psignd extrq insertq movntsd movntss lzcnt blendpd blendps blendvpd blendvps dppd dpps extractps insertps movntdqa mpsadbw packusdw pblendvb pblendw pcmpeqq pextrb pextrd pextrq phminposuw pinsrb pinsrd pinsrq pmaxsb pmaxsd pmaxud pmaxuw pminsb pminsd pminud pminuw pmovsxbw pmovsxbd pmovsxbq pmovsxwd pmovsxwq pmovsxdq pmovzxbw pmovzxbd pmovzxbq pmovzxwd pmovzxwq pmovzxdq pmuldq pmulld ptest roundpd roundps roundsd roundss crc32 pcmpestri pcmpestrm pcmpistri pcmpistrm pcmpgtq popcnt getsec pfrcpv pfrsqrtv movbe aesenc aesenclast aesdec aesdeclast aesimc aeskeygenassist vaesenc vaesenclast vaesdec vaesdeclast vaesimc vaeskeygenassist vaddpd vaddps vaddsd vaddss vaddsubpd vaddsubps vandpd vandps vandnpd vandnps vblendpd vblendps vblendvpd vblendvps vbroadcastss vbroadcastsd vbroadcastf128 vcmpeq_ospd vcmpeqpd vcmplt_ospd vcmpltpd vcmple_ospd vcmplepd vcmpunord_qpd vcmpunordpd vcmpneq_uqpd vcmpneqpd vcmpnlt_uspd vcmpnltpd vcmpnle_uspd vcmpnlepd vcmpord_qpd vcmpordpd vcmpeq_uqpd vcmpnge_uspd vcmpngepd vcmpngt_uspd vcmpngtpd vcmpfalse_oqpd vcmpfalsepd vcmpneq_oqpd vcmpge_ospd vcmpgepd vcmpgt_ospd vcmpgtpd vcmptrue_uqpd vcmptruepd vcmplt_oqpd vcmple_oqpd vcmpunord_spd vcmpneq_uspd vcmpnlt_uqpd vcmpnle_uqpd vcmpord_spd vcmpeq_uspd vcmpnge_uqpd vcmpngt_uqpd vcmpfalse_ospd vcmpneq_ospd vcmpge_oqpd vcmpgt_oqpd vcmptrue_uspd vcmppd vcmpeq_osps vcmpeqps vcmplt_osps vcmpltps vcmple_osps vcmpleps vcmpunord_qps vcmpunordps vcmpneq_uqps vcmpneqps vcmpnlt_usps vcmpnltps vcmpnle_usps vcmpnleps vcmpord_qps vcmpordps vcmpeq_uqps vcmpnge_usps vcmpngeps vcmpngt_usps vcmpngtps vcmpfalse_oqps vcmpfalseps vcmpneq_oqps vcmpge_osps vcmpgeps vcmpgt_osps vcmpgtps vcmptrue_uqps vcmptrueps vcmplt_oqps vcmple_oqps vcmpunord_sps vcmpneq_usps vcmpnlt_uqps vcmpnle_uqps vcmpord_sps vcmpeq_usps vcmpnge_uqps vcmpngt_uqps vcmpfalse_osps vcmpneq_osps vcmpge_oqps vcmpgt_oqps vcmptrue_usps vcmpps vcmpeq_ossd vcmpeqsd vcmplt_ossd vcmpltsd vcmple_ossd vcmplesd vcmpunord_qsd vcmpunordsd vcmpneq_uqsd vcmpneqsd vcmpnlt_ussd vcmpnltsd vcmpnle_ussd vcmpnlesd vcmpord_qsd vcmpordsd vcmpeq_uqsd vcmpnge_ussd vcmpngesd vcmpngt_ussd vcmpngtsd vcmpfalse_oqsd vcmpfalsesd vcmpneq_oqsd vcmpge_ossd vcmpgesd vcmpgt_ossd vcmpgtsd vcmptrue_uqsd vcmptruesd vcmplt_oqsd vcmple_oqsd vcmpunord_ssd vcmpneq_ussd vcmpnlt_uqsd vcmpnle_uqsd vcmpord_ssd vcmpeq_ussd vcmpnge_uqsd vcmpngt_uqsd vcmpfalse_ossd vcmpneq_ossd vcmpge_oqsd vcmpgt_oqsd vcmptrue_ussd vcmpsd vcmpeq_osss vcmpeqss vcmplt_osss vcmpltss vcmple_osss vcmpless vcmpunord_qss vcmpunordss vcmpneq_uqss vcmpneqss vcmpnlt_usss vcmpnltss vcmpnle_usss vcmpnless vcmpord_qss vcmpordss vcmpeq_uqss vcmpnge_usss vcmpngess vcmpngt_usss vcmpngtss vcmpfalse_oqss vcmpfalsess vcmpneq_oqss vcmpge_osss vcmpgess vcmpgt_osss vcmpgtss vcmptrue_uqss vcmptruess vcmplt_oqss vcmple_oqss vcmpunord_sss vcmpneq_usss vcmpnlt_uqss vcmpnle_uqss vcmpord_sss vcmpeq_usss vcmpnge_uqss vcmpngt_uqss vcmpfalse_osss vcmpneq_osss vcmpge_oqss vcmpgt_oqss vcmptrue_usss vcmpss vcomisd vcomiss vcvtdq2pd vcvtdq2ps vcvtpd2dq vcvtpd2ps vcvtps2dq vcvtps2pd vcvtsd2si vcvtsd2ss vcvtsi2sd vcvtsi2ss vcvtss2sd vcvtss2si vcvttpd2dq vcvttps2dq vcvttsd2si vcvttss2si vdivpd vdivps vdivsd vdivss vdppd vdpps vextractf128 vextractps vhaddpd vhaddps vhsubpd vhsubps vinsertf128 vinsertps vlddqu vldqqu vldmxcsr vmaskmovdqu vmaskmovps vmaskmovpd vmaxpd vmaxps vmaxsd vmaxss vminpd vminps vminsd vminss vmovapd vmovaps vmovd vmovq vmovddup vmovdqa vmovqqa vmovdqu vmovqqu vmovhlps vmovhpd vmovhps vmovlhps vmovlpd vmovlps vmovmskpd vmovmskps vmovntdq vmovntqq vmovntdqa vmovntpd vmovntps vmovsd vmovshdup vmovsldup vmovss vmovupd vmovups vmpsadbw vmulpd vmulps vmulsd vmulss vorpd vorps vpabsb vpabsw vpabsd vpacksswb vpackssdw vpackuswb vpackusdw vpaddb vpaddw vpaddd vpaddq vpaddsb vpaddsw vpaddusb vpaddusw vpalignr vpand vpandn vpavgb vpavgw vpblendvb vpblendw vpcmpestri vpcmpestrm vpcmpistri vpcmpistrm vpcmpeqb vpcmpeqw vpcmpeqd vpcmpeqq vpcmpgtb vpcmpgtw vpcmpgtd vpcmpgtq vpermilpd vpermilps vperm2f128 vpextrb vpextrw vpextrd vpextrq vphaddw vphaddd vphaddsw vphminposuw vphsubw vphsubd vphsubsw vpinsrb vpinsrw vpinsrd vpinsrq vpmaddwd vpmaddubsw vpmaxsb vpmaxsw vpmaxsd vpmaxub vpmaxuw vpmaxud vpminsb vpminsw vpminsd vpminub vpminuw vpminud vpmovmskb vpmovsxbw vpmovsxbd vpmovsxbq vpmovsxwd vpmovsxwq vpmovsxdq vpmovzxbw vpmovzxbd vpmovzxbq vpmovzxwd vpmovzxwq vpmovzxdq vpmulhuw vpmulhrsw vpmulhw vpmullw vpmulld vpmuludq vpmuldq vpor vpsadbw vpshufb vpshufd vpshufhw vpshuflw vpsignb vpsignw vpsignd vpslldq vpsrldq vpsllw vpslld vpsllq vpsraw vpsrad vpsrlw vpsrld vpsrlq vptest vpsubb vpsubw vpsubd vpsubq vpsubsb vpsubsw vpsubusb vpsubusw vpunpckhbw vpunpckhwd vpunpckhdq vpunpckhqdq vpunpcklbw vpunpcklwd vpunpckldq vpunpcklqdq vpxor vrcpps vrcpss vrsqrtps vrsqrtss vroundpd vroundps vroundsd vroundss vshufpd vshufps vsqrtpd vsqrtps vsqrtsd vsqrtss vstmxcsr vsubpd vsubps vsubsd vsubss vtestps vtestpd vucomisd vucomiss vunpckhpd vunpckhps vunpcklpd vunpcklps vxorpd vxorps vzeroall vzeroupper pclmullqlqdq pclmulhqlqdq pclmullqhqdq pclmulhqhqdq pclmulqdq vpclmullqlqdq vpclmulhqlqdq vpclmullqhqdq vpclmulhqhqdq vpclmulqdq vfmadd132ps vfmadd132pd vfmadd312ps vfmadd312pd vfmadd213ps vfmadd213pd vfmadd123ps vfmadd123pd vfmadd231ps vfmadd231pd vfmadd321ps vfmadd321pd vfmaddsub132ps vfmaddsub132pd vfmaddsub312ps vfmaddsub312pd vfmaddsub213ps vfmaddsub213pd vfmaddsub123ps vfmaddsub123pd vfmaddsub231ps vfmaddsub231pd vfmaddsub321ps vfmaddsub321pd vfmsub132ps vfmsub132pd vfmsub312ps vfmsub312pd vfmsub213ps vfmsub213pd vfmsub123ps vfmsub123pd vfmsub231ps vfmsub231pd vfmsub321ps vfmsub321pd vfmsubadd132ps vfmsubadd132pd vfmsubadd312ps vfmsubadd312pd vfmsubadd213ps vfmsubadd213pd vfmsubadd123ps vfmsubadd123pd vfmsubadd231ps vfmsubadd231pd vfmsubadd321ps vfmsubadd321pd vfnmadd132ps vfnmadd132pd vfnmadd312ps vfnmadd312pd vfnmadd213ps vfnmadd213pd vfnmadd123ps vfnmadd123pd vfnmadd231ps vfnmadd231pd vfnmadd321ps vfnmadd321pd vfnmsub132ps vfnmsub132pd vfnmsub312ps vfnmsub312pd vfnmsub213ps vfnmsub213pd vfnmsub123ps vfnmsub123pd vfnmsub231ps vfnmsub231pd vfnmsub321ps vfnmsub321pd vfmadd132ss vfmadd132sd vfmadd312ss vfmadd312sd vfmadd213ss vfmadd213sd vfmadd123ss vfmadd123sd vfmadd231ss vfmadd231sd vfmadd321ss vfmadd321sd vfmsub132ss vfmsub132sd vfmsub312ss vfmsub312sd vfmsub213ss vfmsub213sd vfmsub123ss vfmsub123sd vfmsub231ss vfmsub231sd vfmsub321ss vfmsub321sd vfnmadd132ss vfnmadd132sd vfnmadd312ss vfnmadd312sd vfnmadd213ss vfnmadd213sd vfnmadd123ss vfnmadd123sd vfnmadd231ss vfnmadd231sd vfnmadd321ss vfnmadd321sd vfnmsub132ss vfnmsub132sd vfnmsub312ss vfnmsub312sd vfnmsub213ss vfnmsub213sd vfnmsub123ss vfnmsub123sd vfnmsub231ss vfnmsub231sd vfnmsub321ss vfnmsub321sd rdfsbase rdgsbase rdrand wrfsbase wrgsbase vcvtph2ps vcvtps2ph adcx adox rdseed clac stac xstore xcryptecb xcryptcbc xcryptctr xcryptcfb xcryptofb montmul xsha1 xsha256 llwpcb slwpcb lwpval lwpins vfmaddpd vfmaddps vfmaddsd vfmaddss vfmaddsubpd vfmaddsubps vfmsubaddpd vfmsubaddps vfmsubpd vfmsubps vfmsubsd vfmsubss vfnmaddpd vfnmaddps vfnmaddsd vfnmaddss vfnmsubpd vfnmsubps vfnmsubsd vfnmsubss vfrczpd vfrczps vfrczsd vfrczss vpcmov vpcomb vpcomd vpcomq vpcomub vpcomud vpcomuq vpcomuw vpcomw vphaddbd vphaddbq vphaddbw vphadddq vphaddubd vphaddubq vphaddubw vphaddudq vphadduwd vphadduwq vphaddwd vphaddwq vphsubbw vphsubdq vphsubwd vpmacsdd vpmacsdqh vpmacsdql vpmacssdd vpmacssdqh vpmacssdql vpmacsswd vpmacssww vpmacswd vpmacsww vpmadcsswd vpmadcswd vpperm vprotb vprotd vprotq vprotw vpshab vpshad vpshaq vpshaw vpshlb vpshld vpshlq vpshlw vbroadcasti128 vpblendd vpbroadcastb vpbroadcastw vpbroadcastd vpbroadcastq vpermd vpermpd vpermps vpermq vperm2i128 vextracti128 vinserti128 vpmaskmovd vpmaskmovq vpsllvd vpsllvq vpsravd vpsrlvd vpsrlvq vgatherdpd vgatherqpd vgatherdps vgatherqps vpgatherdd vpgatherqd vpgatherdq vpgatherqq xabort xbegin xend xtest andn bextr blci blcic blsi blsic blcfill blsfill blcmsk blsmsk blsr blcs bzhi mulx pdep pext rorx sarx shlx shrx tzcnt tzmsk t1mskc valignd valignq vblendmpd vblendmps vbroadcastf32x4 vbroadcastf64x4 vbroadcasti32x4 vbroadcasti64x4 vcompresspd vcompressps vcvtpd2udq vcvtps2udq vcvtsd2usi vcvtss2usi vcvttpd2udq vcvttps2udq vcvttsd2usi vcvttss2usi vcvtudq2pd vcvtudq2ps vcvtusi2sd vcvtusi2ss vexpandpd vexpandps vextractf32x4 vextractf64x4 vextracti32x4 vextracti64x4 vfixupimmpd vfixupimmps vfixupimmsd vfixupimmss vgetexppd vgetexpps vgetexpsd vgetexpss vgetmantpd vgetmantps vgetmantsd vgetmantss vinsertf32x4 vinsertf64x4 vinserti32x4 vinserti64x4 vmovdqa32 vmovdqa64 vmovdqu32 vmovdqu64 vpabsq vpandd vpandnd vpandnq vpandq vpblendmd vpblendmq vpcmpltd vpcmpled vpcmpneqd vpcmpnltd vpcmpnled vpcmpd vpcmpltq vpcmpleq vpcmpneqq vpcmpnltq vpcmpnleq vpcmpq vpcmpequd vpcmpltud vpcmpleud vpcmpnequd vpcmpnltud vpcmpnleud vpcmpud vpcmpequq vpcmpltuq vpcmpleuq vpcmpnequq vpcmpnltuq vpcmpnleuq vpcmpuq vpcompressd vpcompressq vpermi2d vpermi2pd vpermi2ps vpermi2q vpermt2d vpermt2pd vpermt2ps vpermt2q vpexpandd vpexpandq vpmaxsq vpmaxuq vpminsq vpminuq vpmovdb vpmovdw vpmovqb vpmovqd vpmovqw vpmovsdb vpmovsdw vpmovsqb vpmovsqd vpmovsqw vpmovusdb vpmovusdw vpmovusqb vpmovusqd vpmovusqw vpord vporq vprold vprolq vprolvd vprolvq vprord vprorq vprorvd vprorvq vpscatterdd vpscatterdq vpscatterqd vpscatterqq vpsraq vpsravq vpternlogd vpternlogq vptestmd vptestmq vptestnmd vptestnmq vpxord vpxorq vrcp14pd vrcp14ps vrcp14sd vrcp14ss vrndscalepd vrndscaleps vrndscalesd vrndscaless vrsqrt14pd vrsqrt14ps vrsqrt14sd vrsqrt14ss vscalefpd vscalefps vscalefsd vscalefss vscatterdpd vscatterdps vscatterqpd vscatterqps vshuff32x4 vshuff64x2 vshufi32x4 vshufi64x2 kandnw kandw kmovw knotw kortestw korw kshiftlw kshiftrw kunpckbw kxnorw kxorw vpbroadcastmb2q vpbroadcastmw2d vpconflictd vpconflictq vplzcntd vplzcntq vexp2pd vexp2ps vrcp28pd vrcp28ps vrcp28sd vrcp28ss vrsqrt28pd vrsqrt28ps vrsqrt28sd vrsqrt28ss vgatherpf0dpd vgatherpf0dps vgatherpf0qpd vgatherpf0qps vgatherpf1dpd vgatherpf1dps vgatherpf1qpd vgatherpf1qps vscatterpf0dpd vscatterpf0dps vscatterpf0qpd vscatterpf0qps vscatterpf1dpd vscatterpf1dps vscatterpf1qpd vscatterpf1qps prefetchwt1 bndmk bndcl bndcu bndcn bndmov bndldx bndstx sha1rnds4 sha1nexte sha1msg1 sha1msg2 sha256rnds2 sha256msg1 sha256msg2 hint_nop0 hint_nop1 hint_nop2 hint_nop3 hint_nop4 hint_nop5 hint_nop6 hint_nop7 hint_nop8 hint_nop9 hint_nop10 hint_nop11 hint_nop12 hint_nop13 hint_nop14 hint_nop15 hint_nop16 hint_nop17 hint_nop18 hint_nop19 hint_nop20 hint_nop21 hint_nop22 hint_nop23 hint_nop24 hint_nop25 hint_nop26 hint_nop27 hint_nop28 hint_nop29 hint_nop30 hint_nop31 hint_nop32 hint_nop33 hint_nop34 hint_nop35 hint_nop36 hint_nop37 hint_nop38 hint_nop39 hint_nop40 hint_nop41 hint_nop42 hint_nop43 hint_nop44 hint_nop45 hint_nop46 hint_nop47 hint_nop48 hint_nop49 hint_nop50 hint_nop51 hint_nop52 hint_nop53 hint_nop54 hint_nop55 hint_nop56 hint_nop57 hint_nop58 hint_nop59 hint_nop60 hint_nop61 hint_nop62 hint_nop63",built_in:"ip eip rip al ah bl bh cl ch dl dh sil dil bpl spl r8b r9b r10b r11b r12b r13b r14b r15b ax bx cx dx si di bp sp r8w r9w r10w r11w r12w r13w r14w r15w eax ebx ecx edx esi edi ebp esp eip r8d r9d r10d r11d r12d r13d r14d r15d rax rbx rcx rdx rsi rdi rbp rsp r8 r9 r10 r11 r12 r13 r14 r15 cs ds es fs gs ss st st0 st1 st2 st3 st4 st5 st6 st7 mm0 mm1 mm2 mm3 mm4 mm5 mm6 mm7 xmm0 xmm1 xmm2 xmm3 xmm4 xmm5 xmm6 xmm7 xmm8 xmm9 xmm10 xmm11 xmm12 xmm13 xmm14 xmm15 xmm16 xmm17 xmm18 xmm19 xmm20 xmm21 xmm22 xmm23 xmm24 xmm25 xmm26 xmm27 xmm28 xmm29 xmm30 xmm31 ymm0 ymm1 ymm2 ymm3 ymm4 ymm5 ymm6 ymm7 ymm8 ymm9 ymm10 ymm11 ymm12 ymm13 ymm14 ymm15 ymm16 ymm17 ymm18 ymm19 ymm20 ymm21 ymm22 ymm23 ymm24 ymm25 ymm26 ymm27 ymm28 ymm29 ymm30 ymm31 zmm0 zmm1 zmm2 zmm3 zmm4 zmm5 zmm6 zmm7 zmm8 zmm9 zmm10 zmm11 zmm12 zmm13 zmm14 zmm15 zmm16 zmm17 zmm18 zmm19 zmm20 zmm21 zmm22 zmm23 zmm24 zmm25 zmm26 zmm27 zmm28 zmm29 zmm30 zmm31 k0 k1 k2 k3 k4 k5 k6 k7 bnd0 bnd1 bnd2 bnd3 cr0 cr1 cr2 cr3 cr4 cr8 dr0 dr1 dr2 dr3 dr8 tr3 tr4 tr5 tr6 tr7 r0 r1 r2 r3 r4 r5 r6 r7 r0b r1b r2b r3b r4b r5b r6b r7b r0w r1w r2w r3w r4w r5w r6w r7w r0d r1d r2d r3d r4d r5d r6d r7d r0h r1h r2h r3h r0l r1l r2l r3l r4l r5l r6l r7l r8l r9l r10l r11l r12l r13l r14l r15l db dw dd dq dt ddq do dy dz resb resw resd resq rest resdq reso resy resz incbin equ times byte word dword qword nosplit rel abs seg wrt strict near far a32 ptr",meta:"%define %xdefine %+ %undef %defstr %deftok %assign %strcat %strlen %substr %rotate %elif %else %endif %if %ifmacro %ifctx %ifidn %ifidni %ifid %ifnum %ifstr %iftoken %ifempty %ifenv %error %warning %fatal %rep %endrep %include %push %pop %repl %pathsearch %depend %use %arg %stacksize %local %line %comment %endcomment .nolist __FILE__ __LINE__ __SECT__ __BITS__ __OUTPUT_FORMAT__ __DATE__ __TIME__ __DATE_NUM__ __TIME_NUM__ __UTC_DATE__ __UTC_TIME__ __UTC_DATE_NUM__ __UTC_TIME_NUM__ __PASS__ struc endstruc istruc at iend align alignb sectalign daz nodaz up down zero default option assume public bits use16 use32 use64 default section segment absolute extern global common cpu float __utf16__ __utf16le__ __utf16be__ __utf32__ __utf32le__ __utf32be__ __float8__ __float16__ __float32__ __float64__ __float80m__ __float80e__ __float128l__ __float128h__ __Infinity__ __QNaN__ __SNaN__ Inf NaN QNaN SNaN float8 float16 float32 float64 float80m float80e float128l float128h __FLOAT_DAZ__ __FLOAT_ROUND__ __FLOAT__"},contains:[e.COMMENT(";","$",{relevance:0}),{className:"number",variants:[{begin:"\\b(?:([0-9][0-9_]*)?\\.[0-9_]*(?:[eE][+-]?[0-9_]+)?|(0[Xx])?[0-9][0-9_]*(\\.[0-9_]*)?(?:[pP](?:[+-]?[0-9_]+)?)?)\\b",relevance:0},{begin:"\\$[0-9][0-9A-Fa-f]*",relevance:0},{begin:"\\b(?:[0-9A-Fa-f][0-9A-Fa-f_]*[Hh]|[0-9][0-9_]*[DdTt]?|[0-7][0-7_]*[QqOo]|[0-1][0-1_]*[BbYy])\\b"},{begin:"\\b(?:0[Xx][0-9A-Fa-f_]+|0[DdTt][0-9_]+|0[QqOo][0-7_]+|0[BbYy][0-1_]+)\\b"}]},e.QUOTE_STRING_MODE,{className:"string",variants:[{begin:"'",end:"[^\\\\]'"},{begin:"`",end:"[^\\\\]`"}],relevance:0},{className:"symbol",variants:[{begin:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)"},{begin:"^\\s*%%[A-Za-z0-9_$#@~.?]*:"}],relevance:0},{className:"subst",begin:"%[0-9]+",relevance:0},{className:"subst",begin:"%!S+",relevance:0},{className:"meta",begin:/^\s*\.[\w_-]+/}]}}Np.exports=Of});var yp=O((YR,Ap)=>{function Af(e){let n=["if","then","else","do","while","until","for","loop","import","with","is","as","where","when","by","data","constant","integer","real","text","name","boolean","symbol","infix","prefix","postfix","block","tree"],i=["in","mod","rem","and","or","xor","not","abs","sign","floor","ceil","sqrt","sin","cos","tan","asin","acos","atan","exp","expm1","log","log2","log10","log1p","pi","at","text_length","text_range","text_find","text_replace","contains","page","slide","basic_slide","title_slide","title","subtitle","fade_in","fade_out","fade_at","clear_color","color","line_color","line_width","texture_wrap","texture_transform","texture","scale_?x","scale_?y","scale_?z?","translate_?x","translate_?y","translate_?z?","rotate_?x","rotate_?y","rotate_?z?","rectangle","circle","ellipse","sphere","path","line_to","move_to","quad_to","curve_to","theme","background","contents","locally","time","mouse_?x","mouse_?y","mouse_buttons"],_=["ObjectLoader","Animate","MovieCredits","Slides","Filters","Shading","Materials","LensFlare","Mapping","VLCAudioVideo","StereoDecoder","PointCloud","NetworkAccess","RemoteControl","RegExp","ChromaKey","Snowfall","NodeJS","Speech","Charts"],a={$pattern:/[a-zA-Z][a-zA-Z0-9_?]*/,keyword:n,literal:["true","false","nil"],built_in:i.concat(_)},s={className:"string",begin:'"',end:'"',illegal:"\\n"},d={className:"string",begin:"'",end:"'",illegal:"\\n"},u={className:"string",begin:"<<",end:">>"},E={className:"number",begin:"[0-9]+#[0-9A-Z_]+(\\.[0-9-A-Z_]+)?#?([Ee][+-]?[0-9]+)?"},f={beginKeywords:"import",end:"$",keywords:a,contains:[s]},N={className:"function",begin:/[a-z][^\n]*->/,returnBegin:!0,end:/->/,contains:[e.inherit(e.TITLE_MODE,{starts:{endsWithParent:!0,keywords:a}})]};return{name:"XL",aliases:["tao"],keywords:a,contains:[e.C_LINE_COMMENT_MODE,e.C_BLOCK_COMMENT_MODE,s,d,u,N,f,E,e.NUMBER_MODE]}}Ap.exports=Af});var Dp=O((HR,Ip)=>{function yf(e){return{name:"XQuery",aliases:["xpath","xq"],case_insensitive:!1,illegal:/(proc)|(abstract)|(extends)|(until)|(#)/,keywords:{$pattern:/[a-zA-Z$][a-zA-Z0-9_:-]*/,keyword:["module","schema","namespace","boundary-space","preserve","no-preserve","strip","default","collation","base-uri","ordering","context","decimal-format","decimal-separator","copy-namespaces","empty-sequence","except","exponent-separator","external","grouping-separator","inherit","no-inherit","lax","minus-sign","per-mille","percent","schema-attribute","schema-element","strict","unordered","zero-digit","declare","import","option","function","validate","variable","for","at","in","let","where","order","group","by","return","if","then","else","tumbling","sliding","window","start","when","only","end","previous","next","stable","ascending","descending","allowing","empty","greatest","least","some","every","satisfies","switch","case","typeswitch","try","catch","and","or","to","union","intersect","instance","of","treat","as","castable","cast","map","array","delete","insert","into","replace","value","rename","copy","modify","update"],type:["item","document-node","node","attribute","document","element","comment","namespace","namespace-node","processing-instruction","text","construction","xs:anyAtomicType","xs:untypedAtomic","xs:duration","xs:time","xs:decimal","xs:float","xs:double","xs:gYearMonth","xs:gYear","xs:gMonthDay","xs:gMonth","xs:gDay","xs:boolean","xs:base64Binary","xs:hexBinary","xs:anyURI","xs:QName","xs:NOTATION","xs:dateTime","xs:dateTimeStamp","xs:date","xs:string","xs:normalizedString","xs:token","xs:language","xs:NMTOKEN","xs:Name","xs:NCName","xs:ID","xs:IDREF","xs:ENTITY","xs:integer","xs:nonPositiveInteger","xs:negativeInteger","xs:long","xs:int","xs:short","xs:byte","xs:nonNegativeInteger","xs:unisignedLong","xs:unsignedInt","xs:unsignedShort","xs:unsignedByte","xs:positiveInteger","xs:yearMonthDuration","xs:dayTimeDuration"],literal:["eq","ne","lt","le","gt","ge","is","self::","child::","descendant::","descendant-or-self::","attribute::","following::","following-sibling::","parent::","ancestor::","ancestor-or-self::","preceding::","preceding-sibling::","NaN"]},contains:[{className:"variable",begin:/[$][\w\-:]+/},{className:"built_in",variants:[{begin:/\barray:/,end:/(?:append|filter|flatten|fold-(?:left|right)|for-each(?:-pair)?|get|head|insert-before|join|put|remove|reverse|size|sort|subarray|tail)\b/},{begin:/\bmap:/,end:/(?:contains|entry|find|for-each|get|keys|merge|put|remove|size)\b/},{begin:/\bmath:/,end:/(?:a(?:cos|sin|tan[2]?)|cos|exp(?:10)?|log(?:10)?|pi|pow|sin|sqrt|tan)\b/},{begin:/\bop:/,end:/\(/,excludeEnd:!0},{begin:/\bfn:/,end:/\(/,excludeEnd:!0},{begin:/[^</$:'"-]\b(?:abs|accumulator-(?:after|before)|adjust-(?:date(?:Time)?|time)-to-timezone|analyze-string|apply|available-(?:environment-variables|system-properties)|avg|base-uri|boolean|ceiling|codepoints?-(?:equal|to-string)|collation-key|collection|compare|concat|contains(?:-token)?|copy-of|count|current(?:-)?(?:date(?:Time)?|time|group(?:ing-key)?|output-uri|merge-(?:group|key))?data|dateTime|days?-from-(?:date(?:Time)?|duration)|deep-equal|default-(?:collation|language)|distinct-values|document(?:-uri)?|doc(?:-available)?|element-(?:available|with-id)|empty|encode-for-uri|ends-with|environment-variable|error|escape-html-uri|exactly-one|exists|false|filter|floor|fold-(?:left|right)|for-each(?:-pair)?|format-(?:date(?:Time)?|time|integer|number)|function-(?:arity|available|lookup|name)|generate-id|has-children|head|hours-from-(?:dateTime|duration|time)|id(?:ref)?|implicit-timezone|in-scope-prefixes|index-of|innermost|insert-before|iri-to-uri|json-(?:doc|to-xml)|key|lang|last|load-xquery-module|local-name(?:-from-QName)?|(?:lower|upper)-case|matches|max|minutes-from-(?:dateTime|duration|time)|min|months?-from-(?:date(?:Time)?|duration)|name(?:space-uri-?(?:for-prefix|from-QName)?)?|nilled|node-name|normalize-(?:space|unicode)|not|number|one-or-more|outermost|parse-(?:ietf-date|json)|path|position|(?:prefix-from-)?QName|random-number-generator|regex-group|remove|replace|resolve-(?:QName|uri)|reverse|root|round(?:-half-to-even)?|seconds-from-(?:dateTime|duration|time)|snapshot|sort|starts-with|static-base-uri|stream-available|string-?(?:join|length|to-codepoints)?|subsequence|substring-?(?:after|before)?|sum|system-property|tail|timezone-from-(?:date(?:Time)?|time)|tokenize|trace|trans(?:form|late)|true|type-available|unordered|unparsed-(?:entity|text)?-?(?:public-id|uri|available|lines)?|uri-collection|xml-to-json|years?-from-(?:date(?:Time)?|duration)|zero-or-one)\b/},{begin:/\blocal:/,end:/\(/,excludeEnd:!0},{begin:/\bzip:/,end:/(?:zip-file|(?:xml|html|text|binary)-entry| (?:update-)?entries)\b/},{begin:/\b(?:util|db|functx|app|xdmp|xmldb):/,end:/\(/,excludeEnd:!0}]},{className:"string",variants:[{begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{begin:/'/,end:/'/,contains:[{begin:/''/,relevance:0}]}]},{className:"number",begin:/(\b0[0-7_]+)|(\b0x[0-9a-fA-F_]+)|(\b[1-9][0-9_]*(\.[0-9_]+)?)|[0_]\b/,relevance:0},{className:"comment",begin:/\(:/,end:/:\)/,relevance:10,contains:[{className:"doctag",begin:/@\w+/}]},{className:"meta",begin:/%[\w\-:]+/},{className:"title",begin:/\bxquery version "[13]\.[01]"\s?(?:encoding ".+")?/,end:/;/},{beginKeywords:"element attribute comment document processing-instruction",end:/\{/,excludeEnd:!0},{begin:/<([\w._:-]+)(\s+\S*=('|").*('|"))?>/,end:/(\/[\w._:-]+>)/,subLanguage:"xml",contains:[{begin:/\{/,end:/\}/,subLanguage:"xquery"},"self"]}]}}Ip.exports=yf});var wp=O((qR,xp)=>{function If(e){let n={className:"string",contains:[e.BACKSLASH_ESCAPE],variants:[e.inherit(e.APOS_STRING_MODE,{illegal:null}),e.inherit(e.QUOTE_STRING_MODE,{illegal:null})]},i=e.UNDERSCORE_TITLE_MODE,_={variants:[e.BINARY_NUMBER_MODE,e.C_NUMBER_MODE]},l="namespace class interface use extends function return abstract final public protected private static deprecated throw try catch Exception echo empty isset instanceof unset let var new const self require if else elseif switch case default do while loop for continue break likely unlikely __LINE__ __FILE__ __DIR__ __FUNCTION__ __CLASS__ __TRAIT__ __METHOD__ __NAMESPACE__ array boolean float double integer object resource string char long unsigned bool int uint ulong uchar true false null undefined";return{name:"Zephir",aliases:["zep"],keywords:l,contains:[e.C_LINE_COMMENT_MODE,e.COMMENT(/\/\*/,/\*\//,{contains:[{className:"doctag",begin:/@[A-Za-z]+/}]}),{className:"string",begin:/<<<['"]?\w+['"]?$/,end:/^\w+;/,contains:[e.BACKSLASH_ESCAPE]},{begin:/(::|->)+[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*/},{className:"function",beginKeywords:"function fn",end:/[;{]/,excludeEnd:!0,illegal:/\$|\[|%/,contains:[i,{className:"params",begin:/\(/,end:/\)/,keywords:l,contains:["self",e.C_BLOCK_COMMENT_MODE,n,_]}]},{className:"class",beginKeywords:"class interface",end:/\{/,excludeEnd:!0,illegal:/[:($"]/,contains:[{beginKeywords:"extends implements"},i]},{beginKeywords:"namespace",end:/;/,illegal:/[.']/,contains:[i]},{beginKeywords:"use",end:/;/,contains:[i]},{begin:/=>/},n,_]}}xp.exports=If});var Lp=O((VR,Mp)=>{var y=na();y.registerLanguage("1c",ia());y.registerLanguage("abnf",oa());y.registerLanguage("accesslog",la());y.registerLanguage("actionscript",da());y.registerLanguage("ada",pa());y.registerLanguage("angelscript",ma());y.registerLanguage("apache",Ea());y.registerLanguage("applescript",fa());y.registerLanguage("arcade",ha());y.registerLanguage("arduino",Ra());y.registerLanguage("armasm",va());y.registerLanguage("xml",Oa());y.registerLanguage("asciidoc",ya());y.registerLanguage("aspectj",Da());y.registerLanguage("autohotkey",wa());y.registerLanguage("autoit",La());y.registerLanguage("avrasm",ka());y.registerLanguage("awk",Fa());y.registerLanguage("axapta",Ga());y.registerLanguage("bash",Ha());y.registerLanguage("basic",Va());y.registerLanguage("bnf",Wa());y.registerLanguage("brainfuck",Ka());y.registerLanguage("c",Xa());y.registerLanguage("cal",Ja());y.registerLanguage("capnproto",eo());y.registerLanguage("ceylon",no());y.registerLanguage("clean",io());y.registerLanguage("clojure",oo());y.registerLanguage("clojure-repl",lo());y.registerLanguage("cmake",_o());y.registerLanguage("coffeescript",uo());y.registerLanguage("coq",go());y.registerLanguage("cos",bo());y.registerLanguage("cpp",So());y.registerLanguage("crmsh",To());y.registerLanguage("crystal",Co());y.registerLanguage("csharp",No());y.registerLanguage("csp",Ao());y.registerLanguage("css",Io());y.registerLanguage("d",xo());y.registerLanguage("markdown",Mo());y.registerLanguage("dart",Po());y.registerLanguage("delphi",Uo());y.registerLanguage("diff",Bo());y.registerLanguage("django",Yo());y.registerLanguage("dns",qo());y.registerLanguage("dockerfile",zo());y.registerLanguage("dos",$o());y.registerLanguage("dsconfig",Qo());y.registerLanguage("dts",Zo());y.registerLanguage("dust",jo());y.registerLanguage("ebnf",ts());y.registerLanguage("elixir",rs());y.registerLanguage("elm",as());y.registerLanguage("ruby",ss());y.registerLanguage("erb",cs());y.registerLanguage("erlang-repl",_s());y.registerLanguage("erlang",us());y.registerLanguage("excel",gs());y.registerLanguage("fix",bs());y.registerLanguage("flix",Ss());y.registerLanguage("fortran",Ts());y.registerLanguage("fsharp",vs());y.registerLanguage("gams",Os());y.registerLanguage("gauss",ys());y.registerLanguage("gcode",Ds());y.registerLanguage("gherkin",ws());y.registerLanguage("glsl",Ls());y.registerLanguage("gml",ks());y.registerLanguage("go",Fs());y.registerLanguage("golo",Gs());y.registerLanguage("gradle",Hs());y.registerLanguage("graphql",Vs());y.registerLanguage("groovy",Ws());y.registerLanguage("haml",Ks());y.registerLanguage("handlebars",Xs());y.registerLanguage("haskell",Js());y.registerLanguage("haxe",el());y.registerLanguage("hsp",nl());y.registerLanguage("http",il());y.registerLanguage("hy",ol());y.registerLanguage("inform7",ll());y.registerLanguage("ini",dl());y.registerLanguage("irpf90",pl());y.registerLanguage("isbl",ml());y.registerLanguage("java",fl());y.registerLanguage("javascript",vl());y.registerLanguage("jboss-cli",Ol());y.registerLanguage("json",yl());y.registerLanguage("julia",Dl());y.registerLanguage("julia-repl",wl());y.registerLanguage("kotlin",Ll());y.registerLanguage("lasso",kl());y.registerLanguage("latex",Fl());y.registerLanguage("ldif",Gl());y.registerLanguage("leaf",Hl());y.registerLanguage("less",Wl());y.registerLanguage("lisp",Kl());y.registerLanguage("livecodeserver",Xl());y.registerLanguage("livescript",Jl());y.registerLanguage("llvm",ec());y.registerLanguage("lsl",nc());y.registerLanguage("lua",ic());y.registerLanguage("makefile",oc());y.registerLanguage("mathematica",lc());y.registerLanguage("matlab",dc());y.registerLanguage("maxima",pc());y.registerLanguage("mel",mc());y.registerLanguage("mercury",Ec());y.registerLanguage("mipsasm",fc());y.registerLanguage("mizar",hc());y.registerLanguage("perl",Rc());y.registerLanguage("mojolicious",vc());y.registerLanguage("monkey",Oc());y.registerLanguage("moonscript",yc());y.registerLanguage("n1ql",Dc());y.registerLanguage("nestedtext",wc());y.registerLanguage("nginx",Lc());y.registerLanguage("nim",kc());y.registerLanguage("nix",Fc());y.registerLanguage("node-repl",Gc());y.registerLanguage("nsis",Hc());y.registerLanguage("objectivec",Vc());y.registerLanguage("ocaml",Wc());y.registerLanguage("openscad",Kc());y.registerLanguage("oxygene",Xc());y.registerLanguage("parser3",Jc());y.registerLanguage("pf",ed());y.registerLanguage("pgsql",nd());y.registerLanguage("php",id());y.registerLanguage("php-template",od());y.registerLanguage("plaintext",ld());y.registerLanguage("pony",dd());y.registerLanguage("powershell",pd());y.registerLanguage("processing",md());y.registerLanguage("profile",Ed());y.registerLanguage("prolog",fd());y.registerLanguage("properties",hd());y.registerLanguage("protobuf",Rd());y.registerLanguage("puppet",vd());y.registerLanguage("purebasic",Od());y.registerLanguage("python",yd());y.registerLanguage("python-repl",Dd());y.registerLanguage("q",wd());y.registerLanguage("qml",Ld());y.registerLanguage("r",kd());y.registerLanguage("reasonml",Fd());y.registerLanguage("rib",Gd());y.registerLanguage("roboconf",Hd());y.registerLanguage("routeros",Vd());y.registerLanguage("rsl",Wd());y.registerLanguage("ruleslanguage",Kd());y.registerLanguage("rust",Xd());y.registerLanguage("sas",Jd());y.registerLanguage("scala",e_());y.registerLanguage("scheme",n_());y.registerLanguage("scilab",i_());y.registerLanguage("scss",o_());y.registerLanguage("shell",l_());y.registerLanguage("smali",d_());y.registerLanguage("smalltalk",p_());y.registerLanguage("sml",m_());y.registerLanguage("sqf",E_());y.registerLanguage("sql",f_());y.registerLanguage("stan",h_());y.registerLanguage("stata",R_());y.registerLanguage("step21",v_());y.registerLanguage("stylus",O_());y.registerLanguage("subunit",y_());y.registerLanguage("swift",U_());y.registerLanguage("taggerscript",B_());y.registerLanguage("yaml",Y_());y.registerLanguage("tap",q_());y.registerLanguage("tcl",z_());y.registerLanguage("thrift",$_());y.registerLanguage("tp",Q_());y.registerLanguage("twig",Z_());y.registerLanguage("typescript",op());y.registerLanguage("vala",lp());y.registerLanguage("vbnet",dp());y.registerLanguage("vbscript",pp());y.registerLanguage("vbscript-html",mp());y.registerLanguage("verilog",Ep());y.registerLanguage("vhdl",fp());y.registerLanguage("vim",hp());y.registerLanguage("wasm",Rp());y.registerLanguage("wren",vp());y.registerLanguage("x86asm",Op());y.registerLanguage("xl",yp());y.registerLanguage("xquery",Dp());y.registerLanguage("zephir",wp());y.HighlightJS=y;y.default=y;Mp.exports=y});var Pp=O(()=>{(function(){var e=function(){function n(){}function i(a){return decodeURIComponent(a.replace(/\+/g," "))}function _(a,s){var d=a.charAt(0),u=s.split(d);return d===a?u:(a=parseInt(a.substring(1),10),u[a<0?u.length+a:a-1])}function l(a,s){for(var d=a.charAt(0),u=s.split("&"),E=[],f={},N=[],S=a.substring(1),h=0,C=u.length;h<C;h++)if(E=u[h].match(/(.*?)=(.*)/),E||(E=[u[h],u[h],""]),E[1].replace(/\s/g,"")!==""){if(E[2]=i(E[2]||""),S===E[1])return E[2];N=E[1].match(/(.*)\[([0-9]+)\]/),N?(f[N[1]]=f[N[1]]||[],f[N[1]][N[2]]=E[2]):f[E[1]]=E[2]}return d===a?f:f[S]}return function(a,s){var d={},u,E;if(a==="tld?")return void 0;if(s=s||window.location.toString(),!a)return s;if(a=a.toString(),u=s.match(/^mailto:([^\/].+)/))d.protocol="mailto",d.email=u[1];else{if((u=s.match(/(.*?)\/#\!(.*)/))&&(s=u[1]+u[2]),(u=s.match(/(.*?)#(.*)/))&&(d.hash=u[2],s=u[1]),d.hash&&a.match(/^#/))return l(a,d.hash);if((u=s.match(/(.*?)\?(.*)/))&&(d.query=u[2],s=u[1]),d.query&&a.match(/^\?/))return l(a,d.query);if((u=s.match(/(.*?)\:?\/\/(.*)/))&&(d.protocol=u[1].toLowerCase(),s=u[2]),(u=s.match(/(.*?)(\/.*)/))&&(d.path=u[2],s=u[1]),d.path=(d.path||"").replace(/^([^\/])/,"/$1"),a.match(/^[\-0-9]+$/)&&(a=a.replace(/^([^\/])/,"/$1")),a.match(/^\//))return _(a,d.path.substring(1));if(u=_("/-1",d.path.substring(1)),u&&(u=u.match(/(.*?)\.([^.]+)$/))&&(d.file=u[0],d.filename=u[1],d.fileext=u[2]),(u=s.match(/(.*)\:([0-9]+)$/))&&(d.port=u[2],s=u[1]),(u=s.match(/(.*?)@(.*)/))&&(d.auth=u[1],s=u[2]),d.auth&&(u=d.auth.match(/(.*)\:(.*)/),d.user=u?u[1]:d.auth,d.pass=u?u[2]:void 0),d.hostname=s.toLowerCase(),a.charAt(0)===".")return _(a,d.hostname);void 0&&(u=d.hostname.match(void 0),u&&(d.tld=u[3],d.domain=u[2]?u[2]+"."+u[3]:void 0,d.sub=u[1]||void 0)),d.port=d.port||(d.protocol==="https"?"443":"80"),d.protocol=d.protocol||(d.port==="443"?"https":"http")}if(a in d)return d[a];if(a==="{}")return d}}();window.url=e})()});gi();Ei();window.$=window.jQuery=zr();Di();xi();Pi();var Df=ki();window.anchors=new Df;window.hljs=Lp();Pp();})(); +/*! Bundled license information: + +jquery/dist/jquery.js: + (*! + * jQuery JavaScript Library v3.7.0 + * https://jquery.com/ + * + * Copyright OpenJS Foundation and other contributors + * Released under the MIT license + * https://jquery.org/license + * + * Date: 2023-05-11T18:29Z + *) + +@default/twbs-pagination/jquery.twbsPagination.js: + (*! + * jQuery pagination plugin v1.2.6 + * http://esimakin.github.io/twbs-pagination/ + * + * Copyright 2014, Eugene Simakin + * Released under Apache 2.0 license + * http://apache.org/licenses/LICENSE-2.0.html + *) +*/ +//# sourceMappingURL=docfx.vendor.min.js.map diff --git a/docs/styles/docfx.vendor.min.js.map b/docs/styles/docfx.vendor.min.js.map new file mode 100644 index 000000000..2d6ea3fac --- /dev/null +++ b/docs/styles/docfx.vendor.min.js.map @@ -0,0 +1,7 @@ +{ + "version": 3, + "sources": ["../../node_modules/@default/bootstrap/dist/css/bootstrap.css", "../../node_modules/@default/highlight.js/styles/github.css", "../../node_modules/jquery/dist/jquery.js", "../../node_modules/@default/bootstrap/js/transition.js", "../../node_modules/@default/bootstrap/js/alert.js", "../../node_modules/@default/bootstrap/js/button.js", "../../node_modules/@default/bootstrap/js/carousel.js", "../../node_modules/@default/bootstrap/js/collapse.js", "../../node_modules/@default/bootstrap/js/dropdown.js", "../../node_modules/@default/bootstrap/js/modal.js", "../../node_modules/@default/bootstrap/js/tooltip.js", "../../node_modules/@default/bootstrap/js/popover.js", "../../node_modules/@default/bootstrap/js/scrollspy.js", "../../node_modules/@default/bootstrap/js/tab.js", "../../node_modules/@default/bootstrap/js/affix.js", "../../node_modules/@default/bootstrap/dist/js/npm.js", "../../node_modules/@default/twbs-pagination/jquery.twbsPagination.js", "../../node_modules/@default/mark.js/src/lib/domiterator.js", "../../node_modules/@default/mark.js/src/lib/mark.js", "../../node_modules/@default/mark.js/src/jquery.js", "../../node_modules/@default/anchor-js/anchor.js", "../../node_modules/@default/highlight.js/lib/core.js", "../../node_modules/@default/highlight.js/lib/languages/1c.js", "../../node_modules/@default/highlight.js/lib/languages/abnf.js", "../../node_modules/@default/highlight.js/lib/languages/accesslog.js", "../../node_modules/@default/highlight.js/lib/languages/actionscript.js", "../../node_modules/@default/highlight.js/lib/languages/ada.js", "../../node_modules/@default/highlight.js/lib/languages/angelscript.js", "../../node_modules/@default/highlight.js/lib/languages/apache.js", "../../node_modules/@default/highlight.js/lib/languages/applescript.js", "../../node_modules/@default/highlight.js/lib/languages/arcade.js", "../../node_modules/@default/highlight.js/lib/languages/arduino.js", "../../node_modules/@default/highlight.js/lib/languages/armasm.js", "../../node_modules/@default/highlight.js/lib/languages/xml.js", "../../node_modules/@default/highlight.js/lib/languages/asciidoc.js", "../../node_modules/@default/highlight.js/lib/languages/aspectj.js", "../../node_modules/@default/highlight.js/lib/languages/autohotkey.js", "../../node_modules/@default/highlight.js/lib/languages/autoit.js", "../../node_modules/@default/highlight.js/lib/languages/avrasm.js", "../../node_modules/@default/highlight.js/lib/languages/awk.js", "../../node_modules/@default/highlight.js/lib/languages/axapta.js", "../../node_modules/@default/highlight.js/lib/languages/bash.js", "../../node_modules/@default/highlight.js/lib/languages/basic.js", "../../node_modules/@default/highlight.js/lib/languages/bnf.js", "../../node_modules/@default/highlight.js/lib/languages/brainfuck.js", "../../node_modules/@default/highlight.js/lib/languages/c.js", "../../node_modules/@default/highlight.js/lib/languages/cal.js", "../../node_modules/@default/highlight.js/lib/languages/capnproto.js", "../../node_modules/@default/highlight.js/lib/languages/ceylon.js", "../../node_modules/@default/highlight.js/lib/languages/clean.js", "../../node_modules/@default/highlight.js/lib/languages/clojure.js", "../../node_modules/@default/highlight.js/lib/languages/clojure-repl.js", "../../node_modules/@default/highlight.js/lib/languages/cmake.js", "../../node_modules/@default/highlight.js/lib/languages/coffeescript.js", "../../node_modules/@default/highlight.js/lib/languages/coq.js", "../../node_modules/@default/highlight.js/lib/languages/cos.js", "../../node_modules/@default/highlight.js/lib/languages/cpp.js", "../../node_modules/@default/highlight.js/lib/languages/crmsh.js", "../../node_modules/@default/highlight.js/lib/languages/crystal.js", "../../node_modules/@default/highlight.js/lib/languages/csharp.js", "../../node_modules/@default/highlight.js/lib/languages/csp.js", "../../node_modules/@default/highlight.js/lib/languages/css.js", "../../node_modules/@default/highlight.js/lib/languages/d.js", "../../node_modules/@default/highlight.js/lib/languages/markdown.js", "../../node_modules/@default/highlight.js/lib/languages/dart.js", "../../node_modules/@default/highlight.js/lib/languages/delphi.js", "../../node_modules/@default/highlight.js/lib/languages/diff.js", "../../node_modules/@default/highlight.js/lib/languages/django.js", "../../node_modules/@default/highlight.js/lib/languages/dns.js", "../../node_modules/@default/highlight.js/lib/languages/dockerfile.js", "../../node_modules/@default/highlight.js/lib/languages/dos.js", "../../node_modules/@default/highlight.js/lib/languages/dsconfig.js", "../../node_modules/@default/highlight.js/lib/languages/dts.js", "../../node_modules/@default/highlight.js/lib/languages/dust.js", "../../node_modules/@default/highlight.js/lib/languages/ebnf.js", "../../node_modules/@default/highlight.js/lib/languages/elixir.js", "../../node_modules/@default/highlight.js/lib/languages/elm.js", "../../node_modules/@default/highlight.js/lib/languages/ruby.js", "../../node_modules/@default/highlight.js/lib/languages/erb.js", "../../node_modules/@default/highlight.js/lib/languages/erlang-repl.js", "../../node_modules/@default/highlight.js/lib/languages/erlang.js", "../../node_modules/@default/highlight.js/lib/languages/excel.js", "../../node_modules/@default/highlight.js/lib/languages/fix.js", "../../node_modules/@default/highlight.js/lib/languages/flix.js", "../../node_modules/@default/highlight.js/lib/languages/fortran.js", "../../node_modules/@default/highlight.js/lib/languages/fsharp.js", "../../node_modules/@default/highlight.js/lib/languages/gams.js", "../../node_modules/@default/highlight.js/lib/languages/gauss.js", "../../node_modules/@default/highlight.js/lib/languages/gcode.js", "../../node_modules/@default/highlight.js/lib/languages/gherkin.js", "../../node_modules/@default/highlight.js/lib/languages/glsl.js", "../../node_modules/@default/highlight.js/lib/languages/gml.js", "../../node_modules/@default/highlight.js/lib/languages/go.js", "../../node_modules/@default/highlight.js/lib/languages/golo.js", "../../node_modules/@default/highlight.js/lib/languages/gradle.js", "../../node_modules/@default/highlight.js/lib/languages/graphql.js", "../../node_modules/@default/highlight.js/lib/languages/groovy.js", "../../node_modules/@default/highlight.js/lib/languages/haml.js", "../../node_modules/@default/highlight.js/lib/languages/handlebars.js", "../../node_modules/@default/highlight.js/lib/languages/haskell.js", "../../node_modules/@default/highlight.js/lib/languages/haxe.js", "../../node_modules/@default/highlight.js/lib/languages/hsp.js", "../../node_modules/@default/highlight.js/lib/languages/http.js", "../../node_modules/@default/highlight.js/lib/languages/hy.js", "../../node_modules/@default/highlight.js/lib/languages/inform7.js", "../../node_modules/@default/highlight.js/lib/languages/ini.js", "../../node_modules/@default/highlight.js/lib/languages/irpf90.js", "../../node_modules/@default/highlight.js/lib/languages/isbl.js", "../../node_modules/@default/highlight.js/lib/languages/java.js", "../../node_modules/@default/highlight.js/lib/languages/javascript.js", "../../node_modules/@default/highlight.js/lib/languages/jboss-cli.js", "../../node_modules/@default/highlight.js/lib/languages/json.js", "../../node_modules/@default/highlight.js/lib/languages/julia.js", "../../node_modules/@default/highlight.js/lib/languages/julia-repl.js", "../../node_modules/@default/highlight.js/lib/languages/kotlin.js", "../../node_modules/@default/highlight.js/lib/languages/lasso.js", "../../node_modules/@default/highlight.js/lib/languages/latex.js", "../../node_modules/@default/highlight.js/lib/languages/ldif.js", "../../node_modules/@default/highlight.js/lib/languages/leaf.js", "../../node_modules/@default/highlight.js/lib/languages/less.js", "../../node_modules/@default/highlight.js/lib/languages/lisp.js", "../../node_modules/@default/highlight.js/lib/languages/livecodeserver.js", "../../node_modules/@default/highlight.js/lib/languages/livescript.js", "../../node_modules/@default/highlight.js/lib/languages/llvm.js", "../../node_modules/@default/highlight.js/lib/languages/lsl.js", "../../node_modules/@default/highlight.js/lib/languages/lua.js", "../../node_modules/@default/highlight.js/lib/languages/makefile.js", "../../node_modules/@default/highlight.js/lib/languages/mathematica.js", "../../node_modules/@default/highlight.js/lib/languages/matlab.js", "../../node_modules/@default/highlight.js/lib/languages/maxima.js", "../../node_modules/@default/highlight.js/lib/languages/mel.js", "../../node_modules/@default/highlight.js/lib/languages/mercury.js", "../../node_modules/@default/highlight.js/lib/languages/mipsasm.js", "../../node_modules/@default/highlight.js/lib/languages/mizar.js", "../../node_modules/@default/highlight.js/lib/languages/perl.js", "../../node_modules/@default/highlight.js/lib/languages/mojolicious.js", "../../node_modules/@default/highlight.js/lib/languages/monkey.js", "../../node_modules/@default/highlight.js/lib/languages/moonscript.js", "../../node_modules/@default/highlight.js/lib/languages/n1ql.js", "../../node_modules/@default/highlight.js/lib/languages/nestedtext.js", "../../node_modules/@default/highlight.js/lib/languages/nginx.js", "../../node_modules/@default/highlight.js/lib/languages/nim.js", "../../node_modules/@default/highlight.js/lib/languages/nix.js", "../../node_modules/@default/highlight.js/lib/languages/node-repl.js", "../../node_modules/@default/highlight.js/lib/languages/nsis.js", "../../node_modules/@default/highlight.js/lib/languages/objectivec.js", "../../node_modules/@default/highlight.js/lib/languages/ocaml.js", "../../node_modules/@default/highlight.js/lib/languages/openscad.js", "../../node_modules/@default/highlight.js/lib/languages/oxygene.js", "../../node_modules/@default/highlight.js/lib/languages/parser3.js", "../../node_modules/@default/highlight.js/lib/languages/pf.js", "../../node_modules/@default/highlight.js/lib/languages/pgsql.js", "../../node_modules/@default/highlight.js/lib/languages/php.js", "../../node_modules/@default/highlight.js/lib/languages/php-template.js", "../../node_modules/@default/highlight.js/lib/languages/plaintext.js", "../../node_modules/@default/highlight.js/lib/languages/pony.js", "../../node_modules/@default/highlight.js/lib/languages/powershell.js", "../../node_modules/@default/highlight.js/lib/languages/processing.js", "../../node_modules/@default/highlight.js/lib/languages/profile.js", "../../node_modules/@default/highlight.js/lib/languages/prolog.js", "../../node_modules/@default/highlight.js/lib/languages/properties.js", "../../node_modules/@default/highlight.js/lib/languages/protobuf.js", "../../node_modules/@default/highlight.js/lib/languages/puppet.js", "../../node_modules/@default/highlight.js/lib/languages/purebasic.js", "../../node_modules/@default/highlight.js/lib/languages/python.js", "../../node_modules/@default/highlight.js/lib/languages/python-repl.js", "../../node_modules/@default/highlight.js/lib/languages/q.js", "../../node_modules/@default/highlight.js/lib/languages/qml.js", "../../node_modules/@default/highlight.js/lib/languages/r.js", "../../node_modules/@default/highlight.js/lib/languages/reasonml.js", "../../node_modules/@default/highlight.js/lib/languages/rib.js", "../../node_modules/@default/highlight.js/lib/languages/roboconf.js", "../../node_modules/@default/highlight.js/lib/languages/routeros.js", "../../node_modules/@default/highlight.js/lib/languages/rsl.js", "../../node_modules/@default/highlight.js/lib/languages/ruleslanguage.js", "../../node_modules/@default/highlight.js/lib/languages/rust.js", "../../node_modules/@default/highlight.js/lib/languages/sas.js", "../../node_modules/@default/highlight.js/lib/languages/scala.js", "../../node_modules/@default/highlight.js/lib/languages/scheme.js", "../../node_modules/@default/highlight.js/lib/languages/scilab.js", "../../node_modules/@default/highlight.js/lib/languages/scss.js", "../../node_modules/@default/highlight.js/lib/languages/shell.js", "../../node_modules/@default/highlight.js/lib/languages/smali.js", "../../node_modules/@default/highlight.js/lib/languages/smalltalk.js", "../../node_modules/@default/highlight.js/lib/languages/sml.js", "../../node_modules/@default/highlight.js/lib/languages/sqf.js", "../../node_modules/@default/highlight.js/lib/languages/sql.js", "../../node_modules/@default/highlight.js/lib/languages/stan.js", "../../node_modules/@default/highlight.js/lib/languages/stata.js", "../../node_modules/@default/highlight.js/lib/languages/step21.js", "../../node_modules/@default/highlight.js/lib/languages/stylus.js", "../../node_modules/@default/highlight.js/lib/languages/subunit.js", "../../node_modules/@default/highlight.js/lib/languages/swift.js", "../../node_modules/@default/highlight.js/lib/languages/taggerscript.js", "../../node_modules/@default/highlight.js/lib/languages/yaml.js", "../../node_modules/@default/highlight.js/lib/languages/tap.js", "../../node_modules/@default/highlight.js/lib/languages/tcl.js", "../../node_modules/@default/highlight.js/lib/languages/thrift.js", "../../node_modules/@default/highlight.js/lib/languages/tp.js", "../../node_modules/@default/highlight.js/lib/languages/twig.js", "../../node_modules/@default/highlight.js/lib/languages/typescript.js", "../../node_modules/@default/highlight.js/lib/languages/vala.js", "../../node_modules/@default/highlight.js/lib/languages/vbnet.js", "../../node_modules/@default/highlight.js/lib/languages/vbscript.js", "../../node_modules/@default/highlight.js/lib/languages/vbscript-html.js", "../../node_modules/@default/highlight.js/lib/languages/verilog.js", "../../node_modules/@default/highlight.js/lib/languages/vhdl.js", "../../node_modules/@default/highlight.js/lib/languages/vim.js", "../../node_modules/@default/highlight.js/lib/languages/wasm.js", "../../node_modules/@default/highlight.js/lib/languages/wren.js", "../../node_modules/@default/highlight.js/lib/languages/x86asm.js", "../../node_modules/@default/highlight.js/lib/languages/xl.js", "../../node_modules/@default/highlight.js/lib/languages/xquery.js", "../../node_modules/@default/highlight.js/lib/languages/zephir.js", "../../node_modules/@default/highlight.js/lib/index.js", "../../node_modules/@default/url/src/url.js", "../src/docfx.vendor.js"], + "sourcesContent": ["/*!\n * Bootstrap v3.4.1 (https://getbootstrap.com/)\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n */\n/*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css */\nhtml {\n font-family: sans-serif;\n -ms-text-size-adjust: 100%;\n -webkit-text-size-adjust: 100%;\n}\nbody {\n margin: 0;\n}\narticle,\naside,\ndetails,\nfigcaption,\nfigure,\nfooter,\nheader,\nhgroup,\nmain,\nmenu,\nnav,\nsection,\nsummary {\n display: block;\n}\naudio,\ncanvas,\nprogress,\nvideo {\n display: inline-block;\n vertical-align: baseline;\n}\naudio:not([controls]) {\n display: none;\n height: 0;\n}\n[hidden],\ntemplate {\n display: none;\n}\na {\n background-color: transparent;\n}\na:active,\na:hover {\n outline: 0;\n}\nabbr[title] {\n border-bottom: none;\n text-decoration: underline;\n -webkit-text-decoration: underline dotted;\n -moz-text-decoration: underline dotted;\n text-decoration: underline dotted;\n}\nb,\nstrong {\n font-weight: bold;\n}\ndfn {\n font-style: italic;\n}\nh1 {\n font-size: 2em;\n margin: 0.67em 0;\n}\nmark {\n background: #ff0;\n color: #000;\n}\nsmall {\n font-size: 80%;\n}\nsub,\nsup {\n font-size: 75%;\n line-height: 0;\n position: relative;\n vertical-align: baseline;\n}\nsup {\n top: -0.5em;\n}\nsub {\n bottom: -0.25em;\n}\nimg {\n border: 0;\n}\nsvg:not(:root) {\n overflow: hidden;\n}\nfigure {\n margin: 1em 40px;\n}\nhr {\n -webkit-box-sizing: content-box;\n -moz-box-sizing: content-box;\n box-sizing: content-box;\n height: 0;\n}\npre {\n overflow: auto;\n}\ncode,\nkbd,\npre,\nsamp {\n font-family: monospace, monospace;\n font-size: 1em;\n}\nbutton,\ninput,\noptgroup,\nselect,\ntextarea {\n color: inherit;\n font: inherit;\n margin: 0;\n}\nbutton {\n overflow: visible;\n}\nbutton,\nselect {\n text-transform: none;\n}\nbutton,\nhtml input[type=\"button\"],\ninput[type=\"reset\"],\ninput[type=\"submit\"] {\n -webkit-appearance: button;\n cursor: pointer;\n}\nbutton[disabled],\nhtml input[disabled] {\n cursor: default;\n}\nbutton::-moz-focus-inner,\ninput::-moz-focus-inner {\n border: 0;\n padding: 0;\n}\ninput {\n line-height: normal;\n}\ninput[type=\"checkbox\"],\ninput[type=\"radio\"] {\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n padding: 0;\n}\ninput[type=\"number\"]::-webkit-inner-spin-button,\ninput[type=\"number\"]::-webkit-outer-spin-button {\n height: auto;\n}\ninput[type=\"search\"] {\n -webkit-appearance: textfield;\n -webkit-box-sizing: content-box;\n -moz-box-sizing: content-box;\n box-sizing: content-box;\n}\ninput[type=\"search\"]::-webkit-search-cancel-button,\ninput[type=\"search\"]::-webkit-search-decoration {\n -webkit-appearance: none;\n}\nfieldset {\n border: 1px solid #c0c0c0;\n margin: 0 2px;\n padding: 0.35em 0.625em 0.75em;\n}\nlegend {\n border: 0;\n padding: 0;\n}\ntextarea {\n overflow: auto;\n}\noptgroup {\n font-weight: bold;\n}\ntable {\n border-collapse: collapse;\n border-spacing: 0;\n}\ntd,\nth {\n padding: 0;\n}\n/*! Source: https://github.com/h5bp/html5-boilerplate/blob/master/src/css/main.css */\n@media print {\n *,\n *:before,\n *: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 a,\n a:visited {\n text-decoration: underline;\n }\n a[href]:after {\n content: \" (\" attr(href) \")\";\n }\n abbr[title]:after {\n content: \" (\" attr(title) \")\";\n }\n a[href^=\"#\"]:after,\n a[href^=\"javascript:\"]:after {\n content: \"\";\n }\n pre,\n blockquote {\n border: 1px solid #999;\n page-break-inside: avoid;\n }\n thead {\n display: table-header-group;\n }\n tr,\n img {\n page-break-inside: avoid;\n }\n img {\n max-width: 100% !important;\n }\n p,\n h2,\n h3 {\n orphans: 3;\n widows: 3;\n }\n h2,\n h3 {\n page-break-after: avoid;\n }\n .navbar {\n display: none;\n }\n .btn > .caret,\n .dropup > .btn > .caret {\n border-top-color: #000 !important;\n }\n .label {\n border: 1px solid #000;\n }\n .table {\n border-collapse: collapse !important;\n }\n .table td,\n .table th {\n background-color: #fff !important;\n }\n .table-bordered th,\n .table-bordered td {\n border: 1px solid #ddd !important;\n }\n}\n@font-face {\n font-family: \"Glyphicons Halflings\";\n src: url(\"../fonts/glyphicons-halflings-regular.eot\");\n src: url(\"../fonts/glyphicons-halflings-regular.eot?#iefix\") format(\"embedded-opentype\"), url(\"../fonts/glyphicons-halflings-regular.woff2\") format(\"woff2\"), url(\"../fonts/glyphicons-halflings-regular.woff\") format(\"woff\"), url(\"../fonts/glyphicons-halflings-regular.ttf\") format(\"truetype\"), url(\"../fonts/glyphicons-halflings-regular.svg#glyphicons_halflingsregular\") format(\"svg\");\n}\n.glyphicon {\n position: relative;\n top: 1px;\n display: inline-block;\n font-family: \"Glyphicons Halflings\";\n font-style: normal;\n font-weight: 400;\n line-height: 1;\n -webkit-font-smoothing: antialiased;\n -moz-osx-font-smoothing: grayscale;\n}\n.glyphicon-asterisk:before {\n content: \"\\002a\";\n}\n.glyphicon-plus:before {\n content: \"\\002b\";\n}\n.glyphicon-euro:before,\n.glyphicon-eur:before {\n content: \"\\20ac\";\n}\n.glyphicon-minus:before {\n content: \"\\2212\";\n}\n.glyphicon-cloud:before {\n content: \"\\2601\";\n}\n.glyphicon-envelope:before {\n content: \"\\2709\";\n}\n.glyphicon-pencil:before {\n content: \"\\270f\";\n}\n.glyphicon-glass:before {\n content: \"\\e001\";\n}\n.glyphicon-music:before {\n content: \"\\e002\";\n}\n.glyphicon-search:before {\n content: \"\\e003\";\n}\n.glyphicon-heart:before {\n content: \"\\e005\";\n}\n.glyphicon-star:before {\n content: \"\\e006\";\n}\n.glyphicon-star-empty:before {\n content: \"\\e007\";\n}\n.glyphicon-user:before {\n content: \"\\e008\";\n}\n.glyphicon-film:before {\n content: \"\\e009\";\n}\n.glyphicon-th-large:before {\n content: \"\\e010\";\n}\n.glyphicon-th:before {\n content: \"\\e011\";\n}\n.glyphicon-th-list:before {\n content: \"\\e012\";\n}\n.glyphicon-ok:before {\n content: \"\\e013\";\n}\n.glyphicon-remove:before {\n content: \"\\e014\";\n}\n.glyphicon-zoom-in:before {\n content: \"\\e015\";\n}\n.glyphicon-zoom-out:before {\n content: \"\\e016\";\n}\n.glyphicon-off:before {\n content: \"\\e017\";\n}\n.glyphicon-signal:before {\n content: \"\\e018\";\n}\n.glyphicon-cog:before {\n content: \"\\e019\";\n}\n.glyphicon-trash:before {\n content: \"\\e020\";\n}\n.glyphicon-home:before {\n content: \"\\e021\";\n}\n.glyphicon-file:before {\n content: \"\\e022\";\n}\n.glyphicon-time:before {\n content: \"\\e023\";\n}\n.glyphicon-road:before {\n content: \"\\e024\";\n}\n.glyphicon-download-alt:before {\n content: \"\\e025\";\n}\n.glyphicon-download:before {\n content: \"\\e026\";\n}\n.glyphicon-upload:before {\n content: \"\\e027\";\n}\n.glyphicon-inbox:before {\n content: \"\\e028\";\n}\n.glyphicon-play-circle:before {\n content: \"\\e029\";\n}\n.glyphicon-repeat:before {\n content: \"\\e030\";\n}\n.glyphicon-refresh:before {\n content: \"\\e031\";\n}\n.glyphicon-list-alt:before {\n content: \"\\e032\";\n}\n.glyphicon-lock:before {\n content: \"\\e033\";\n}\n.glyphicon-flag:before {\n content: \"\\e034\";\n}\n.glyphicon-headphones:before {\n content: \"\\e035\";\n}\n.glyphicon-volume-off:before {\n content: \"\\e036\";\n}\n.glyphicon-volume-down:before {\n content: \"\\e037\";\n}\n.glyphicon-volume-up:before {\n content: \"\\e038\";\n}\n.glyphicon-qrcode:before {\n content: \"\\e039\";\n}\n.glyphicon-barcode:before {\n content: \"\\e040\";\n}\n.glyphicon-tag:before {\n content: \"\\e041\";\n}\n.glyphicon-tags:before {\n content: \"\\e042\";\n}\n.glyphicon-book:before {\n content: \"\\e043\";\n}\n.glyphicon-bookmark:before {\n content: \"\\e044\";\n}\n.glyphicon-print:before {\n content: \"\\e045\";\n}\n.glyphicon-camera:before {\n content: \"\\e046\";\n}\n.glyphicon-font:before {\n content: \"\\e047\";\n}\n.glyphicon-bold:before {\n content: \"\\e048\";\n}\n.glyphicon-italic:before {\n content: \"\\e049\";\n}\n.glyphicon-text-height:before {\n content: \"\\e050\";\n}\n.glyphicon-text-width:before {\n content: \"\\e051\";\n}\n.glyphicon-align-left:before {\n content: \"\\e052\";\n}\n.glyphicon-align-center:before {\n content: \"\\e053\";\n}\n.glyphicon-align-right:before {\n content: \"\\e054\";\n}\n.glyphicon-align-justify:before {\n content: \"\\e055\";\n}\n.glyphicon-list:before {\n content: \"\\e056\";\n}\n.glyphicon-indent-left:before {\n content: \"\\e057\";\n}\n.glyphicon-indent-right:before {\n content: \"\\e058\";\n}\n.glyphicon-facetime-video:before {\n content: \"\\e059\";\n}\n.glyphicon-picture:before {\n content: \"\\e060\";\n}\n.glyphicon-map-marker:before {\n content: \"\\e062\";\n}\n.glyphicon-adjust:before {\n content: \"\\e063\";\n}\n.glyphicon-tint:before {\n content: \"\\e064\";\n}\n.glyphicon-edit:before {\n content: \"\\e065\";\n}\n.glyphicon-share:before {\n content: \"\\e066\";\n}\n.glyphicon-check:before {\n content: \"\\e067\";\n}\n.glyphicon-move:before {\n content: \"\\e068\";\n}\n.glyphicon-step-backward:before {\n content: \"\\e069\";\n}\n.glyphicon-fast-backward:before {\n content: \"\\e070\";\n}\n.glyphicon-backward:before {\n content: \"\\e071\";\n}\n.glyphicon-play:before {\n content: \"\\e072\";\n}\n.glyphicon-pause:before {\n content: \"\\e073\";\n}\n.glyphicon-stop:before {\n content: \"\\e074\";\n}\n.glyphicon-forward:before {\n content: \"\\e075\";\n}\n.glyphicon-fast-forward:before {\n content: \"\\e076\";\n}\n.glyphicon-step-forward:before {\n content: \"\\e077\";\n}\n.glyphicon-eject:before {\n content: \"\\e078\";\n}\n.glyphicon-chevron-left:before {\n content: \"\\e079\";\n}\n.glyphicon-chevron-right:before {\n content: \"\\e080\";\n}\n.glyphicon-plus-sign:before {\n content: \"\\e081\";\n}\n.glyphicon-minus-sign:before {\n content: \"\\e082\";\n}\n.glyphicon-remove-sign:before {\n content: \"\\e083\";\n}\n.glyphicon-ok-sign:before {\n content: \"\\e084\";\n}\n.glyphicon-question-sign:before {\n content: \"\\e085\";\n}\n.glyphicon-info-sign:before {\n content: \"\\e086\";\n}\n.glyphicon-screenshot:before {\n content: \"\\e087\";\n}\n.glyphicon-remove-circle:before {\n content: \"\\e088\";\n}\n.glyphicon-ok-circle:before {\n content: \"\\e089\";\n}\n.glyphicon-ban-circle:before {\n content: \"\\e090\";\n}\n.glyphicon-arrow-left:before {\n content: \"\\e091\";\n}\n.glyphicon-arrow-right:before {\n content: \"\\e092\";\n}\n.glyphicon-arrow-up:before {\n content: \"\\e093\";\n}\n.glyphicon-arrow-down:before {\n content: \"\\e094\";\n}\n.glyphicon-share-alt:before {\n content: \"\\e095\";\n}\n.glyphicon-resize-full:before {\n content: \"\\e096\";\n}\n.glyphicon-resize-small:before {\n content: \"\\e097\";\n}\n.glyphicon-exclamation-sign:before {\n content: \"\\e101\";\n}\n.glyphicon-gift:before {\n content: \"\\e102\";\n}\n.glyphicon-leaf:before {\n content: \"\\e103\";\n}\n.glyphicon-fire:before {\n content: \"\\e104\";\n}\n.glyphicon-eye-open:before {\n content: \"\\e105\";\n}\n.glyphicon-eye-close:before {\n content: \"\\e106\";\n}\n.glyphicon-warning-sign:before {\n content: \"\\e107\";\n}\n.glyphicon-plane:before {\n content: \"\\e108\";\n}\n.glyphicon-calendar:before {\n content: \"\\e109\";\n}\n.glyphicon-random:before {\n content: \"\\e110\";\n}\n.glyphicon-comment:before {\n content: \"\\e111\";\n}\n.glyphicon-magnet:before {\n content: \"\\e112\";\n}\n.glyphicon-chevron-up:before {\n content: \"\\e113\";\n}\n.glyphicon-chevron-down:before {\n content: \"\\e114\";\n}\n.glyphicon-retweet:before {\n content: \"\\e115\";\n}\n.glyphicon-shopping-cart:before {\n content: \"\\e116\";\n}\n.glyphicon-folder-close:before {\n content: \"\\e117\";\n}\n.glyphicon-folder-open:before {\n content: \"\\e118\";\n}\n.glyphicon-resize-vertical:before {\n content: \"\\e119\";\n}\n.glyphicon-resize-horizontal:before {\n content: \"\\e120\";\n}\n.glyphicon-hdd:before {\n content: \"\\e121\";\n}\n.glyphicon-bullhorn:before {\n content: \"\\e122\";\n}\n.glyphicon-bell:before {\n content: \"\\e123\";\n}\n.glyphicon-certificate:before {\n content: \"\\e124\";\n}\n.glyphicon-thumbs-up:before {\n content: \"\\e125\";\n}\n.glyphicon-thumbs-down:before {\n content: \"\\e126\";\n}\n.glyphicon-hand-right:before {\n content: \"\\e127\";\n}\n.glyphicon-hand-left:before {\n content: \"\\e128\";\n}\n.glyphicon-hand-up:before {\n content: \"\\e129\";\n}\n.glyphicon-hand-down:before {\n content: \"\\e130\";\n}\n.glyphicon-circle-arrow-right:before {\n content: \"\\e131\";\n}\n.glyphicon-circle-arrow-left:before {\n content: \"\\e132\";\n}\n.glyphicon-circle-arrow-up:before {\n content: \"\\e133\";\n}\n.glyphicon-circle-arrow-down:before {\n content: \"\\e134\";\n}\n.glyphicon-globe:before {\n content: \"\\e135\";\n}\n.glyphicon-wrench:before {\n content: \"\\e136\";\n}\n.glyphicon-tasks:before {\n content: \"\\e137\";\n}\n.glyphicon-filter:before {\n content: \"\\e138\";\n}\n.glyphicon-briefcase:before {\n content: \"\\e139\";\n}\n.glyphicon-fullscreen:before {\n content: \"\\e140\";\n}\n.glyphicon-dashboard:before {\n content: \"\\e141\";\n}\n.glyphicon-paperclip:before {\n content: \"\\e142\";\n}\n.glyphicon-heart-empty:before {\n content: \"\\e143\";\n}\n.glyphicon-link:before {\n content: \"\\e144\";\n}\n.glyphicon-phone:before {\n content: \"\\e145\";\n}\n.glyphicon-pushpin:before {\n content: \"\\e146\";\n}\n.glyphicon-usd:before {\n content: \"\\e148\";\n}\n.glyphicon-gbp:before {\n content: \"\\e149\";\n}\n.glyphicon-sort:before {\n content: \"\\e150\";\n}\n.glyphicon-sort-by-alphabet:before {\n content: \"\\e151\";\n}\n.glyphicon-sort-by-alphabet-alt:before {\n content: \"\\e152\";\n}\n.glyphicon-sort-by-order:before {\n content: \"\\e153\";\n}\n.glyphicon-sort-by-order-alt:before {\n content: \"\\e154\";\n}\n.glyphicon-sort-by-attributes:before {\n content: \"\\e155\";\n}\n.glyphicon-sort-by-attributes-alt:before {\n content: \"\\e156\";\n}\n.glyphicon-unchecked:before {\n content: \"\\e157\";\n}\n.glyphicon-expand:before {\n content: \"\\e158\";\n}\n.glyphicon-collapse-down:before {\n content: \"\\e159\";\n}\n.glyphicon-collapse-up:before {\n content: \"\\e160\";\n}\n.glyphicon-log-in:before {\n content: \"\\e161\";\n}\n.glyphicon-flash:before {\n content: \"\\e162\";\n}\n.glyphicon-log-out:before {\n content: \"\\e163\";\n}\n.glyphicon-new-window:before {\n content: \"\\e164\";\n}\n.glyphicon-record:before {\n content: \"\\e165\";\n}\n.glyphicon-save:before {\n content: \"\\e166\";\n}\n.glyphicon-open:before {\n content: \"\\e167\";\n}\n.glyphicon-saved:before {\n content: \"\\e168\";\n}\n.glyphicon-import:before {\n content: \"\\e169\";\n}\n.glyphicon-export:before {\n content: \"\\e170\";\n}\n.glyphicon-send:before {\n content: \"\\e171\";\n}\n.glyphicon-floppy-disk:before {\n content: \"\\e172\";\n}\n.glyphicon-floppy-saved:before {\n content: \"\\e173\";\n}\n.glyphicon-floppy-remove:before {\n content: \"\\e174\";\n}\n.glyphicon-floppy-save:before {\n content: \"\\e175\";\n}\n.glyphicon-floppy-open:before {\n content: \"\\e176\";\n}\n.glyphicon-credit-card:before {\n content: \"\\e177\";\n}\n.glyphicon-transfer:before {\n content: \"\\e178\";\n}\n.glyphicon-cutlery:before {\n content: \"\\e179\";\n}\n.glyphicon-header:before {\n content: \"\\e180\";\n}\n.glyphicon-compressed:before {\n content: \"\\e181\";\n}\n.glyphicon-earphone:before {\n content: \"\\e182\";\n}\n.glyphicon-phone-alt:before {\n content: \"\\e183\";\n}\n.glyphicon-tower:before {\n content: \"\\e184\";\n}\n.glyphicon-stats:before {\n content: \"\\e185\";\n}\n.glyphicon-sd-video:before {\n content: \"\\e186\";\n}\n.glyphicon-hd-video:before {\n content: \"\\e187\";\n}\n.glyphicon-subtitles:before {\n content: \"\\e188\";\n}\n.glyphicon-sound-stereo:before {\n content: \"\\e189\";\n}\n.glyphicon-sound-dolby:before {\n content: \"\\e190\";\n}\n.glyphicon-sound-5-1:before {\n content: \"\\e191\";\n}\n.glyphicon-sound-6-1:before {\n content: \"\\e192\";\n}\n.glyphicon-sound-7-1:before {\n content: \"\\e193\";\n}\n.glyphicon-copyright-mark:before {\n content: \"\\e194\";\n}\n.glyphicon-registration-mark:before {\n content: \"\\e195\";\n}\n.glyphicon-cloud-download:before {\n content: \"\\e197\";\n}\n.glyphicon-cloud-upload:before {\n content: \"\\e198\";\n}\n.glyphicon-tree-conifer:before {\n content: \"\\e199\";\n}\n.glyphicon-tree-deciduous:before {\n content: \"\\e200\";\n}\n.glyphicon-cd:before {\n content: \"\\e201\";\n}\n.glyphicon-save-file:before {\n content: \"\\e202\";\n}\n.glyphicon-open-file:before {\n content: \"\\e203\";\n}\n.glyphicon-level-up:before {\n content: \"\\e204\";\n}\n.glyphicon-copy:before {\n content: \"\\e205\";\n}\n.glyphicon-paste:before {\n content: \"\\e206\";\n}\n.glyphicon-alert:before {\n content: \"\\e209\";\n}\n.glyphicon-equalizer:before {\n content: \"\\e210\";\n}\n.glyphicon-king:before {\n content: \"\\e211\";\n}\n.glyphicon-queen:before {\n content: \"\\e212\";\n}\n.glyphicon-pawn:before {\n content: \"\\e213\";\n}\n.glyphicon-bishop:before {\n content: \"\\e214\";\n}\n.glyphicon-knight:before {\n content: \"\\e215\";\n}\n.glyphicon-baby-formula:before {\n content: \"\\e216\";\n}\n.glyphicon-tent:before {\n content: \"\\26fa\";\n}\n.glyphicon-blackboard:before {\n content: \"\\e218\";\n}\n.glyphicon-bed:before {\n content: \"\\e219\";\n}\n.glyphicon-apple:before {\n content: \"\\f8ff\";\n}\n.glyphicon-erase:before {\n content: \"\\e221\";\n}\n.glyphicon-hourglass:before {\n content: \"\\231b\";\n}\n.glyphicon-lamp:before {\n content: \"\\e223\";\n}\n.glyphicon-duplicate:before {\n content: \"\\e224\";\n}\n.glyphicon-piggy-bank:before {\n content: \"\\e225\";\n}\n.glyphicon-scissors:before {\n content: \"\\e226\";\n}\n.glyphicon-bitcoin:before {\n content: \"\\e227\";\n}\n.glyphicon-btc:before {\n content: \"\\e227\";\n}\n.glyphicon-xbt:before {\n content: \"\\e227\";\n}\n.glyphicon-yen:before {\n content: \"\\00a5\";\n}\n.glyphicon-jpy:before {\n content: \"\\00a5\";\n}\n.glyphicon-ruble:before {\n content: \"\\20bd\";\n}\n.glyphicon-rub:before {\n content: \"\\20bd\";\n}\n.glyphicon-scale:before {\n content: \"\\e230\";\n}\n.glyphicon-ice-lolly:before {\n content: \"\\e231\";\n}\n.glyphicon-ice-lolly-tasted:before {\n content: \"\\e232\";\n}\n.glyphicon-education:before {\n content: \"\\e233\";\n}\n.glyphicon-option-horizontal:before {\n content: \"\\e234\";\n}\n.glyphicon-option-vertical:before {\n content: \"\\e235\";\n}\n.glyphicon-menu-hamburger:before {\n content: \"\\e236\";\n}\n.glyphicon-modal-window:before {\n content: \"\\e237\";\n}\n.glyphicon-oil:before {\n content: \"\\e238\";\n}\n.glyphicon-grain:before {\n content: \"\\e239\";\n}\n.glyphicon-sunglasses:before {\n content: \"\\e240\";\n}\n.glyphicon-text-size:before {\n content: \"\\e241\";\n}\n.glyphicon-text-color:before {\n content: \"\\e242\";\n}\n.glyphicon-text-background:before {\n content: \"\\e243\";\n}\n.glyphicon-object-align-top:before {\n content: \"\\e244\";\n}\n.glyphicon-object-align-bottom:before {\n content: \"\\e245\";\n}\n.glyphicon-object-align-horizontal:before {\n content: \"\\e246\";\n}\n.glyphicon-object-align-left:before {\n content: \"\\e247\";\n}\n.glyphicon-object-align-vertical:before {\n content: \"\\e248\";\n}\n.glyphicon-object-align-right:before {\n content: \"\\e249\";\n}\n.glyphicon-triangle-right:before {\n content: \"\\e250\";\n}\n.glyphicon-triangle-left:before {\n content: \"\\e251\";\n}\n.glyphicon-triangle-bottom:before {\n content: \"\\e252\";\n}\n.glyphicon-triangle-top:before {\n content: \"\\e253\";\n}\n.glyphicon-console:before {\n content: \"\\e254\";\n}\n.glyphicon-superscript:before {\n content: \"\\e255\";\n}\n.glyphicon-subscript:before {\n content: \"\\e256\";\n}\n.glyphicon-menu-left:before {\n content: \"\\e257\";\n}\n.glyphicon-menu-right:before {\n content: \"\\e258\";\n}\n.glyphicon-menu-down:before {\n content: \"\\e259\";\n}\n.glyphicon-menu-up:before {\n content: \"\\e260\";\n}\n* {\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n}\n*:before,\n*:after {\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n}\nhtml {\n font-size: 10px;\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\n}\nbody {\n font-family: \"Helvetica Neue\", Helvetica, Arial, sans-serif;\n font-size: 14px;\n line-height: 1.42857143;\n color: #333333;\n background-color: #fff;\n}\ninput,\nbutton,\nselect,\ntextarea {\n font-family: inherit;\n font-size: inherit;\n line-height: inherit;\n}\na {\n color: #337ab7;\n text-decoration: none;\n}\na:hover,\na:focus {\n color: #23527c;\n text-decoration: underline;\n}\na:focus {\n outline: 5px auto -webkit-focus-ring-color;\n outline-offset: -2px;\n}\nfigure {\n margin: 0;\n}\nimg {\n vertical-align: middle;\n}\n.img-responsive,\n.thumbnail > img,\n.thumbnail a > img,\n.carousel-inner > .item > img,\n.carousel-inner > .item > a > img {\n display: block;\n max-width: 100%;\n height: auto;\n}\n.img-rounded {\n border-radius: 6px;\n}\n.img-thumbnail {\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 0.2s ease-in-out;\n -o-transition: all 0.2s ease-in-out;\n transition: all 0.2s ease-in-out;\n display: inline-block;\n max-width: 100%;\n height: auto;\n}\n.img-circle {\n border-radius: 50%;\n}\nhr {\n margin-top: 20px;\n margin-bottom: 20px;\n border: 0;\n border-top: 1px solid #eeeeee;\n}\n.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.sr-only-focusable:active,\n.sr-only-focusable:focus {\n position: static;\n width: auto;\n height: auto;\n margin: 0;\n overflow: visible;\n clip: auto;\n}\n[role=\"button\"] {\n cursor: pointer;\n}\nh1,\nh2,\nh3,\nh4,\nh5,\nh6,\n.h1,\n.h2,\n.h3,\n.h4,\n.h5,\n.h6 {\n font-family: inherit;\n font-weight: 500;\n line-height: 1.1;\n color: inherit;\n}\nh1 small,\nh2 small,\nh3 small,\nh4 small,\nh5 small,\nh6 small,\n.h1 small,\n.h2 small,\n.h3 small,\n.h4 small,\n.h5 small,\n.h6 small,\nh1 .small,\nh2 .small,\nh3 .small,\nh4 .small,\nh5 .small,\nh6 .small,\n.h1 .small,\n.h2 .small,\n.h3 .small,\n.h4 .small,\n.h5 .small,\n.h6 .small {\n font-weight: 400;\n line-height: 1;\n color: #777777;\n}\nh1,\n.h1,\nh2,\n.h2,\nh3,\n.h3 {\n margin-top: 20px;\n margin-bottom: 10px;\n}\nh1 small,\n.h1 small,\nh2 small,\n.h2 small,\nh3 small,\n.h3 small,\nh1 .small,\n.h1 .small,\nh2 .small,\n.h2 .small,\nh3 .small,\n.h3 .small {\n font-size: 65%;\n}\nh4,\n.h4,\nh5,\n.h5,\nh6,\n.h6 {\n margin-top: 10px;\n margin-bottom: 10px;\n}\nh4 small,\n.h4 small,\nh5 small,\n.h5 small,\nh6 small,\n.h6 small,\nh4 .small,\n.h4 .small,\nh5 .small,\n.h5 .small,\nh6 .small,\n.h6 .small {\n font-size: 75%;\n}\nh1,\n.h1 {\n font-size: 36px;\n}\nh2,\n.h2 {\n font-size: 30px;\n}\nh3,\n.h3 {\n font-size: 24px;\n}\nh4,\n.h4 {\n font-size: 18px;\n}\nh5,\n.h5 {\n font-size: 14px;\n}\nh6,\n.h6 {\n font-size: 12px;\n}\np {\n margin: 0 0 10px;\n}\n.lead {\n margin-bottom: 20px;\n font-size: 16px;\n font-weight: 300;\n line-height: 1.4;\n}\n@media (min-width: 768px) {\n .lead {\n font-size: 21px;\n }\n}\nsmall,\n.small {\n font-size: 85%;\n}\nmark,\n.mark {\n padding: 0.2em;\n background-color: #fcf8e3;\n}\n.text-left {\n text-align: left;\n}\n.text-right {\n text-align: right;\n}\n.text-center {\n text-align: center;\n}\n.text-justify {\n text-align: justify;\n}\n.text-nowrap {\n white-space: nowrap;\n}\n.text-lowercase {\n text-transform: lowercase;\n}\n.text-uppercase {\n text-transform: uppercase;\n}\n.text-capitalize {\n text-transform: capitalize;\n}\n.text-muted {\n color: #777777;\n}\n.text-primary {\n color: #337ab7;\n}\na.text-primary:hover,\na.text-primary:focus {\n color: #286090;\n}\n.text-success {\n color: #3c763d;\n}\na.text-success:hover,\na.text-success:focus {\n color: #2b542c;\n}\n.text-info {\n color: #31708f;\n}\na.text-info:hover,\na.text-info:focus {\n color: #245269;\n}\n.text-warning {\n color: #8a6d3b;\n}\na.text-warning:hover,\na.text-warning:focus {\n color: #66512c;\n}\n.text-danger {\n color: #a94442;\n}\na.text-danger:hover,\na.text-danger:focus {\n color: #843534;\n}\n.bg-primary {\n color: #fff;\n background-color: #337ab7;\n}\na.bg-primary:hover,\na.bg-primary:focus {\n background-color: #286090;\n}\n.bg-success {\n background-color: #dff0d8;\n}\na.bg-success:hover,\na.bg-success:focus {\n background-color: #c1e2b3;\n}\n.bg-info {\n background-color: #d9edf7;\n}\na.bg-info:hover,\na.bg-info:focus {\n background-color: #afd9ee;\n}\n.bg-warning {\n background-color: #fcf8e3;\n}\na.bg-warning:hover,\na.bg-warning:focus {\n background-color: #f7ecb5;\n}\n.bg-danger {\n background-color: #f2dede;\n}\na.bg-danger:hover,\na.bg-danger:focus {\n background-color: #e4b9b9;\n}\n.page-header {\n padding-bottom: 9px;\n margin: 40px 0 20px;\n border-bottom: 1px solid #eeeeee;\n}\nul,\nol {\n margin-top: 0;\n margin-bottom: 10px;\n}\nul ul,\nol ul,\nul ol,\nol ol {\n margin-bottom: 0;\n}\n.list-unstyled {\n padding-left: 0;\n list-style: none;\n}\n.list-inline {\n padding-left: 0;\n list-style: none;\n margin-left: -5px;\n}\n.list-inline > li {\n display: inline-block;\n padding-right: 5px;\n padding-left: 5px;\n}\ndl {\n margin-top: 0;\n margin-bottom: 20px;\n}\ndt,\ndd {\n line-height: 1.42857143;\n}\ndt {\n font-weight: 700;\n}\ndd {\n margin-left: 0;\n}\n@media (min-width: 768px) {\n .dl-horizontal dt {\n float: left;\n width: 160px;\n clear: left;\n text-align: right;\n overflow: hidden;\n text-overflow: ellipsis;\n white-space: nowrap;\n }\n .dl-horizontal dd {\n margin-left: 180px;\n }\n}\nabbr[title],\nabbr[data-original-title] {\n cursor: help;\n}\n.initialism {\n font-size: 90%;\n text-transform: uppercase;\n}\nblockquote {\n padding: 10px 20px;\n margin: 0 0 20px;\n font-size: 17.5px;\n border-left: 5px solid #eeeeee;\n}\nblockquote p:last-child,\nblockquote ul:last-child,\nblockquote ol:last-child {\n margin-bottom: 0;\n}\nblockquote footer,\nblockquote small,\nblockquote .small {\n display: block;\n font-size: 80%;\n line-height: 1.42857143;\n color: #777777;\n}\nblockquote footer:before,\nblockquote small:before,\nblockquote .small:before {\n content: \"\\2014 \\00A0\";\n}\n.blockquote-reverse,\nblockquote.pull-right {\n padding-right: 15px;\n padding-left: 0;\n text-align: right;\n border-right: 5px solid #eeeeee;\n border-left: 0;\n}\n.blockquote-reverse footer:before,\nblockquote.pull-right footer:before,\n.blockquote-reverse small:before,\nblockquote.pull-right small:before,\n.blockquote-reverse .small:before,\nblockquote.pull-right .small:before {\n content: \"\";\n}\n.blockquote-reverse footer:after,\nblockquote.pull-right footer:after,\n.blockquote-reverse small:after,\nblockquote.pull-right small:after,\n.blockquote-reverse .small:after,\nblockquote.pull-right .small:after {\n content: \"\\00A0 \\2014\";\n}\naddress {\n margin-bottom: 20px;\n font-style: normal;\n line-height: 1.42857143;\n}\ncode,\nkbd,\npre,\nsamp {\n font-family: Menlo, Monaco, Consolas, \"Courier New\", monospace;\n}\ncode {\n padding: 2px 4px;\n font-size: 90%;\n color: #c7254e;\n background-color: #f9f2f4;\n border-radius: 4px;\n}\nkbd {\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, 0.25);\n box-shadow: inset 0 -1px 0 rgba(0, 0, 0, 0.25);\n}\nkbd kbd {\n padding: 0;\n font-size: 100%;\n font-weight: 700;\n -webkit-box-shadow: none;\n box-shadow: none;\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: #333333;\n word-break: break-all;\n word-wrap: break-word;\n background-color: #f5f5f5;\n border: 1px solid #ccc;\n border-radius: 4px;\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.pre-scrollable {\n max-height: 340px;\n overflow-y: scroll;\n}\n.container {\n padding-right: 15px;\n padding-left: 15px;\n margin-right: auto;\n margin-left: auto;\n}\n@media (min-width: 768px) {\n .container {\n width: 750px;\n }\n}\n@media (min-width: 992px) {\n .container {\n width: 970px;\n }\n}\n@media (min-width: 1200px) {\n .container {\n width: 1170px;\n }\n}\n.container-fluid {\n padding-right: 15px;\n padding-left: 15px;\n margin-right: auto;\n margin-left: auto;\n}\n.row {\n margin-right: -15px;\n margin-left: -15px;\n}\n.row-no-gutters {\n margin-right: 0;\n margin-left: 0;\n}\n.row-no-gutters [class*=\"col-\"] {\n padding-right: 0;\n padding-left: 0;\n}\n.col-xs-1,\n.col-sm-1,\n.col-md-1,\n.col-lg-1,\n.col-xs-2,\n.col-sm-2,\n.col-md-2,\n.col-lg-2,\n.col-xs-3,\n.col-sm-3,\n.col-md-3,\n.col-lg-3,\n.col-xs-4,\n.col-sm-4,\n.col-md-4,\n.col-lg-4,\n.col-xs-5,\n.col-sm-5,\n.col-md-5,\n.col-lg-5,\n.col-xs-6,\n.col-sm-6,\n.col-md-6,\n.col-lg-6,\n.col-xs-7,\n.col-sm-7,\n.col-md-7,\n.col-lg-7,\n.col-xs-8,\n.col-sm-8,\n.col-md-8,\n.col-lg-8,\n.col-xs-9,\n.col-sm-9,\n.col-md-9,\n.col-lg-9,\n.col-xs-10,\n.col-sm-10,\n.col-md-10,\n.col-lg-10,\n.col-xs-11,\n.col-sm-11,\n.col-md-11,\n.col-lg-11,\n.col-xs-12,\n.col-sm-12,\n.col-md-12,\n.col-lg-12 {\n position: relative;\n min-height: 1px;\n padding-right: 15px;\n padding-left: 15px;\n}\n.col-xs-1,\n.col-xs-2,\n.col-xs-3,\n.col-xs-4,\n.col-xs-5,\n.col-xs-6,\n.col-xs-7,\n.col-xs-8,\n.col-xs-9,\n.col-xs-10,\n.col-xs-11,\n.col-xs-12 {\n float: left;\n}\n.col-xs-12 {\n width: 100%;\n}\n.col-xs-11 {\n width: 91.66666667%;\n}\n.col-xs-10 {\n width: 83.33333333%;\n}\n.col-xs-9 {\n width: 75%;\n}\n.col-xs-8 {\n width: 66.66666667%;\n}\n.col-xs-7 {\n width: 58.33333333%;\n}\n.col-xs-6 {\n width: 50%;\n}\n.col-xs-5 {\n width: 41.66666667%;\n}\n.col-xs-4 {\n width: 33.33333333%;\n}\n.col-xs-3 {\n width: 25%;\n}\n.col-xs-2 {\n width: 16.66666667%;\n}\n.col-xs-1 {\n width: 8.33333333%;\n}\n.col-xs-pull-12 {\n right: 100%;\n}\n.col-xs-pull-11 {\n right: 91.66666667%;\n}\n.col-xs-pull-10 {\n right: 83.33333333%;\n}\n.col-xs-pull-9 {\n right: 75%;\n}\n.col-xs-pull-8 {\n right: 66.66666667%;\n}\n.col-xs-pull-7 {\n right: 58.33333333%;\n}\n.col-xs-pull-6 {\n right: 50%;\n}\n.col-xs-pull-5 {\n right: 41.66666667%;\n}\n.col-xs-pull-4 {\n right: 33.33333333%;\n}\n.col-xs-pull-3 {\n right: 25%;\n}\n.col-xs-pull-2 {\n right: 16.66666667%;\n}\n.col-xs-pull-1 {\n right: 8.33333333%;\n}\n.col-xs-pull-0 {\n right: auto;\n}\n.col-xs-push-12 {\n left: 100%;\n}\n.col-xs-push-11 {\n left: 91.66666667%;\n}\n.col-xs-push-10 {\n left: 83.33333333%;\n}\n.col-xs-push-9 {\n left: 75%;\n}\n.col-xs-push-8 {\n left: 66.66666667%;\n}\n.col-xs-push-7 {\n left: 58.33333333%;\n}\n.col-xs-push-6 {\n left: 50%;\n}\n.col-xs-push-5 {\n left: 41.66666667%;\n}\n.col-xs-push-4 {\n left: 33.33333333%;\n}\n.col-xs-push-3 {\n left: 25%;\n}\n.col-xs-push-2 {\n left: 16.66666667%;\n}\n.col-xs-push-1 {\n left: 8.33333333%;\n}\n.col-xs-push-0 {\n left: auto;\n}\n.col-xs-offset-12 {\n margin-left: 100%;\n}\n.col-xs-offset-11 {\n margin-left: 91.66666667%;\n}\n.col-xs-offset-10 {\n margin-left: 83.33333333%;\n}\n.col-xs-offset-9 {\n margin-left: 75%;\n}\n.col-xs-offset-8 {\n margin-left: 66.66666667%;\n}\n.col-xs-offset-7 {\n margin-left: 58.33333333%;\n}\n.col-xs-offset-6 {\n margin-left: 50%;\n}\n.col-xs-offset-5 {\n margin-left: 41.66666667%;\n}\n.col-xs-offset-4 {\n margin-left: 33.33333333%;\n}\n.col-xs-offset-3 {\n margin-left: 25%;\n}\n.col-xs-offset-2 {\n margin-left: 16.66666667%;\n}\n.col-xs-offset-1 {\n margin-left: 8.33333333%;\n}\n.col-xs-offset-0 {\n margin-left: 0%;\n}\n@media (min-width: 768px) {\n .col-sm-1,\n .col-sm-2,\n .col-sm-3,\n .col-sm-4,\n .col-sm-5,\n .col-sm-6,\n .col-sm-7,\n .col-sm-8,\n .col-sm-9,\n .col-sm-10,\n .col-sm-11,\n .col-sm-12 {\n float: left;\n }\n .col-sm-12 {\n width: 100%;\n }\n .col-sm-11 {\n width: 91.66666667%;\n }\n .col-sm-10 {\n width: 83.33333333%;\n }\n .col-sm-9 {\n width: 75%;\n }\n .col-sm-8 {\n width: 66.66666667%;\n }\n .col-sm-7 {\n width: 58.33333333%;\n }\n .col-sm-6 {\n width: 50%;\n }\n .col-sm-5 {\n width: 41.66666667%;\n }\n .col-sm-4 {\n width: 33.33333333%;\n }\n .col-sm-3 {\n width: 25%;\n }\n .col-sm-2 {\n width: 16.66666667%;\n }\n .col-sm-1 {\n width: 8.33333333%;\n }\n .col-sm-pull-12 {\n right: 100%;\n }\n .col-sm-pull-11 {\n right: 91.66666667%;\n }\n .col-sm-pull-10 {\n right: 83.33333333%;\n }\n .col-sm-pull-9 {\n right: 75%;\n }\n .col-sm-pull-8 {\n right: 66.66666667%;\n }\n .col-sm-pull-7 {\n right: 58.33333333%;\n }\n .col-sm-pull-6 {\n right: 50%;\n }\n .col-sm-pull-5 {\n right: 41.66666667%;\n }\n .col-sm-pull-4 {\n right: 33.33333333%;\n }\n .col-sm-pull-3 {\n right: 25%;\n }\n .col-sm-pull-2 {\n right: 16.66666667%;\n }\n .col-sm-pull-1 {\n right: 8.33333333%;\n }\n .col-sm-pull-0 {\n right: auto;\n }\n .col-sm-push-12 {\n left: 100%;\n }\n .col-sm-push-11 {\n left: 91.66666667%;\n }\n .col-sm-push-10 {\n left: 83.33333333%;\n }\n .col-sm-push-9 {\n left: 75%;\n }\n .col-sm-push-8 {\n left: 66.66666667%;\n }\n .col-sm-push-7 {\n left: 58.33333333%;\n }\n .col-sm-push-6 {\n left: 50%;\n }\n .col-sm-push-5 {\n left: 41.66666667%;\n }\n .col-sm-push-4 {\n left: 33.33333333%;\n }\n .col-sm-push-3 {\n left: 25%;\n }\n .col-sm-push-2 {\n left: 16.66666667%;\n }\n .col-sm-push-1 {\n left: 8.33333333%;\n }\n .col-sm-push-0 {\n left: auto;\n }\n .col-sm-offset-12 {\n margin-left: 100%;\n }\n .col-sm-offset-11 {\n margin-left: 91.66666667%;\n }\n .col-sm-offset-10 {\n margin-left: 83.33333333%;\n }\n .col-sm-offset-9 {\n margin-left: 75%;\n }\n .col-sm-offset-8 {\n margin-left: 66.66666667%;\n }\n .col-sm-offset-7 {\n margin-left: 58.33333333%;\n }\n .col-sm-offset-6 {\n margin-left: 50%;\n }\n .col-sm-offset-5 {\n margin-left: 41.66666667%;\n }\n .col-sm-offset-4 {\n margin-left: 33.33333333%;\n }\n .col-sm-offset-3 {\n margin-left: 25%;\n }\n .col-sm-offset-2 {\n margin-left: 16.66666667%;\n }\n .col-sm-offset-1 {\n margin-left: 8.33333333%;\n }\n .col-sm-offset-0 {\n margin-left: 0%;\n }\n}\n@media (min-width: 992px) {\n .col-md-1,\n .col-md-2,\n .col-md-3,\n .col-md-4,\n .col-md-5,\n .col-md-6,\n .col-md-7,\n .col-md-8,\n .col-md-9,\n .col-md-10,\n .col-md-11,\n .col-md-12 {\n float: left;\n }\n .col-md-12 {\n width: 100%;\n }\n .col-md-11 {\n width: 91.66666667%;\n }\n .col-md-10 {\n width: 83.33333333%;\n }\n .col-md-9 {\n width: 75%;\n }\n .col-md-8 {\n width: 66.66666667%;\n }\n .col-md-7 {\n width: 58.33333333%;\n }\n .col-md-6 {\n width: 50%;\n }\n .col-md-5 {\n width: 41.66666667%;\n }\n .col-md-4 {\n width: 33.33333333%;\n }\n .col-md-3 {\n width: 25%;\n }\n .col-md-2 {\n width: 16.66666667%;\n }\n .col-md-1 {\n width: 8.33333333%;\n }\n .col-md-pull-12 {\n right: 100%;\n }\n .col-md-pull-11 {\n right: 91.66666667%;\n }\n .col-md-pull-10 {\n right: 83.33333333%;\n }\n .col-md-pull-9 {\n right: 75%;\n }\n .col-md-pull-8 {\n right: 66.66666667%;\n }\n .col-md-pull-7 {\n right: 58.33333333%;\n }\n .col-md-pull-6 {\n right: 50%;\n }\n .col-md-pull-5 {\n right: 41.66666667%;\n }\n .col-md-pull-4 {\n right: 33.33333333%;\n }\n .col-md-pull-3 {\n right: 25%;\n }\n .col-md-pull-2 {\n right: 16.66666667%;\n }\n .col-md-pull-1 {\n right: 8.33333333%;\n }\n .col-md-pull-0 {\n right: auto;\n }\n .col-md-push-12 {\n left: 100%;\n }\n .col-md-push-11 {\n left: 91.66666667%;\n }\n .col-md-push-10 {\n left: 83.33333333%;\n }\n .col-md-push-9 {\n left: 75%;\n }\n .col-md-push-8 {\n left: 66.66666667%;\n }\n .col-md-push-7 {\n left: 58.33333333%;\n }\n .col-md-push-6 {\n left: 50%;\n }\n .col-md-push-5 {\n left: 41.66666667%;\n }\n .col-md-push-4 {\n left: 33.33333333%;\n }\n .col-md-push-3 {\n left: 25%;\n }\n .col-md-push-2 {\n left: 16.66666667%;\n }\n .col-md-push-1 {\n left: 8.33333333%;\n }\n .col-md-push-0 {\n left: auto;\n }\n .col-md-offset-12 {\n margin-left: 100%;\n }\n .col-md-offset-11 {\n margin-left: 91.66666667%;\n }\n .col-md-offset-10 {\n margin-left: 83.33333333%;\n }\n .col-md-offset-9 {\n margin-left: 75%;\n }\n .col-md-offset-8 {\n margin-left: 66.66666667%;\n }\n .col-md-offset-7 {\n margin-left: 58.33333333%;\n }\n .col-md-offset-6 {\n margin-left: 50%;\n }\n .col-md-offset-5 {\n margin-left: 41.66666667%;\n }\n .col-md-offset-4 {\n margin-left: 33.33333333%;\n }\n .col-md-offset-3 {\n margin-left: 25%;\n }\n .col-md-offset-2 {\n margin-left: 16.66666667%;\n }\n .col-md-offset-1 {\n margin-left: 8.33333333%;\n }\n .col-md-offset-0 {\n margin-left: 0%;\n }\n}\n@media (min-width: 1200px) {\n .col-lg-1,\n .col-lg-2,\n .col-lg-3,\n .col-lg-4,\n .col-lg-5,\n .col-lg-6,\n .col-lg-7,\n .col-lg-8,\n .col-lg-9,\n .col-lg-10,\n .col-lg-11,\n .col-lg-12 {\n float: left;\n }\n .col-lg-12 {\n width: 100%;\n }\n .col-lg-11 {\n width: 91.66666667%;\n }\n .col-lg-10 {\n width: 83.33333333%;\n }\n .col-lg-9 {\n width: 75%;\n }\n .col-lg-8 {\n width: 66.66666667%;\n }\n .col-lg-7 {\n width: 58.33333333%;\n }\n .col-lg-6 {\n width: 50%;\n }\n .col-lg-5 {\n width: 41.66666667%;\n }\n .col-lg-4 {\n width: 33.33333333%;\n }\n .col-lg-3 {\n width: 25%;\n }\n .col-lg-2 {\n width: 16.66666667%;\n }\n .col-lg-1 {\n width: 8.33333333%;\n }\n .col-lg-pull-12 {\n right: 100%;\n }\n .col-lg-pull-11 {\n right: 91.66666667%;\n }\n .col-lg-pull-10 {\n right: 83.33333333%;\n }\n .col-lg-pull-9 {\n right: 75%;\n }\n .col-lg-pull-8 {\n right: 66.66666667%;\n }\n .col-lg-pull-7 {\n right: 58.33333333%;\n }\n .col-lg-pull-6 {\n right: 50%;\n }\n .col-lg-pull-5 {\n right: 41.66666667%;\n }\n .col-lg-pull-4 {\n right: 33.33333333%;\n }\n .col-lg-pull-3 {\n right: 25%;\n }\n .col-lg-pull-2 {\n right: 16.66666667%;\n }\n .col-lg-pull-1 {\n right: 8.33333333%;\n }\n .col-lg-pull-0 {\n right: auto;\n }\n .col-lg-push-12 {\n left: 100%;\n }\n .col-lg-push-11 {\n left: 91.66666667%;\n }\n .col-lg-push-10 {\n left: 83.33333333%;\n }\n .col-lg-push-9 {\n left: 75%;\n }\n .col-lg-push-8 {\n left: 66.66666667%;\n }\n .col-lg-push-7 {\n left: 58.33333333%;\n }\n .col-lg-push-6 {\n left: 50%;\n }\n .col-lg-push-5 {\n left: 41.66666667%;\n }\n .col-lg-push-4 {\n left: 33.33333333%;\n }\n .col-lg-push-3 {\n left: 25%;\n }\n .col-lg-push-2 {\n left: 16.66666667%;\n }\n .col-lg-push-1 {\n left: 8.33333333%;\n }\n .col-lg-push-0 {\n left: auto;\n }\n .col-lg-offset-12 {\n margin-left: 100%;\n }\n .col-lg-offset-11 {\n margin-left: 91.66666667%;\n }\n .col-lg-offset-10 {\n margin-left: 83.33333333%;\n }\n .col-lg-offset-9 {\n margin-left: 75%;\n }\n .col-lg-offset-8 {\n margin-left: 66.66666667%;\n }\n .col-lg-offset-7 {\n margin-left: 58.33333333%;\n }\n .col-lg-offset-6 {\n margin-left: 50%;\n }\n .col-lg-offset-5 {\n margin-left: 41.66666667%;\n }\n .col-lg-offset-4 {\n margin-left: 33.33333333%;\n }\n .col-lg-offset-3 {\n margin-left: 25%;\n }\n .col-lg-offset-2 {\n margin-left: 16.66666667%;\n }\n .col-lg-offset-1 {\n margin-left: 8.33333333%;\n }\n .col-lg-offset-0 {\n margin-left: 0%;\n }\n}\ntable {\n background-color: transparent;\n}\ntable col[class*=\"col-\"] {\n position: static;\n display: table-column;\n float: none;\n}\ntable td[class*=\"col-\"],\ntable th[class*=\"col-\"] {\n position: static;\n display: table-cell;\n float: none;\n}\ncaption {\n padding-top: 8px;\n padding-bottom: 8px;\n color: #777777;\n text-align: left;\n}\nth {\n text-align: left;\n}\n.table {\n width: 100%;\n max-width: 100%;\n margin-bottom: 20px;\n}\n.table > thead > tr > th,\n.table > tbody > tr > th,\n.table > tfoot > tr > th,\n.table > thead > tr > td,\n.table > tbody > tr > td,\n.table > tfoot > tr > td {\n padding: 8px;\n line-height: 1.42857143;\n vertical-align: top;\n border-top: 1px solid #ddd;\n}\n.table > thead > tr > th {\n vertical-align: bottom;\n border-bottom: 2px solid #ddd;\n}\n.table > caption + thead > tr:first-child > th,\n.table > colgroup + thead > tr:first-child > th,\n.table > thead:first-child > tr:first-child > th,\n.table > caption + thead > tr:first-child > td,\n.table > colgroup + thead > tr:first-child > td,\n.table > thead:first-child > tr:first-child > td {\n border-top: 0;\n}\n.table > tbody + tbody {\n border-top: 2px solid #ddd;\n}\n.table .table {\n background-color: #fff;\n}\n.table-condensed > thead > tr > th,\n.table-condensed > tbody > tr > th,\n.table-condensed > tfoot > tr > th,\n.table-condensed > thead > tr > td,\n.table-condensed > tbody > tr > td,\n.table-condensed > tfoot > tr > td {\n padding: 5px;\n}\n.table-bordered {\n border: 1px solid #ddd;\n}\n.table-bordered > thead > tr > th,\n.table-bordered > tbody > tr > th,\n.table-bordered > tfoot > tr > th,\n.table-bordered > thead > tr > td,\n.table-bordered > tbody > tr > td,\n.table-bordered > tfoot > tr > td {\n border: 1px solid #ddd;\n}\n.table-bordered > thead > tr > th,\n.table-bordered > thead > tr > td {\n border-bottom-width: 2px;\n}\n.table-striped > tbody > tr:nth-of-type(odd) {\n background-color: #f9f9f9;\n}\n.table-hover > tbody > tr:hover {\n background-color: #f5f5f5;\n}\n.table > thead > tr > td.active,\n.table > tbody > tr > td.active,\n.table > tfoot > tr > td.active,\n.table > thead > tr > th.active,\n.table > tbody > tr > th.active,\n.table > tfoot > tr > th.active,\n.table > thead > tr.active > td,\n.table > tbody > tr.active > td,\n.table > tfoot > tr.active > td,\n.table > thead > tr.active > th,\n.table > tbody > tr.active > th,\n.table > tfoot > tr.active > th {\n background-color: #f5f5f5;\n}\n.table-hover > tbody > tr > td.active:hover,\n.table-hover > tbody > tr > th.active:hover,\n.table-hover > tbody > tr.active:hover > td,\n.table-hover > tbody > tr:hover > .active,\n.table-hover > tbody > tr.active:hover > th {\n background-color: #e8e8e8;\n}\n.table > thead > tr > td.success,\n.table > tbody > tr > td.success,\n.table > tfoot > tr > td.success,\n.table > thead > tr > th.success,\n.table > tbody > tr > th.success,\n.table > tfoot > tr > th.success,\n.table > thead > tr.success > td,\n.table > tbody > tr.success > td,\n.table > tfoot > tr.success > td,\n.table > thead > tr.success > th,\n.table > tbody > tr.success > th,\n.table > tfoot > tr.success > th {\n background-color: #dff0d8;\n}\n.table-hover > tbody > tr > td.success:hover,\n.table-hover > tbody > tr > th.success:hover,\n.table-hover > tbody > tr.success:hover > td,\n.table-hover > tbody > tr:hover > .success,\n.table-hover > tbody > tr.success:hover > th {\n background-color: #d0e9c6;\n}\n.table > thead > tr > td.info,\n.table > tbody > tr > td.info,\n.table > tfoot > tr > td.info,\n.table > thead > tr > th.info,\n.table > tbody > tr > th.info,\n.table > tfoot > tr > th.info,\n.table > thead > tr.info > td,\n.table > tbody > tr.info > td,\n.table > tfoot > tr.info > td,\n.table > thead > tr.info > th,\n.table > tbody > tr.info > th,\n.table > tfoot > tr.info > th {\n background-color: #d9edf7;\n}\n.table-hover > tbody > tr > td.info:hover,\n.table-hover > tbody > tr > th.info:hover,\n.table-hover > tbody > tr.info:hover > td,\n.table-hover > tbody > tr:hover > .info,\n.table-hover > tbody > tr.info:hover > th {\n background-color: #c4e3f3;\n}\n.table > thead > tr > td.warning,\n.table > tbody > tr > td.warning,\n.table > tfoot > tr > td.warning,\n.table > thead > tr > th.warning,\n.table > tbody > tr > th.warning,\n.table > tfoot > tr > th.warning,\n.table > thead > tr.warning > td,\n.table > tbody > tr.warning > td,\n.table > tfoot > tr.warning > td,\n.table > thead > tr.warning > th,\n.table > tbody > tr.warning > th,\n.table > tfoot > tr.warning > th {\n background-color: #fcf8e3;\n}\n.table-hover > tbody > tr > td.warning:hover,\n.table-hover > tbody > tr > th.warning:hover,\n.table-hover > tbody > tr.warning:hover > td,\n.table-hover > tbody > tr:hover > .warning,\n.table-hover > tbody > tr.warning:hover > th {\n background-color: #faf2cc;\n}\n.table > thead > tr > td.danger,\n.table > tbody > tr > td.danger,\n.table > tfoot > tr > td.danger,\n.table > thead > tr > th.danger,\n.table > tbody > tr > th.danger,\n.table > tfoot > tr > th.danger,\n.table > thead > tr.danger > td,\n.table > tbody > tr.danger > td,\n.table > tfoot > tr.danger > td,\n.table > thead > tr.danger > th,\n.table > tbody > tr.danger > th,\n.table > tfoot > tr.danger > th {\n background-color: #f2dede;\n}\n.table-hover > tbody > tr > td.danger:hover,\n.table-hover > tbody > tr > th.danger:hover,\n.table-hover > tbody > tr.danger:hover > td,\n.table-hover > tbody > tr:hover > .danger,\n.table-hover > tbody > tr.danger:hover > th {\n background-color: #ebcccc;\n}\n.table-responsive {\n min-height: 0.01%;\n overflow-x: auto;\n}\n@media screen and (max-width: 767px) {\n .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 .table-responsive > .table {\n margin-bottom: 0;\n }\n .table-responsive > .table > thead > tr > th,\n .table-responsive > .table > tbody > tr > th,\n .table-responsive > .table > tfoot > tr > th,\n .table-responsive > .table > thead > tr > td,\n .table-responsive > .table > tbody > tr > td,\n .table-responsive > .table > tfoot > tr > td {\n white-space: nowrap;\n }\n .table-responsive > .table-bordered {\n border: 0;\n }\n .table-responsive > .table-bordered > thead > tr > th:first-child,\n .table-responsive > .table-bordered > tbody > tr > th:first-child,\n .table-responsive > .table-bordered > tfoot > tr > th:first-child,\n .table-responsive > .table-bordered > thead > tr > td:first-child,\n .table-responsive > .table-bordered > tbody > tr > td:first-child,\n .table-responsive > .table-bordered > tfoot > tr > td:first-child {\n border-left: 0;\n }\n .table-responsive > .table-bordered > thead > tr > th:last-child,\n .table-responsive > .table-bordered > tbody > tr > th:last-child,\n .table-responsive > .table-bordered > tfoot > tr > th:last-child,\n .table-responsive > .table-bordered > thead > tr > td:last-child,\n .table-responsive > .table-bordered > tbody > tr > td:last-child,\n .table-responsive > .table-bordered > tfoot > tr > td:last-child {\n border-right: 0;\n }\n .table-responsive > .table-bordered > tbody > tr:last-child > th,\n .table-responsive > .table-bordered > tfoot > tr:last-child > th,\n .table-responsive > .table-bordered > tbody > tr:last-child > td,\n .table-responsive > .table-bordered > tfoot > tr:last-child > td {\n border-bottom: 0;\n }\n}\nfieldset {\n min-width: 0;\n padding: 0;\n margin: 0;\n border: 0;\n}\nlegend {\n display: block;\n width: 100%;\n padding: 0;\n margin-bottom: 20px;\n font-size: 21px;\n line-height: inherit;\n color: #333333;\n border: 0;\n border-bottom: 1px solid #e5e5e5;\n}\nlabel {\n display: inline-block;\n max-width: 100%;\n margin-bottom: 5px;\n font-weight: 700;\n}\ninput[type=\"search\"] {\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n -webkit-appearance: none;\n -moz-appearance: none;\n appearance: none;\n}\ninput[type=\"radio\"],\ninput[type=\"checkbox\"] {\n margin: 4px 0 0;\n margin-top: 1px \\9;\n line-height: normal;\n}\ninput[type=\"radio\"][disabled],\ninput[type=\"checkbox\"][disabled],\ninput[type=\"radio\"].disabled,\ninput[type=\"checkbox\"].disabled,\nfieldset[disabled] input[type=\"radio\"],\nfieldset[disabled] input[type=\"checkbox\"] {\n cursor: not-allowed;\n}\ninput[type=\"file\"] {\n display: block;\n}\ninput[type=\"range\"] {\n display: block;\n width: 100%;\n}\nselect[multiple],\nselect[size] {\n height: auto;\n}\ninput[type=\"file\"]:focus,\ninput[type=\"radio\"]:focus,\ninput[type=\"checkbox\"]:focus {\n outline: 5px auto -webkit-focus-ring-color;\n outline-offset: -2px;\n}\noutput {\n display: block;\n padding-top: 7px;\n font-size: 14px;\n line-height: 1.42857143;\n color: #555555;\n}\n.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: #555555;\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, 0.075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n -webkit-transition: border-color ease-in-out .15s, box-shadow ease-in-out .15s;\n -o-transition: border-color ease-in-out .15s, box-shadow ease-in-out .15s;\n -webkit-transition: border-color ease-in-out .15s, -webkit-box-shadow ease-in-out .15s;\n transition: border-color ease-in-out .15s, -webkit-box-shadow ease-in-out .15s;\n 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, -webkit-box-shadow ease-in-out .15s;\n}\n.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, 0.6);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 8px rgba(102, 175, 233, 0.6);\n}\n.form-control::-moz-placeholder {\n color: #999;\n opacity: 1;\n}\n.form-control:-ms-input-placeholder {\n color: #999;\n}\n.form-control::-webkit-input-placeholder {\n color: #999;\n}\n.form-control::-ms-expand {\n background-color: transparent;\n border: 0;\n}\n.form-control[disabled],\n.form-control[readonly],\nfieldset[disabled] .form-control {\n background-color: #eeeeee;\n opacity: 1;\n}\n.form-control[disabled],\nfieldset[disabled] .form-control {\n cursor: not-allowed;\n}\ntextarea.form-control {\n height: auto;\n}\n@media screen and (-webkit-min-device-pixel-ratio: 0) {\n input[type=\"date\"].form-control,\n input[type=\"time\"].form-control,\n input[type=\"datetime-local\"].form-control,\n input[type=\"month\"].form-control {\n line-height: 34px;\n }\n input[type=\"date\"].input-sm,\n input[type=\"time\"].input-sm,\n input[type=\"datetime-local\"].input-sm,\n input[type=\"month\"].input-sm,\n .input-group-sm input[type=\"date\"],\n .input-group-sm input[type=\"time\"],\n .input-group-sm input[type=\"datetime-local\"],\n .input-group-sm input[type=\"month\"] {\n line-height: 30px;\n }\n input[type=\"date\"].input-lg,\n input[type=\"time\"].input-lg,\n input[type=\"datetime-local\"].input-lg,\n input[type=\"month\"].input-lg,\n .input-group-lg input[type=\"date\"],\n .input-group-lg input[type=\"time\"],\n .input-group-lg input[type=\"datetime-local\"],\n .input-group-lg input[type=\"month\"] {\n line-height: 46px;\n }\n}\n.form-group {\n margin-bottom: 15px;\n}\n.radio,\n.checkbox {\n position: relative;\n display: block;\n margin-top: 10px;\n margin-bottom: 10px;\n}\n.radio.disabled label,\n.checkbox.disabled label,\nfieldset[disabled] .radio label,\nfieldset[disabled] .checkbox label {\n cursor: not-allowed;\n}\n.radio label,\n.checkbox label {\n min-height: 20px;\n padding-left: 20px;\n margin-bottom: 0;\n font-weight: 400;\n cursor: pointer;\n}\n.radio input[type=\"radio\"],\n.radio-inline input[type=\"radio\"],\n.checkbox input[type=\"checkbox\"],\n.checkbox-inline input[type=\"checkbox\"] {\n position: absolute;\n margin-top: 4px \\9;\n margin-left: -20px;\n}\n.radio + .radio,\n.checkbox + .checkbox {\n margin-top: -5px;\n}\n.radio-inline,\n.checkbox-inline {\n position: relative;\n display: inline-block;\n padding-left: 20px;\n margin-bottom: 0;\n font-weight: 400;\n vertical-align: middle;\n cursor: pointer;\n}\n.radio-inline.disabled,\n.checkbox-inline.disabled,\nfieldset[disabled] .radio-inline,\nfieldset[disabled] .checkbox-inline {\n cursor: not-allowed;\n}\n.radio-inline + .radio-inline,\n.checkbox-inline + .checkbox-inline {\n margin-top: 0;\n margin-left: 10px;\n}\n.form-control-static {\n min-height: 34px;\n padding-top: 7px;\n padding-bottom: 7px;\n margin-bottom: 0;\n}\n.form-control-static.input-lg,\n.form-control-static.input-sm {\n padding-right: 0;\n padding-left: 0;\n}\n.input-sm {\n height: 30px;\n padding: 5px 10px;\n font-size: 12px;\n line-height: 1.5;\n border-radius: 3px;\n}\nselect.input-sm {\n height: 30px;\n line-height: 30px;\n}\ntextarea.input-sm,\nselect[multiple].input-sm {\n height: auto;\n}\n.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.form-group-sm select.form-control {\n height: 30px;\n line-height: 30px;\n}\n.form-group-sm textarea.form-control,\n.form-group-sm select[multiple].form-control {\n height: auto;\n}\n.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.input-lg {\n height: 46px;\n padding: 10px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n border-radius: 6px;\n}\nselect.input-lg {\n height: 46px;\n line-height: 46px;\n}\ntextarea.input-lg,\nselect[multiple].input-lg {\n height: auto;\n}\n.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.form-group-lg select.form-control {\n height: 46px;\n line-height: 46px;\n}\n.form-group-lg textarea.form-control,\n.form-group-lg select[multiple].form-control {\n height: auto;\n}\n.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.has-feedback {\n position: relative;\n}\n.has-feedback .form-control {\n padding-right: 42.5px;\n}\n.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.input-lg + .form-control-feedback,\n.input-group-lg + .form-control-feedback,\n.form-group-lg .form-control + .form-control-feedback {\n width: 46px;\n height: 46px;\n line-height: 46px;\n}\n.input-sm + .form-control-feedback,\n.input-group-sm + .form-control-feedback,\n.form-group-sm .form-control + .form-control-feedback {\n width: 30px;\n height: 30px;\n line-height: 30px;\n}\n.has-success .help-block,\n.has-success .control-label,\n.has-success .radio,\n.has-success .checkbox,\n.has-success .radio-inline,\n.has-success .checkbox-inline,\n.has-success.radio label,\n.has-success.checkbox label,\n.has-success.radio-inline label,\n.has-success.checkbox-inline label {\n color: #3c763d;\n}\n.has-success .form-control {\n border-color: #3c763d;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n}\n.has-success .form-control:focus {\n border-color: #2b542c;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #67b168;\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #67b168;\n}\n.has-success .input-group-addon {\n color: #3c763d;\n background-color: #dff0d8;\n border-color: #3c763d;\n}\n.has-success .form-control-feedback {\n color: #3c763d;\n}\n.has-warning .help-block,\n.has-warning .control-label,\n.has-warning .radio,\n.has-warning .checkbox,\n.has-warning .radio-inline,\n.has-warning .checkbox-inline,\n.has-warning.radio label,\n.has-warning.checkbox label,\n.has-warning.radio-inline label,\n.has-warning.checkbox-inline label {\n color: #8a6d3b;\n}\n.has-warning .form-control {\n border-color: #8a6d3b;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n}\n.has-warning .form-control:focus {\n border-color: #66512c;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #c0a16b;\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #c0a16b;\n}\n.has-warning .input-group-addon {\n color: #8a6d3b;\n background-color: #fcf8e3;\n border-color: #8a6d3b;\n}\n.has-warning .form-control-feedback {\n color: #8a6d3b;\n}\n.has-error .help-block,\n.has-error .control-label,\n.has-error .radio,\n.has-error .checkbox,\n.has-error .radio-inline,\n.has-error .checkbox-inline,\n.has-error.radio label,\n.has-error.checkbox label,\n.has-error.radio-inline label,\n.has-error.checkbox-inline label {\n color: #a94442;\n}\n.has-error .form-control {\n border-color: #a94442;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);\n}\n.has-error .form-control:focus {\n border-color: #843534;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #ce8483;\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #ce8483;\n}\n.has-error .input-group-addon {\n color: #a94442;\n background-color: #f2dede;\n border-color: #a94442;\n}\n.has-error .form-control-feedback {\n color: #a94442;\n}\n.has-feedback label ~ .form-control-feedback {\n top: 25px;\n}\n.has-feedback label.sr-only ~ .form-control-feedback {\n top: 0;\n}\n.help-block {\n display: block;\n margin-top: 5px;\n margin-bottom: 10px;\n color: #737373;\n}\n@media (min-width: 768px) {\n .form-inline .form-group {\n display: inline-block;\n margin-bottom: 0;\n vertical-align: middle;\n }\n .form-inline .form-control {\n display: inline-block;\n width: auto;\n vertical-align: middle;\n }\n .form-inline .form-control-static {\n display: inline-block;\n }\n .form-inline .input-group {\n display: inline-table;\n vertical-align: middle;\n }\n .form-inline .input-group .input-group-addon,\n .form-inline .input-group .input-group-btn,\n .form-inline .input-group .form-control {\n width: auto;\n }\n .form-inline .input-group > .form-control {\n width: 100%;\n }\n .form-inline .control-label {\n margin-bottom: 0;\n vertical-align: middle;\n }\n .form-inline .radio,\n .form-inline .checkbox {\n display: inline-block;\n margin-top: 0;\n margin-bottom: 0;\n vertical-align: middle;\n }\n .form-inline .radio label,\n .form-inline .checkbox label {\n padding-left: 0;\n }\n .form-inline .radio input[type=\"radio\"],\n .form-inline .checkbox input[type=\"checkbox\"] {\n position: relative;\n margin-left: 0;\n }\n .form-inline .has-feedback .form-control-feedback {\n top: 0;\n }\n}\n.form-horizontal .radio,\n.form-horizontal .checkbox,\n.form-horizontal .radio-inline,\n.form-horizontal .checkbox-inline {\n padding-top: 7px;\n margin-top: 0;\n margin-bottom: 0;\n}\n.form-horizontal .radio,\n.form-horizontal .checkbox {\n min-height: 27px;\n}\n.form-horizontal .form-group {\n margin-right: -15px;\n margin-left: -15px;\n}\n@media (min-width: 768px) {\n .form-horizontal .control-label {\n padding-top: 7px;\n margin-bottom: 0;\n text-align: right;\n }\n}\n.form-horizontal .has-feedback .form-control-feedback {\n right: 15px;\n}\n@media (min-width: 768px) {\n .form-horizontal .form-group-lg .control-label {\n padding-top: 11px;\n font-size: 18px;\n }\n}\n@media (min-width: 768px) {\n .form-horizontal .form-group-sm .control-label {\n padding-top: 6px;\n font-size: 12px;\n }\n}\n.btn {\n display: inline-block;\n margin-bottom: 0;\n font-weight: normal;\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 background-image: none;\n border: 1px solid transparent;\n padding: 6px 12px;\n font-size: 14px;\n line-height: 1.42857143;\n border-radius: 4px;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n.btn:focus,\n.btn:active:focus,\n.btn.active:focus,\n.btn.focus,\n.btn:active.focus,\n.btn.active.focus {\n outline: 5px auto -webkit-focus-ring-color;\n outline-offset: -2px;\n}\n.btn:hover,\n.btn:focus,\n.btn.focus {\n color: #333;\n text-decoration: none;\n}\n.btn:active,\n.btn.active {\n background-image: none;\n outline: 0;\n -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n}\n.btn.disabled,\n.btn[disabled],\nfieldset[disabled] .btn {\n cursor: not-allowed;\n filter: alpha(opacity=65);\n opacity: 0.65;\n -webkit-box-shadow: none;\n box-shadow: none;\n}\na.btn.disabled,\nfieldset[disabled] a.btn {\n pointer-events: none;\n}\n.btn-default {\n color: #333;\n background-color: #fff;\n border-color: #ccc;\n}\n.btn-default:focus,\n.btn-default.focus {\n color: #333;\n background-color: #e6e6e6;\n border-color: #8c8c8c;\n}\n.btn-default:hover {\n color: #333;\n background-color: #e6e6e6;\n border-color: #adadad;\n}\n.btn-default:active,\n.btn-default.active,\n.open > .dropdown-toggle.btn-default {\n color: #333;\n background-color: #e6e6e6;\n background-image: none;\n border-color: #adadad;\n}\n.btn-default:active:hover,\n.btn-default.active:hover,\n.open > .dropdown-toggle.btn-default:hover,\n.btn-default:active:focus,\n.btn-default.active:focus,\n.open > .dropdown-toggle.btn-default:focus,\n.btn-default:active.focus,\n.btn-default.active.focus,\n.open > .dropdown-toggle.btn-default.focus {\n color: #333;\n background-color: #d4d4d4;\n border-color: #8c8c8c;\n}\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 background-color: #fff;\n border-color: #ccc;\n}\n.btn-default .badge {\n color: #fff;\n background-color: #333;\n}\n.btn-primary {\n color: #fff;\n background-color: #337ab7;\n border-color: #2e6da4;\n}\n.btn-primary:focus,\n.btn-primary.focus {\n color: #fff;\n background-color: #286090;\n border-color: #122b40;\n}\n.btn-primary:hover {\n color: #fff;\n background-color: #286090;\n border-color: #204d74;\n}\n.btn-primary:active,\n.btn-primary.active,\n.open > .dropdown-toggle.btn-primary {\n color: #fff;\n background-color: #286090;\n background-image: none;\n border-color: #204d74;\n}\n.btn-primary:active:hover,\n.btn-primary.active:hover,\n.open > .dropdown-toggle.btn-primary:hover,\n.btn-primary:active:focus,\n.btn-primary.active:focus,\n.open > .dropdown-toggle.btn-primary:focus,\n.btn-primary:active.focus,\n.btn-primary.active.focus,\n.open > .dropdown-toggle.btn-primary.focus {\n color: #fff;\n background-color: #204d74;\n border-color: #122b40;\n}\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 background-color: #337ab7;\n border-color: #2e6da4;\n}\n.btn-primary .badge {\n color: #337ab7;\n background-color: #fff;\n}\n.btn-success {\n color: #fff;\n background-color: #5cb85c;\n border-color: #4cae4c;\n}\n.btn-success:focus,\n.btn-success.focus {\n color: #fff;\n background-color: #449d44;\n border-color: #255625;\n}\n.btn-success:hover {\n color: #fff;\n background-color: #449d44;\n border-color: #398439;\n}\n.btn-success:active,\n.btn-success.active,\n.open > .dropdown-toggle.btn-success {\n color: #fff;\n background-color: #449d44;\n background-image: none;\n border-color: #398439;\n}\n.btn-success:active:hover,\n.btn-success.active:hover,\n.open > .dropdown-toggle.btn-success:hover,\n.btn-success:active:focus,\n.btn-success.active:focus,\n.open > .dropdown-toggle.btn-success:focus,\n.btn-success:active.focus,\n.btn-success.active.focus,\n.open > .dropdown-toggle.btn-success.focus {\n color: #fff;\n background-color: #398439;\n border-color: #255625;\n}\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 background-color: #5cb85c;\n border-color: #4cae4c;\n}\n.btn-success .badge {\n color: #5cb85c;\n background-color: #fff;\n}\n.btn-info {\n color: #fff;\n background-color: #5bc0de;\n border-color: #46b8da;\n}\n.btn-info:focus,\n.btn-info.focus {\n color: #fff;\n background-color: #31b0d5;\n border-color: #1b6d85;\n}\n.btn-info:hover {\n color: #fff;\n background-color: #31b0d5;\n border-color: #269abc;\n}\n.btn-info:active,\n.btn-info.active,\n.open > .dropdown-toggle.btn-info {\n color: #fff;\n background-color: #31b0d5;\n background-image: none;\n border-color: #269abc;\n}\n.btn-info:active:hover,\n.btn-info.active:hover,\n.open > .dropdown-toggle.btn-info:hover,\n.btn-info:active:focus,\n.btn-info.active:focus,\n.open > .dropdown-toggle.btn-info:focus,\n.btn-info:active.focus,\n.btn-info.active.focus,\n.open > .dropdown-toggle.btn-info.focus {\n color: #fff;\n background-color: #269abc;\n border-color: #1b6d85;\n}\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 background-color: #5bc0de;\n border-color: #46b8da;\n}\n.btn-info .badge {\n color: #5bc0de;\n background-color: #fff;\n}\n.btn-warning {\n color: #fff;\n background-color: #f0ad4e;\n border-color: #eea236;\n}\n.btn-warning:focus,\n.btn-warning.focus {\n color: #fff;\n background-color: #ec971f;\n border-color: #985f0d;\n}\n.btn-warning:hover {\n color: #fff;\n background-color: #ec971f;\n border-color: #d58512;\n}\n.btn-warning:active,\n.btn-warning.active,\n.open > .dropdown-toggle.btn-warning {\n color: #fff;\n background-color: #ec971f;\n background-image: none;\n border-color: #d58512;\n}\n.btn-warning:active:hover,\n.btn-warning.active:hover,\n.open > .dropdown-toggle.btn-warning:hover,\n.btn-warning:active:focus,\n.btn-warning.active:focus,\n.open > .dropdown-toggle.btn-warning:focus,\n.btn-warning:active.focus,\n.btn-warning.active.focus,\n.open > .dropdown-toggle.btn-warning.focus {\n color: #fff;\n background-color: #d58512;\n border-color: #985f0d;\n}\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 background-color: #f0ad4e;\n border-color: #eea236;\n}\n.btn-warning .badge {\n color: #f0ad4e;\n background-color: #fff;\n}\n.btn-danger {\n color: #fff;\n background-color: #d9534f;\n border-color: #d43f3a;\n}\n.btn-danger:focus,\n.btn-danger.focus {\n color: #fff;\n background-color: #c9302c;\n border-color: #761c19;\n}\n.btn-danger:hover {\n color: #fff;\n background-color: #c9302c;\n border-color: #ac2925;\n}\n.btn-danger:active,\n.btn-danger.active,\n.open > .dropdown-toggle.btn-danger {\n color: #fff;\n background-color: #c9302c;\n background-image: none;\n border-color: #ac2925;\n}\n.btn-danger:active:hover,\n.btn-danger.active:hover,\n.open > .dropdown-toggle.btn-danger:hover,\n.btn-danger:active:focus,\n.btn-danger.active:focus,\n.open > .dropdown-toggle.btn-danger:focus,\n.btn-danger:active.focus,\n.btn-danger.active.focus,\n.open > .dropdown-toggle.btn-danger.focus {\n color: #fff;\n background-color: #ac2925;\n border-color: #761c19;\n}\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 background-color: #d9534f;\n border-color: #d43f3a;\n}\n.btn-danger .badge {\n color: #d9534f;\n background-color: #fff;\n}\n.btn-link {\n font-weight: 400;\n color: #337ab7;\n border-radius: 0;\n}\n.btn-link,\n.btn-link:active,\n.btn-link.active,\n.btn-link[disabled],\nfieldset[disabled] .btn-link {\n background-color: transparent;\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n.btn-link,\n.btn-link:hover,\n.btn-link:focus,\n.btn-link:active {\n border-color: transparent;\n}\n.btn-link:hover,\n.btn-link:focus {\n color: #23527c;\n text-decoration: underline;\n background-color: transparent;\n}\n.btn-link[disabled]:hover,\nfieldset[disabled] .btn-link:hover,\n.btn-link[disabled]:focus,\nfieldset[disabled] .btn-link:focus {\n color: #777777;\n text-decoration: none;\n}\n.btn-lg,\n.btn-group-lg > .btn {\n padding: 10px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n border-radius: 6px;\n}\n.btn-sm,\n.btn-group-sm > .btn {\n padding: 5px 10px;\n font-size: 12px;\n line-height: 1.5;\n border-radius: 3px;\n}\n.btn-xs,\n.btn-group-xs > .btn {\n padding: 1px 5px;\n font-size: 12px;\n line-height: 1.5;\n border-radius: 3px;\n}\n.btn-block {\n display: block;\n width: 100%;\n}\n.btn-block + .btn-block {\n margin-top: 5px;\n}\ninput[type=\"submit\"].btn-block,\ninput[type=\"reset\"].btn-block,\ninput[type=\"button\"].btn-block {\n width: 100%;\n}\n.fade {\n opacity: 0;\n -webkit-transition: opacity 0.15s linear;\n -o-transition: opacity 0.15s linear;\n transition: opacity 0.15s linear;\n}\n.fade.in {\n opacity: 1;\n}\n.collapse {\n display: none;\n}\n.collapse.in {\n display: block;\n}\ntr.collapse.in {\n display: table-row;\n}\ntbody.collapse.in {\n display: table-row-group;\n}\n.collapsing {\n position: relative;\n height: 0;\n overflow: hidden;\n -webkit-transition-property: height, visibility;\n -o-transition-property: height, visibility;\n transition-property: height, visibility;\n -webkit-transition-duration: 0.35s;\n -o-transition-duration: 0.35s;\n transition-duration: 0.35s;\n -webkit-transition-timing-function: ease;\n -o-transition-timing-function: ease;\n transition-timing-function: ease;\n}\n.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.dropup,\n.dropdown {\n position: relative;\n}\n.dropdown-toggle:focus {\n outline: 0;\n}\n.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 background-clip: padding-box;\n border: 1px solid #ccc;\n border: 1px solid rgba(0, 0, 0, 0.15);\n border-radius: 4px;\n -webkit-box-shadow: 0 6px 12px rgba(0, 0, 0, 0.175);\n box-shadow: 0 6px 12px rgba(0, 0, 0, 0.175);\n}\n.dropdown-menu.pull-right {\n right: 0;\n left: auto;\n}\n.dropdown-menu .divider {\n height: 1px;\n margin: 9px 0;\n overflow: hidden;\n background-color: #e5e5e5;\n}\n.dropdown-menu > li > a {\n display: block;\n padding: 3px 20px;\n clear: both;\n font-weight: 400;\n line-height: 1.42857143;\n color: #333333;\n white-space: nowrap;\n}\n.dropdown-menu > li > a:hover,\n.dropdown-menu > li > a:focus {\n color: #262626;\n text-decoration: none;\n background-color: #f5f5f5;\n}\n.dropdown-menu > .active > a,\n.dropdown-menu > .active > a:hover,\n.dropdown-menu > .active > a:focus {\n color: #fff;\n text-decoration: none;\n background-color: #337ab7;\n outline: 0;\n}\n.dropdown-menu > .disabled > a,\n.dropdown-menu > .disabled > a:hover,\n.dropdown-menu > .disabled > a:focus {\n color: #777777;\n}\n.dropdown-menu > .disabled > a:hover,\n.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.open > .dropdown-menu {\n display: block;\n}\n.open > a {\n outline: 0;\n}\n.dropdown-menu-right {\n right: 0;\n left: auto;\n}\n.dropdown-menu-left {\n right: auto;\n left: 0;\n}\n.dropdown-header {\n display: block;\n padding: 3px 20px;\n font-size: 12px;\n line-height: 1.42857143;\n color: #777777;\n white-space: nowrap;\n}\n.dropdown-backdrop {\n position: fixed;\n top: 0;\n right: 0;\n bottom: 0;\n left: 0;\n z-index: 990;\n}\n.pull-right > .dropdown-menu {\n right: 0;\n left: auto;\n}\n.dropup .caret,\n.navbar-fixed-bottom .dropdown .caret {\n content: \"\";\n border-top: 0;\n border-bottom: 4px dashed;\n border-bottom: 4px solid \\9;\n}\n.dropup .dropdown-menu,\n.navbar-fixed-bottom .dropdown .dropdown-menu {\n top: auto;\n bottom: 100%;\n margin-bottom: 2px;\n}\n@media (min-width: 768px) {\n .navbar-right .dropdown-menu {\n right: 0;\n left: auto;\n }\n .navbar-right .dropdown-menu-left {\n right: auto;\n left: 0;\n }\n}\n.btn-group,\n.btn-group-vertical {\n position: relative;\n display: inline-block;\n vertical-align: middle;\n}\n.btn-group > .btn,\n.btn-group-vertical > .btn {\n position: relative;\n float: left;\n}\n.btn-group > .btn:hover,\n.btn-group-vertical > .btn:hover,\n.btn-group > .btn:focus,\n.btn-group-vertical > .btn:focus,\n.btn-group > .btn:active,\n.btn-group-vertical > .btn:active,\n.btn-group > .btn.active,\n.btn-group-vertical > .btn.active {\n z-index: 2;\n}\n.btn-group .btn + .btn,\n.btn-group .btn + .btn-group,\n.btn-group .btn-group + .btn,\n.btn-group .btn-group + .btn-group {\n margin-left: -1px;\n}\n.btn-toolbar {\n margin-left: -5px;\n}\n.btn-toolbar .btn,\n.btn-toolbar .btn-group,\n.btn-toolbar .input-group {\n float: left;\n}\n.btn-toolbar > .btn,\n.btn-toolbar > .btn-group,\n.btn-toolbar > .input-group {\n margin-left: 5px;\n}\n.btn-group > .btn:not(:first-child):not(:last-child):not(.dropdown-toggle) {\n border-radius: 0;\n}\n.btn-group > .btn:first-child {\n margin-left: 0;\n}\n.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.btn-group > .btn:last-child:not(:first-child),\n.btn-group > .dropdown-toggle:not(:first-child) {\n border-top-left-radius: 0;\n border-bottom-left-radius: 0;\n}\n.btn-group > .btn-group {\n float: left;\n}\n.btn-group > .btn-group:not(:first-child):not(:last-child) > .btn {\n border-radius: 0;\n}\n.btn-group > .btn-group:first-child:not(:last-child) > .btn:last-child,\n.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.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.btn-group .dropdown-toggle:active,\n.btn-group.open .dropdown-toggle {\n outline: 0;\n}\n.btn-group > .btn + .dropdown-toggle {\n padding-right: 8px;\n padding-left: 8px;\n}\n.btn-group > .btn-lg + .dropdown-toggle {\n padding-right: 12px;\n padding-left: 12px;\n}\n.btn-group.open .dropdown-toggle {\n -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n}\n.btn-group.open .dropdown-toggle.btn-link {\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n.btn .caret {\n margin-left: 0;\n}\n.btn-lg .caret {\n border-width: 5px 5px 0;\n border-bottom-width: 0;\n}\n.dropup .btn-lg .caret {\n border-width: 0 5px 5px;\n}\n.btn-group-vertical > .btn,\n.btn-group-vertical > .btn-group,\n.btn-group-vertical > .btn-group > .btn {\n display: block;\n float: none;\n width: 100%;\n max-width: 100%;\n}\n.btn-group-vertical > .btn-group > .btn {\n float: none;\n}\n.btn-group-vertical > .btn + .btn,\n.btn-group-vertical > .btn + .btn-group,\n.btn-group-vertical > .btn-group + .btn,\n.btn-group-vertical > .btn-group + .btn-group {\n margin-top: -1px;\n margin-left: 0;\n}\n.btn-group-vertical > .btn:not(:first-child):not(:last-child) {\n border-radius: 0;\n}\n.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.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.btn-group-vertical > .btn-group:not(:first-child):not(:last-child) > .btn {\n border-radius: 0;\n}\n.btn-group-vertical > .btn-group:first-child:not(:last-child) > .btn:last-child,\n.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.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.btn-group-justified {\n display: table;\n width: 100%;\n table-layout: fixed;\n border-collapse: separate;\n}\n.btn-group-justified > .btn,\n.btn-group-justified > .btn-group {\n display: table-cell;\n float: none;\n width: 1%;\n}\n.btn-group-justified > .btn-group .btn {\n width: 100%;\n}\n.btn-group-justified > .btn-group .dropdown-menu {\n left: auto;\n}\n[data-toggle=\"buttons\"] > .btn input[type=\"radio\"],\n[data-toggle=\"buttons\"] > .btn-group > .btn input[type=\"radio\"],\n[data-toggle=\"buttons\"] > .btn input[type=\"checkbox\"],\n[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.input-group {\n position: relative;\n display: table;\n border-collapse: separate;\n}\n.input-group[class*=\"col-\"] {\n float: none;\n padding-right: 0;\n padding-left: 0;\n}\n.input-group .form-control {\n position: relative;\n z-index: 2;\n float: left;\n width: 100%;\n margin-bottom: 0;\n}\n.input-group .form-control:focus {\n z-index: 3;\n}\n.input-group-lg > .form-control,\n.input-group-lg > .input-group-addon,\n.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}\nselect.input-group-lg > .form-control,\nselect.input-group-lg > .input-group-addon,\nselect.input-group-lg > .input-group-btn > .btn {\n height: 46px;\n line-height: 46px;\n}\ntextarea.input-group-lg > .form-control,\ntextarea.input-group-lg > .input-group-addon,\ntextarea.input-group-lg > .input-group-btn > .btn,\nselect[multiple].input-group-lg > .form-control,\nselect[multiple].input-group-lg > .input-group-addon,\nselect[multiple].input-group-lg > .input-group-btn > .btn {\n height: auto;\n}\n.input-group-sm > .form-control,\n.input-group-sm > .input-group-addon,\n.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}\nselect.input-group-sm > .form-control,\nselect.input-group-sm > .input-group-addon,\nselect.input-group-sm > .input-group-btn > .btn {\n height: 30px;\n line-height: 30px;\n}\ntextarea.input-group-sm > .form-control,\ntextarea.input-group-sm > .input-group-addon,\ntextarea.input-group-sm > .input-group-btn > .btn,\nselect[multiple].input-group-sm > .form-control,\nselect[multiple].input-group-sm > .input-group-addon,\nselect[multiple].input-group-sm > .input-group-btn > .btn {\n height: auto;\n}\n.input-group-addon,\n.input-group-btn,\n.input-group .form-control {\n display: table-cell;\n}\n.input-group-addon:not(:first-child):not(:last-child),\n.input-group-btn:not(:first-child):not(:last-child),\n.input-group .form-control:not(:first-child):not(:last-child) {\n border-radius: 0;\n}\n.input-group-addon,\n.input-group-btn {\n width: 1%;\n white-space: nowrap;\n vertical-align: middle;\n}\n.input-group-addon {\n padding: 6px 12px;\n font-size: 14px;\n font-weight: 400;\n line-height: 1;\n color: #555555;\n text-align: center;\n background-color: #eeeeee;\n border: 1px solid #ccc;\n border-radius: 4px;\n}\n.input-group-addon.input-sm {\n padding: 5px 10px;\n font-size: 12px;\n border-radius: 3px;\n}\n.input-group-addon.input-lg {\n padding: 10px 16px;\n font-size: 18px;\n border-radius: 6px;\n}\n.input-group-addon input[type=\"radio\"],\n.input-group-addon input[type=\"checkbox\"] {\n margin-top: 0;\n}\n.input-group .form-control:first-child,\n.input-group-addon:first-child,\n.input-group-btn:first-child > .btn,\n.input-group-btn:first-child > .btn-group > .btn,\n.input-group-btn:first-child > .dropdown-toggle,\n.input-group-btn:last-child > .btn:not(:last-child):not(.dropdown-toggle),\n.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.input-group-addon:first-child {\n border-right: 0;\n}\n.input-group .form-control:last-child,\n.input-group-addon:last-child,\n.input-group-btn:last-child > .btn,\n.input-group-btn:last-child > .btn-group > .btn,\n.input-group-btn:last-child > .dropdown-toggle,\n.input-group-btn:first-child > .btn:not(:first-child),\n.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.input-group-addon:last-child {\n border-left: 0;\n}\n.input-group-btn {\n position: relative;\n font-size: 0;\n white-space: nowrap;\n}\n.input-group-btn > .btn {\n position: relative;\n}\n.input-group-btn > .btn + .btn {\n margin-left: -1px;\n}\n.input-group-btn > .btn:hover,\n.input-group-btn > .btn:focus,\n.input-group-btn > .btn:active {\n z-index: 2;\n}\n.input-group-btn:first-child > .btn,\n.input-group-btn:first-child > .btn-group {\n margin-right: -1px;\n}\n.input-group-btn:last-child > .btn,\n.input-group-btn:last-child > .btn-group {\n z-index: 2;\n margin-left: -1px;\n}\n.nav {\n padding-left: 0;\n margin-bottom: 0;\n list-style: none;\n}\n.nav > li {\n position: relative;\n display: block;\n}\n.nav > li > a {\n position: relative;\n display: block;\n padding: 10px 15px;\n}\n.nav > li > a:hover,\n.nav > li > a:focus {\n text-decoration: none;\n background-color: #eeeeee;\n}\n.nav > li.disabled > a {\n color: #777777;\n}\n.nav > li.disabled > a:hover,\n.nav > li.disabled > a:focus {\n color: #777777;\n text-decoration: none;\n cursor: not-allowed;\n background-color: transparent;\n}\n.nav .open > a,\n.nav .open > a:hover,\n.nav .open > a:focus {\n background-color: #eeeeee;\n border-color: #337ab7;\n}\n.nav .nav-divider {\n height: 1px;\n margin: 9px 0;\n overflow: hidden;\n background-color: #e5e5e5;\n}\n.nav > li > a > img {\n max-width: none;\n}\n.nav-tabs {\n border-bottom: 1px solid #ddd;\n}\n.nav-tabs > li {\n float: left;\n margin-bottom: -1px;\n}\n.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.nav-tabs > li > a:hover {\n border-color: #eeeeee #eeeeee #ddd;\n}\n.nav-tabs > li.active > a,\n.nav-tabs > li.active > a:hover,\n.nav-tabs > li.active > a:focus {\n color: #555555;\n cursor: default;\n background-color: #fff;\n border: 1px solid #ddd;\n border-bottom-color: transparent;\n}\n.nav-tabs.nav-justified {\n width: 100%;\n border-bottom: 0;\n}\n.nav-tabs.nav-justified > li {\n float: none;\n}\n.nav-tabs.nav-justified > li > a {\n margin-bottom: 5px;\n text-align: center;\n}\n.nav-tabs.nav-justified > .dropdown .dropdown-menu {\n top: auto;\n left: auto;\n}\n@media (min-width: 768px) {\n .nav-tabs.nav-justified > li {\n display: table-cell;\n width: 1%;\n }\n .nav-tabs.nav-justified > li > a {\n margin-bottom: 0;\n }\n}\n.nav-tabs.nav-justified > li > a {\n margin-right: 0;\n border-radius: 4px;\n}\n.nav-tabs.nav-justified > .active > a,\n.nav-tabs.nav-justified > .active > a:hover,\n.nav-tabs.nav-justified > .active > a:focus {\n border: 1px solid #ddd;\n}\n@media (min-width: 768px) {\n .nav-tabs.nav-justified > li > a {\n border-bottom: 1px solid #ddd;\n border-radius: 4px 4px 0 0;\n }\n .nav-tabs.nav-justified > .active > a,\n .nav-tabs.nav-justified > .active > a:hover,\n .nav-tabs.nav-justified > .active > a:focus {\n border-bottom-color: #fff;\n }\n}\n.nav-pills > li {\n float: left;\n}\n.nav-pills > li > a {\n border-radius: 4px;\n}\n.nav-pills > li + li {\n margin-left: 2px;\n}\n.nav-pills > li.active > a,\n.nav-pills > li.active > a:hover,\n.nav-pills > li.active > a:focus {\n color: #fff;\n background-color: #337ab7;\n}\n.nav-stacked > li {\n float: none;\n}\n.nav-stacked > li + li {\n margin-top: 2px;\n margin-left: 0;\n}\n.nav-justified {\n width: 100%;\n}\n.nav-justified > li {\n float: none;\n}\n.nav-justified > li > a {\n margin-bottom: 5px;\n text-align: center;\n}\n.nav-justified > .dropdown .dropdown-menu {\n top: auto;\n left: auto;\n}\n@media (min-width: 768px) {\n .nav-justified > li {\n display: table-cell;\n width: 1%;\n }\n .nav-justified > li > a {\n margin-bottom: 0;\n }\n}\n.nav-tabs-justified {\n border-bottom: 0;\n}\n.nav-tabs-justified > li > a {\n margin-right: 0;\n border-radius: 4px;\n}\n.nav-tabs-justified > .active > a,\n.nav-tabs-justified > .active > a:hover,\n.nav-tabs-justified > .active > a:focus {\n border: 1px solid #ddd;\n}\n@media (min-width: 768px) {\n .nav-tabs-justified > li > a {\n border-bottom: 1px solid #ddd;\n border-radius: 4px 4px 0 0;\n }\n .nav-tabs-justified > .active > a,\n .nav-tabs-justified > .active > a:hover,\n .nav-tabs-justified > .active > a:focus {\n border-bottom-color: #fff;\n }\n}\n.tab-content > .tab-pane {\n display: none;\n}\n.tab-content > .active {\n display: block;\n}\n.nav-tabs .dropdown-menu {\n margin-top: -1px;\n border-top-left-radius: 0;\n border-top-right-radius: 0;\n}\n.navbar {\n position: relative;\n min-height: 50px;\n margin-bottom: 20px;\n border: 1px solid transparent;\n}\n@media (min-width: 768px) {\n .navbar {\n border-radius: 4px;\n }\n}\n@media (min-width: 768px) {\n .navbar-header {\n float: left;\n }\n}\n.navbar-collapse {\n padding-right: 15px;\n padding-left: 15px;\n overflow-x: visible;\n border-top: 1px solid transparent;\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1);\n -webkit-overflow-scrolling: touch;\n}\n.navbar-collapse.in {\n overflow-y: auto;\n}\n@media (min-width: 768px) {\n .navbar-collapse {\n width: auto;\n border-top: 0;\n -webkit-box-shadow: none;\n box-shadow: none;\n }\n .navbar-collapse.collapse {\n display: block !important;\n height: auto !important;\n padding-bottom: 0;\n overflow: visible !important;\n }\n .navbar-collapse.in {\n overflow-y: visible;\n }\n .navbar-fixed-top .navbar-collapse,\n .navbar-static-top .navbar-collapse,\n .navbar-fixed-bottom .navbar-collapse {\n padding-right: 0;\n padding-left: 0;\n }\n}\n.navbar-fixed-top,\n.navbar-fixed-bottom {\n position: fixed;\n right: 0;\n left: 0;\n z-index: 1030;\n}\n.navbar-fixed-top .navbar-collapse,\n.navbar-fixed-bottom .navbar-collapse {\n max-height: 340px;\n}\n@media (max-device-width: 480px) and (orientation: landscape) {\n .navbar-fixed-top .navbar-collapse,\n .navbar-fixed-bottom .navbar-collapse {\n max-height: 200px;\n }\n}\n@media (min-width: 768px) {\n .navbar-fixed-top,\n .navbar-fixed-bottom {\n border-radius: 0;\n }\n}\n.navbar-fixed-top {\n top: 0;\n border-width: 0 0 1px;\n}\n.navbar-fixed-bottom {\n bottom: 0;\n margin-bottom: 0;\n border-width: 1px 0 0;\n}\n.container > .navbar-header,\n.container-fluid > .navbar-header,\n.container > .navbar-collapse,\n.container-fluid > .navbar-collapse {\n margin-right: -15px;\n margin-left: -15px;\n}\n@media (min-width: 768px) {\n .container > .navbar-header,\n .container-fluid > .navbar-header,\n .container > .navbar-collapse,\n .container-fluid > .navbar-collapse {\n margin-right: 0;\n margin-left: 0;\n }\n}\n.navbar-static-top {\n z-index: 1000;\n border-width: 0 0 1px;\n}\n@media (min-width: 768px) {\n .navbar-static-top {\n border-radius: 0;\n }\n}\n.navbar-brand {\n float: left;\n height: 50px;\n padding: 15px 15px;\n font-size: 18px;\n line-height: 20px;\n}\n.navbar-brand:hover,\n.navbar-brand:focus {\n text-decoration: none;\n}\n.navbar-brand > img {\n display: block;\n}\n@media (min-width: 768px) {\n .navbar > .container .navbar-brand,\n .navbar > .container-fluid .navbar-brand {\n margin-left: -15px;\n }\n}\n.navbar-toggle {\n position: relative;\n float: right;\n padding: 9px 10px;\n margin-right: 15px;\n margin-top: 8px;\n margin-bottom: 8px;\n background-color: transparent;\n background-image: none;\n border: 1px solid transparent;\n border-radius: 4px;\n}\n.navbar-toggle:focus {\n outline: 0;\n}\n.navbar-toggle .icon-bar {\n display: block;\n width: 22px;\n height: 2px;\n border-radius: 1px;\n}\n.navbar-toggle .icon-bar + .icon-bar {\n margin-top: 4px;\n}\n@media (min-width: 768px) {\n .navbar-toggle {\n display: none;\n }\n}\n.navbar-nav {\n margin: 7.5px -15px;\n}\n.navbar-nav > li > a {\n padding-top: 10px;\n padding-bottom: 10px;\n line-height: 20px;\n}\n@media (max-width: 767px) {\n .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 .navbar-nav .open .dropdown-menu > li > a,\n .navbar-nav .open .dropdown-menu .dropdown-header {\n padding: 5px 15px 5px 25px;\n }\n .navbar-nav .open .dropdown-menu > li > a {\n line-height: 20px;\n }\n .navbar-nav .open .dropdown-menu > li > a:hover,\n .navbar-nav .open .dropdown-menu > li > a:focus {\n background-image: none;\n }\n}\n@media (min-width: 768px) {\n .navbar-nav {\n float: left;\n margin: 0;\n }\n .navbar-nav > li {\n float: left;\n }\n .navbar-nav > li > a {\n padding-top: 15px;\n padding-bottom: 15px;\n }\n}\n.navbar-form {\n padding: 10px 15px;\n margin-right: -15px;\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, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1);\n margin-top: 8px;\n margin-bottom: 8px;\n}\n@media (min-width: 768px) {\n .navbar-form .form-group {\n display: inline-block;\n margin-bottom: 0;\n vertical-align: middle;\n }\n .navbar-form .form-control {\n display: inline-block;\n width: auto;\n vertical-align: middle;\n }\n .navbar-form .form-control-static {\n display: inline-block;\n }\n .navbar-form .input-group {\n display: inline-table;\n vertical-align: middle;\n }\n .navbar-form .input-group .input-group-addon,\n .navbar-form .input-group .input-group-btn,\n .navbar-form .input-group .form-control {\n width: auto;\n }\n .navbar-form .input-group > .form-control {\n width: 100%;\n }\n .navbar-form .control-label {\n margin-bottom: 0;\n vertical-align: middle;\n }\n .navbar-form .radio,\n .navbar-form .checkbox {\n display: inline-block;\n margin-top: 0;\n margin-bottom: 0;\n vertical-align: middle;\n }\n .navbar-form .radio label,\n .navbar-form .checkbox label {\n padding-left: 0;\n }\n .navbar-form .radio input[type=\"radio\"],\n .navbar-form .checkbox input[type=\"checkbox\"] {\n position: relative;\n margin-left: 0;\n }\n .navbar-form .has-feedback .form-control-feedback {\n top: 0;\n }\n}\n@media (max-width: 767px) {\n .navbar-form .form-group {\n margin-bottom: 5px;\n }\n .navbar-form .form-group:last-child {\n margin-bottom: 0;\n }\n}\n@media (min-width: 768px) {\n .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.navbar-nav > li > .dropdown-menu {\n margin-top: 0;\n border-top-left-radius: 0;\n border-top-right-radius: 0;\n}\n.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.navbar-btn {\n margin-top: 8px;\n margin-bottom: 8px;\n}\n.navbar-btn.btn-sm {\n margin-top: 10px;\n margin-bottom: 10px;\n}\n.navbar-btn.btn-xs {\n margin-top: 14px;\n margin-bottom: 14px;\n}\n.navbar-text {\n margin-top: 15px;\n margin-bottom: 15px;\n}\n@media (min-width: 768px) {\n .navbar-text {\n float: left;\n margin-right: 15px;\n margin-left: 15px;\n }\n}\n@media (min-width: 768px) {\n .navbar-left {\n float: left !important;\n }\n .navbar-right {\n float: right !important;\n margin-right: -15px;\n }\n .navbar-right ~ .navbar-right {\n margin-right: 0;\n }\n}\n.navbar-default {\n background-color: #f8f8f8;\n border-color: #e7e7e7;\n}\n.navbar-default .navbar-brand {\n color: #777;\n}\n.navbar-default .navbar-brand:hover,\n.navbar-default .navbar-brand:focus {\n color: #5e5e5e;\n background-color: transparent;\n}\n.navbar-default .navbar-text {\n color: #777;\n}\n.navbar-default .navbar-nav > li > a {\n color: #777;\n}\n.navbar-default .navbar-nav > li > a:hover,\n.navbar-default .navbar-nav > li > a:focus {\n color: #333;\n background-color: transparent;\n}\n.navbar-default .navbar-nav > .active > a,\n.navbar-default .navbar-nav > .active > a:hover,\n.navbar-default .navbar-nav > .active > a:focus {\n color: #555;\n background-color: #e7e7e7;\n}\n.navbar-default .navbar-nav > .disabled > a,\n.navbar-default .navbar-nav > .disabled > a:hover,\n.navbar-default .navbar-nav > .disabled > a:focus {\n color: #ccc;\n background-color: transparent;\n}\n.navbar-default .navbar-nav > .open > a,\n.navbar-default .navbar-nav > .open > a:hover,\n.navbar-default .navbar-nav > .open > a:focus {\n color: #555;\n background-color: #e7e7e7;\n}\n@media (max-width: 767px) {\n .navbar-default .navbar-nav .open .dropdown-menu > li > a {\n color: #777;\n }\n .navbar-default .navbar-nav .open .dropdown-menu > li > a:hover,\n .navbar-default .navbar-nav .open .dropdown-menu > li > a:focus {\n color: #333;\n background-color: transparent;\n }\n .navbar-default .navbar-nav .open .dropdown-menu > .active > a,\n .navbar-default .navbar-nav .open .dropdown-menu > .active > a:hover,\n .navbar-default .navbar-nav .open .dropdown-menu > .active > a:focus {\n color: #555;\n background-color: #e7e7e7;\n }\n .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a,\n .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a:hover,\n .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a:focus {\n color: #ccc;\n background-color: transparent;\n }\n}\n.navbar-default .navbar-toggle {\n border-color: #ddd;\n}\n.navbar-default .navbar-toggle:hover,\n.navbar-default .navbar-toggle:focus {\n background-color: #ddd;\n}\n.navbar-default .navbar-toggle .icon-bar {\n background-color: #888;\n}\n.navbar-default .navbar-collapse,\n.navbar-default .navbar-form {\n border-color: #e7e7e7;\n}\n.navbar-default .navbar-link {\n color: #777;\n}\n.navbar-default .navbar-link:hover {\n color: #333;\n}\n.navbar-default .btn-link {\n color: #777;\n}\n.navbar-default .btn-link:hover,\n.navbar-default .btn-link:focus {\n color: #333;\n}\n.navbar-default .btn-link[disabled]:hover,\nfieldset[disabled] .navbar-default .btn-link:hover,\n.navbar-default .btn-link[disabled]:focus,\nfieldset[disabled] .navbar-default .btn-link:focus {\n color: #ccc;\n}\n.navbar-inverse {\n background-color: #222;\n border-color: #080808;\n}\n.navbar-inverse .navbar-brand {\n color: #9d9d9d;\n}\n.navbar-inverse .navbar-brand:hover,\n.navbar-inverse .navbar-brand:focus {\n color: #fff;\n background-color: transparent;\n}\n.navbar-inverse .navbar-text {\n color: #9d9d9d;\n}\n.navbar-inverse .navbar-nav > li > a {\n color: #9d9d9d;\n}\n.navbar-inverse .navbar-nav > li > a:hover,\n.navbar-inverse .navbar-nav > li > a:focus {\n color: #fff;\n background-color: transparent;\n}\n.navbar-inverse .navbar-nav > .active > a,\n.navbar-inverse .navbar-nav > .active > a:hover,\n.navbar-inverse .navbar-nav > .active > a:focus {\n color: #fff;\n background-color: #080808;\n}\n.navbar-inverse .navbar-nav > .disabled > a,\n.navbar-inverse .navbar-nav > .disabled > a:hover,\n.navbar-inverse .navbar-nav > .disabled > a:focus {\n color: #444;\n background-color: transparent;\n}\n.navbar-inverse .navbar-nav > .open > a,\n.navbar-inverse .navbar-nav > .open > a:hover,\n.navbar-inverse .navbar-nav > .open > a:focus {\n color: #fff;\n background-color: #080808;\n}\n@media (max-width: 767px) {\n .navbar-inverse .navbar-nav .open .dropdown-menu > .dropdown-header {\n border-color: #080808;\n }\n .navbar-inverse .navbar-nav .open .dropdown-menu .divider {\n background-color: #080808;\n }\n .navbar-inverse .navbar-nav .open .dropdown-menu > li > a {\n color: #9d9d9d;\n }\n .navbar-inverse .navbar-nav .open .dropdown-menu > li > a:hover,\n .navbar-inverse .navbar-nav .open .dropdown-menu > li > a:focus {\n color: #fff;\n background-color: transparent;\n }\n .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a,\n .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a:hover,\n .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a:focus {\n color: #fff;\n background-color: #080808;\n }\n .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a,\n .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a:hover,\n .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a:focus {\n color: #444;\n background-color: transparent;\n }\n}\n.navbar-inverse .navbar-toggle {\n border-color: #333;\n}\n.navbar-inverse .navbar-toggle:hover,\n.navbar-inverse .navbar-toggle:focus {\n background-color: #333;\n}\n.navbar-inverse .navbar-toggle .icon-bar {\n background-color: #fff;\n}\n.navbar-inverse .navbar-collapse,\n.navbar-inverse .navbar-form {\n border-color: #101010;\n}\n.navbar-inverse .navbar-link {\n color: #9d9d9d;\n}\n.navbar-inverse .navbar-link:hover {\n color: #fff;\n}\n.navbar-inverse .btn-link {\n color: #9d9d9d;\n}\n.navbar-inverse .btn-link:hover,\n.navbar-inverse .btn-link:focus {\n color: #fff;\n}\n.navbar-inverse .btn-link[disabled]:hover,\nfieldset[disabled] .navbar-inverse .btn-link:hover,\n.navbar-inverse .btn-link[disabled]:focus,\nfieldset[disabled] .navbar-inverse .btn-link:focus {\n color: #444;\n}\n.breadcrumb {\n padding: 8px 15px;\n margin-bottom: 20px;\n list-style: none;\n background-color: #f5f5f5;\n border-radius: 4px;\n}\n.breadcrumb > li {\n display: inline-block;\n}\n.breadcrumb > li + li:before {\n padding: 0 5px;\n color: #ccc;\n content: \"/\\00a0\";\n}\n.breadcrumb > .active {\n color: #777777;\n}\n.pagination {\n display: inline-block;\n padding-left: 0;\n margin: 20px 0;\n border-radius: 4px;\n}\n.pagination > li {\n display: inline;\n}\n.pagination > li > a,\n.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.pagination > li > a:hover,\n.pagination > li > span:hover,\n.pagination > li > a:focus,\n.pagination > li > span:focus {\n z-index: 2;\n color: #23527c;\n background-color: #eeeeee;\n border-color: #ddd;\n}\n.pagination > li:first-child > a,\n.pagination > li:first-child > span {\n margin-left: 0;\n border-top-left-radius: 4px;\n border-bottom-left-radius: 4px;\n}\n.pagination > li:last-child > a,\n.pagination > li:last-child > span {\n border-top-right-radius: 4px;\n border-bottom-right-radius: 4px;\n}\n.pagination > .active > a,\n.pagination > .active > span,\n.pagination > .active > a:hover,\n.pagination > .active > span:hover,\n.pagination > .active > a:focus,\n.pagination > .active > span:focus {\n z-index: 3;\n color: #fff;\n cursor: default;\n background-color: #337ab7;\n border-color: #337ab7;\n}\n.pagination > .disabled > span,\n.pagination > .disabled > span:hover,\n.pagination > .disabled > span:focus,\n.pagination > .disabled > a,\n.pagination > .disabled > a:hover,\n.pagination > .disabled > a:focus {\n color: #777777;\n cursor: not-allowed;\n background-color: #fff;\n border-color: #ddd;\n}\n.pagination-lg > li > a,\n.pagination-lg > li > span {\n padding: 10px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n}\n.pagination-lg > li:first-child > a,\n.pagination-lg > li:first-child > span {\n border-top-left-radius: 6px;\n border-bottom-left-radius: 6px;\n}\n.pagination-lg > li:last-child > a,\n.pagination-lg > li:last-child > span {\n border-top-right-radius: 6px;\n border-bottom-right-radius: 6px;\n}\n.pagination-sm > li > a,\n.pagination-sm > li > span {\n padding: 5px 10px;\n font-size: 12px;\n line-height: 1.5;\n}\n.pagination-sm > li:first-child > a,\n.pagination-sm > li:first-child > span {\n border-top-left-radius: 3px;\n border-bottom-left-radius: 3px;\n}\n.pagination-sm > li:last-child > a,\n.pagination-sm > li:last-child > span {\n border-top-right-radius: 3px;\n border-bottom-right-radius: 3px;\n}\n.pager {\n padding-left: 0;\n margin: 20px 0;\n text-align: center;\n list-style: none;\n}\n.pager li {\n display: inline;\n}\n.pager li > a,\n.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.pager li > a:hover,\n.pager li > a:focus {\n text-decoration: none;\n background-color: #eeeeee;\n}\n.pager .next > a,\n.pager .next > span {\n float: right;\n}\n.pager .previous > a,\n.pager .previous > span {\n float: left;\n}\n.pager .disabled > a,\n.pager .disabled > a:hover,\n.pager .disabled > a:focus,\n.pager .disabled > span {\n color: #777777;\n cursor: not-allowed;\n background-color: #fff;\n}\n.label {\n display: inline;\n padding: 0.2em 0.6em 0.3em;\n font-size: 75%;\n font-weight: 700;\n line-height: 1;\n color: #fff;\n text-align: center;\n white-space: nowrap;\n vertical-align: baseline;\n border-radius: 0.25em;\n}\na.label:hover,\na.label:focus {\n color: #fff;\n text-decoration: none;\n cursor: pointer;\n}\n.label:empty {\n display: none;\n}\n.btn .label {\n position: relative;\n top: -1px;\n}\n.label-default {\n background-color: #777777;\n}\n.label-default[href]:hover,\n.label-default[href]:focus {\n background-color: #5e5e5e;\n}\n.label-primary {\n background-color: #337ab7;\n}\n.label-primary[href]:hover,\n.label-primary[href]:focus {\n background-color: #286090;\n}\n.label-success {\n background-color: #5cb85c;\n}\n.label-success[href]:hover,\n.label-success[href]:focus {\n background-color: #449d44;\n}\n.label-info {\n background-color: #5bc0de;\n}\n.label-info[href]:hover,\n.label-info[href]:focus {\n background-color: #31b0d5;\n}\n.label-warning {\n background-color: #f0ad4e;\n}\n.label-warning[href]:hover,\n.label-warning[href]:focus {\n background-color: #ec971f;\n}\n.label-danger {\n background-color: #d9534f;\n}\n.label-danger[href]:hover,\n.label-danger[href]:focus {\n background-color: #c9302c;\n}\n.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: #777777;\n border-radius: 10px;\n}\n.badge:empty {\n display: none;\n}\n.btn .badge {\n position: relative;\n top: -1px;\n}\n.btn-xs .badge,\n.btn-group-xs > .btn .badge {\n top: 0;\n padding: 1px 5px;\n}\na.badge:hover,\na.badge:focus {\n color: #fff;\n text-decoration: none;\n cursor: pointer;\n}\n.list-group-item.active > .badge,\n.nav-pills > .active > a > .badge {\n color: #337ab7;\n background-color: #fff;\n}\n.list-group-item > .badge {\n float: right;\n}\n.list-group-item > .badge + .badge {\n margin-right: 5px;\n}\n.nav-pills > li > a > .badge {\n margin-left: 3px;\n}\n.jumbotron {\n padding-top: 30px;\n padding-bottom: 30px;\n margin-bottom: 30px;\n color: inherit;\n background-color: #eeeeee;\n}\n.jumbotron h1,\n.jumbotron .h1 {\n color: inherit;\n}\n.jumbotron p {\n margin-bottom: 15px;\n font-size: 21px;\n font-weight: 200;\n}\n.jumbotron > hr {\n border-top-color: #d5d5d5;\n}\n.container .jumbotron,\n.container-fluid .jumbotron {\n padding-right: 15px;\n padding-left: 15px;\n border-radius: 6px;\n}\n.jumbotron .container {\n max-width: 100%;\n}\n@media screen and (min-width: 768px) {\n .jumbotron {\n padding-top: 48px;\n padding-bottom: 48px;\n }\n .container .jumbotron,\n .container-fluid .jumbotron {\n padding-right: 60px;\n padding-left: 60px;\n }\n .jumbotron h1,\n .jumbotron .h1 {\n font-size: 63px;\n }\n}\n.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 0.2s ease-in-out;\n -o-transition: border 0.2s ease-in-out;\n transition: border 0.2s ease-in-out;\n}\n.thumbnail > img,\n.thumbnail a > img {\n margin-right: auto;\n margin-left: auto;\n}\na.thumbnail:hover,\na.thumbnail:focus,\na.thumbnail.active {\n border-color: #337ab7;\n}\n.thumbnail .caption {\n padding: 9px;\n color: #333333;\n}\n.alert {\n padding: 15px;\n margin-bottom: 20px;\n border: 1px solid transparent;\n border-radius: 4px;\n}\n.alert h4 {\n margin-top: 0;\n color: inherit;\n}\n.alert .alert-link {\n font-weight: bold;\n}\n.alert > p,\n.alert > ul {\n margin-bottom: 0;\n}\n.alert > p + p {\n margin-top: 5px;\n}\n.alert-dismissable,\n.alert-dismissible {\n padding-right: 35px;\n}\n.alert-dismissable .close,\n.alert-dismissible .close {\n position: relative;\n top: -2px;\n right: -21px;\n color: inherit;\n}\n.alert-success {\n color: #3c763d;\n background-color: #dff0d8;\n border-color: #d6e9c6;\n}\n.alert-success hr {\n border-top-color: #c9e2b3;\n}\n.alert-success .alert-link {\n color: #2b542c;\n}\n.alert-info {\n color: #31708f;\n background-color: #d9edf7;\n border-color: #bce8f1;\n}\n.alert-info hr {\n border-top-color: #a6e1ec;\n}\n.alert-info .alert-link {\n color: #245269;\n}\n.alert-warning {\n color: #8a6d3b;\n background-color: #fcf8e3;\n border-color: #faebcc;\n}\n.alert-warning hr {\n border-top-color: #f7e1b5;\n}\n.alert-warning .alert-link {\n color: #66512c;\n}\n.alert-danger {\n color: #a94442;\n background-color: #f2dede;\n border-color: #ebccd1;\n}\n.alert-danger hr {\n border-top-color: #e4b9c0;\n}\n.alert-danger .alert-link {\n color: #843534;\n}\n@-webkit-keyframes progress-bar-stripes {\n from {\n background-position: 40px 0;\n }\n to {\n background-position: 0 0;\n }\n}\n@-o-keyframes progress-bar-stripes {\n from {\n background-position: 40px 0;\n }\n to {\n background-position: 0 0;\n }\n}\n@keyframes progress-bar-stripes {\n from {\n background-position: 40px 0;\n }\n to {\n background-position: 0 0;\n }\n}\n.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, 0.1);\n box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.1);\n}\n.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, 0.15);\n box-shadow: inset 0 -1px 0 rgba(0, 0, 0, 0.15);\n -webkit-transition: width 0.6s ease;\n -o-transition: width 0.6s ease;\n transition: width 0.6s ease;\n}\n.progress-striped .progress-bar,\n.progress-bar-striped {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n -webkit-background-size: 40px 40px;\n background-size: 40px 40px;\n}\n.progress.active .progress-bar,\n.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.progress-bar-success {\n background-color: #5cb85c;\n}\n.progress-striped .progress-bar-success {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n}\n.progress-bar-info {\n background-color: #5bc0de;\n}\n.progress-striped .progress-bar-info {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n}\n.progress-bar-warning {\n background-color: #f0ad4e;\n}\n.progress-striped .progress-bar-warning {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n}\n.progress-bar-danger {\n background-color: #d9534f;\n}\n.progress-striped .progress-bar-danger {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n}\n.media {\n margin-top: 15px;\n}\n.media:first-child {\n margin-top: 0;\n}\n.media,\n.media-body {\n overflow: hidden;\n zoom: 1;\n}\n.media-body {\n width: 10000px;\n}\n.media-object {\n display: block;\n}\n.media-object.img-thumbnail {\n max-width: none;\n}\n.media-right,\n.media > .pull-right {\n padding-left: 10px;\n}\n.media-left,\n.media > .pull-left {\n padding-right: 10px;\n}\n.media-left,\n.media-right,\n.media-body {\n display: table-cell;\n vertical-align: top;\n}\n.media-middle {\n vertical-align: middle;\n}\n.media-bottom {\n vertical-align: bottom;\n}\n.media-heading {\n margin-top: 0;\n margin-bottom: 5px;\n}\n.media-list {\n padding-left: 0;\n list-style: none;\n}\n.list-group {\n padding-left: 0;\n margin-bottom: 20px;\n}\n.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.list-group-item:first-child {\n border-top-left-radius: 4px;\n border-top-right-radius: 4px;\n}\n.list-group-item:last-child {\n margin-bottom: 0;\n border-bottom-right-radius: 4px;\n border-bottom-left-radius: 4px;\n}\n.list-group-item.disabled,\n.list-group-item.disabled:hover,\n.list-group-item.disabled:focus {\n color: #777777;\n cursor: not-allowed;\n background-color: #eeeeee;\n}\n.list-group-item.disabled .list-group-item-heading,\n.list-group-item.disabled:hover .list-group-item-heading,\n.list-group-item.disabled:focus .list-group-item-heading {\n color: inherit;\n}\n.list-group-item.disabled .list-group-item-text,\n.list-group-item.disabled:hover .list-group-item-text,\n.list-group-item.disabled:focus .list-group-item-text {\n color: #777777;\n}\n.list-group-item.active,\n.list-group-item.active:hover,\n.list-group-item.active:focus {\n z-index: 2;\n color: #fff;\n background-color: #337ab7;\n border-color: #337ab7;\n}\n.list-group-item.active .list-group-item-heading,\n.list-group-item.active:hover .list-group-item-heading,\n.list-group-item.active:focus .list-group-item-heading,\n.list-group-item.active .list-group-item-heading > small,\n.list-group-item.active:hover .list-group-item-heading > small,\n.list-group-item.active:focus .list-group-item-heading > small,\n.list-group-item.active .list-group-item-heading > .small,\n.list-group-item.active:hover .list-group-item-heading > .small,\n.list-group-item.active:focus .list-group-item-heading > .small {\n color: inherit;\n}\n.list-group-item.active .list-group-item-text,\n.list-group-item.active:hover .list-group-item-text,\n.list-group-item.active:focus .list-group-item-text {\n color: #c7ddef;\n}\na.list-group-item,\nbutton.list-group-item {\n color: #555;\n}\na.list-group-item .list-group-item-heading,\nbutton.list-group-item .list-group-item-heading {\n color: #333;\n}\na.list-group-item:hover,\nbutton.list-group-item:hover,\na.list-group-item:focus,\nbutton.list-group-item:focus {\n color: #555;\n text-decoration: none;\n background-color: #f5f5f5;\n}\nbutton.list-group-item {\n width: 100%;\n text-align: left;\n}\n.list-group-item-success {\n color: #3c763d;\n background-color: #dff0d8;\n}\na.list-group-item-success,\nbutton.list-group-item-success {\n color: #3c763d;\n}\na.list-group-item-success .list-group-item-heading,\nbutton.list-group-item-success .list-group-item-heading {\n color: inherit;\n}\na.list-group-item-success:hover,\nbutton.list-group-item-success:hover,\na.list-group-item-success:focus,\nbutton.list-group-item-success:focus {\n color: #3c763d;\n background-color: #d0e9c6;\n}\na.list-group-item-success.active,\nbutton.list-group-item-success.active,\na.list-group-item-success.active:hover,\nbutton.list-group-item-success.active:hover,\na.list-group-item-success.active:focus,\nbutton.list-group-item-success.active:focus {\n color: #fff;\n background-color: #3c763d;\n border-color: #3c763d;\n}\n.list-group-item-info {\n color: #31708f;\n background-color: #d9edf7;\n}\na.list-group-item-info,\nbutton.list-group-item-info {\n color: #31708f;\n}\na.list-group-item-info .list-group-item-heading,\nbutton.list-group-item-info .list-group-item-heading {\n color: inherit;\n}\na.list-group-item-info:hover,\nbutton.list-group-item-info:hover,\na.list-group-item-info:focus,\nbutton.list-group-item-info:focus {\n color: #31708f;\n background-color: #c4e3f3;\n}\na.list-group-item-info.active,\nbutton.list-group-item-info.active,\na.list-group-item-info.active:hover,\nbutton.list-group-item-info.active:hover,\na.list-group-item-info.active:focus,\nbutton.list-group-item-info.active:focus {\n color: #fff;\n background-color: #31708f;\n border-color: #31708f;\n}\n.list-group-item-warning {\n color: #8a6d3b;\n background-color: #fcf8e3;\n}\na.list-group-item-warning,\nbutton.list-group-item-warning {\n color: #8a6d3b;\n}\na.list-group-item-warning .list-group-item-heading,\nbutton.list-group-item-warning .list-group-item-heading {\n color: inherit;\n}\na.list-group-item-warning:hover,\nbutton.list-group-item-warning:hover,\na.list-group-item-warning:focus,\nbutton.list-group-item-warning:focus {\n color: #8a6d3b;\n background-color: #faf2cc;\n}\na.list-group-item-warning.active,\nbutton.list-group-item-warning.active,\na.list-group-item-warning.active:hover,\nbutton.list-group-item-warning.active:hover,\na.list-group-item-warning.active:focus,\nbutton.list-group-item-warning.active:focus {\n color: #fff;\n background-color: #8a6d3b;\n border-color: #8a6d3b;\n}\n.list-group-item-danger {\n color: #a94442;\n background-color: #f2dede;\n}\na.list-group-item-danger,\nbutton.list-group-item-danger {\n color: #a94442;\n}\na.list-group-item-danger .list-group-item-heading,\nbutton.list-group-item-danger .list-group-item-heading {\n color: inherit;\n}\na.list-group-item-danger:hover,\nbutton.list-group-item-danger:hover,\na.list-group-item-danger:focus,\nbutton.list-group-item-danger:focus {\n color: #a94442;\n background-color: #ebcccc;\n}\na.list-group-item-danger.active,\nbutton.list-group-item-danger.active,\na.list-group-item-danger.active:hover,\nbutton.list-group-item-danger.active:hover,\na.list-group-item-danger.active:focus,\nbutton.list-group-item-danger.active:focus {\n color: #fff;\n background-color: #a94442;\n border-color: #a94442;\n}\n.list-group-item-heading {\n margin-top: 0;\n margin-bottom: 5px;\n}\n.list-group-item-text {\n margin-bottom: 0;\n line-height: 1.3;\n}\n.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, 0.05);\n box-shadow: 0 1px 1px rgba(0, 0, 0, 0.05);\n}\n.panel-body {\n padding: 15px;\n}\n.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.panel-heading > .dropdown .dropdown-toggle {\n color: inherit;\n}\n.panel-title {\n margin-top: 0;\n margin-bottom: 0;\n font-size: 16px;\n color: inherit;\n}\n.panel-title > a,\n.panel-title > small,\n.panel-title > .small,\n.panel-title > small > a,\n.panel-title > .small > a {\n color: inherit;\n}\n.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.panel > .list-group,\n.panel > .panel-collapse > .list-group {\n margin-bottom: 0;\n}\n.panel > .list-group .list-group-item,\n.panel > .panel-collapse > .list-group .list-group-item {\n border-width: 1px 0;\n border-radius: 0;\n}\n.panel > .list-group:first-child .list-group-item:first-child,\n.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.panel > .list-group:last-child .list-group-item:last-child,\n.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.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.panel-heading + .list-group .list-group-item:first-child {\n border-top-width: 0;\n}\n.list-group + .panel-footer {\n border-top-width: 0;\n}\n.panel > .table,\n.panel > .table-responsive > .table,\n.panel > .panel-collapse > .table {\n margin-bottom: 0;\n}\n.panel > .table caption,\n.panel > .table-responsive > .table caption,\n.panel > .panel-collapse > .table caption {\n padding-right: 15px;\n padding-left: 15px;\n}\n.panel > .table:first-child,\n.panel > .table-responsive:first-child > .table:first-child {\n border-top-left-radius: 3px;\n border-top-right-radius: 3px;\n}\n.panel > .table:first-child > thead:first-child > tr:first-child,\n.panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child,\n.panel > .table:first-child > tbody:first-child > tr:first-child,\n.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.panel > .table:first-child > thead:first-child > tr:first-child td:first-child,\n.panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child td:first-child,\n.panel > .table:first-child > tbody:first-child > tr:first-child td:first-child,\n.panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child td:first-child,\n.panel > .table:first-child > thead:first-child > tr:first-child th:first-child,\n.panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child th:first-child,\n.panel > .table:first-child > tbody:first-child > tr:first-child th:first-child,\n.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.panel > .table:first-child > thead:first-child > tr:first-child td:last-child,\n.panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child td:last-child,\n.panel > .table:first-child > tbody:first-child > tr:first-child td:last-child,\n.panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child td:last-child,\n.panel > .table:first-child > thead:first-child > tr:first-child th:last-child,\n.panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child th:last-child,\n.panel > .table:first-child > tbody:first-child > tr:first-child th:last-child,\n.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.panel > .table:last-child,\n.panel > .table-responsive:last-child > .table:last-child {\n border-bottom-right-radius: 3px;\n border-bottom-left-radius: 3px;\n}\n.panel > .table:last-child > tbody:last-child > tr:last-child,\n.panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child,\n.panel > .table:last-child > tfoot:last-child > tr:last-child,\n.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.panel > .table:last-child > tbody:last-child > tr:last-child td:first-child,\n.panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child td:first-child,\n.panel > .table:last-child > tfoot:last-child > tr:last-child td:first-child,\n.panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child td:first-child,\n.panel > .table:last-child > tbody:last-child > tr:last-child th:first-child,\n.panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child th:first-child,\n.panel > .table:last-child > tfoot:last-child > tr:last-child th:first-child,\n.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.panel > .table:last-child > tbody:last-child > tr:last-child td:last-child,\n.panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child td:last-child,\n.panel > .table:last-child > tfoot:last-child > tr:last-child td:last-child,\n.panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child td:last-child,\n.panel > .table:last-child > tbody:last-child > tr:last-child th:last-child,\n.panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child th:last-child,\n.panel > .table:last-child > tfoot:last-child > tr:last-child th:last-child,\n.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.panel > .panel-body + .table,\n.panel > .panel-body + .table-responsive,\n.panel > .table + .panel-body,\n.panel > .table-responsive + .panel-body {\n border-top: 1px solid #ddd;\n}\n.panel > .table > tbody:first-child > tr:first-child th,\n.panel > .table > tbody:first-child > tr:first-child td {\n border-top: 0;\n}\n.panel > .table-bordered,\n.panel > .table-responsive > .table-bordered {\n border: 0;\n}\n.panel > .table-bordered > thead > tr > th:first-child,\n.panel > .table-responsive > .table-bordered > thead > tr > th:first-child,\n.panel > .table-bordered > tbody > tr > th:first-child,\n.panel > .table-responsive > .table-bordered > tbody > tr > th:first-child,\n.panel > .table-bordered > tfoot > tr > th:first-child,\n.panel > .table-responsive > .table-bordered > tfoot > tr > th:first-child,\n.panel > .table-bordered > thead > tr > td:first-child,\n.panel > .table-responsive > .table-bordered > thead > tr > td:first-child,\n.panel > .table-bordered > tbody > tr > td:first-child,\n.panel > .table-responsive > .table-bordered > tbody > tr > td:first-child,\n.panel > .table-bordered > tfoot > tr > td:first-child,\n.panel > .table-responsive > .table-bordered > tfoot > tr > td:first-child {\n border-left: 0;\n}\n.panel > .table-bordered > thead > tr > th:last-child,\n.panel > .table-responsive > .table-bordered > thead > tr > th:last-child,\n.panel > .table-bordered > tbody > tr > th:last-child,\n.panel > .table-responsive > .table-bordered > tbody > tr > th:last-child,\n.panel > .table-bordered > tfoot > tr > th:last-child,\n.panel > .table-responsive > .table-bordered > tfoot > tr > th:last-child,\n.panel > .table-bordered > thead > tr > td:last-child,\n.panel > .table-responsive > .table-bordered > thead > tr > td:last-child,\n.panel > .table-bordered > tbody > tr > td:last-child,\n.panel > .table-responsive > .table-bordered > tbody > tr > td:last-child,\n.panel > .table-bordered > tfoot > tr > td:last-child,\n.panel > .table-responsive > .table-bordered > tfoot > tr > td:last-child {\n border-right: 0;\n}\n.panel > .table-bordered > thead > tr:first-child > td,\n.panel > .table-responsive > .table-bordered > thead > tr:first-child > td,\n.panel > .table-bordered > tbody > tr:first-child > td,\n.panel > .table-responsive > .table-bordered > tbody > tr:first-child > td,\n.panel > .table-bordered > thead > tr:first-child > th,\n.panel > .table-responsive > .table-bordered > thead > tr:first-child > th,\n.panel > .table-bordered > tbody > tr:first-child > th,\n.panel > .table-responsive > .table-bordered > tbody > tr:first-child > th {\n border-bottom: 0;\n}\n.panel > .table-bordered > tbody > tr:last-child > td,\n.panel > .table-responsive > .table-bordered > tbody > tr:last-child > td,\n.panel > .table-bordered > tfoot > tr:last-child > td,\n.panel > .table-responsive > .table-bordered > tfoot > tr:last-child > td,\n.panel > .table-bordered > tbody > tr:last-child > th,\n.panel > .table-responsive > .table-bordered > tbody > tr:last-child > th,\n.panel > .table-bordered > tfoot > tr:last-child > th,\n.panel > .table-responsive > .table-bordered > tfoot > tr:last-child > th {\n border-bottom: 0;\n}\n.panel > .table-responsive {\n margin-bottom: 0;\n border: 0;\n}\n.panel-group {\n margin-bottom: 20px;\n}\n.panel-group .panel {\n margin-bottom: 0;\n border-radius: 4px;\n}\n.panel-group .panel + .panel {\n margin-top: 5px;\n}\n.panel-group .panel-heading {\n border-bottom: 0;\n}\n.panel-group .panel-heading + .panel-collapse > .panel-body,\n.panel-group .panel-heading + .panel-collapse > .list-group {\n border-top: 1px solid #ddd;\n}\n.panel-group .panel-footer {\n border-top: 0;\n}\n.panel-group .panel-footer + .panel-collapse .panel-body {\n border-bottom: 1px solid #ddd;\n}\n.panel-default {\n border-color: #ddd;\n}\n.panel-default > .panel-heading {\n color: #333333;\n background-color: #f5f5f5;\n border-color: #ddd;\n}\n.panel-default > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #ddd;\n}\n.panel-default > .panel-heading .badge {\n color: #f5f5f5;\n background-color: #333333;\n}\n.panel-default > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #ddd;\n}\n.panel-primary {\n border-color: #337ab7;\n}\n.panel-primary > .panel-heading {\n color: #fff;\n background-color: #337ab7;\n border-color: #337ab7;\n}\n.panel-primary > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #337ab7;\n}\n.panel-primary > .panel-heading .badge {\n color: #337ab7;\n background-color: #fff;\n}\n.panel-primary > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #337ab7;\n}\n.panel-success {\n border-color: #d6e9c6;\n}\n.panel-success > .panel-heading {\n color: #3c763d;\n background-color: #dff0d8;\n border-color: #d6e9c6;\n}\n.panel-success > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #d6e9c6;\n}\n.panel-success > .panel-heading .badge {\n color: #dff0d8;\n background-color: #3c763d;\n}\n.panel-success > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #d6e9c6;\n}\n.panel-info {\n border-color: #bce8f1;\n}\n.panel-info > .panel-heading {\n color: #31708f;\n background-color: #d9edf7;\n border-color: #bce8f1;\n}\n.panel-info > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #bce8f1;\n}\n.panel-info > .panel-heading .badge {\n color: #d9edf7;\n background-color: #31708f;\n}\n.panel-info > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #bce8f1;\n}\n.panel-warning {\n border-color: #faebcc;\n}\n.panel-warning > .panel-heading {\n color: #8a6d3b;\n background-color: #fcf8e3;\n border-color: #faebcc;\n}\n.panel-warning > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #faebcc;\n}\n.panel-warning > .panel-heading .badge {\n color: #fcf8e3;\n background-color: #8a6d3b;\n}\n.panel-warning > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #faebcc;\n}\n.panel-danger {\n border-color: #ebccd1;\n}\n.panel-danger > .panel-heading {\n color: #a94442;\n background-color: #f2dede;\n border-color: #ebccd1;\n}\n.panel-danger > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #ebccd1;\n}\n.panel-danger > .panel-heading .badge {\n color: #f2dede;\n background-color: #a94442;\n}\n.panel-danger > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #ebccd1;\n}\n.embed-responsive {\n position: relative;\n display: block;\n height: 0;\n padding: 0;\n overflow: hidden;\n}\n.embed-responsive .embed-responsive-item,\n.embed-responsive iframe,\n.embed-responsive embed,\n.embed-responsive object,\n.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.embed-responsive-16by9 {\n padding-bottom: 56.25%;\n}\n.embed-responsive-4by3 {\n padding-bottom: 75%;\n}\n.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, 0.05);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.05);\n}\n.well blockquote {\n border-color: #ddd;\n border-color: rgba(0, 0, 0, 0.15);\n}\n.well-lg {\n padding: 24px;\n border-radius: 6px;\n}\n.well-sm {\n padding: 9px;\n border-radius: 3px;\n}\n.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: 0.2;\n}\n.close:hover,\n.close:focus {\n color: #000;\n text-decoration: none;\n cursor: pointer;\n filter: alpha(opacity=50);\n opacity: 0.5;\n}\nbutton.close {\n padding: 0;\n cursor: pointer;\n background: transparent;\n border: 0;\n -webkit-appearance: none;\n -moz-appearance: none;\n appearance: none;\n}\n.modal-open {\n overflow: hidden;\n}\n.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.modal.fade .modal-dialog {\n -webkit-transform: translate(0, -25%);\n -ms-transform: translate(0, -25%);\n -o-transform: translate(0, -25%);\n transform: translate(0, -25%);\n -webkit-transition: -webkit-transform 0.3s ease-out;\n -o-transition: -o-transform 0.3s ease-out;\n transition: -webkit-transform 0.3s ease-out;\n transition: transform 0.3s ease-out;\n transition: transform 0.3s ease-out, -webkit-transform 0.3s ease-out, -o-transform 0.3s ease-out;\n}\n.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.modal-open .modal {\n overflow-x: hidden;\n overflow-y: auto;\n}\n.modal-dialog {\n position: relative;\n width: auto;\n margin: 10px;\n}\n.modal-content {\n position: relative;\n background-color: #fff;\n background-clip: padding-box;\n border: 1px solid #999;\n border: 1px solid rgba(0, 0, 0, 0.2);\n border-radius: 6px;\n -webkit-box-shadow: 0 3px 9px rgba(0, 0, 0, 0.5);\n box-shadow: 0 3px 9px rgba(0, 0, 0, 0.5);\n outline: 0;\n}\n.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.modal-backdrop.fade {\n filter: alpha(opacity=0);\n opacity: 0;\n}\n.modal-backdrop.in {\n filter: alpha(opacity=50);\n opacity: 0.5;\n}\n.modal-header {\n padding: 15px;\n border-bottom: 1px solid #e5e5e5;\n}\n.modal-header .close {\n margin-top: -2px;\n}\n.modal-title {\n margin: 0;\n line-height: 1.42857143;\n}\n.modal-body {\n position: relative;\n padding: 15px;\n}\n.modal-footer {\n padding: 15px;\n text-align: right;\n border-top: 1px solid #e5e5e5;\n}\n.modal-footer .btn + .btn {\n margin-bottom: 0;\n margin-left: 5px;\n}\n.modal-footer .btn-group .btn + .btn {\n margin-left: -1px;\n}\n.modal-footer .btn-block + .btn-block {\n margin-left: 0;\n}\n.modal-scrollbar-measure {\n position: absolute;\n top: -9999px;\n width: 50px;\n height: 50px;\n overflow: scroll;\n}\n@media (min-width: 768px) {\n .modal-dialog {\n width: 600px;\n margin: 30px auto;\n }\n .modal-content {\n -webkit-box-shadow: 0 5px 15px rgba(0, 0, 0, 0.5);\n box-shadow: 0 5px 15px rgba(0, 0, 0, 0.5);\n }\n .modal-sm {\n width: 300px;\n }\n}\n@media (min-width: 992px) {\n .modal-lg {\n width: 900px;\n }\n}\n.tooltip {\n position: absolute;\n z-index: 1070;\n display: block;\n font-family: \"Helvetica Neue\", Helvetica, Arial, sans-serif;\n font-style: normal;\n font-weight: 400;\n line-height: 1.42857143;\n line-break: auto;\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 font-size: 12px;\n filter: alpha(opacity=0);\n opacity: 0;\n}\n.tooltip.in {\n filter: alpha(opacity=90);\n opacity: 0.9;\n}\n.tooltip.top {\n padding: 5px 0;\n margin-top: -3px;\n}\n.tooltip.right {\n padding: 0 5px;\n margin-left: 3px;\n}\n.tooltip.bottom {\n padding: 5px 0;\n margin-top: 3px;\n}\n.tooltip.left {\n padding: 0 5px;\n margin-left: -3px;\n}\n.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.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.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.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.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.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.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.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.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.tooltip-arrow {\n position: absolute;\n width: 0;\n height: 0;\n border-color: transparent;\n border-style: solid;\n}\n.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-style: normal;\n font-weight: 400;\n line-height: 1.42857143;\n line-break: auto;\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 font-size: 14px;\n background-color: #fff;\n background-clip: padding-box;\n border: 1px solid #ccc;\n border: 1px solid rgba(0, 0, 0, 0.2);\n border-radius: 6px;\n -webkit-box-shadow: 0 5px 10px rgba(0, 0, 0, 0.2);\n box-shadow: 0 5px 10px rgba(0, 0, 0, 0.2);\n}\n.popover.top {\n margin-top: -10px;\n}\n.popover.right {\n margin-left: 10px;\n}\n.popover.bottom {\n margin-top: 10px;\n}\n.popover.left {\n margin-left: -10px;\n}\n.popover > .arrow {\n border-width: 11px;\n}\n.popover > .arrow,\n.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.popover > .arrow:after {\n content: \"\";\n border-width: 10px;\n}\n.popover.top > .arrow {\n bottom: -11px;\n left: 50%;\n margin-left: -11px;\n border-top-color: #999999;\n border-top-color: rgba(0, 0, 0, 0.25);\n border-bottom-width: 0;\n}\n.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.popover.right > .arrow {\n top: 50%;\n left: -11px;\n margin-top: -11px;\n border-right-color: #999999;\n border-right-color: rgba(0, 0, 0, 0.25);\n border-left-width: 0;\n}\n.popover.right > .arrow:after {\n bottom: -10px;\n left: 1px;\n content: \" \";\n border-right-color: #fff;\n border-left-width: 0;\n}\n.popover.bottom > .arrow {\n top: -11px;\n left: 50%;\n margin-left: -11px;\n border-top-width: 0;\n border-bottom-color: #999999;\n border-bottom-color: rgba(0, 0, 0, 0.25);\n}\n.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.popover.left > .arrow {\n top: 50%;\n right: -11px;\n margin-top: -11px;\n border-right-width: 0;\n border-left-color: #999999;\n border-left-color: rgba(0, 0, 0, 0.25);\n}\n.popover.left > .arrow:after {\n right: 1px;\n bottom: -10px;\n content: \" \";\n border-right-width: 0;\n border-left-color: #fff;\n}\n.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.popover-content {\n padding: 9px 14px;\n}\n.carousel {\n position: relative;\n}\n.carousel-inner {\n position: relative;\n width: 100%;\n overflow: hidden;\n}\n.carousel-inner > .item {\n position: relative;\n display: none;\n -webkit-transition: 0.6s ease-in-out left;\n -o-transition: 0.6s ease-in-out left;\n transition: 0.6s ease-in-out left;\n}\n.carousel-inner > .item > img,\n.carousel-inner > .item > a > img {\n line-height: 1;\n}\n@media all and (transform-3d), (-webkit-transform-3d) {\n .carousel-inner > .item {\n -webkit-transition: -webkit-transform 0.6s ease-in-out;\n -o-transition: -o-transform 0.6s ease-in-out;\n transition: -webkit-transform 0.6s ease-in-out;\n transition: transform 0.6s ease-in-out;\n transition: transform 0.6s ease-in-out, -webkit-transform 0.6s ease-in-out, -o-transform 0.6s ease-in-out;\n -webkit-backface-visibility: hidden;\n backface-visibility: hidden;\n -webkit-perspective: 1000px;\n perspective: 1000px;\n }\n .carousel-inner > .item.next,\n .carousel-inner > .item.active.right {\n -webkit-transform: translate3d(100%, 0, 0);\n transform: translate3d(100%, 0, 0);\n left: 0;\n }\n .carousel-inner > .item.prev,\n .carousel-inner > .item.active.left {\n -webkit-transform: translate3d(-100%, 0, 0);\n transform: translate3d(-100%, 0, 0);\n left: 0;\n }\n .carousel-inner > .item.next.left,\n .carousel-inner > .item.prev.right,\n .carousel-inner > .item.active {\n -webkit-transform: translate3d(0, 0, 0);\n transform: translate3d(0, 0, 0);\n left: 0;\n }\n}\n.carousel-inner > .active,\n.carousel-inner > .next,\n.carousel-inner > .prev {\n display: block;\n}\n.carousel-inner > .active {\n left: 0;\n}\n.carousel-inner > .next,\n.carousel-inner > .prev {\n position: absolute;\n top: 0;\n width: 100%;\n}\n.carousel-inner > .next {\n left: 100%;\n}\n.carousel-inner > .prev {\n left: -100%;\n}\n.carousel-inner > .next.left,\n.carousel-inner > .prev.right {\n left: 0;\n}\n.carousel-inner > .active.left {\n left: -100%;\n}\n.carousel-inner > .active.right {\n left: 100%;\n}\n.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, 0.6);\n background-color: rgba(0, 0, 0, 0);\n filter: alpha(opacity=50);\n opacity: 0.5;\n}\n.carousel-control.left {\n background-image: -webkit-linear-gradient(left, rgba(0, 0, 0, 0.5) 0%, rgba(0, 0, 0, 0.0001) 100%);\n background-image: -o-linear-gradient(left, rgba(0, 0, 0, 0.5) 0%, rgba(0, 0, 0, 0.0001) 100%);\n background-image: -webkit-gradient(linear, left top, right top, from(rgba(0, 0, 0, 0.5)), to(rgba(0, 0, 0, 0.0001)));\n background-image: linear-gradient(to right, rgba(0, 0, 0, 0.5) 0%, rgba(0, 0, 0, 0.0001) 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#80000000', endColorstr='#00000000', GradientType=1);\n background-repeat: repeat-x;\n}\n.carousel-control.right {\n right: 0;\n left: auto;\n background-image: -webkit-linear-gradient(left, rgba(0, 0, 0, 0.0001) 0%, rgba(0, 0, 0, 0.5) 100%);\n background-image: -o-linear-gradient(left, rgba(0, 0, 0, 0.0001) 0%, rgba(0, 0, 0, 0.5) 100%);\n background-image: -webkit-gradient(linear, left top, right top, from(rgba(0, 0, 0, 0.0001)), to(rgba(0, 0, 0, 0.5)));\n background-image: linear-gradient(to right, rgba(0, 0, 0, 0.0001) 0%, rgba(0, 0, 0, 0.5) 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#80000000', GradientType=1);\n background-repeat: repeat-x;\n}\n.carousel-control:hover,\n.carousel-control:focus {\n color: #fff;\n text-decoration: none;\n outline: 0;\n filter: alpha(opacity=90);\n opacity: 0.9;\n}\n.carousel-control .icon-prev,\n.carousel-control .icon-next,\n.carousel-control .glyphicon-chevron-left,\n.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.carousel-control .icon-prev,\n.carousel-control .glyphicon-chevron-left {\n left: 50%;\n margin-left: -10px;\n}\n.carousel-control .icon-next,\n.carousel-control .glyphicon-chevron-right {\n right: 50%;\n margin-right: -10px;\n}\n.carousel-control .icon-prev,\n.carousel-control .icon-next {\n width: 20px;\n height: 20px;\n font-family: serif;\n line-height: 1;\n}\n.carousel-control .icon-prev:before {\n content: \"\\2039\";\n}\n.carousel-control .icon-next:before {\n content: \"\\203a\";\n}\n.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.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.carousel-indicators .active {\n width: 12px;\n height: 12px;\n margin: 0;\n background-color: #fff;\n}\n.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, 0.6);\n}\n.carousel-caption .btn {\n text-shadow: none;\n}\n@media screen and (min-width: 768px) {\n .carousel-control .glyphicon-chevron-left,\n .carousel-control .glyphicon-chevron-right,\n .carousel-control .icon-prev,\n .carousel-control .icon-next {\n width: 30px;\n height: 30px;\n margin-top: -10px;\n font-size: 30px;\n }\n .carousel-control .glyphicon-chevron-left,\n .carousel-control .icon-prev {\n margin-left: -10px;\n }\n .carousel-control .glyphicon-chevron-right,\n .carousel-control .icon-next {\n margin-right: -10px;\n }\n .carousel-caption {\n right: 20%;\n left: 20%;\n padding-bottom: 30px;\n }\n .carousel-indicators {\n bottom: 20px;\n }\n}\n.clearfix:before,\n.clearfix:after,\n.dl-horizontal dd:before,\n.dl-horizontal dd:after,\n.container:before,\n.container:after,\n.container-fluid:before,\n.container-fluid:after,\n.row:before,\n.row:after,\n.form-horizontal .form-group:before,\n.form-horizontal .form-group:after,\n.btn-toolbar:before,\n.btn-toolbar:after,\n.btn-group-vertical > .btn-group:before,\n.btn-group-vertical > .btn-group:after,\n.nav:before,\n.nav:after,\n.navbar:before,\n.navbar:after,\n.navbar-header:before,\n.navbar-header:after,\n.navbar-collapse:before,\n.navbar-collapse:after,\n.pager:before,\n.pager:after,\n.panel-body:before,\n.panel-body:after,\n.modal-header:before,\n.modal-header:after,\n.modal-footer:before,\n.modal-footer:after {\n display: table;\n content: \" \";\n}\n.clearfix:after,\n.dl-horizontal dd:after,\n.container:after,\n.container-fluid:after,\n.row:after,\n.form-horizontal .form-group:after,\n.btn-toolbar:after,\n.btn-group-vertical > .btn-group:after,\n.nav:after,\n.navbar:after,\n.navbar-header:after,\n.navbar-collapse:after,\n.pager:after,\n.panel-body:after,\n.modal-header:after,\n.modal-footer:after {\n clear: both;\n}\n.center-block {\n display: block;\n margin-right: auto;\n margin-left: auto;\n}\n.pull-right {\n float: right !important;\n}\n.pull-left {\n float: left !important;\n}\n.hide {\n display: none !important;\n}\n.show {\n display: block !important;\n}\n.invisible {\n visibility: hidden;\n}\n.text-hide {\n font: 0/0 a;\n color: transparent;\n text-shadow: none;\n background-color: transparent;\n border: 0;\n}\n.hidden {\n display: none !important;\n}\n.affix {\n position: fixed;\n}\n@-ms-viewport {\n width: device-width;\n}\n.visible-xs,\n.visible-sm,\n.visible-md,\n.visible-lg {\n display: none !important;\n}\n.visible-xs-block,\n.visible-xs-inline,\n.visible-xs-inline-block,\n.visible-sm-block,\n.visible-sm-inline,\n.visible-sm-inline-block,\n.visible-md-block,\n.visible-md-inline,\n.visible-md-inline-block,\n.visible-lg-block,\n.visible-lg-inline,\n.visible-lg-inline-block {\n display: none !important;\n}\n@media (max-width: 767px) {\n .visible-xs {\n display: block !important;\n }\n table.visible-xs {\n display: table !important;\n }\n tr.visible-xs {\n display: table-row !important;\n }\n th.visible-xs,\n td.visible-xs {\n display: table-cell !important;\n }\n}\n@media (max-width: 767px) {\n .visible-xs-block {\n display: block !important;\n }\n}\n@media (max-width: 767px) {\n .visible-xs-inline {\n display: inline !important;\n }\n}\n@media (max-width: 767px) {\n .visible-xs-inline-block {\n display: inline-block !important;\n }\n}\n@media (min-width: 768px) and (max-width: 991px) {\n .visible-sm {\n display: block !important;\n }\n table.visible-sm {\n display: table !important;\n }\n tr.visible-sm {\n display: table-row !important;\n }\n th.visible-sm,\n td.visible-sm {\n display: table-cell !important;\n }\n}\n@media (min-width: 768px) and (max-width: 991px) {\n .visible-sm-block {\n display: block !important;\n }\n}\n@media (min-width: 768px) and (max-width: 991px) {\n .visible-sm-inline {\n display: inline !important;\n }\n}\n@media (min-width: 768px) and (max-width: 991px) {\n .visible-sm-inline-block {\n display: inline-block !important;\n }\n}\n@media (min-width: 992px) and (max-width: 1199px) {\n .visible-md {\n display: block !important;\n }\n table.visible-md {\n display: table !important;\n }\n tr.visible-md {\n display: table-row !important;\n }\n th.visible-md,\n td.visible-md {\n display: table-cell !important;\n }\n}\n@media (min-width: 992px) and (max-width: 1199px) {\n .visible-md-block {\n display: block !important;\n }\n}\n@media (min-width: 992px) and (max-width: 1199px) {\n .visible-md-inline {\n display: inline !important;\n }\n}\n@media (min-width: 992px) and (max-width: 1199px) {\n .visible-md-inline-block {\n display: inline-block !important;\n }\n}\n@media (min-width: 1200px) {\n .visible-lg {\n display: block !important;\n }\n table.visible-lg {\n display: table !important;\n }\n tr.visible-lg {\n display: table-row !important;\n }\n th.visible-lg,\n td.visible-lg {\n display: table-cell !important;\n }\n}\n@media (min-width: 1200px) {\n .visible-lg-block {\n display: block !important;\n }\n}\n@media (min-width: 1200px) {\n .visible-lg-inline {\n display: inline !important;\n }\n}\n@media (min-width: 1200px) {\n .visible-lg-inline-block {\n display: inline-block !important;\n }\n}\n@media (max-width: 767px) {\n .hidden-xs {\n display: none !important;\n }\n}\n@media (min-width: 768px) and (max-width: 991px) {\n .hidden-sm {\n display: none !important;\n }\n}\n@media (min-width: 992px) and (max-width: 1199px) {\n .hidden-md {\n display: none !important;\n }\n}\n@media (min-width: 1200px) {\n .hidden-lg {\n display: none !important;\n }\n}\n.visible-print {\n display: none !important;\n}\n@media print {\n .visible-print {\n display: block !important;\n }\n table.visible-print {\n display: table !important;\n }\n tr.visible-print {\n display: table-row !important;\n }\n th.visible-print,\n td.visible-print {\n display: table-cell !important;\n }\n}\n.visible-print-block {\n display: none !important;\n}\n@media print {\n .visible-print-block {\n display: block !important;\n }\n}\n.visible-print-inline {\n display: none !important;\n}\n@media print {\n .visible-print-inline {\n display: inline !important;\n }\n}\n.visible-print-inline-block {\n display: none !important;\n}\n@media print {\n .visible-print-inline-block {\n display: inline-block !important;\n }\n}\n@media print {\n .hidden-print {\n display: none !important;\n }\n}\n/*# sourceMappingURL=bootstrap.css.map */", "pre code.hljs{display:block;overflow-x:auto;padding:1em}code.hljs{padding:3px 5px}/*!\n Theme: GitHub\n Description: Light theme as seen on github.com\n Author: github.com\n Maintainer: @Hirse\n Updated: 2021-05-15\n\n Outdated base version: https://github.com/primer/github-syntax-light\n Current colors taken from GitHub's CSS\n*/.hljs{color:#24292e;background:#fff}.hljs-doctag,.hljs-keyword,.hljs-meta .hljs-keyword,.hljs-template-tag,.hljs-template-variable,.hljs-type,.hljs-variable.language_{color:#d73a49}.hljs-title,.hljs-title.class_,.hljs-title.class_.inherited__,.hljs-title.function_{color:#6f42c1}.hljs-attr,.hljs-attribute,.hljs-literal,.hljs-meta,.hljs-number,.hljs-operator,.hljs-selector-attr,.hljs-selector-class,.hljs-selector-id,.hljs-variable{color:#005cc5}.hljs-meta .hljs-string,.hljs-regexp,.hljs-string{color:#032f62}.hljs-built_in,.hljs-symbol{color:#e36209}.hljs-code,.hljs-comment,.hljs-formula{color:#6a737d}.hljs-name,.hljs-quote,.hljs-selector-pseudo,.hljs-selector-tag{color:#22863a}.hljs-subst{color:#24292e}.hljs-section{color:#005cc5;font-weight:700}.hljs-bullet{color:#735c0f}.hljs-emphasis{color:#24292e;font-style:italic}.hljs-strong{color:#24292e;font-weight:700}.hljs-addition{color:#22863a;background-color:#f0fff4}.hljs-deletion{color:#b31d28;background-color:#ffeef0}", "/*!\n * jQuery JavaScript Library v3.7.0\n * https://jquery.com/\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license\n * https://jquery.org/license\n *\n * Date: 2023-05-11T18:29Z\n */\n( function( global, factory ) {\n\n\t\"use strict\";\n\n\tif ( typeof module === \"object\" && typeof module.exports === \"object\" ) {\n\n\t\t// For CommonJS and CommonJS-like environments where a proper `window`\n\t\t// is present, execute the factory and get jQuery.\n\t\t// For environments that do not have a `window` with a `document`\n\t\t// (such as Node.js), expose a factory as module.exports.\n\t\t// This accentuates the need for the creation of a real `window`.\n\t\t// e.g. var jQuery = require(\"jquery\")(window);\n\t\t// See ticket trac-14549 for more info.\n\t\tmodule.exports = global.document ?\n\t\t\tfactory( global, true ) :\n\t\t\tfunction( w ) {\n\t\t\t\tif ( !w.document ) {\n\t\t\t\t\tthrow new Error( \"jQuery requires a window with a document\" );\n\t\t\t\t}\n\t\t\t\treturn factory( w );\n\t\t\t};\n\t} else {\n\t\tfactory( global );\n\t}\n\n// Pass this if window is not defined yet\n} )( typeof window !== \"undefined\" ? window : this, function( window, noGlobal ) {\n\n// Edge <= 12 - 13+, Firefox <=18 - 45+, IE 10 - 11, Safari 5.1 - 9+, iOS 6 - 9.1\n// throw exceptions when non-strict code (e.g., ASP.NET 4.5) accesses strict mode\n// arguments.callee.caller (trac-13335). But as of jQuery 3.0 (2016), strict mode should be common\n// enough that all such attempts are guarded in a try block.\n\"use strict\";\n\nvar arr = [];\n\nvar getProto = Object.getPrototypeOf;\n\nvar slice = arr.slice;\n\nvar flat = arr.flat ? function( array ) {\n\treturn arr.flat.call( array );\n} : function( array ) {\n\treturn arr.concat.apply( [], array );\n};\n\n\nvar push = arr.push;\n\nvar indexOf = arr.indexOf;\n\nvar class2type = {};\n\nvar toString = class2type.toString;\n\nvar hasOwn = class2type.hasOwnProperty;\n\nvar fnToString = hasOwn.toString;\n\nvar ObjectFunctionString = fnToString.call( Object );\n\nvar support = {};\n\nvar isFunction = function isFunction( obj ) {\n\n\t\t// Support: Chrome <=57, Firefox <=52\n\t\t// In some browsers, typeof returns \"function\" for HTML <object> elements\n\t\t// (i.e., `typeof document.createElement( \"object\" ) === \"function\"`).\n\t\t// We don't want to classify *any* DOM node as a function.\n\t\t// Support: QtWeb <=3.8.5, WebKit <=534.34, wkhtmltopdf tool <=0.12.5\n\t\t// Plus for old WebKit, typeof returns \"function\" for HTML collections\n\t\t// (e.g., `typeof document.getElementsByTagName(\"div\") === \"function\"`). (gh-4756)\n\t\treturn typeof obj === \"function\" && typeof obj.nodeType !== \"number\" &&\n\t\t\ttypeof obj.item !== \"function\";\n\t};\n\n\nvar isWindow = function isWindow( obj ) {\n\t\treturn obj != null && obj === obj.window;\n\t};\n\n\nvar document = window.document;\n\n\n\n\tvar preservedScriptAttributes = {\n\t\ttype: true,\n\t\tsrc: true,\n\t\tnonce: true,\n\t\tnoModule: true\n\t};\n\n\tfunction DOMEval( code, node, doc ) {\n\t\tdoc = doc || document;\n\n\t\tvar i, val,\n\t\t\tscript = doc.createElement( \"script\" );\n\n\t\tscript.text = code;\n\t\tif ( node ) {\n\t\t\tfor ( i in preservedScriptAttributes ) {\n\n\t\t\t\t// Support: Firefox 64+, Edge 18+\n\t\t\t\t// Some browsers don't support the \"nonce\" property on scripts.\n\t\t\t\t// On the other hand, just using `getAttribute` is not enough as\n\t\t\t\t// the `nonce` attribute is reset to an empty string whenever it\n\t\t\t\t// becomes browsing-context connected.\n\t\t\t\t// See https://github.com/whatwg/html/issues/2369\n\t\t\t\t// See https://html.spec.whatwg.org/#nonce-attributes\n\t\t\t\t// The `node.getAttribute` check was added for the sake of\n\t\t\t\t// `jQuery.globalEval` so that it can fake a nonce-containing node\n\t\t\t\t// via an object.\n\t\t\t\tval = node[ i ] || node.getAttribute && node.getAttribute( i );\n\t\t\t\tif ( val ) {\n\t\t\t\t\tscript.setAttribute( i, val );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\tdoc.head.appendChild( script ).parentNode.removeChild( script );\n\t}\n\n\nfunction toType( obj ) {\n\tif ( obj == null ) {\n\t\treturn obj + \"\";\n\t}\n\n\t// Support: Android <=2.3 only (functionish RegExp)\n\treturn typeof obj === \"object\" || typeof obj === \"function\" ?\n\t\tclass2type[ toString.call( obj ) ] || \"object\" :\n\t\ttypeof obj;\n}\n/* global Symbol */\n// Defining this global in .eslintrc.json would create a danger of using the global\n// unguarded in another place, it seems safer to define global only for this module\n\n\n\nvar version = \"3.7.0\",\n\n\trhtmlSuffix = /HTML$/i,\n\n\t// Define a local copy of jQuery\n\tjQuery = function( selector, context ) {\n\n\t\t// The jQuery object is actually just the init constructor 'enhanced'\n\t\t// Need init if jQuery is called (just allow error to be thrown if not included)\n\t\treturn new jQuery.fn.init( selector, context );\n\t};\n\njQuery.fn = jQuery.prototype = {\n\n\t// The current version of jQuery being used\n\tjquery: version,\n\n\tconstructor: jQuery,\n\n\t// The default length of a jQuery object is 0\n\tlength: 0,\n\n\ttoArray: function() {\n\t\treturn slice.call( this );\n\t},\n\n\t// Get the Nth element in the matched element set OR\n\t// Get the whole matched element set as a clean array\n\tget: function( num ) {\n\n\t\t// Return all the elements in a clean array\n\t\tif ( num == null ) {\n\t\t\treturn slice.call( this );\n\t\t}\n\n\t\t// Return just the one element from the set\n\t\treturn num < 0 ? this[ num + this.length ] : this[ num ];\n\t},\n\n\t// Take an array of elements and push it onto the stack\n\t// (returning the new matched element set)\n\tpushStack: function( elems ) {\n\n\t\t// Build a new jQuery matched element set\n\t\tvar ret = jQuery.merge( this.constructor(), elems );\n\n\t\t// Add the old object onto the stack (as a reference)\n\t\tret.prevObject = this;\n\n\t\t// Return the newly-formed element set\n\t\treturn ret;\n\t},\n\n\t// Execute a callback for every element in the matched set.\n\teach: function( callback ) {\n\t\treturn jQuery.each( this, callback );\n\t},\n\n\tmap: function( callback ) {\n\t\treturn this.pushStack( jQuery.map( this, function( elem, i ) {\n\t\t\treturn callback.call( elem, i, elem );\n\t\t} ) );\n\t},\n\n\tslice: function() {\n\t\treturn this.pushStack( slice.apply( this, arguments ) );\n\t},\n\n\tfirst: function() {\n\t\treturn this.eq( 0 );\n\t},\n\n\tlast: function() {\n\t\treturn this.eq( -1 );\n\t},\n\n\teven: function() {\n\t\treturn this.pushStack( jQuery.grep( this, function( _elem, i ) {\n\t\t\treturn ( i + 1 ) % 2;\n\t\t} ) );\n\t},\n\n\todd: function() {\n\t\treturn this.pushStack( jQuery.grep( this, function( _elem, i ) {\n\t\t\treturn i % 2;\n\t\t} ) );\n\t},\n\n\teq: function( i ) {\n\t\tvar len = this.length,\n\t\t\tj = +i + ( i < 0 ? len : 0 );\n\t\treturn this.pushStack( j >= 0 && j < len ? [ this[ j ] ] : [] );\n\t},\n\n\tend: function() {\n\t\treturn this.prevObject || this.constructor();\n\t},\n\n\t// For internal use only.\n\t// Behaves like an Array's method, not like a jQuery method.\n\tpush: push,\n\tsort: arr.sort,\n\tsplice: arr.splice\n};\n\njQuery.extend = jQuery.fn.extend = function() {\n\tvar options, name, src, copy, copyIsArray, clone,\n\t\ttarget = arguments[ 0 ] || {},\n\t\ti = 1,\n\t\tlength = arguments.length,\n\t\tdeep = false;\n\n\t// Handle a deep copy situation\n\tif ( typeof target === \"boolean\" ) {\n\t\tdeep = target;\n\n\t\t// Skip the boolean and the target\n\t\ttarget = arguments[ i ] || {};\n\t\ti++;\n\t}\n\n\t// Handle case when target is a string or something (possible in deep copy)\n\tif ( typeof target !== \"object\" && !isFunction( target ) ) {\n\t\ttarget = {};\n\t}\n\n\t// Extend jQuery itself if only one argument is passed\n\tif ( i === length ) {\n\t\ttarget = this;\n\t\ti--;\n\t}\n\n\tfor ( ; i < length; i++ ) {\n\n\t\t// Only deal with non-null/undefined values\n\t\tif ( ( options = arguments[ i ] ) != null ) {\n\n\t\t\t// Extend the base object\n\t\t\tfor ( name in options ) {\n\t\t\t\tcopy = options[ name ];\n\n\t\t\t\t// Prevent Object.prototype pollution\n\t\t\t\t// Prevent never-ending loop\n\t\t\t\tif ( name === \"__proto__\" || target === copy ) {\n\t\t\t\t\tcontinue;\n\t\t\t\t}\n\n\t\t\t\t// Recurse if we're merging plain objects or arrays\n\t\t\t\tif ( deep && copy && ( jQuery.isPlainObject( copy ) ||\n\t\t\t\t\t( copyIsArray = Array.isArray( copy ) ) ) ) {\n\t\t\t\t\tsrc = target[ name ];\n\n\t\t\t\t\t// Ensure proper type for the source value\n\t\t\t\t\tif ( copyIsArray && !Array.isArray( src ) ) {\n\t\t\t\t\t\tclone = [];\n\t\t\t\t\t} else if ( !copyIsArray && !jQuery.isPlainObject( src ) ) {\n\t\t\t\t\t\tclone = {};\n\t\t\t\t\t} else {\n\t\t\t\t\t\tclone = src;\n\t\t\t\t\t}\n\t\t\t\t\tcopyIsArray = false;\n\n\t\t\t\t\t// Never move original objects, clone them\n\t\t\t\t\ttarget[ name ] = jQuery.extend( deep, clone, copy );\n\n\t\t\t\t// Don't bring in undefined values\n\t\t\t\t} else if ( copy !== undefined ) {\n\t\t\t\t\ttarget[ name ] = copy;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\t// Return the modified object\n\treturn target;\n};\n\njQuery.extend( {\n\n\t// Unique for each copy of jQuery on the page\n\texpando: \"jQuery\" + ( version + Math.random() ).replace( /\\D/g, \"\" ),\n\n\t// Assume jQuery is ready without the ready module\n\tisReady: true,\n\n\terror: function( msg ) {\n\t\tthrow new Error( msg );\n\t},\n\n\tnoop: function() {},\n\n\tisPlainObject: function( obj ) {\n\t\tvar proto, Ctor;\n\n\t\t// Detect obvious negatives\n\t\t// Use toString instead of jQuery.type to catch host objects\n\t\tif ( !obj || toString.call( obj ) !== \"[object Object]\" ) {\n\t\t\treturn false;\n\t\t}\n\n\t\tproto = getProto( obj );\n\n\t\t// Objects with no prototype (e.g., `Object.create( null )`) are plain\n\t\tif ( !proto ) {\n\t\t\treturn true;\n\t\t}\n\n\t\t// Objects with prototype are plain iff they were constructed by a global Object function\n\t\tCtor = hasOwn.call( proto, \"constructor\" ) && proto.constructor;\n\t\treturn typeof Ctor === \"function\" && fnToString.call( Ctor ) === ObjectFunctionString;\n\t},\n\n\tisEmptyObject: function( obj ) {\n\t\tvar name;\n\n\t\tfor ( name in obj ) {\n\t\t\treturn false;\n\t\t}\n\t\treturn true;\n\t},\n\n\t// Evaluates a script in a provided context; falls back to the global one\n\t// if not specified.\n\tglobalEval: function( code, options, doc ) {\n\t\tDOMEval( code, { nonce: options && options.nonce }, doc );\n\t},\n\n\teach: function( obj, callback ) {\n\t\tvar length, i = 0;\n\n\t\tif ( isArrayLike( obj ) ) {\n\t\t\tlength = obj.length;\n\t\t\tfor ( ; i < length; i++ ) {\n\t\t\t\tif ( callback.call( obj[ i ], i, obj[ i ] ) === false ) {\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t} else {\n\t\t\tfor ( i in obj ) {\n\t\t\t\tif ( callback.call( obj[ i ], i, obj[ i ] ) === false ) {\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn obj;\n\t},\n\n\n\t// Retrieve the text value of an array of DOM nodes\n\ttext: function( elem ) {\n\t\tvar node,\n\t\t\tret = \"\",\n\t\t\ti = 0,\n\t\t\tnodeType = elem.nodeType;\n\n\t\tif ( !nodeType ) {\n\n\t\t\t// If no nodeType, this is expected to be an array\n\t\t\twhile ( ( node = elem[ i++ ] ) ) {\n\n\t\t\t\t// Do not traverse comment nodes\n\t\t\t\tret += jQuery.text( node );\n\t\t\t}\n\t\t} else if ( nodeType === 1 || nodeType === 9 || nodeType === 11 ) {\n\t\t\treturn elem.textContent;\n\t\t} else if ( nodeType === 3 || nodeType === 4 ) {\n\t\t\treturn elem.nodeValue;\n\t\t}\n\n\t\t// Do not include comment or processing instruction nodes\n\n\t\treturn ret;\n\t},\n\n\t// results is for internal usage only\n\tmakeArray: function( arr, results ) {\n\t\tvar ret = results || [];\n\n\t\tif ( arr != null ) {\n\t\t\tif ( isArrayLike( Object( arr ) ) ) {\n\t\t\t\tjQuery.merge( ret,\n\t\t\t\t\ttypeof arr === \"string\" ?\n\t\t\t\t\t\t[ arr ] : arr\n\t\t\t\t);\n\t\t\t} else {\n\t\t\t\tpush.call( ret, arr );\n\t\t\t}\n\t\t}\n\n\t\treturn ret;\n\t},\n\n\tinArray: function( elem, arr, i ) {\n\t\treturn arr == null ? -1 : indexOf.call( arr, elem, i );\n\t},\n\n\tisXMLDoc: function( elem ) {\n\t\tvar namespace = elem && elem.namespaceURI,\n\t\t\tdocElem = elem && ( elem.ownerDocument || elem ).documentElement;\n\n\t\t// Assume HTML when documentElement doesn't yet exist, such as inside\n\t\t// document fragments.\n\t\treturn !rhtmlSuffix.test( namespace || docElem && docElem.nodeName || \"HTML\" );\n\t},\n\n\t// Support: Android <=4.0 only, PhantomJS 1 only\n\t// push.apply(_, arraylike) throws on ancient WebKit\n\tmerge: function( first, second ) {\n\t\tvar len = +second.length,\n\t\t\tj = 0,\n\t\t\ti = first.length;\n\n\t\tfor ( ; j < len; j++ ) {\n\t\t\tfirst[ i++ ] = second[ j ];\n\t\t}\n\n\t\tfirst.length = i;\n\n\t\treturn first;\n\t},\n\n\tgrep: function( elems, callback, invert ) {\n\t\tvar callbackInverse,\n\t\t\tmatches = [],\n\t\t\ti = 0,\n\t\t\tlength = elems.length,\n\t\t\tcallbackExpect = !invert;\n\n\t\t// Go through the array, only saving the items\n\t\t// that pass the validator function\n\t\tfor ( ; i < length; i++ ) {\n\t\t\tcallbackInverse = !callback( elems[ i ], i );\n\t\t\tif ( callbackInverse !== callbackExpect ) {\n\t\t\t\tmatches.push( elems[ i ] );\n\t\t\t}\n\t\t}\n\n\t\treturn matches;\n\t},\n\n\t// arg is for internal usage only\n\tmap: function( elems, callback, arg ) {\n\t\tvar length, value,\n\t\t\ti = 0,\n\t\t\tret = [];\n\n\t\t// Go through the array, translating each of the items to their new values\n\t\tif ( isArrayLike( elems ) ) {\n\t\t\tlength = elems.length;\n\t\t\tfor ( ; i < length; i++ ) {\n\t\t\t\tvalue = callback( elems[ i ], i, arg );\n\n\t\t\t\tif ( value != null ) {\n\t\t\t\t\tret.push( value );\n\t\t\t\t}\n\t\t\t}\n\n\t\t// Go through every key on the object,\n\t\t} else {\n\t\t\tfor ( i in elems ) {\n\t\t\t\tvalue = callback( elems[ i ], i, arg );\n\n\t\t\t\tif ( value != null ) {\n\t\t\t\t\tret.push( value );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Flatten any nested arrays\n\t\treturn flat( ret );\n\t},\n\n\t// A global GUID counter for objects\n\tguid: 1,\n\n\t// jQuery.support is not used in Core but other projects attach their\n\t// properties to it so it needs to exist.\n\tsupport: support\n} );\n\nif ( typeof Symbol === \"function\" ) {\n\tjQuery.fn[ Symbol.iterator ] = arr[ Symbol.iterator ];\n}\n\n// Populate the class2type map\njQuery.each( \"Boolean Number String Function Array Date RegExp Object Error Symbol\".split( \" \" ),\n\tfunction( _i, name ) {\n\t\tclass2type[ \"[object \" + name + \"]\" ] = name.toLowerCase();\n\t} );\n\nfunction isArrayLike( obj ) {\n\n\t// Support: real iOS 8.2 only (not reproducible in simulator)\n\t// `in` check used to prevent JIT error (gh-2145)\n\t// hasOwn isn't used here due to false negatives\n\t// regarding Nodelist length in IE\n\tvar length = !!obj && \"length\" in obj && obj.length,\n\t\ttype = toType( obj );\n\n\tif ( isFunction( obj ) || isWindow( obj ) ) {\n\t\treturn false;\n\t}\n\n\treturn type === \"array\" || length === 0 ||\n\t\ttypeof length === \"number\" && length > 0 && ( length - 1 ) in obj;\n}\n\n\nfunction nodeName( elem, name ) {\n\n\treturn elem.nodeName && elem.nodeName.toLowerCase() === name.toLowerCase();\n\n}\nvar pop = arr.pop;\n\n\nvar sort = arr.sort;\n\n\nvar splice = arr.splice;\n\n\nvar whitespace = \"[\\\\x20\\\\t\\\\r\\\\n\\\\f]\";\n\n\nvar rtrimCSS = new RegExp(\n\t\"^\" + whitespace + \"+|((?:^|[^\\\\\\\\])(?:\\\\\\\\.)*)\" + whitespace + \"+$\",\n\t\"g\"\n);\n\n\n\n\n// Note: an element does not contain itself\njQuery.contains = function( a, b ) {\n\tvar bup = b && b.parentNode;\n\n\treturn a === bup || !!( bup && bup.nodeType === 1 && (\n\n\t\t// Support: IE 9 - 11+\n\t\t// IE doesn't have `contains` on SVG.\n\t\ta.contains ?\n\t\t\ta.contains( bup ) :\n\t\t\ta.compareDocumentPosition && a.compareDocumentPosition( bup ) & 16\n\t) );\n};\n\n\n\n\n// CSS string/identifier serialization\n// https://drafts.csswg.org/cssom/#common-serializing-idioms\nvar rcssescape = /([\\0-\\x1f\\x7f]|^-?\\d)|^-$|[^\\x80-\\uFFFF\\w-]/g;\n\nfunction fcssescape( ch, asCodePoint ) {\n\tif ( asCodePoint ) {\n\n\t\t// U+0000 NULL becomes U+FFFD REPLACEMENT CHARACTER\n\t\tif ( ch === \"\\0\" ) {\n\t\t\treturn \"\\uFFFD\";\n\t\t}\n\n\t\t// Control characters and (dependent upon position) numbers get escaped as code points\n\t\treturn ch.slice( 0, -1 ) + \"\\\\\" + ch.charCodeAt( ch.length - 1 ).toString( 16 ) + \" \";\n\t}\n\n\t// Other potentially-special ASCII characters get backslash-escaped\n\treturn \"\\\\\" + ch;\n}\n\njQuery.escapeSelector = function( sel ) {\n\treturn ( sel + \"\" ).replace( rcssescape, fcssescape );\n};\n\n\n\n\nvar preferredDoc = document,\n\tpushNative = push;\n\n( function() {\n\nvar i,\n\tExpr,\n\toutermostContext,\n\tsortInput,\n\thasDuplicate,\n\tpush = pushNative,\n\n\t// Local document vars\n\tdocument,\n\tdocumentElement,\n\tdocumentIsHTML,\n\trbuggyQSA,\n\tmatches,\n\n\t// Instance-specific data\n\texpando = jQuery.expando,\n\tdirruns = 0,\n\tdone = 0,\n\tclassCache = createCache(),\n\ttokenCache = createCache(),\n\tcompilerCache = createCache(),\n\tnonnativeSelectorCache = createCache(),\n\tsortOrder = function( a, b ) {\n\t\tif ( a === b ) {\n\t\t\thasDuplicate = true;\n\t\t}\n\t\treturn 0;\n\t},\n\n\tbooleans = \"checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|\" +\n\t\t\"loop|multiple|open|readonly|required|scoped\",\n\n\t// Regular expressions\n\n\t// https://www.w3.org/TR/css-syntax-3/#ident-token-diagram\n\tidentifier = \"(?:\\\\\\\\[\\\\da-fA-F]{1,6}\" + whitespace +\n\t\t\"?|\\\\\\\\[^\\\\r\\\\n\\\\f]|[\\\\w-]|[^\\0-\\\\x7f])+\",\n\n\t// Attribute selectors: https://www.w3.org/TR/selectors/#attribute-selectors\n\tattributes = \"\\\\[\" + whitespace + \"*(\" + identifier + \")(?:\" + whitespace +\n\n\t\t// Operator (capture 2)\n\t\t\"*([*^$|!~]?=)\" + whitespace +\n\n\t\t// \"Attribute values must be CSS identifiers [capture 5] or strings [capture 3 or capture 4]\"\n\t\t\"*(?:'((?:\\\\\\\\.|[^\\\\\\\\'])*)'|\\\"((?:\\\\\\\\.|[^\\\\\\\\\\\"])*)\\\"|(\" + identifier + \"))|)\" +\n\t\twhitespace + \"*\\\\]\",\n\n\tpseudos = \":(\" + identifier + \")(?:\\\\((\" +\n\n\t\t// To reduce the number of selectors needing tokenize in the preFilter, prefer arguments:\n\t\t// 1. quoted (capture 3; capture 4 or capture 5)\n\t\t\"('((?:\\\\\\\\.|[^\\\\\\\\'])*)'|\\\"((?:\\\\\\\\.|[^\\\\\\\\\\\"])*)\\\")|\" +\n\n\t\t// 2. simple (capture 6)\n\t\t\"((?:\\\\\\\\.|[^\\\\\\\\()[\\\\]]|\" + attributes + \")*)|\" +\n\n\t\t// 3. anything else (capture 2)\n\t\t\".*\" +\n\t\t\")\\\\)|)\",\n\n\t// Leading and non-escaped trailing whitespace, capturing some non-whitespace characters preceding the latter\n\trwhitespace = new RegExp( whitespace + \"+\", \"g\" ),\n\n\trcomma = new RegExp( \"^\" + whitespace + \"*,\" + whitespace + \"*\" ),\n\trleadingCombinator = new RegExp( \"^\" + whitespace + \"*([>+~]|\" + whitespace + \")\" +\n\t\twhitespace + \"*\" ),\n\trdescend = new RegExp( whitespace + \"|>\" ),\n\n\trpseudo = new RegExp( pseudos ),\n\tridentifier = new RegExp( \"^\" + identifier + \"$\" ),\n\n\tmatchExpr = {\n\t\tID: new RegExp( \"^#(\" + identifier + \")\" ),\n\t\tCLASS: new RegExp( \"^\\\\.(\" + identifier + \")\" ),\n\t\tTAG: new RegExp( \"^(\" + identifier + \"|[*])\" ),\n\t\tATTR: new RegExp( \"^\" + attributes ),\n\t\tPSEUDO: new RegExp( \"^\" + pseudos ),\n\t\tCHILD: new RegExp(\n\t\t\t\"^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\\\(\" +\n\t\t\t\twhitespace + \"*(even|odd|(([+-]|)(\\\\d*)n|)\" + whitespace + \"*(?:([+-]|)\" +\n\t\t\t\twhitespace + \"*(\\\\d+)|))\" + whitespace + \"*\\\\)|)\", \"i\" ),\n\t\tbool: new RegExp( \"^(?:\" + booleans + \")$\", \"i\" ),\n\n\t\t// For use in libraries implementing .is()\n\t\t// We use this for POS matching in `select`\n\t\tneedsContext: new RegExp( \"^\" + whitespace +\n\t\t\t\"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\\\(\" + whitespace +\n\t\t\t\"*((?:-\\\\d)?\\\\d*)\" + whitespace + \"*\\\\)|)(?=[^-]|$)\", \"i\" )\n\t},\n\n\trinputs = /^(?:input|select|textarea|button)$/i,\n\trheader = /^h\\d$/i,\n\n\t// Easily-parseable/retrievable ID or TAG or CLASS selectors\n\trquickExpr = /^(?:#([\\w-]+)|(\\w+)|\\.([\\w-]+))$/,\n\n\trsibling = /[+~]/,\n\n\t// CSS escapes\n\t// https://www.w3.org/TR/CSS21/syndata.html#escaped-characters\n\trunescape = new RegExp( \"\\\\\\\\[\\\\da-fA-F]{1,6}\" + whitespace +\n\t\t\"?|\\\\\\\\([^\\\\r\\\\n\\\\f])\", \"g\" ),\n\tfunescape = function( escape, nonHex ) {\n\t\tvar high = \"0x\" + escape.slice( 1 ) - 0x10000;\n\n\t\tif ( nonHex ) {\n\n\t\t\t// Strip the backslash prefix from a non-hex escape sequence\n\t\t\treturn nonHex;\n\t\t}\n\n\t\t// Replace a hexadecimal escape sequence with the encoded Unicode code point\n\t\t// Support: IE <=11+\n\t\t// For values outside the Basic Multilingual Plane (BMP), manually construct a\n\t\t// surrogate pair\n\t\treturn high < 0 ?\n\t\t\tString.fromCharCode( high + 0x10000 ) :\n\t\t\tString.fromCharCode( high >> 10 | 0xD800, high & 0x3FF | 0xDC00 );\n\t},\n\n\t// Used for iframes; see `setDocument`.\n\t// Support: IE 9 - 11+, Edge 12 - 18+\n\t// Removing the function wrapper causes a \"Permission Denied\"\n\t// error in IE/Edge.\n\tunloadHandler = function() {\n\t\tsetDocument();\n\t},\n\n\tinDisabledFieldset = addCombinator(\n\t\tfunction( elem ) {\n\t\t\treturn elem.disabled === true && nodeName( elem, \"fieldset\" );\n\t\t},\n\t\t{ dir: \"parentNode\", next: \"legend\" }\n\t);\n\n// Support: IE <=9 only\n// Accessing document.activeElement can throw unexpectedly\n// https://bugs.jquery.com/ticket/13393\nfunction safeActiveElement() {\n\ttry {\n\t\treturn document.activeElement;\n\t} catch ( err ) { }\n}\n\n// Optimize for push.apply( _, NodeList )\ntry {\n\tpush.apply(\n\t\t( arr = slice.call( preferredDoc.childNodes ) ),\n\t\tpreferredDoc.childNodes\n\t);\n\n\t// Support: Android <=4.0\n\t// Detect silently failing push.apply\n\t// eslint-disable-next-line no-unused-expressions\n\tarr[ preferredDoc.childNodes.length ].nodeType;\n} catch ( e ) {\n\tpush = {\n\t\tapply: function( target, els ) {\n\t\t\tpushNative.apply( target, slice.call( els ) );\n\t\t},\n\t\tcall: function( target ) {\n\t\t\tpushNative.apply( target, slice.call( arguments, 1 ) );\n\t\t}\n\t};\n}\n\nfunction find( selector, context, results, seed ) {\n\tvar m, i, elem, nid, match, groups, newSelector,\n\t\tnewContext = context && context.ownerDocument,\n\n\t\t// nodeType defaults to 9, since context defaults to document\n\t\tnodeType = context ? context.nodeType : 9;\n\n\tresults = results || [];\n\n\t// Return early from calls with invalid selector or context\n\tif ( typeof selector !== \"string\" || !selector ||\n\t\tnodeType !== 1 && nodeType !== 9 && nodeType !== 11 ) {\n\n\t\treturn results;\n\t}\n\n\t// Try to shortcut find operations (as opposed to filters) in HTML documents\n\tif ( !seed ) {\n\t\tsetDocument( context );\n\t\tcontext = context || document;\n\n\t\tif ( documentIsHTML ) {\n\n\t\t\t// If the selector is sufficiently simple, try using a \"get*By*\" DOM method\n\t\t\t// (excepting DocumentFragment context, where the methods don't exist)\n\t\t\tif ( nodeType !== 11 && ( match = rquickExpr.exec( selector ) ) ) {\n\n\t\t\t\t// ID selector\n\t\t\t\tif ( ( m = match[ 1 ] ) ) {\n\n\t\t\t\t\t// Document context\n\t\t\t\t\tif ( nodeType === 9 ) {\n\t\t\t\t\t\tif ( ( elem = context.getElementById( m ) ) ) {\n\n\t\t\t\t\t\t\t// Support: IE 9 only\n\t\t\t\t\t\t\t// getElementById can match elements by name instead of ID\n\t\t\t\t\t\t\tif ( elem.id === m ) {\n\t\t\t\t\t\t\t\tpush.call( results, elem );\n\t\t\t\t\t\t\t\treturn results;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\treturn results;\n\t\t\t\t\t\t}\n\n\t\t\t\t\t// Element context\n\t\t\t\t\t} else {\n\n\t\t\t\t\t\t// Support: IE 9 only\n\t\t\t\t\t\t// getElementById can match elements by name instead of ID\n\t\t\t\t\t\tif ( newContext && ( elem = newContext.getElementById( m ) ) &&\n\t\t\t\t\t\t\tfind.contains( context, elem ) &&\n\t\t\t\t\t\t\telem.id === m ) {\n\n\t\t\t\t\t\t\tpush.call( results, elem );\n\t\t\t\t\t\t\treturn results;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t// Type selector\n\t\t\t\t} else if ( match[ 2 ] ) {\n\t\t\t\t\tpush.apply( results, context.getElementsByTagName( selector ) );\n\t\t\t\t\treturn results;\n\n\t\t\t\t// Class selector\n\t\t\t\t} else if ( ( m = match[ 3 ] ) && context.getElementsByClassName ) {\n\t\t\t\t\tpush.apply( results, context.getElementsByClassName( m ) );\n\t\t\t\t\treturn results;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Take advantage of querySelectorAll\n\t\t\tif ( !nonnativeSelectorCache[ selector + \" \" ] &&\n\t\t\t\t( !rbuggyQSA || !rbuggyQSA.test( selector ) ) ) {\n\n\t\t\t\tnewSelector = selector;\n\t\t\t\tnewContext = context;\n\n\t\t\t\t// qSA considers elements outside a scoping root when evaluating child or\n\t\t\t\t// descendant combinators, which is not what we want.\n\t\t\t\t// In such cases, we work around the behavior by prefixing every selector in the\n\t\t\t\t// list with an ID selector referencing the scope context.\n\t\t\t\t// The technique has to be used as well when a leading combinator is used\n\t\t\t\t// as such selectors are not recognized by querySelectorAll.\n\t\t\t\t// Thanks to Andrew Dupont for this technique.\n\t\t\t\tif ( nodeType === 1 &&\n\t\t\t\t\t( rdescend.test( selector ) || rleadingCombinator.test( selector ) ) ) {\n\n\t\t\t\t\t// Expand context for sibling selectors\n\t\t\t\t\tnewContext = rsibling.test( selector ) && testContext( context.parentNode ) ||\n\t\t\t\t\t\tcontext;\n\n\t\t\t\t\t// We can use :scope instead of the ID hack if the browser\n\t\t\t\t\t// supports it & if we're not changing the context.\n\t\t\t\t\t// Support: IE 11+, Edge 17 - 18+\n\t\t\t\t\t// IE/Edge sometimes throw a \"Permission denied\" error when\n\t\t\t\t\t// strict-comparing two documents; shallow comparisons work.\n\t\t\t\t\t// eslint-disable-next-line eqeqeq\n\t\t\t\t\tif ( newContext != context || !support.scope ) {\n\n\t\t\t\t\t\t// Capture the context ID, setting it first if necessary\n\t\t\t\t\t\tif ( ( nid = context.getAttribute( \"id\" ) ) ) {\n\t\t\t\t\t\t\tnid = jQuery.escapeSelector( nid );\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\tcontext.setAttribute( \"id\", ( nid = expando ) );\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\t// Prefix every selector in the list\n\t\t\t\t\tgroups = tokenize( selector );\n\t\t\t\t\ti = groups.length;\n\t\t\t\t\twhile ( i-- ) {\n\t\t\t\t\t\tgroups[ i ] = ( nid ? \"#\" + nid : \":scope\" ) + \" \" +\n\t\t\t\t\t\t\ttoSelector( groups[ i ] );\n\t\t\t\t\t}\n\t\t\t\t\tnewSelector = groups.join( \",\" );\n\t\t\t\t}\n\n\t\t\t\ttry {\n\t\t\t\t\tpush.apply( results,\n\t\t\t\t\t\tnewContext.querySelectorAll( newSelector )\n\t\t\t\t\t);\n\t\t\t\t\treturn results;\n\t\t\t\t} catch ( qsaError ) {\n\t\t\t\t\tnonnativeSelectorCache( selector, true );\n\t\t\t\t} finally {\n\t\t\t\t\tif ( nid === expando ) {\n\t\t\t\t\t\tcontext.removeAttribute( \"id\" );\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\t// All others\n\treturn select( selector.replace( rtrimCSS, \"$1\" ), context, results, seed );\n}\n\n/**\n * Create key-value caches of limited size\n * @returns {function(string, object)} Returns the Object data after storing it on itself with\n *\tproperty name the (space-suffixed) string and (if the cache is larger than Expr.cacheLength)\n *\tdeleting the oldest entry\n */\nfunction createCache() {\n\tvar keys = [];\n\n\tfunction cache( key, value ) {\n\n\t\t// Use (key + \" \") to avoid collision with native prototype properties\n\t\t// (see https://github.com/jquery/sizzle/issues/157)\n\t\tif ( keys.push( key + \" \" ) > Expr.cacheLength ) {\n\n\t\t\t// Only keep the most recent entries\n\t\t\tdelete cache[ keys.shift() ];\n\t\t}\n\t\treturn ( cache[ key + \" \" ] = value );\n\t}\n\treturn cache;\n}\n\n/**\n * Mark a function for special use by jQuery selector module\n * @param {Function} fn The function to mark\n */\nfunction markFunction( fn ) {\n\tfn[ expando ] = true;\n\treturn fn;\n}\n\n/**\n * Support testing using an element\n * @param {Function} fn Passed the created element and returns a boolean result\n */\nfunction assert( fn ) {\n\tvar el = document.createElement( \"fieldset\" );\n\n\ttry {\n\t\treturn !!fn( el );\n\t} catch ( e ) {\n\t\treturn false;\n\t} finally {\n\n\t\t// Remove from its parent by default\n\t\tif ( el.parentNode ) {\n\t\t\tel.parentNode.removeChild( el );\n\t\t}\n\n\t\t// release memory in IE\n\t\tel = null;\n\t}\n}\n\n/**\n * Returns a function to use in pseudos for input types\n * @param {String} type\n */\nfunction createInputPseudo( type ) {\n\treturn function( elem ) {\n\t\treturn nodeName( elem, \"input\" ) && elem.type === type;\n\t};\n}\n\n/**\n * Returns a function to use in pseudos for buttons\n * @param {String} type\n */\nfunction createButtonPseudo( type ) {\n\treturn function( elem ) {\n\t\treturn ( nodeName( elem, \"input\" ) || nodeName( elem, \"button\" ) ) &&\n\t\t\telem.type === type;\n\t};\n}\n\n/**\n * Returns a function to use in pseudos for :enabled/:disabled\n * @param {Boolean} disabled true for :disabled; false for :enabled\n */\nfunction createDisabledPseudo( disabled ) {\n\n\t// Known :disabled false positives: fieldset[disabled] > legend:nth-of-type(n+2) :can-disable\n\treturn function( elem ) {\n\n\t\t// Only certain elements can match :enabled or :disabled\n\t\t// https://html.spec.whatwg.org/multipage/scripting.html#selector-enabled\n\t\t// https://html.spec.whatwg.org/multipage/scripting.html#selector-disabled\n\t\tif ( \"form\" in elem ) {\n\n\t\t\t// Check for inherited disabledness on relevant non-disabled elements:\n\t\t\t// * listed form-associated elements in a disabled fieldset\n\t\t\t// https://html.spec.whatwg.org/multipage/forms.html#category-listed\n\t\t\t// https://html.spec.whatwg.org/multipage/forms.html#concept-fe-disabled\n\t\t\t// * option elements in a disabled optgroup\n\t\t\t// https://html.spec.whatwg.org/multipage/forms.html#concept-option-disabled\n\t\t\t// All such elements have a \"form\" property.\n\t\t\tif ( elem.parentNode && elem.disabled === false ) {\n\n\t\t\t\t// Option elements defer to a parent optgroup if present\n\t\t\t\tif ( \"label\" in elem ) {\n\t\t\t\t\tif ( \"label\" in elem.parentNode ) {\n\t\t\t\t\t\treturn elem.parentNode.disabled === disabled;\n\t\t\t\t\t} else {\n\t\t\t\t\t\treturn elem.disabled === disabled;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t// Support: IE 6 - 11+\n\t\t\t\t// Use the isDisabled shortcut property to check for disabled fieldset ancestors\n\t\t\t\treturn elem.isDisabled === disabled ||\n\n\t\t\t\t\t// Where there is no isDisabled, check manually\n\t\t\t\t\telem.isDisabled !== !disabled &&\n\t\t\t\t\t\tinDisabledFieldset( elem ) === disabled;\n\t\t\t}\n\n\t\t\treturn elem.disabled === disabled;\n\n\t\t// Try to winnow out elements that can't be disabled before trusting the disabled property.\n\t\t// Some victims get caught in our net (label, legend, menu, track), but it shouldn't\n\t\t// even exist on them, let alone have a boolean value.\n\t\t} else if ( \"label\" in elem ) {\n\t\t\treturn elem.disabled === disabled;\n\t\t}\n\n\t\t// Remaining elements are neither :enabled nor :disabled\n\t\treturn false;\n\t};\n}\n\n/**\n * Returns a function to use in pseudos for positionals\n * @param {Function} fn\n */\nfunction createPositionalPseudo( fn ) {\n\treturn markFunction( function( argument ) {\n\t\targument = +argument;\n\t\treturn markFunction( function( seed, matches ) {\n\t\t\tvar j,\n\t\t\t\tmatchIndexes = fn( [], seed.length, argument ),\n\t\t\t\ti = matchIndexes.length;\n\n\t\t\t// Match elements found at the specified indexes\n\t\t\twhile ( i-- ) {\n\t\t\t\tif ( seed[ ( j = matchIndexes[ i ] ) ] ) {\n\t\t\t\t\tseed[ j ] = !( matches[ j ] = seed[ j ] );\n\t\t\t\t}\n\t\t\t}\n\t\t} );\n\t} );\n}\n\n/**\n * Checks a node for validity as a jQuery selector context\n * @param {Element|Object=} context\n * @returns {Element|Object|Boolean} The input node if acceptable, otherwise a falsy value\n */\nfunction testContext( context ) {\n\treturn context && typeof context.getElementsByTagName !== \"undefined\" && context;\n}\n\n/**\n * Sets document-related variables once based on the current document\n * @param {Element|Object} [node] An element or document object to use to set the document\n * @returns {Object} Returns the current document\n */\nfunction setDocument( node ) {\n\tvar subWindow,\n\t\tdoc = node ? node.ownerDocument || node : preferredDoc;\n\n\t// Return early if doc is invalid or already selected\n\t// Support: IE 11+, Edge 17 - 18+\n\t// IE/Edge sometimes throw a \"Permission denied\" error when strict-comparing\n\t// two documents; shallow comparisons work.\n\t// eslint-disable-next-line eqeqeq\n\tif ( doc == document || doc.nodeType !== 9 || !doc.documentElement ) {\n\t\treturn document;\n\t}\n\n\t// Update global variables\n\tdocument = doc;\n\tdocumentElement = document.documentElement;\n\tdocumentIsHTML = !jQuery.isXMLDoc( document );\n\n\t// Support: iOS 7 only, IE 9 - 11+\n\t// Older browsers didn't support unprefixed `matches`.\n\tmatches = documentElement.matches ||\n\t\tdocumentElement.webkitMatchesSelector ||\n\t\tdocumentElement.msMatchesSelector;\n\n\t// Support: IE 9 - 11+, Edge 12 - 18+\n\t// Accessing iframe documents after unload throws \"permission denied\" errors (see trac-13936)\n\t// Support: IE 11+, Edge 17 - 18+\n\t// IE/Edge sometimes throw a \"Permission denied\" error when strict-comparing\n\t// two documents; shallow comparisons work.\n\t// eslint-disable-next-line eqeqeq\n\tif ( preferredDoc != document &&\n\t\t( subWindow = document.defaultView ) && subWindow.top !== subWindow ) {\n\n\t\t// Support: IE 9 - 11+, Edge 12 - 18+\n\t\tsubWindow.addEventListener( \"unload\", unloadHandler );\n\t}\n\n\t// Support: IE <10\n\t// Check if getElementById returns elements by name\n\t// The broken getElementById methods don't pick up programmatically-set names,\n\t// so use a roundabout getElementsByName test\n\tsupport.getById = assert( function( el ) {\n\t\tdocumentElement.appendChild( el ).id = jQuery.expando;\n\t\treturn !document.getElementsByName ||\n\t\t\t!document.getElementsByName( jQuery.expando ).length;\n\t} );\n\n\t// Support: IE 9 only\n\t// Check to see if it's possible to do matchesSelector\n\t// on a disconnected node.\n\tsupport.disconnectedMatch = assert( function( el ) {\n\t\treturn matches.call( el, \"*\" );\n\t} );\n\n\t// Support: IE 9 - 11+, Edge 12 - 18+\n\t// IE/Edge don't support the :scope pseudo-class.\n\tsupport.scope = assert( function() {\n\t\treturn document.querySelectorAll( \":scope\" );\n\t} );\n\n\t// Support: Chrome 105 - 111 only, Safari 15.4 - 16.3 only\n\t// Make sure the `:has()` argument is parsed unforgivingly.\n\t// We include `*` in the test to detect buggy implementations that are\n\t// _selectively_ forgiving (specifically when the list includes at least\n\t// one valid selector).\n\t// Note that we treat complete lack of support for `:has()` as if it were\n\t// spec-compliant support, which is fine because use of `:has()` in such\n\t// environments will fail in the qSA path and fall back to jQuery traversal\n\t// anyway.\n\tsupport.cssHas = assert( function() {\n\t\ttry {\n\t\t\tdocument.querySelector( \":has(*,:jqfake)\" );\n\t\t\treturn false;\n\t\t} catch ( e ) {\n\t\t\treturn true;\n\t\t}\n\t} );\n\n\t// ID filter and find\n\tif ( support.getById ) {\n\t\tExpr.filter.ID = function( id ) {\n\t\t\tvar attrId = id.replace( runescape, funescape );\n\t\t\treturn function( elem ) {\n\t\t\t\treturn elem.getAttribute( \"id\" ) === attrId;\n\t\t\t};\n\t\t};\n\t\tExpr.find.ID = function( id, context ) {\n\t\t\tif ( typeof context.getElementById !== \"undefined\" && documentIsHTML ) {\n\t\t\t\tvar elem = context.getElementById( id );\n\t\t\t\treturn elem ? [ elem ] : [];\n\t\t\t}\n\t\t};\n\t} else {\n\t\tExpr.filter.ID = function( id ) {\n\t\t\tvar attrId = id.replace( runescape, funescape );\n\t\t\treturn function( elem ) {\n\t\t\t\tvar node = typeof elem.getAttributeNode !== \"undefined\" &&\n\t\t\t\t\telem.getAttributeNode( \"id\" );\n\t\t\t\treturn node && node.value === attrId;\n\t\t\t};\n\t\t};\n\n\t\t// Support: IE 6 - 7 only\n\t\t// getElementById is not reliable as a find shortcut\n\t\tExpr.find.ID = function( id, context ) {\n\t\t\tif ( typeof context.getElementById !== \"undefined\" && documentIsHTML ) {\n\t\t\t\tvar node, i, elems,\n\t\t\t\t\telem = context.getElementById( id );\n\n\t\t\t\tif ( elem ) {\n\n\t\t\t\t\t// Verify the id attribute\n\t\t\t\t\tnode = elem.getAttributeNode( \"id\" );\n\t\t\t\t\tif ( node && node.value === id ) {\n\t\t\t\t\t\treturn [ elem ];\n\t\t\t\t\t}\n\n\t\t\t\t\t// Fall back on getElementsByName\n\t\t\t\t\telems = context.getElementsByName( id );\n\t\t\t\t\ti = 0;\n\t\t\t\t\twhile ( ( elem = elems[ i++ ] ) ) {\n\t\t\t\t\t\tnode = elem.getAttributeNode( \"id\" );\n\t\t\t\t\t\tif ( node && node.value === id ) {\n\t\t\t\t\t\t\treturn [ elem ];\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\treturn [];\n\t\t\t}\n\t\t};\n\t}\n\n\t// Tag\n\tExpr.find.TAG = function( tag, context ) {\n\t\tif ( typeof context.getElementsByTagName !== \"undefined\" ) {\n\t\t\treturn context.getElementsByTagName( tag );\n\n\t\t// DocumentFragment nodes don't have gEBTN\n\t\t} else {\n\t\t\treturn context.querySelectorAll( tag );\n\t\t}\n\t};\n\n\t// Class\n\tExpr.find.CLASS = function( className, context ) {\n\t\tif ( typeof context.getElementsByClassName !== \"undefined\" && documentIsHTML ) {\n\t\t\treturn context.getElementsByClassName( className );\n\t\t}\n\t};\n\n\t/* QSA/matchesSelector\n\t---------------------------------------------------------------------- */\n\n\t// QSA and matchesSelector support\n\n\trbuggyQSA = [];\n\n\t// Build QSA regex\n\t// Regex strategy adopted from Diego Perini\n\tassert( function( el ) {\n\n\t\tvar input;\n\n\t\tdocumentElement.appendChild( el ).innerHTML =\n\t\t\t\"<a id='\" + expando + \"' href='' disabled='disabled'></a>\" +\n\t\t\t\"<select id='\" + expando + \"-\\r\\\\' disabled='disabled'>\" +\n\t\t\t\"<option selected=''></option></select>\";\n\n\t\t// Support: iOS <=7 - 8 only\n\t\t// Boolean attributes and \"value\" are not treated correctly in some XML documents\n\t\tif ( !el.querySelectorAll( \"[selected]\" ).length ) {\n\t\t\trbuggyQSA.push( \"\\\\[\" + whitespace + \"*(?:value|\" + booleans + \")\" );\n\t\t}\n\n\t\t// Support: iOS <=7 - 8 only\n\t\tif ( !el.querySelectorAll( \"[id~=\" + expando + \"-]\" ).length ) {\n\t\t\trbuggyQSA.push( \"~=\" );\n\t\t}\n\n\t\t// Support: iOS 8 only\n\t\t// https://bugs.webkit.org/show_bug.cgi?id=136851\n\t\t// In-page `selector#id sibling-combinator selector` fails\n\t\tif ( !el.querySelectorAll( \"a#\" + expando + \"+*\" ).length ) {\n\t\t\trbuggyQSA.push( \".#.+[+~]\" );\n\t\t}\n\n\t\t// Support: Chrome <=105+, Firefox <=104+, Safari <=15.4+\n\t\t// In some of the document kinds, these selectors wouldn't work natively.\n\t\t// This is probably OK but for backwards compatibility we want to maintain\n\t\t// handling them through jQuery traversal in jQuery 3.x.\n\t\tif ( !el.querySelectorAll( \":checked\" ).length ) {\n\t\t\trbuggyQSA.push( \":checked\" );\n\t\t}\n\n\t\t// Support: Windows 8 Native Apps\n\t\t// The type and name attributes are restricted during .innerHTML assignment\n\t\tinput = document.createElement( \"input\" );\n\t\tinput.setAttribute( \"type\", \"hidden\" );\n\t\tel.appendChild( input ).setAttribute( \"name\", \"D\" );\n\n\t\t// Support: IE 9 - 11+\n\t\t// IE's :disabled selector does not pick up the children of disabled fieldsets\n\t\t// Support: Chrome <=105+, Firefox <=104+, Safari <=15.4+\n\t\t// In some of the document kinds, these selectors wouldn't work natively.\n\t\t// This is probably OK but for backwards compatibility we want to maintain\n\t\t// handling them through jQuery traversal in jQuery 3.x.\n\t\tdocumentElement.appendChild( el ).disabled = true;\n\t\tif ( el.querySelectorAll( \":disabled\" ).length !== 2 ) {\n\t\t\trbuggyQSA.push( \":enabled\", \":disabled\" );\n\t\t}\n\n\t\t// Support: IE 11+, Edge 15 - 18+\n\t\t// IE 11/Edge don't find elements on a `[name='']` query in some cases.\n\t\t// Adding a temporary attribute to the document before the selection works\n\t\t// around the issue.\n\t\t// Interestingly, IE 10 & older don't seem to have the issue.\n\t\tinput = document.createElement( \"input\" );\n\t\tinput.setAttribute( \"name\", \"\" );\n\t\tel.appendChild( input );\n\t\tif ( !el.querySelectorAll( \"[name='']\" ).length ) {\n\t\t\trbuggyQSA.push( \"\\\\[\" + whitespace + \"*name\" + whitespace + \"*=\" +\n\t\t\t\twhitespace + \"*(?:''|\\\"\\\")\" );\n\t\t}\n\t} );\n\n\tif ( !support.cssHas ) {\n\n\t\t// Support: Chrome 105 - 110+, Safari 15.4 - 16.3+\n\t\t// Our regular `try-catch` mechanism fails to detect natively-unsupported\n\t\t// pseudo-classes inside `:has()` (such as `:has(:contains(\"Foo\"))`)\n\t\t// in browsers that parse the `:has()` argument as a forgiving selector list.\n\t\t// https://drafts.csswg.org/selectors/#relational now requires the argument\n\t\t// to be parsed unforgivingly, but browsers have not yet fully adjusted.\n\t\trbuggyQSA.push( \":has\" );\n\t}\n\n\trbuggyQSA = rbuggyQSA.length && new RegExp( rbuggyQSA.join( \"|\" ) );\n\n\t/* Sorting\n\t---------------------------------------------------------------------- */\n\n\t// Document order sorting\n\tsortOrder = function( a, b ) {\n\n\t\t// Flag for duplicate removal\n\t\tif ( a === b ) {\n\t\t\thasDuplicate = true;\n\t\t\treturn 0;\n\t\t}\n\n\t\t// Sort on method existence if only one input has compareDocumentPosition\n\t\tvar compare = !a.compareDocumentPosition - !b.compareDocumentPosition;\n\t\tif ( compare ) {\n\t\t\treturn compare;\n\t\t}\n\n\t\t// Calculate position if both inputs belong to the same document\n\t\t// Support: IE 11+, Edge 17 - 18+\n\t\t// IE/Edge sometimes throw a \"Permission denied\" error when strict-comparing\n\t\t// two documents; shallow comparisons work.\n\t\t// eslint-disable-next-line eqeqeq\n\t\tcompare = ( a.ownerDocument || a ) == ( b.ownerDocument || b ) ?\n\t\t\ta.compareDocumentPosition( b ) :\n\n\t\t\t// Otherwise we know they are disconnected\n\t\t\t1;\n\n\t\t// Disconnected nodes\n\t\tif ( compare & 1 ||\n\t\t\t( !support.sortDetached && b.compareDocumentPosition( a ) === compare ) ) {\n\n\t\t\t// Choose the first element that is related to our preferred document\n\t\t\t// Support: IE 11+, Edge 17 - 18+\n\t\t\t// IE/Edge sometimes throw a \"Permission denied\" error when strict-comparing\n\t\t\t// two documents; shallow comparisons work.\n\t\t\t// eslint-disable-next-line eqeqeq\n\t\t\tif ( a === document || a.ownerDocument == preferredDoc &&\n\t\t\t\tfind.contains( preferredDoc, a ) ) {\n\t\t\t\treturn -1;\n\t\t\t}\n\n\t\t\t// Support: IE 11+, Edge 17 - 18+\n\t\t\t// IE/Edge sometimes throw a \"Permission denied\" error when strict-comparing\n\t\t\t// two documents; shallow comparisons work.\n\t\t\t// eslint-disable-next-line eqeqeq\n\t\t\tif ( b === document || b.ownerDocument == preferredDoc &&\n\t\t\t\tfind.contains( preferredDoc, b ) ) {\n\t\t\t\treturn 1;\n\t\t\t}\n\n\t\t\t// Maintain original order\n\t\t\treturn sortInput ?\n\t\t\t\t( indexOf.call( sortInput, a ) - indexOf.call( sortInput, b ) ) :\n\t\t\t\t0;\n\t\t}\n\n\t\treturn compare & 4 ? -1 : 1;\n\t};\n\n\treturn document;\n}\n\nfind.matches = function( expr, elements ) {\n\treturn find( expr, null, null, elements );\n};\n\nfind.matchesSelector = function( elem, expr ) {\n\tsetDocument( elem );\n\n\tif ( documentIsHTML &&\n\t\t!nonnativeSelectorCache[ expr + \" \" ] &&\n\t\t( !rbuggyQSA || !rbuggyQSA.test( expr ) ) ) {\n\n\t\ttry {\n\t\t\tvar ret = matches.call( elem, expr );\n\n\t\t\t// IE 9's matchesSelector returns false on disconnected nodes\n\t\t\tif ( ret || support.disconnectedMatch ||\n\n\t\t\t\t\t// As well, disconnected nodes are said to be in a document\n\t\t\t\t\t// fragment in IE 9\n\t\t\t\t\telem.document && elem.document.nodeType !== 11 ) {\n\t\t\t\treturn ret;\n\t\t\t}\n\t\t} catch ( e ) {\n\t\t\tnonnativeSelectorCache( expr, true );\n\t\t}\n\t}\n\n\treturn find( expr, document, null, [ elem ] ).length > 0;\n};\n\nfind.contains = function( context, elem ) {\n\n\t// Set document vars if needed\n\t// Support: IE 11+, Edge 17 - 18+\n\t// IE/Edge sometimes throw a \"Permission denied\" error when strict-comparing\n\t// two documents; shallow comparisons work.\n\t// eslint-disable-next-line eqeqeq\n\tif ( ( context.ownerDocument || context ) != document ) {\n\t\tsetDocument( context );\n\t}\n\treturn jQuery.contains( context, elem );\n};\n\n\nfind.attr = function( elem, name ) {\n\n\t// Set document vars if needed\n\t// Support: IE 11+, Edge 17 - 18+\n\t// IE/Edge sometimes throw a \"Permission denied\" error when strict-comparing\n\t// two documents; shallow comparisons work.\n\t// eslint-disable-next-line eqeqeq\n\tif ( ( elem.ownerDocument || elem ) != document ) {\n\t\tsetDocument( elem );\n\t}\n\n\tvar fn = Expr.attrHandle[ name.toLowerCase() ],\n\n\t\t// Don't get fooled by Object.prototype properties (see trac-13807)\n\t\tval = fn && hasOwn.call( Expr.attrHandle, name.toLowerCase() ) ?\n\t\t\tfn( elem, name, !documentIsHTML ) :\n\t\t\tundefined;\n\n\tif ( val !== undefined ) {\n\t\treturn val;\n\t}\n\n\treturn elem.getAttribute( name );\n};\n\nfind.error = function( msg ) {\n\tthrow new Error( \"Syntax error, unrecognized expression: \" + msg );\n};\n\n/**\n * Document sorting and removing duplicates\n * @param {ArrayLike} results\n */\njQuery.uniqueSort = function( results ) {\n\tvar elem,\n\t\tduplicates = [],\n\t\tj = 0,\n\t\ti = 0;\n\n\t// Unless we *know* we can detect duplicates, assume their presence\n\t//\n\t// Support: Android <=4.0+\n\t// Testing for detecting duplicates is unpredictable so instead assume we can't\n\t// depend on duplicate detection in all browsers without a stable sort.\n\thasDuplicate = !support.sortStable;\n\tsortInput = !support.sortStable && slice.call( results, 0 );\n\tsort.call( results, sortOrder );\n\n\tif ( hasDuplicate ) {\n\t\twhile ( ( elem = results[ i++ ] ) ) {\n\t\t\tif ( elem === results[ i ] ) {\n\t\t\t\tj = duplicates.push( i );\n\t\t\t}\n\t\t}\n\t\twhile ( j-- ) {\n\t\t\tsplice.call( results, duplicates[ j ], 1 );\n\t\t}\n\t}\n\n\t// Clear input after sorting to release objects\n\t// See https://github.com/jquery/sizzle/pull/225\n\tsortInput = null;\n\n\treturn results;\n};\n\njQuery.fn.uniqueSort = function() {\n\treturn this.pushStack( jQuery.uniqueSort( slice.apply( this ) ) );\n};\n\nExpr = jQuery.expr = {\n\n\t// Can be adjusted by the user\n\tcacheLength: 50,\n\n\tcreatePseudo: markFunction,\n\n\tmatch: matchExpr,\n\n\tattrHandle: {},\n\n\tfind: {},\n\n\trelative: {\n\t\t\">\": { dir: \"parentNode\", first: true },\n\t\t\" \": { dir: \"parentNode\" },\n\t\t\"+\": { dir: \"previousSibling\", first: true },\n\t\t\"~\": { dir: \"previousSibling\" }\n\t},\n\n\tpreFilter: {\n\t\tATTR: function( match ) {\n\t\t\tmatch[ 1 ] = match[ 1 ].replace( runescape, funescape );\n\n\t\t\t// Move the given value to match[3] whether quoted or unquoted\n\t\t\tmatch[ 3 ] = ( match[ 3 ] || match[ 4 ] || match[ 5 ] || \"\" )\n\t\t\t\t.replace( runescape, funescape );\n\n\t\t\tif ( match[ 2 ] === \"~=\" ) {\n\t\t\t\tmatch[ 3 ] = \" \" + match[ 3 ] + \" \";\n\t\t\t}\n\n\t\t\treturn match.slice( 0, 4 );\n\t\t},\n\n\t\tCHILD: function( match ) {\n\n\t\t\t/* matches from matchExpr[\"CHILD\"]\n\t\t\t\t1 type (only|nth|...)\n\t\t\t\t2 what (child|of-type)\n\t\t\t\t3 argument (even|odd|\\d*|\\d*n([+-]\\d+)?|...)\n\t\t\t\t4 xn-component of xn+y argument ([+-]?\\d*n|)\n\t\t\t\t5 sign of xn-component\n\t\t\t\t6 x of xn-component\n\t\t\t\t7 sign of y-component\n\t\t\t\t8 y of y-component\n\t\t\t*/\n\t\t\tmatch[ 1 ] = match[ 1 ].toLowerCase();\n\n\t\t\tif ( match[ 1 ].slice( 0, 3 ) === \"nth\" ) {\n\n\t\t\t\t// nth-* requires argument\n\t\t\t\tif ( !match[ 3 ] ) {\n\t\t\t\t\tfind.error( match[ 0 ] );\n\t\t\t\t}\n\n\t\t\t\t// numeric x and y parameters for Expr.filter.CHILD\n\t\t\t\t// remember that false/true cast respectively to 0/1\n\t\t\t\tmatch[ 4 ] = +( match[ 4 ] ?\n\t\t\t\t\tmatch[ 5 ] + ( match[ 6 ] || 1 ) :\n\t\t\t\t\t2 * ( match[ 3 ] === \"even\" || match[ 3 ] === \"odd\" )\n\t\t\t\t);\n\t\t\t\tmatch[ 5 ] = +( ( match[ 7 ] + match[ 8 ] ) || match[ 3 ] === \"odd\" );\n\n\t\t\t// other types prohibit arguments\n\t\t\t} else if ( match[ 3 ] ) {\n\t\t\t\tfind.error( match[ 0 ] );\n\t\t\t}\n\n\t\t\treturn match;\n\t\t},\n\n\t\tPSEUDO: function( match ) {\n\t\t\tvar excess,\n\t\t\t\tunquoted = !match[ 6 ] && match[ 2 ];\n\n\t\t\tif ( matchExpr.CHILD.test( match[ 0 ] ) ) {\n\t\t\t\treturn null;\n\t\t\t}\n\n\t\t\t// Accept quoted arguments as-is\n\t\t\tif ( match[ 3 ] ) {\n\t\t\t\tmatch[ 2 ] = match[ 4 ] || match[ 5 ] || \"\";\n\n\t\t\t// Strip excess characters from unquoted arguments\n\t\t\t} else if ( unquoted && rpseudo.test( unquoted ) &&\n\n\t\t\t\t// Get excess from tokenize (recursively)\n\t\t\t\t( excess = tokenize( unquoted, true ) ) &&\n\n\t\t\t\t// advance to the next closing parenthesis\n\t\t\t\t( excess = unquoted.indexOf( \")\", unquoted.length - excess ) - unquoted.length ) ) {\n\n\t\t\t\t// excess is a negative index\n\t\t\t\tmatch[ 0 ] = match[ 0 ].slice( 0, excess );\n\t\t\t\tmatch[ 2 ] = unquoted.slice( 0, excess );\n\t\t\t}\n\n\t\t\t// Return only captures needed by the pseudo filter method (type and argument)\n\t\t\treturn match.slice( 0, 3 );\n\t\t}\n\t},\n\n\tfilter: {\n\n\t\tTAG: function( nodeNameSelector ) {\n\t\t\tvar expectedNodeName = nodeNameSelector.replace( runescape, funescape ).toLowerCase();\n\t\t\treturn nodeNameSelector === \"*\" ?\n\t\t\t\tfunction() {\n\t\t\t\t\treturn true;\n\t\t\t\t} :\n\t\t\t\tfunction( elem ) {\n\t\t\t\t\treturn nodeName( elem, expectedNodeName );\n\t\t\t\t};\n\t\t},\n\n\t\tCLASS: function( className ) {\n\t\t\tvar pattern = classCache[ className + \" \" ];\n\n\t\t\treturn pattern ||\n\t\t\t\t( pattern = new RegExp( \"(^|\" + whitespace + \")\" + className +\n\t\t\t\t\t\"(\" + whitespace + \"|$)\" ) ) &&\n\t\t\t\tclassCache( className, function( elem ) {\n\t\t\t\t\treturn pattern.test(\n\t\t\t\t\t\ttypeof elem.className === \"string\" && elem.className ||\n\t\t\t\t\t\t\ttypeof elem.getAttribute !== \"undefined\" &&\n\t\t\t\t\t\t\t\telem.getAttribute( \"class\" ) ||\n\t\t\t\t\t\t\t\"\"\n\t\t\t\t\t);\n\t\t\t\t} );\n\t\t},\n\n\t\tATTR: function( name, operator, check ) {\n\t\t\treturn function( elem ) {\n\t\t\t\tvar result = find.attr( elem, name );\n\n\t\t\t\tif ( result == null ) {\n\t\t\t\t\treturn operator === \"!=\";\n\t\t\t\t}\n\t\t\t\tif ( !operator ) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\n\t\t\t\tresult += \"\";\n\n\t\t\t\tif ( operator === \"=\" ) {\n\t\t\t\t\treturn result === check;\n\t\t\t\t}\n\t\t\t\tif ( operator === \"!=\" ) {\n\t\t\t\t\treturn result !== check;\n\t\t\t\t}\n\t\t\t\tif ( operator === \"^=\" ) {\n\t\t\t\t\treturn check && result.indexOf( check ) === 0;\n\t\t\t\t}\n\t\t\t\tif ( operator === \"*=\" ) {\n\t\t\t\t\treturn check && result.indexOf( check ) > -1;\n\t\t\t\t}\n\t\t\t\tif ( operator === \"$=\" ) {\n\t\t\t\t\treturn check && result.slice( -check.length ) === check;\n\t\t\t\t}\n\t\t\t\tif ( operator === \"~=\" ) {\n\t\t\t\t\treturn ( \" \" + result.replace( rwhitespace, \" \" ) + \" \" )\n\t\t\t\t\t\t.indexOf( check ) > -1;\n\t\t\t\t}\n\t\t\t\tif ( operator === \"|=\" ) {\n\t\t\t\t\treturn result === check || result.slice( 0, check.length + 1 ) === check + \"-\";\n\t\t\t\t}\n\n\t\t\t\treturn false;\n\t\t\t};\n\t\t},\n\n\t\tCHILD: function( type, what, _argument, first, last ) {\n\t\t\tvar simple = type.slice( 0, 3 ) !== \"nth\",\n\t\t\t\tforward = type.slice( -4 ) !== \"last\",\n\t\t\t\tofType = what === \"of-type\";\n\n\t\t\treturn first === 1 && last === 0 ?\n\n\t\t\t\t// Shortcut for :nth-*(n)\n\t\t\t\tfunction( elem ) {\n\t\t\t\t\treturn !!elem.parentNode;\n\t\t\t\t} :\n\n\t\t\t\tfunction( elem, _context, xml ) {\n\t\t\t\t\tvar cache, outerCache, node, nodeIndex, start,\n\t\t\t\t\t\tdir = simple !== forward ? \"nextSibling\" : \"previousSibling\",\n\t\t\t\t\t\tparent = elem.parentNode,\n\t\t\t\t\t\tname = ofType && elem.nodeName.toLowerCase(),\n\t\t\t\t\t\tuseCache = !xml && !ofType,\n\t\t\t\t\t\tdiff = false;\n\n\t\t\t\t\tif ( parent ) {\n\n\t\t\t\t\t\t// :(first|last|only)-(child|of-type)\n\t\t\t\t\t\tif ( simple ) {\n\t\t\t\t\t\t\twhile ( dir ) {\n\t\t\t\t\t\t\t\tnode = elem;\n\t\t\t\t\t\t\t\twhile ( ( node = node[ dir ] ) ) {\n\t\t\t\t\t\t\t\t\tif ( ofType ?\n\t\t\t\t\t\t\t\t\t\tnodeName( node, name ) :\n\t\t\t\t\t\t\t\t\t\tnode.nodeType === 1 ) {\n\n\t\t\t\t\t\t\t\t\t\treturn false;\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t\t\t// Reverse direction for :only-* (if we haven't yet done so)\n\t\t\t\t\t\t\t\tstart = dir = type === \"only\" && !start && \"nextSibling\";\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\treturn true;\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\tstart = [ forward ? parent.firstChild : parent.lastChild ];\n\n\t\t\t\t\t\t// non-xml :nth-child(...) stores cache data on `parent`\n\t\t\t\t\t\tif ( forward && useCache ) {\n\n\t\t\t\t\t\t\t// Seek `elem` from a previously-cached index\n\t\t\t\t\t\t\touterCache = parent[ expando ] || ( parent[ expando ] = {} );\n\t\t\t\t\t\t\tcache = outerCache[ type ] || [];\n\t\t\t\t\t\t\tnodeIndex = cache[ 0 ] === dirruns && cache[ 1 ];\n\t\t\t\t\t\t\tdiff = nodeIndex && cache[ 2 ];\n\t\t\t\t\t\t\tnode = nodeIndex && parent.childNodes[ nodeIndex ];\n\n\t\t\t\t\t\t\twhile ( ( node = ++nodeIndex && node && node[ dir ] ||\n\n\t\t\t\t\t\t\t\t// Fallback to seeking `elem` from the start\n\t\t\t\t\t\t\t\t( diff = nodeIndex = 0 ) || start.pop() ) ) {\n\n\t\t\t\t\t\t\t\t// When found, cache indexes on `parent` and break\n\t\t\t\t\t\t\t\tif ( node.nodeType === 1 && ++diff && node === elem ) {\n\t\t\t\t\t\t\t\t\touterCache[ type ] = [ dirruns, nodeIndex, diff ];\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t} else {\n\n\t\t\t\t\t\t\t// Use previously-cached element index if available\n\t\t\t\t\t\t\tif ( useCache ) {\n\t\t\t\t\t\t\t\touterCache = elem[ expando ] || ( elem[ expando ] = {} );\n\t\t\t\t\t\t\t\tcache = outerCache[ type ] || [];\n\t\t\t\t\t\t\t\tnodeIndex = cache[ 0 ] === dirruns && cache[ 1 ];\n\t\t\t\t\t\t\t\tdiff = nodeIndex;\n\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t\t// xml :nth-child(...)\n\t\t\t\t\t\t\t// or :nth-last-child(...) or :nth(-last)?-of-type(...)\n\t\t\t\t\t\t\tif ( diff === false ) {\n\n\t\t\t\t\t\t\t\t// Use the same loop as above to seek `elem` from the start\n\t\t\t\t\t\t\t\twhile ( ( node = ++nodeIndex && node && node[ dir ] ||\n\t\t\t\t\t\t\t\t\t( diff = nodeIndex = 0 ) || start.pop() ) ) {\n\n\t\t\t\t\t\t\t\t\tif ( ( ofType ?\n\t\t\t\t\t\t\t\t\t\tnodeName( node, name ) :\n\t\t\t\t\t\t\t\t\t\tnode.nodeType === 1 ) &&\n\t\t\t\t\t\t\t\t\t\t++diff ) {\n\n\t\t\t\t\t\t\t\t\t\t// Cache the index of each encountered element\n\t\t\t\t\t\t\t\t\t\tif ( useCache ) {\n\t\t\t\t\t\t\t\t\t\t\touterCache = node[ expando ] ||\n\t\t\t\t\t\t\t\t\t\t\t\t( node[ expando ] = {} );\n\t\t\t\t\t\t\t\t\t\t\touterCache[ type ] = [ dirruns, diff ];\n\t\t\t\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t\t\t\t\tif ( node === elem ) {\n\t\t\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\t// Incorporate the offset, then check against cycle size\n\t\t\t\t\t\tdiff -= last;\n\t\t\t\t\t\treturn diff === first || ( diff % first === 0 && diff / first >= 0 );\n\t\t\t\t\t}\n\t\t\t\t};\n\t\t},\n\n\t\tPSEUDO: function( pseudo, argument ) {\n\n\t\t\t// pseudo-class names are case-insensitive\n\t\t\t// https://www.w3.org/TR/selectors/#pseudo-classes\n\t\t\t// Prioritize by case sensitivity in case custom pseudos are added with uppercase letters\n\t\t\t// Remember that setFilters inherits from pseudos\n\t\t\tvar args,\n\t\t\t\tfn = Expr.pseudos[ pseudo ] || Expr.setFilters[ pseudo.toLowerCase() ] ||\n\t\t\t\t\tfind.error( \"unsupported pseudo: \" + pseudo );\n\n\t\t\t// The user may use createPseudo to indicate that\n\t\t\t// arguments are needed to create the filter function\n\t\t\t// just as jQuery does\n\t\t\tif ( fn[ expando ] ) {\n\t\t\t\treturn fn( argument );\n\t\t\t}\n\n\t\t\t// But maintain support for old signatures\n\t\t\tif ( fn.length > 1 ) {\n\t\t\t\targs = [ pseudo, pseudo, \"\", argument ];\n\t\t\t\treturn Expr.setFilters.hasOwnProperty( pseudo.toLowerCase() ) ?\n\t\t\t\t\tmarkFunction( function( seed, matches ) {\n\t\t\t\t\t\tvar idx,\n\t\t\t\t\t\t\tmatched = fn( seed, argument ),\n\t\t\t\t\t\t\ti = matched.length;\n\t\t\t\t\t\twhile ( i-- ) {\n\t\t\t\t\t\t\tidx = indexOf.call( seed, matched[ i ] );\n\t\t\t\t\t\t\tseed[ idx ] = !( matches[ idx ] = matched[ i ] );\n\t\t\t\t\t\t}\n\t\t\t\t\t} ) :\n\t\t\t\t\tfunction( elem ) {\n\t\t\t\t\t\treturn fn( elem, 0, args );\n\t\t\t\t\t};\n\t\t\t}\n\n\t\t\treturn fn;\n\t\t}\n\t},\n\n\tpseudos: {\n\n\t\t// Potentially complex pseudos\n\t\tnot: markFunction( function( selector ) {\n\n\t\t\t// Trim the selector passed to compile\n\t\t\t// to avoid treating leading and trailing\n\t\t\t// spaces as combinators\n\t\t\tvar input = [],\n\t\t\t\tresults = [],\n\t\t\t\tmatcher = compile( selector.replace( rtrimCSS, \"$1\" ) );\n\n\t\t\treturn matcher[ expando ] ?\n\t\t\t\tmarkFunction( function( seed, matches, _context, xml ) {\n\t\t\t\t\tvar elem,\n\t\t\t\t\t\tunmatched = matcher( seed, null, xml, [] ),\n\t\t\t\t\t\ti = seed.length;\n\n\t\t\t\t\t// Match elements unmatched by `matcher`\n\t\t\t\t\twhile ( i-- ) {\n\t\t\t\t\t\tif ( ( elem = unmatched[ i ] ) ) {\n\t\t\t\t\t\t\tseed[ i ] = !( matches[ i ] = elem );\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t} ) :\n\t\t\t\tfunction( elem, _context, xml ) {\n\t\t\t\t\tinput[ 0 ] = elem;\n\t\t\t\t\tmatcher( input, null, xml, results );\n\n\t\t\t\t\t// Don't keep the element\n\t\t\t\t\t// (see https://github.com/jquery/sizzle/issues/299)\n\t\t\t\t\tinput[ 0 ] = null;\n\t\t\t\t\treturn !results.pop();\n\t\t\t\t};\n\t\t} ),\n\n\t\thas: markFunction( function( selector ) {\n\t\t\treturn function( elem ) {\n\t\t\t\treturn find( selector, elem ).length > 0;\n\t\t\t};\n\t\t} ),\n\n\t\tcontains: markFunction( function( text ) {\n\t\t\ttext = text.replace( runescape, funescape );\n\t\t\treturn function( elem ) {\n\t\t\t\treturn ( elem.textContent || jQuery.text( elem ) ).indexOf( text ) > -1;\n\t\t\t};\n\t\t} ),\n\n\t\t// \"Whether an element is represented by a :lang() selector\n\t\t// is based solely on the element's language value\n\t\t// being equal to the identifier C,\n\t\t// or beginning with the identifier C immediately followed by \"-\".\n\t\t// The matching of C against the element's language value is performed case-insensitively.\n\t\t// The identifier C does not have to be a valid language name.\"\n\t\t// https://www.w3.org/TR/selectors/#lang-pseudo\n\t\tlang: markFunction( function( lang ) {\n\n\t\t\t// lang value must be a valid identifier\n\t\t\tif ( !ridentifier.test( lang || \"\" ) ) {\n\t\t\t\tfind.error( \"unsupported lang: \" + lang );\n\t\t\t}\n\t\t\tlang = lang.replace( runescape, funescape ).toLowerCase();\n\t\t\treturn function( elem ) {\n\t\t\t\tvar elemLang;\n\t\t\t\tdo {\n\t\t\t\t\tif ( ( elemLang = documentIsHTML ?\n\t\t\t\t\t\telem.lang :\n\t\t\t\t\t\telem.getAttribute( \"xml:lang\" ) || elem.getAttribute( \"lang\" ) ) ) {\n\n\t\t\t\t\t\telemLang = elemLang.toLowerCase();\n\t\t\t\t\t\treturn elemLang === lang || elemLang.indexOf( lang + \"-\" ) === 0;\n\t\t\t\t\t}\n\t\t\t\t} while ( ( elem = elem.parentNode ) && elem.nodeType === 1 );\n\t\t\t\treturn false;\n\t\t\t};\n\t\t} ),\n\n\t\t// Miscellaneous\n\t\ttarget: function( elem ) {\n\t\t\tvar hash = window.location && window.location.hash;\n\t\t\treturn hash && hash.slice( 1 ) === elem.id;\n\t\t},\n\n\t\troot: function( elem ) {\n\t\t\treturn elem === documentElement;\n\t\t},\n\n\t\tfocus: function( elem ) {\n\t\t\treturn elem === safeActiveElement() &&\n\t\t\t\tdocument.hasFocus() &&\n\t\t\t\t!!( elem.type || elem.href || ~elem.tabIndex );\n\t\t},\n\n\t\t// Boolean properties\n\t\tenabled: createDisabledPseudo( false ),\n\t\tdisabled: createDisabledPseudo( true ),\n\n\t\tchecked: function( elem ) {\n\n\t\t\t// In CSS3, :checked should return both checked and selected elements\n\t\t\t// https://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked\n\t\t\treturn ( nodeName( elem, \"input\" ) && !!elem.checked ) ||\n\t\t\t\t( nodeName( elem, \"option\" ) && !!elem.selected );\n\t\t},\n\n\t\tselected: function( elem ) {\n\n\t\t\t// Support: IE <=11+\n\t\t\t// Accessing the selectedIndex property\n\t\t\t// forces the browser to treat the default option as\n\t\t\t// selected when in an optgroup.\n\t\t\tif ( elem.parentNode ) {\n\t\t\t\t// eslint-disable-next-line no-unused-expressions\n\t\t\t\telem.parentNode.selectedIndex;\n\t\t\t}\n\n\t\t\treturn elem.selected === true;\n\t\t},\n\n\t\t// Contents\n\t\tempty: function( elem ) {\n\n\t\t\t// https://www.w3.org/TR/selectors/#empty-pseudo\n\t\t\t// :empty is negated by element (1) or content nodes (text: 3; cdata: 4; entity ref: 5),\n\t\t\t// but not by others (comment: 8; processing instruction: 7; etc.)\n\t\t\t// nodeType < 6 works because attributes (2) do not appear as children\n\t\t\tfor ( elem = elem.firstChild; elem; elem = elem.nextSibling ) {\n\t\t\t\tif ( elem.nodeType < 6 ) {\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn true;\n\t\t},\n\n\t\tparent: function( elem ) {\n\t\t\treturn !Expr.pseudos.empty( elem );\n\t\t},\n\n\t\t// Element/input types\n\t\theader: function( elem ) {\n\t\t\treturn rheader.test( elem.nodeName );\n\t\t},\n\n\t\tinput: function( elem ) {\n\t\t\treturn rinputs.test( elem.nodeName );\n\t\t},\n\n\t\tbutton: function( elem ) {\n\t\t\treturn nodeName( elem, \"input\" ) && elem.type === \"button\" ||\n\t\t\t\tnodeName( elem, \"button\" );\n\t\t},\n\n\t\ttext: function( elem ) {\n\t\t\tvar attr;\n\t\t\treturn nodeName( elem, \"input\" ) && elem.type === \"text\" &&\n\n\t\t\t\t// Support: IE <10 only\n\t\t\t\t// New HTML5 attribute values (e.g., \"search\") appear\n\t\t\t\t// with elem.type === \"text\"\n\t\t\t\t( ( attr = elem.getAttribute( \"type\" ) ) == null ||\n\t\t\t\t\tattr.toLowerCase() === \"text\" );\n\t\t},\n\n\t\t// Position-in-collection\n\t\tfirst: createPositionalPseudo( function() {\n\t\t\treturn [ 0 ];\n\t\t} ),\n\n\t\tlast: createPositionalPseudo( function( _matchIndexes, length ) {\n\t\t\treturn [ length - 1 ];\n\t\t} ),\n\n\t\teq: createPositionalPseudo( function( _matchIndexes, length, argument ) {\n\t\t\treturn [ argument < 0 ? argument + length : argument ];\n\t\t} ),\n\n\t\teven: createPositionalPseudo( function( matchIndexes, length ) {\n\t\t\tvar i = 0;\n\t\t\tfor ( ; i < length; i += 2 ) {\n\t\t\t\tmatchIndexes.push( i );\n\t\t\t}\n\t\t\treturn matchIndexes;\n\t\t} ),\n\n\t\todd: createPositionalPseudo( function( matchIndexes, length ) {\n\t\t\tvar i = 1;\n\t\t\tfor ( ; i < length; i += 2 ) {\n\t\t\t\tmatchIndexes.push( i );\n\t\t\t}\n\t\t\treturn matchIndexes;\n\t\t} ),\n\n\t\tlt: createPositionalPseudo( function( matchIndexes, length, argument ) {\n\t\t\tvar i;\n\n\t\t\tif ( argument < 0 ) {\n\t\t\t\ti = argument + length;\n\t\t\t} else if ( argument > length ) {\n\t\t\t\ti = length;\n\t\t\t} else {\n\t\t\t\ti = argument;\n\t\t\t}\n\n\t\t\tfor ( ; --i >= 0; ) {\n\t\t\t\tmatchIndexes.push( i );\n\t\t\t}\n\t\t\treturn matchIndexes;\n\t\t} ),\n\n\t\tgt: createPositionalPseudo( function( matchIndexes, length, argument ) {\n\t\t\tvar i = argument < 0 ? argument + length : argument;\n\t\t\tfor ( ; ++i < length; ) {\n\t\t\t\tmatchIndexes.push( i );\n\t\t\t}\n\t\t\treturn matchIndexes;\n\t\t} )\n\t}\n};\n\nExpr.pseudos.nth = Expr.pseudos.eq;\n\n// Add button/input type pseudos\nfor ( i in { radio: true, checkbox: true, file: true, password: true, image: true } ) {\n\tExpr.pseudos[ i ] = createInputPseudo( i );\n}\nfor ( i in { submit: true, reset: true } ) {\n\tExpr.pseudos[ i ] = createButtonPseudo( i );\n}\n\n// Easy API for creating new setFilters\nfunction setFilters() {}\nsetFilters.prototype = Expr.filters = Expr.pseudos;\nExpr.setFilters = new setFilters();\n\nfunction tokenize( selector, parseOnly ) {\n\tvar matched, match, tokens, type,\n\t\tsoFar, groups, preFilters,\n\t\tcached = tokenCache[ selector + \" \" ];\n\n\tif ( cached ) {\n\t\treturn parseOnly ? 0 : cached.slice( 0 );\n\t}\n\n\tsoFar = selector;\n\tgroups = [];\n\tpreFilters = Expr.preFilter;\n\n\twhile ( soFar ) {\n\n\t\t// Comma and first run\n\t\tif ( !matched || ( match = rcomma.exec( soFar ) ) ) {\n\t\t\tif ( match ) {\n\n\t\t\t\t// Don't consume trailing commas as valid\n\t\t\t\tsoFar = soFar.slice( match[ 0 ].length ) || soFar;\n\t\t\t}\n\t\t\tgroups.push( ( tokens = [] ) );\n\t\t}\n\n\t\tmatched = false;\n\n\t\t// Combinators\n\t\tif ( ( match = rleadingCombinator.exec( soFar ) ) ) {\n\t\t\tmatched = match.shift();\n\t\t\ttokens.push( {\n\t\t\t\tvalue: matched,\n\n\t\t\t\t// Cast descendant combinators to space\n\t\t\t\ttype: match[ 0 ].replace( rtrimCSS, \" \" )\n\t\t\t} );\n\t\t\tsoFar = soFar.slice( matched.length );\n\t\t}\n\n\t\t// Filters\n\t\tfor ( type in Expr.filter ) {\n\t\t\tif ( ( match = matchExpr[ type ].exec( soFar ) ) && ( !preFilters[ type ] ||\n\t\t\t\t( match = preFilters[ type ]( match ) ) ) ) {\n\t\t\t\tmatched = match.shift();\n\t\t\t\ttokens.push( {\n\t\t\t\t\tvalue: matched,\n\t\t\t\t\ttype: type,\n\t\t\t\t\tmatches: match\n\t\t\t\t} );\n\t\t\t\tsoFar = soFar.slice( matched.length );\n\t\t\t}\n\t\t}\n\n\t\tif ( !matched ) {\n\t\t\tbreak;\n\t\t}\n\t}\n\n\t// Return the length of the invalid excess\n\t// if we're just parsing\n\t// Otherwise, throw an error or return tokens\n\tif ( parseOnly ) {\n\t\treturn soFar.length;\n\t}\n\n\treturn soFar ?\n\t\tfind.error( selector ) :\n\n\t\t// Cache the tokens\n\t\ttokenCache( selector, groups ).slice( 0 );\n}\n\nfunction toSelector( tokens ) {\n\tvar i = 0,\n\t\tlen = tokens.length,\n\t\tselector = \"\";\n\tfor ( ; i < len; i++ ) {\n\t\tselector += tokens[ i ].value;\n\t}\n\treturn selector;\n}\n\nfunction addCombinator( matcher, combinator, base ) {\n\tvar dir = combinator.dir,\n\t\tskip = combinator.next,\n\t\tkey = skip || dir,\n\t\tcheckNonElements = base && key === \"parentNode\",\n\t\tdoneName = done++;\n\n\treturn combinator.first ?\n\n\t\t// Check against closest ancestor/preceding element\n\t\tfunction( elem, context, xml ) {\n\t\t\twhile ( ( elem = elem[ dir ] ) ) {\n\t\t\t\tif ( elem.nodeType === 1 || checkNonElements ) {\n\t\t\t\t\treturn matcher( elem, context, xml );\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn false;\n\t\t} :\n\n\t\t// Check against all ancestor/preceding elements\n\t\tfunction( elem, context, xml ) {\n\t\t\tvar oldCache, outerCache,\n\t\t\t\tnewCache = [ dirruns, doneName ];\n\n\t\t\t// We can't set arbitrary data on XML nodes, so they don't benefit from combinator caching\n\t\t\tif ( xml ) {\n\t\t\t\twhile ( ( elem = elem[ dir ] ) ) {\n\t\t\t\t\tif ( elem.nodeType === 1 || checkNonElements ) {\n\t\t\t\t\t\tif ( matcher( elem, context, xml ) ) {\n\t\t\t\t\t\t\treturn true;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t} else {\n\t\t\t\twhile ( ( elem = elem[ dir ] ) ) {\n\t\t\t\t\tif ( elem.nodeType === 1 || checkNonElements ) {\n\t\t\t\t\t\touterCache = elem[ expando ] || ( elem[ expando ] = {} );\n\n\t\t\t\t\t\tif ( skip && nodeName( elem, skip ) ) {\n\t\t\t\t\t\t\telem = elem[ dir ] || elem;\n\t\t\t\t\t\t} else if ( ( oldCache = outerCache[ key ] ) &&\n\t\t\t\t\t\t\toldCache[ 0 ] === dirruns && oldCache[ 1 ] === doneName ) {\n\n\t\t\t\t\t\t\t// Assign to newCache so results back-propagate to previous elements\n\t\t\t\t\t\t\treturn ( newCache[ 2 ] = oldCache[ 2 ] );\n\t\t\t\t\t\t} else {\n\n\t\t\t\t\t\t\t// Reuse newcache so results back-propagate to previous elements\n\t\t\t\t\t\t\touterCache[ key ] = newCache;\n\n\t\t\t\t\t\t\t// A match means we're done; a fail means we have to keep checking\n\t\t\t\t\t\t\tif ( ( newCache[ 2 ] = matcher( elem, context, xml ) ) ) {\n\t\t\t\t\t\t\t\treturn true;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn false;\n\t\t};\n}\n\nfunction elementMatcher( matchers ) {\n\treturn matchers.length > 1 ?\n\t\tfunction( elem, context, xml ) {\n\t\t\tvar i = matchers.length;\n\t\t\twhile ( i-- ) {\n\t\t\t\tif ( !matchers[ i ]( elem, context, xml ) ) {\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn true;\n\t\t} :\n\t\tmatchers[ 0 ];\n}\n\nfunction multipleContexts( selector, contexts, results ) {\n\tvar i = 0,\n\t\tlen = contexts.length;\n\tfor ( ; i < len; i++ ) {\n\t\tfind( selector, contexts[ i ], results );\n\t}\n\treturn results;\n}\n\nfunction condense( unmatched, map, filter, context, xml ) {\n\tvar elem,\n\t\tnewUnmatched = [],\n\t\ti = 0,\n\t\tlen = unmatched.length,\n\t\tmapped = map != null;\n\n\tfor ( ; i < len; i++ ) {\n\t\tif ( ( elem = unmatched[ i ] ) ) {\n\t\t\tif ( !filter || filter( elem, context, xml ) ) {\n\t\t\t\tnewUnmatched.push( elem );\n\t\t\t\tif ( mapped ) {\n\t\t\t\t\tmap.push( i );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\treturn newUnmatched;\n}\n\nfunction setMatcher( preFilter, selector, matcher, postFilter, postFinder, postSelector ) {\n\tif ( postFilter && !postFilter[ expando ] ) {\n\t\tpostFilter = setMatcher( postFilter );\n\t}\n\tif ( postFinder && !postFinder[ expando ] ) {\n\t\tpostFinder = setMatcher( postFinder, postSelector );\n\t}\n\treturn markFunction( function( seed, results, context, xml ) {\n\t\tvar temp, i, elem, matcherOut,\n\t\t\tpreMap = [],\n\t\t\tpostMap = [],\n\t\t\tpreexisting = results.length,\n\n\t\t\t// Get initial elements from seed or context\n\t\t\telems = seed ||\n\t\t\t\tmultipleContexts( selector || \"*\",\n\t\t\t\t\tcontext.nodeType ? [ context ] : context, [] ),\n\n\t\t\t// Prefilter to get matcher input, preserving a map for seed-results synchronization\n\t\t\tmatcherIn = preFilter && ( seed || !selector ) ?\n\t\t\t\tcondense( elems, preMap, preFilter, context, xml ) :\n\t\t\t\telems;\n\n\t\tif ( matcher ) {\n\n\t\t\t// If we have a postFinder, or filtered seed, or non-seed postFilter\n\t\t\t// or preexisting results,\n\t\t\tmatcherOut = postFinder || ( seed ? preFilter : preexisting || postFilter ) ?\n\n\t\t\t\t// ...intermediate processing is necessary\n\t\t\t\t[] :\n\n\t\t\t\t// ...otherwise use results directly\n\t\t\t\tresults;\n\n\t\t\t// Find primary matches\n\t\t\tmatcher( matcherIn, matcherOut, context, xml );\n\t\t} else {\n\t\t\tmatcherOut = matcherIn;\n\t\t}\n\n\t\t// Apply postFilter\n\t\tif ( postFilter ) {\n\t\t\ttemp = condense( matcherOut, postMap );\n\t\t\tpostFilter( temp, [], context, xml );\n\n\t\t\t// Un-match failing elements by moving them back to matcherIn\n\t\t\ti = temp.length;\n\t\t\twhile ( i-- ) {\n\t\t\t\tif ( ( elem = temp[ i ] ) ) {\n\t\t\t\t\tmatcherOut[ postMap[ i ] ] = !( matcherIn[ postMap[ i ] ] = elem );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tif ( seed ) {\n\t\t\tif ( postFinder || preFilter ) {\n\t\t\t\tif ( postFinder ) {\n\n\t\t\t\t\t// Get the final matcherOut by condensing this intermediate into postFinder contexts\n\t\t\t\t\ttemp = [];\n\t\t\t\t\ti = matcherOut.length;\n\t\t\t\t\twhile ( i-- ) {\n\t\t\t\t\t\tif ( ( elem = matcherOut[ i ] ) ) {\n\n\t\t\t\t\t\t\t// Restore matcherIn since elem is not yet a final match\n\t\t\t\t\t\t\ttemp.push( ( matcherIn[ i ] = elem ) );\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\tpostFinder( null, ( matcherOut = [] ), temp, xml );\n\t\t\t\t}\n\n\t\t\t\t// Move matched elements from seed to results to keep them synchronized\n\t\t\t\ti = matcherOut.length;\n\t\t\t\twhile ( i-- ) {\n\t\t\t\t\tif ( ( elem = matcherOut[ i ] ) &&\n\t\t\t\t\t\t( temp = postFinder ? indexOf.call( seed, elem ) : preMap[ i ] ) > -1 ) {\n\n\t\t\t\t\t\tseed[ temp ] = !( results[ temp ] = elem );\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t// Add elements to results, through postFinder if defined\n\t\t} else {\n\t\t\tmatcherOut = condense(\n\t\t\t\tmatcherOut === results ?\n\t\t\t\t\tmatcherOut.splice( preexisting, matcherOut.length ) :\n\t\t\t\t\tmatcherOut\n\t\t\t);\n\t\t\tif ( postFinder ) {\n\t\t\t\tpostFinder( null, results, matcherOut, xml );\n\t\t\t} else {\n\t\t\t\tpush.apply( results, matcherOut );\n\t\t\t}\n\t\t}\n\t} );\n}\n\nfunction matcherFromTokens( tokens ) {\n\tvar checkContext, matcher, j,\n\t\tlen = tokens.length,\n\t\tleadingRelative = Expr.relative[ tokens[ 0 ].type ],\n\t\timplicitRelative = leadingRelative || Expr.relative[ \" \" ],\n\t\ti = leadingRelative ? 1 : 0,\n\n\t\t// The foundational matcher ensures that elements are reachable from top-level context(s)\n\t\tmatchContext = addCombinator( function( elem ) {\n\t\t\treturn elem === checkContext;\n\t\t}, implicitRelative, true ),\n\t\tmatchAnyContext = addCombinator( function( elem ) {\n\t\t\treturn indexOf.call( checkContext, elem ) > -1;\n\t\t}, implicitRelative, true ),\n\t\tmatchers = [ function( elem, context, xml ) {\n\n\t\t\t// Support: IE 11+, Edge 17 - 18+\n\t\t\t// IE/Edge sometimes throw a \"Permission denied\" error when strict-comparing\n\t\t\t// two documents; shallow comparisons work.\n\t\t\t// eslint-disable-next-line eqeqeq\n\t\t\tvar ret = ( !leadingRelative && ( xml || context != outermostContext ) ) || (\n\t\t\t\t( checkContext = context ).nodeType ?\n\t\t\t\t\tmatchContext( elem, context, xml ) :\n\t\t\t\t\tmatchAnyContext( elem, context, xml ) );\n\n\t\t\t// Avoid hanging onto element\n\t\t\t// (see https://github.com/jquery/sizzle/issues/299)\n\t\t\tcheckContext = null;\n\t\t\treturn ret;\n\t\t} ];\n\n\tfor ( ; i < len; i++ ) {\n\t\tif ( ( matcher = Expr.relative[ tokens[ i ].type ] ) ) {\n\t\t\tmatchers = [ addCombinator( elementMatcher( matchers ), matcher ) ];\n\t\t} else {\n\t\t\tmatcher = Expr.filter[ tokens[ i ].type ].apply( null, tokens[ i ].matches );\n\n\t\t\t// Return special upon seeing a positional matcher\n\t\t\tif ( matcher[ expando ] ) {\n\n\t\t\t\t// Find the next relative operator (if any) for proper handling\n\t\t\t\tj = ++i;\n\t\t\t\tfor ( ; j < len; j++ ) {\n\t\t\t\t\tif ( Expr.relative[ tokens[ j ].type ] ) {\n\t\t\t\t\t\tbreak;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\treturn setMatcher(\n\t\t\t\t\ti > 1 && elementMatcher( matchers ),\n\t\t\t\t\ti > 1 && toSelector(\n\n\t\t\t\t\t\t// If the preceding token was a descendant combinator, insert an implicit any-element `*`\n\t\t\t\t\t\ttokens.slice( 0, i - 1 )\n\t\t\t\t\t\t\t.concat( { value: tokens[ i - 2 ].type === \" \" ? \"*\" : \"\" } )\n\t\t\t\t\t).replace( rtrimCSS, \"$1\" ),\n\t\t\t\t\tmatcher,\n\t\t\t\t\ti < j && matcherFromTokens( tokens.slice( i, j ) ),\n\t\t\t\t\tj < len && matcherFromTokens( ( tokens = tokens.slice( j ) ) ),\n\t\t\t\t\tj < len && toSelector( tokens )\n\t\t\t\t);\n\t\t\t}\n\t\t\tmatchers.push( matcher );\n\t\t}\n\t}\n\n\treturn elementMatcher( matchers );\n}\n\nfunction matcherFromGroupMatchers( elementMatchers, setMatchers ) {\n\tvar bySet = setMatchers.length > 0,\n\t\tbyElement = elementMatchers.length > 0,\n\t\tsuperMatcher = function( seed, context, xml, results, outermost ) {\n\t\t\tvar elem, j, matcher,\n\t\t\t\tmatchedCount = 0,\n\t\t\t\ti = \"0\",\n\t\t\t\tunmatched = seed && [],\n\t\t\t\tsetMatched = [],\n\t\t\t\tcontextBackup = outermostContext,\n\n\t\t\t\t// We must always have either seed elements or outermost context\n\t\t\t\telems = seed || byElement && Expr.find.TAG( \"*\", outermost ),\n\n\t\t\t\t// Use integer dirruns iff this is the outermost matcher\n\t\t\t\tdirrunsUnique = ( dirruns += contextBackup == null ? 1 : Math.random() || 0.1 ),\n\t\t\t\tlen = elems.length;\n\n\t\t\tif ( outermost ) {\n\n\t\t\t\t// Support: IE 11+, Edge 17 - 18+\n\t\t\t\t// IE/Edge sometimes throw a \"Permission denied\" error when strict-comparing\n\t\t\t\t// two documents; shallow comparisons work.\n\t\t\t\t// eslint-disable-next-line eqeqeq\n\t\t\t\toutermostContext = context == document || context || outermost;\n\t\t\t}\n\n\t\t\t// Add elements passing elementMatchers directly to results\n\t\t\t// Support: iOS <=7 - 9 only\n\t\t\t// Tolerate NodeList properties (IE: \"length\"; Safari: <number>) matching\n\t\t\t// elements by id. (see trac-14142)\n\t\t\tfor ( ; i !== len && ( elem = elems[ i ] ) != null; i++ ) {\n\t\t\t\tif ( byElement && elem ) {\n\t\t\t\t\tj = 0;\n\n\t\t\t\t\t// Support: IE 11+, Edge 17 - 18+\n\t\t\t\t\t// IE/Edge sometimes throw a \"Permission denied\" error when strict-comparing\n\t\t\t\t\t// two documents; shallow comparisons work.\n\t\t\t\t\t// eslint-disable-next-line eqeqeq\n\t\t\t\t\tif ( !context && elem.ownerDocument != document ) {\n\t\t\t\t\t\tsetDocument( elem );\n\t\t\t\t\t\txml = !documentIsHTML;\n\t\t\t\t\t}\n\t\t\t\t\twhile ( ( matcher = elementMatchers[ j++ ] ) ) {\n\t\t\t\t\t\tif ( matcher( elem, context || document, xml ) ) {\n\t\t\t\t\t\t\tpush.call( results, elem );\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\tif ( outermost ) {\n\t\t\t\t\t\tdirruns = dirrunsUnique;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t// Track unmatched elements for set filters\n\t\t\t\tif ( bySet ) {\n\n\t\t\t\t\t// They will have gone through all possible matchers\n\t\t\t\t\tif ( ( elem = !matcher && elem ) ) {\n\t\t\t\t\t\tmatchedCount--;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Lengthen the array for every element, matched or not\n\t\t\t\t\tif ( seed ) {\n\t\t\t\t\t\tunmatched.push( elem );\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// `i` is now the count of elements visited above, and adding it to `matchedCount`\n\t\t\t// makes the latter nonnegative.\n\t\t\tmatchedCount += i;\n\n\t\t\t// Apply set filters to unmatched elements\n\t\t\t// NOTE: This can be skipped if there are no unmatched elements (i.e., `matchedCount`\n\t\t\t// equals `i`), unless we didn't visit _any_ elements in the above loop because we have\n\t\t\t// no element matchers and no seed.\n\t\t\t// Incrementing an initially-string \"0\" `i` allows `i` to remain a string only in that\n\t\t\t// case, which will result in a \"00\" `matchedCount` that differs from `i` but is also\n\t\t\t// numerically zero.\n\t\t\tif ( bySet && i !== matchedCount ) {\n\t\t\t\tj = 0;\n\t\t\t\twhile ( ( matcher = setMatchers[ j++ ] ) ) {\n\t\t\t\t\tmatcher( unmatched, setMatched, context, xml );\n\t\t\t\t}\n\n\t\t\t\tif ( seed ) {\n\n\t\t\t\t\t// Reintegrate element matches to eliminate the need for sorting\n\t\t\t\t\tif ( matchedCount > 0 ) {\n\t\t\t\t\t\twhile ( i-- ) {\n\t\t\t\t\t\t\tif ( !( unmatched[ i ] || setMatched[ i ] ) ) {\n\t\t\t\t\t\t\t\tsetMatched[ i ] = pop.call( results );\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\t// Discard index placeholder values to get only actual matches\n\t\t\t\t\tsetMatched = condense( setMatched );\n\t\t\t\t}\n\n\t\t\t\t// Add matches to results\n\t\t\t\tpush.apply( results, setMatched );\n\n\t\t\t\t// Seedless set matches succeeding multiple successful matchers stipulate sorting\n\t\t\t\tif ( outermost && !seed && setMatched.length > 0 &&\n\t\t\t\t\t( matchedCount + setMatchers.length ) > 1 ) {\n\n\t\t\t\t\tjQuery.uniqueSort( results );\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Override manipulation of globals by nested matchers\n\t\t\tif ( outermost ) {\n\t\t\t\tdirruns = dirrunsUnique;\n\t\t\t\toutermostContext = contextBackup;\n\t\t\t}\n\n\t\t\treturn unmatched;\n\t\t};\n\n\treturn bySet ?\n\t\tmarkFunction( superMatcher ) :\n\t\tsuperMatcher;\n}\n\nfunction compile( selector, match /* Internal Use Only */ ) {\n\tvar i,\n\t\tsetMatchers = [],\n\t\telementMatchers = [],\n\t\tcached = compilerCache[ selector + \" \" ];\n\n\tif ( !cached ) {\n\n\t\t// Generate a function of recursive functions that can be used to check each element\n\t\tif ( !match ) {\n\t\t\tmatch = tokenize( selector );\n\t\t}\n\t\ti = match.length;\n\t\twhile ( i-- ) {\n\t\t\tcached = matcherFromTokens( match[ i ] );\n\t\t\tif ( cached[ expando ] ) {\n\t\t\t\tsetMatchers.push( cached );\n\t\t\t} else {\n\t\t\t\telementMatchers.push( cached );\n\t\t\t}\n\t\t}\n\n\t\t// Cache the compiled function\n\t\tcached = compilerCache( selector,\n\t\t\tmatcherFromGroupMatchers( elementMatchers, setMatchers ) );\n\n\t\t// Save selector and tokenization\n\t\tcached.selector = selector;\n\t}\n\treturn cached;\n}\n\n/**\n * A low-level selection function that works with jQuery's compiled\n * selector functions\n * @param {String|Function} selector A selector or a pre-compiled\n * selector function built with jQuery selector compile\n * @param {Element} context\n * @param {Array} [results]\n * @param {Array} [seed] A set of elements to match against\n */\nfunction select( selector, context, results, seed ) {\n\tvar i, tokens, token, type, find,\n\t\tcompiled = typeof selector === \"function\" && selector,\n\t\tmatch = !seed && tokenize( ( selector = compiled.selector || selector ) );\n\n\tresults = results || [];\n\n\t// Try to minimize operations if there is only one selector in the list and no seed\n\t// (the latter of which guarantees us context)\n\tif ( match.length === 1 ) {\n\n\t\t// Reduce context if the leading compound selector is an ID\n\t\ttokens = match[ 0 ] = match[ 0 ].slice( 0 );\n\t\tif ( tokens.length > 2 && ( token = tokens[ 0 ] ).type === \"ID\" &&\n\t\t\t\tcontext.nodeType === 9 && documentIsHTML && Expr.relative[ tokens[ 1 ].type ] ) {\n\n\t\t\tcontext = ( Expr.find.ID(\n\t\t\t\ttoken.matches[ 0 ].replace( runescape, funescape ),\n\t\t\t\tcontext\n\t\t\t) || [] )[ 0 ];\n\t\t\tif ( !context ) {\n\t\t\t\treturn results;\n\n\t\t\t// Precompiled matchers will still verify ancestry, so step up a level\n\t\t\t} else if ( compiled ) {\n\t\t\t\tcontext = context.parentNode;\n\t\t\t}\n\n\t\t\tselector = selector.slice( tokens.shift().value.length );\n\t\t}\n\n\t\t// Fetch a seed set for right-to-left matching\n\t\ti = matchExpr.needsContext.test( selector ) ? 0 : tokens.length;\n\t\twhile ( i-- ) {\n\t\t\ttoken = tokens[ i ];\n\n\t\t\t// Abort if we hit a combinator\n\t\t\tif ( Expr.relative[ ( type = token.type ) ] ) {\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tif ( ( find = Expr.find[ type ] ) ) {\n\n\t\t\t\t// Search, expanding context for leading sibling combinators\n\t\t\t\tif ( ( seed = find(\n\t\t\t\t\ttoken.matches[ 0 ].replace( runescape, funescape ),\n\t\t\t\t\trsibling.test( tokens[ 0 ].type ) &&\n\t\t\t\t\t\ttestContext( context.parentNode ) || context\n\t\t\t\t) ) ) {\n\n\t\t\t\t\t// If seed is empty or no tokens remain, we can return early\n\t\t\t\t\ttokens.splice( i, 1 );\n\t\t\t\t\tselector = seed.length && toSelector( tokens );\n\t\t\t\t\tif ( !selector ) {\n\t\t\t\t\t\tpush.apply( results, seed );\n\t\t\t\t\t\treturn results;\n\t\t\t\t\t}\n\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\t// Compile and execute a filtering function if one is not provided\n\t// Provide `match` to avoid retokenization if we modified the selector above\n\t( compiled || compile( selector, match ) )(\n\t\tseed,\n\t\tcontext,\n\t\t!documentIsHTML,\n\t\tresults,\n\t\t!context || rsibling.test( selector ) && testContext( context.parentNode ) || context\n\t);\n\treturn results;\n}\n\n// One-time assignments\n\n// Support: Android <=4.0 - 4.1+\n// Sort stability\nsupport.sortStable = expando.split( \"\" ).sort( sortOrder ).join( \"\" ) === expando;\n\n// Initialize against the default document\nsetDocument();\n\n// Support: Android <=4.0 - 4.1+\n// Detached nodes confoundingly follow *each other*\nsupport.sortDetached = assert( function( el ) {\n\n\t// Should return 1, but returns 4 (following)\n\treturn el.compareDocumentPosition( document.createElement( \"fieldset\" ) ) & 1;\n} );\n\njQuery.find = find;\n\n// Deprecated\njQuery.expr[ \":\" ] = jQuery.expr.pseudos;\njQuery.unique = jQuery.uniqueSort;\n\n// These have always been private, but they used to be documented\n// as part of Sizzle so let's maintain them in the 3.x line\n// for backwards compatibility purposes.\nfind.compile = compile;\nfind.select = select;\nfind.setDocument = setDocument;\n\nfind.escape = jQuery.escapeSelector;\nfind.getText = jQuery.text;\nfind.isXML = jQuery.isXMLDoc;\nfind.selectors = jQuery.expr;\nfind.support = jQuery.support;\nfind.uniqueSort = jQuery.uniqueSort;\n\n\t/* eslint-enable */\n\n} )();\n\n\nvar dir = function( elem, dir, until ) {\n\tvar matched = [],\n\t\ttruncate = until !== undefined;\n\n\twhile ( ( elem = elem[ dir ] ) && elem.nodeType !== 9 ) {\n\t\tif ( elem.nodeType === 1 ) {\n\t\t\tif ( truncate && jQuery( elem ).is( until ) ) {\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tmatched.push( elem );\n\t\t}\n\t}\n\treturn matched;\n};\n\n\nvar siblings = function( n, elem ) {\n\tvar matched = [];\n\n\tfor ( ; n; n = n.nextSibling ) {\n\t\tif ( n.nodeType === 1 && n !== elem ) {\n\t\t\tmatched.push( n );\n\t\t}\n\t}\n\n\treturn matched;\n};\n\n\nvar rneedsContext = jQuery.expr.match.needsContext;\n\nvar rsingleTag = ( /^<([a-z][^\\/\\0>:\\x20\\t\\r\\n\\f]*)[\\x20\\t\\r\\n\\f]*\\/?>(?:<\\/\\1>|)$/i );\n\n\n\n// Implement the identical functionality for filter and not\nfunction winnow( elements, qualifier, not ) {\n\tif ( isFunction( qualifier ) ) {\n\t\treturn jQuery.grep( elements, function( elem, i ) {\n\t\t\treturn !!qualifier.call( elem, i, elem ) !== not;\n\t\t} );\n\t}\n\n\t// Single element\n\tif ( qualifier.nodeType ) {\n\t\treturn jQuery.grep( elements, function( elem ) {\n\t\t\treturn ( elem === qualifier ) !== not;\n\t\t} );\n\t}\n\n\t// Arraylike of elements (jQuery, arguments, Array)\n\tif ( typeof qualifier !== \"string\" ) {\n\t\treturn jQuery.grep( elements, function( elem ) {\n\t\t\treturn ( indexOf.call( qualifier, elem ) > -1 ) !== not;\n\t\t} );\n\t}\n\n\t// Filtered directly for both simple and complex selectors\n\treturn jQuery.filter( qualifier, elements, not );\n}\n\njQuery.filter = function( expr, elems, not ) {\n\tvar elem = elems[ 0 ];\n\n\tif ( not ) {\n\t\texpr = \":not(\" + expr + \")\";\n\t}\n\n\tif ( elems.length === 1 && elem.nodeType === 1 ) {\n\t\treturn jQuery.find.matchesSelector( elem, expr ) ? [ elem ] : [];\n\t}\n\n\treturn jQuery.find.matches( expr, jQuery.grep( elems, function( elem ) {\n\t\treturn elem.nodeType === 1;\n\t} ) );\n};\n\njQuery.fn.extend( {\n\tfind: function( selector ) {\n\t\tvar i, ret,\n\t\t\tlen = this.length,\n\t\t\tself = this;\n\n\t\tif ( typeof selector !== \"string\" ) {\n\t\t\treturn this.pushStack( jQuery( selector ).filter( function() {\n\t\t\t\tfor ( i = 0; i < len; i++ ) {\n\t\t\t\t\tif ( jQuery.contains( self[ i ], this ) ) {\n\t\t\t\t\t\treturn true;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t} ) );\n\t\t}\n\n\t\tret = this.pushStack( [] );\n\n\t\tfor ( i = 0; i < len; i++ ) {\n\t\t\tjQuery.find( selector, self[ i ], ret );\n\t\t}\n\n\t\treturn len > 1 ? jQuery.uniqueSort( ret ) : ret;\n\t},\n\tfilter: function( selector ) {\n\t\treturn this.pushStack( winnow( this, selector || [], false ) );\n\t},\n\tnot: function( selector ) {\n\t\treturn this.pushStack( winnow( this, selector || [], true ) );\n\t},\n\tis: function( selector ) {\n\t\treturn !!winnow(\n\t\t\tthis,\n\n\t\t\t// If this is a positional/relative selector, check membership in the returned set\n\t\t\t// so $(\"p:first\").is(\"p:last\") won't return true for a doc with two \"p\".\n\t\t\ttypeof selector === \"string\" && rneedsContext.test( selector ) ?\n\t\t\t\tjQuery( selector ) :\n\t\t\t\tselector || [],\n\t\t\tfalse\n\t\t).length;\n\t}\n} );\n\n\n// Initialize a jQuery object\n\n\n// A central reference to the root jQuery(document)\nvar rootjQuery,\n\n\t// A simple way to check for HTML strings\n\t// Prioritize #id over <tag> to avoid XSS via location.hash (trac-9521)\n\t// Strict HTML recognition (trac-11290: must start with <)\n\t// Shortcut simple #id case for speed\n\trquickExpr = /^(?:\\s*(<[\\w\\W]+>)[^>]*|#([\\w-]+))$/,\n\n\tinit = jQuery.fn.init = function( selector, context, root ) {\n\t\tvar match, elem;\n\n\t\t// HANDLE: $(\"\"), $(null), $(undefined), $(false)\n\t\tif ( !selector ) {\n\t\t\treturn this;\n\t\t}\n\n\t\t// Method init() accepts an alternate rootjQuery\n\t\t// so migrate can support jQuery.sub (gh-2101)\n\t\troot = root || rootjQuery;\n\n\t\t// Handle HTML strings\n\t\tif ( typeof selector === \"string\" ) {\n\t\t\tif ( selector[ 0 ] === \"<\" &&\n\t\t\t\tselector[ selector.length - 1 ] === \">\" &&\n\t\t\t\tselector.length >= 3 ) {\n\n\t\t\t\t// Assume that strings that start and end with <> are HTML and skip the regex check\n\t\t\t\tmatch = [ null, selector, null ];\n\n\t\t\t} else {\n\t\t\t\tmatch = rquickExpr.exec( selector );\n\t\t\t}\n\n\t\t\t// Match html or make sure no context is specified for #id\n\t\t\tif ( match && ( match[ 1 ] || !context ) ) {\n\n\t\t\t\t// HANDLE: $(html) -> $(array)\n\t\t\t\tif ( match[ 1 ] ) {\n\t\t\t\t\tcontext = context instanceof jQuery ? context[ 0 ] : context;\n\n\t\t\t\t\t// Option to run scripts is true for back-compat\n\t\t\t\t\t// Intentionally let the error be thrown if parseHTML is not present\n\t\t\t\t\tjQuery.merge( this, jQuery.parseHTML(\n\t\t\t\t\t\tmatch[ 1 ],\n\t\t\t\t\t\tcontext && context.nodeType ? context.ownerDocument || context : document,\n\t\t\t\t\t\ttrue\n\t\t\t\t\t) );\n\n\t\t\t\t\t// HANDLE: $(html, props)\n\t\t\t\t\tif ( rsingleTag.test( match[ 1 ] ) && jQuery.isPlainObject( context ) ) {\n\t\t\t\t\t\tfor ( match in context ) {\n\n\t\t\t\t\t\t\t// Properties of context are called as methods if possible\n\t\t\t\t\t\t\tif ( isFunction( this[ match ] ) ) {\n\t\t\t\t\t\t\t\tthis[ match ]( context[ match ] );\n\n\t\t\t\t\t\t\t// ...and otherwise set as attributes\n\t\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t\tthis.attr( match, context[ match ] );\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\treturn this;\n\n\t\t\t\t// HANDLE: $(#id)\n\t\t\t\t} else {\n\t\t\t\t\telem = document.getElementById( match[ 2 ] );\n\n\t\t\t\t\tif ( elem ) {\n\n\t\t\t\t\t\t// Inject the element directly into the jQuery object\n\t\t\t\t\t\tthis[ 0 ] = elem;\n\t\t\t\t\t\tthis.length = 1;\n\t\t\t\t\t}\n\t\t\t\t\treturn this;\n\t\t\t\t}\n\n\t\t\t// HANDLE: $(expr, $(...))\n\t\t\t} else if ( !context || context.jquery ) {\n\t\t\t\treturn ( context || root ).find( selector );\n\n\t\t\t// HANDLE: $(expr, context)\n\t\t\t// (which is just equivalent to: $(context).find(expr)\n\t\t\t} else {\n\t\t\t\treturn this.constructor( context ).find( selector );\n\t\t\t}\n\n\t\t// HANDLE: $(DOMElement)\n\t\t} else if ( selector.nodeType ) {\n\t\t\tthis[ 0 ] = selector;\n\t\t\tthis.length = 1;\n\t\t\treturn this;\n\n\t\t// HANDLE: $(function)\n\t\t// Shortcut for document ready\n\t\t} else if ( isFunction( selector ) ) {\n\t\t\treturn root.ready !== undefined ?\n\t\t\t\troot.ready( selector ) :\n\n\t\t\t\t// Execute immediately if ready is not present\n\t\t\t\tselector( jQuery );\n\t\t}\n\n\t\treturn jQuery.makeArray( selector, this );\n\t};\n\n// Give the init function the jQuery prototype for later instantiation\ninit.prototype = jQuery.fn;\n\n// Initialize central reference\nrootjQuery = jQuery( document );\n\n\nvar rparentsprev = /^(?:parents|prev(?:Until|All))/,\n\n\t// Methods guaranteed to produce a unique set when starting from a unique set\n\tguaranteedUnique = {\n\t\tchildren: true,\n\t\tcontents: true,\n\t\tnext: true,\n\t\tprev: true\n\t};\n\njQuery.fn.extend( {\n\thas: function( target ) {\n\t\tvar targets = jQuery( target, this ),\n\t\t\tl = targets.length;\n\n\t\treturn this.filter( function() {\n\t\t\tvar i = 0;\n\t\t\tfor ( ; i < l; i++ ) {\n\t\t\t\tif ( jQuery.contains( this, targets[ i ] ) ) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t}\n\t\t} );\n\t},\n\n\tclosest: function( selectors, context ) {\n\t\tvar cur,\n\t\t\ti = 0,\n\t\t\tl = this.length,\n\t\t\tmatched = [],\n\t\t\ttargets = typeof selectors !== \"string\" && jQuery( selectors );\n\n\t\t// Positional selectors never match, since there's no _selection_ context\n\t\tif ( !rneedsContext.test( selectors ) ) {\n\t\t\tfor ( ; i < l; i++ ) {\n\t\t\t\tfor ( cur = this[ i ]; cur && cur !== context; cur = cur.parentNode ) {\n\n\t\t\t\t\t// Always skip document fragments\n\t\t\t\t\tif ( cur.nodeType < 11 && ( targets ?\n\t\t\t\t\t\ttargets.index( cur ) > -1 :\n\n\t\t\t\t\t\t// Don't pass non-elements to jQuery#find\n\t\t\t\t\t\tcur.nodeType === 1 &&\n\t\t\t\t\t\t\tjQuery.find.matchesSelector( cur, selectors ) ) ) {\n\n\t\t\t\t\t\tmatched.push( cur );\n\t\t\t\t\t\tbreak;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn this.pushStack( matched.length > 1 ? jQuery.uniqueSort( matched ) : matched );\n\t},\n\n\t// Determine the position of an element within the set\n\tindex: function( elem ) {\n\n\t\t// No argument, return index in parent\n\t\tif ( !elem ) {\n\t\t\treturn ( this[ 0 ] && this[ 0 ].parentNode ) ? this.first().prevAll().length : -1;\n\t\t}\n\n\t\t// Index in selector\n\t\tif ( typeof elem === \"string\" ) {\n\t\t\treturn indexOf.call( jQuery( elem ), this[ 0 ] );\n\t\t}\n\n\t\t// Locate the position of the desired element\n\t\treturn indexOf.call( this,\n\n\t\t\t// If it receives a jQuery object, the first element is used\n\t\t\telem.jquery ? elem[ 0 ] : elem\n\t\t);\n\t},\n\n\tadd: function( selector, context ) {\n\t\treturn this.pushStack(\n\t\t\tjQuery.uniqueSort(\n\t\t\t\tjQuery.merge( this.get(), jQuery( selector, context ) )\n\t\t\t)\n\t\t);\n\t},\n\n\taddBack: function( selector ) {\n\t\treturn this.add( selector == null ?\n\t\t\tthis.prevObject : this.prevObject.filter( selector )\n\t\t);\n\t}\n} );\n\nfunction sibling( cur, dir ) {\n\twhile ( ( cur = cur[ dir ] ) && cur.nodeType !== 1 ) {}\n\treturn cur;\n}\n\njQuery.each( {\n\tparent: function( elem ) {\n\t\tvar parent = elem.parentNode;\n\t\treturn parent && parent.nodeType !== 11 ? parent : null;\n\t},\n\tparents: function( elem ) {\n\t\treturn dir( elem, \"parentNode\" );\n\t},\n\tparentsUntil: function( elem, _i, until ) {\n\t\treturn dir( elem, \"parentNode\", until );\n\t},\n\tnext: function( elem ) {\n\t\treturn sibling( elem, \"nextSibling\" );\n\t},\n\tprev: function( elem ) {\n\t\treturn sibling( elem, \"previousSibling\" );\n\t},\n\tnextAll: function( elem ) {\n\t\treturn dir( elem, \"nextSibling\" );\n\t},\n\tprevAll: function( elem ) {\n\t\treturn dir( elem, \"previousSibling\" );\n\t},\n\tnextUntil: function( elem, _i, until ) {\n\t\treturn dir( elem, \"nextSibling\", until );\n\t},\n\tprevUntil: function( elem, _i, until ) {\n\t\treturn dir( elem, \"previousSibling\", until );\n\t},\n\tsiblings: function( elem ) {\n\t\treturn siblings( ( elem.parentNode || {} ).firstChild, elem );\n\t},\n\tchildren: function( elem ) {\n\t\treturn siblings( elem.firstChild );\n\t},\n\tcontents: function( elem ) {\n\t\tif ( elem.contentDocument != null &&\n\n\t\t\t// Support: IE 11+\n\t\t\t// <object> elements with no `data` attribute has an object\n\t\t\t// `contentDocument` with a `null` prototype.\n\t\t\tgetProto( elem.contentDocument ) ) {\n\n\t\t\treturn elem.contentDocument;\n\t\t}\n\n\t\t// Support: IE 9 - 11 only, iOS 7 only, Android Browser <=4.3 only\n\t\t// Treat the template element as a regular one in browsers that\n\t\t// don't support it.\n\t\tif ( nodeName( elem, \"template\" ) ) {\n\t\t\telem = elem.content || elem;\n\t\t}\n\n\t\treturn jQuery.merge( [], elem.childNodes );\n\t}\n}, function( name, fn ) {\n\tjQuery.fn[ name ] = function( until, selector ) {\n\t\tvar matched = jQuery.map( this, fn, until );\n\n\t\tif ( name.slice( -5 ) !== \"Until\" ) {\n\t\t\tselector = until;\n\t\t}\n\n\t\tif ( selector && typeof selector === \"string\" ) {\n\t\t\tmatched = jQuery.filter( selector, matched );\n\t\t}\n\n\t\tif ( this.length > 1 ) {\n\n\t\t\t// Remove duplicates\n\t\t\tif ( !guaranteedUnique[ name ] ) {\n\t\t\t\tjQuery.uniqueSort( matched );\n\t\t\t}\n\n\t\t\t// Reverse order for parents* and prev-derivatives\n\t\t\tif ( rparentsprev.test( name ) ) {\n\t\t\t\tmatched.reverse();\n\t\t\t}\n\t\t}\n\n\t\treturn this.pushStack( matched );\n\t};\n} );\nvar rnothtmlwhite = ( /[^\\x20\\t\\r\\n\\f]+/g );\n\n\n\n// Convert String-formatted options into Object-formatted ones\nfunction createOptions( options ) {\n\tvar object = {};\n\tjQuery.each( options.match( rnothtmlwhite ) || [], function( _, flag ) {\n\t\tobject[ flag ] = true;\n\t} );\n\treturn object;\n}\n\n/*\n * Create a callback list using the following parameters:\n *\n *\toptions: an optional list of space-separated options that will change how\n *\t\t\tthe callback list behaves or a more traditional option object\n *\n * By default a callback list will act like an event callback list and can be\n * \"fired\" multiple times.\n *\n * Possible options:\n *\n *\tonce:\t\t\twill ensure the callback list can only be fired once (like a Deferred)\n *\n *\tmemory:\t\t\twill keep track of previous values and will call any callback added\n *\t\t\t\t\tafter the list has been fired right away with the latest \"memorized\"\n *\t\t\t\t\tvalues (like a Deferred)\n *\n *\tunique:\t\t\twill ensure a callback can only be added once (no duplicate in the list)\n *\n *\tstopOnFalse:\tinterrupt callings when a callback returns false\n *\n */\njQuery.Callbacks = function( options ) {\n\n\t// Convert options from String-formatted to Object-formatted if needed\n\t// (we check in cache first)\n\toptions = typeof options === \"string\" ?\n\t\tcreateOptions( options ) :\n\t\tjQuery.extend( {}, options );\n\n\tvar // Flag to know if list is currently firing\n\t\tfiring,\n\n\t\t// Last fire value for non-forgettable lists\n\t\tmemory,\n\n\t\t// Flag to know if list was already fired\n\t\tfired,\n\n\t\t// Flag to prevent firing\n\t\tlocked,\n\n\t\t// Actual callback list\n\t\tlist = [],\n\n\t\t// Queue of execution data for repeatable lists\n\t\tqueue = [],\n\n\t\t// Index of currently firing callback (modified by add/remove as needed)\n\t\tfiringIndex = -1,\n\n\t\t// Fire callbacks\n\t\tfire = function() {\n\n\t\t\t// Enforce single-firing\n\t\t\tlocked = locked || options.once;\n\n\t\t\t// Execute callbacks for all pending executions,\n\t\t\t// respecting firingIndex overrides and runtime changes\n\t\t\tfired = firing = true;\n\t\t\tfor ( ; queue.length; firingIndex = -1 ) {\n\t\t\t\tmemory = queue.shift();\n\t\t\t\twhile ( ++firingIndex < list.length ) {\n\n\t\t\t\t\t// Run callback and check for early termination\n\t\t\t\t\tif ( list[ firingIndex ].apply( memory[ 0 ], memory[ 1 ] ) === false &&\n\t\t\t\t\t\toptions.stopOnFalse ) {\n\n\t\t\t\t\t\t// Jump to end and forget the data so .add doesn't re-fire\n\t\t\t\t\t\tfiringIndex = list.length;\n\t\t\t\t\t\tmemory = false;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Forget the data if we're done with it\n\t\t\tif ( !options.memory ) {\n\t\t\t\tmemory = false;\n\t\t\t}\n\n\t\t\tfiring = false;\n\n\t\t\t// Clean up if we're done firing for good\n\t\t\tif ( locked ) {\n\n\t\t\t\t// Keep an empty list if we have data for future add calls\n\t\t\t\tif ( memory ) {\n\t\t\t\t\tlist = [];\n\n\t\t\t\t// Otherwise, this object is spent\n\t\t\t\t} else {\n\t\t\t\t\tlist = \"\";\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\t// Actual Callbacks object\n\t\tself = {\n\n\t\t\t// Add a callback or a collection of callbacks to the list\n\t\t\tadd: function() {\n\t\t\t\tif ( list ) {\n\n\t\t\t\t\t// If we have memory from a past run, we should fire after adding\n\t\t\t\t\tif ( memory && !firing ) {\n\t\t\t\t\t\tfiringIndex = list.length - 1;\n\t\t\t\t\t\tqueue.push( memory );\n\t\t\t\t\t}\n\n\t\t\t\t\t( function add( args ) {\n\t\t\t\t\t\tjQuery.each( args, function( _, arg ) {\n\t\t\t\t\t\t\tif ( isFunction( arg ) ) {\n\t\t\t\t\t\t\t\tif ( !options.unique || !self.has( arg ) ) {\n\t\t\t\t\t\t\t\t\tlist.push( arg );\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t} else if ( arg && arg.length && toType( arg ) !== \"string\" ) {\n\n\t\t\t\t\t\t\t\t// Inspect recursively\n\t\t\t\t\t\t\t\tadd( arg );\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t} );\n\t\t\t\t\t} )( arguments );\n\n\t\t\t\t\tif ( memory && !firing ) {\n\t\t\t\t\t\tfire();\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\treturn this;\n\t\t\t},\n\n\t\t\t// Remove a callback from the list\n\t\t\tremove: function() {\n\t\t\t\tjQuery.each( arguments, function( _, arg ) {\n\t\t\t\t\tvar index;\n\t\t\t\t\twhile ( ( index = jQuery.inArray( arg, list, index ) ) > -1 ) {\n\t\t\t\t\t\tlist.splice( index, 1 );\n\n\t\t\t\t\t\t// Handle firing indexes\n\t\t\t\t\t\tif ( index <= firingIndex ) {\n\t\t\t\t\t\t\tfiringIndex--;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t\treturn this;\n\t\t\t},\n\n\t\t\t// Check if a given callback is in the list.\n\t\t\t// If no argument is given, return whether or not list has callbacks attached.\n\t\t\thas: function( fn ) {\n\t\t\t\treturn fn ?\n\t\t\t\t\tjQuery.inArray( fn, list ) > -1 :\n\t\t\t\t\tlist.length > 0;\n\t\t\t},\n\n\t\t\t// Remove all callbacks from the list\n\t\t\tempty: function() {\n\t\t\t\tif ( list ) {\n\t\t\t\t\tlist = [];\n\t\t\t\t}\n\t\t\t\treturn this;\n\t\t\t},\n\n\t\t\t// Disable .fire and .add\n\t\t\t// Abort any current/pending executions\n\t\t\t// Clear all callbacks and values\n\t\t\tdisable: function() {\n\t\t\t\tlocked = queue = [];\n\t\t\t\tlist = memory = \"\";\n\t\t\t\treturn this;\n\t\t\t},\n\t\t\tdisabled: function() {\n\t\t\t\treturn !list;\n\t\t\t},\n\n\t\t\t// Disable .fire\n\t\t\t// Also disable .add unless we have memory (since it would have no effect)\n\t\t\t// Abort any pending executions\n\t\t\tlock: function() {\n\t\t\t\tlocked = queue = [];\n\t\t\t\tif ( !memory && !firing ) {\n\t\t\t\t\tlist = memory = \"\";\n\t\t\t\t}\n\t\t\t\treturn this;\n\t\t\t},\n\t\t\tlocked: function() {\n\t\t\t\treturn !!locked;\n\t\t\t},\n\n\t\t\t// Call all callbacks with the given context and arguments\n\t\t\tfireWith: function( context, args ) {\n\t\t\t\tif ( !locked ) {\n\t\t\t\t\targs = args || [];\n\t\t\t\t\targs = [ context, args.slice ? args.slice() : args ];\n\t\t\t\t\tqueue.push( args );\n\t\t\t\t\tif ( !firing ) {\n\t\t\t\t\t\tfire();\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\treturn this;\n\t\t\t},\n\n\t\t\t// Call all the callbacks with the given arguments\n\t\t\tfire: function() {\n\t\t\t\tself.fireWith( this, arguments );\n\t\t\t\treturn this;\n\t\t\t},\n\n\t\t\t// To know if the callbacks have already been called at least once\n\t\t\tfired: function() {\n\t\t\t\treturn !!fired;\n\t\t\t}\n\t\t};\n\n\treturn self;\n};\n\n\nfunction Identity( v ) {\n\treturn v;\n}\nfunction Thrower( ex ) {\n\tthrow ex;\n}\n\nfunction adoptValue( value, resolve, reject, noValue ) {\n\tvar method;\n\n\ttry {\n\n\t\t// Check for promise aspect first to privilege synchronous behavior\n\t\tif ( value && isFunction( ( method = value.promise ) ) ) {\n\t\t\tmethod.call( value ).done( resolve ).fail( reject );\n\n\t\t// Other thenables\n\t\t} else if ( value && isFunction( ( method = value.then ) ) ) {\n\t\t\tmethod.call( value, resolve, reject );\n\n\t\t// Other non-thenables\n\t\t} else {\n\n\t\t\t// Control `resolve` arguments by letting Array#slice cast boolean `noValue` to integer:\n\t\t\t// * false: [ value ].slice( 0 ) => resolve( value )\n\t\t\t// * true: [ value ].slice( 1 ) => resolve()\n\t\t\tresolve.apply( undefined, [ value ].slice( noValue ) );\n\t\t}\n\n\t// For Promises/A+, convert exceptions into rejections\n\t// Since jQuery.when doesn't unwrap thenables, we can skip the extra checks appearing in\n\t// Deferred#then to conditionally suppress rejection.\n\t} catch ( value ) {\n\n\t\t// Support: Android 4.0 only\n\t\t// Strict mode functions invoked without .call/.apply get global-object context\n\t\treject.apply( undefined, [ value ] );\n\t}\n}\n\njQuery.extend( {\n\n\tDeferred: function( func ) {\n\t\tvar tuples = [\n\n\t\t\t\t// action, add listener, callbacks,\n\t\t\t\t// ... .then handlers, argument index, [final state]\n\t\t\t\t[ \"notify\", \"progress\", jQuery.Callbacks( \"memory\" ),\n\t\t\t\t\tjQuery.Callbacks( \"memory\" ), 2 ],\n\t\t\t\t[ \"resolve\", \"done\", jQuery.Callbacks( \"once memory\" ),\n\t\t\t\t\tjQuery.Callbacks( \"once memory\" ), 0, \"resolved\" ],\n\t\t\t\t[ \"reject\", \"fail\", jQuery.Callbacks( \"once memory\" ),\n\t\t\t\t\tjQuery.Callbacks( \"once memory\" ), 1, \"rejected\" ]\n\t\t\t],\n\t\t\tstate = \"pending\",\n\t\t\tpromise = {\n\t\t\t\tstate: function() {\n\t\t\t\t\treturn state;\n\t\t\t\t},\n\t\t\t\talways: function() {\n\t\t\t\t\tdeferred.done( arguments ).fail( arguments );\n\t\t\t\t\treturn this;\n\t\t\t\t},\n\t\t\t\t\"catch\": function( fn ) {\n\t\t\t\t\treturn promise.then( null, fn );\n\t\t\t\t},\n\n\t\t\t\t// Keep pipe for back-compat\n\t\t\t\tpipe: function( /* fnDone, fnFail, fnProgress */ ) {\n\t\t\t\t\tvar fns = arguments;\n\n\t\t\t\t\treturn jQuery.Deferred( function( newDefer ) {\n\t\t\t\t\t\tjQuery.each( tuples, function( _i, tuple ) {\n\n\t\t\t\t\t\t\t// Map tuples (progress, done, fail) to arguments (done, fail, progress)\n\t\t\t\t\t\t\tvar fn = isFunction( fns[ tuple[ 4 ] ] ) && fns[ tuple[ 4 ] ];\n\n\t\t\t\t\t\t\t// deferred.progress(function() { bind to newDefer or newDefer.notify })\n\t\t\t\t\t\t\t// deferred.done(function() { bind to newDefer or newDefer.resolve })\n\t\t\t\t\t\t\t// deferred.fail(function() { bind to newDefer or newDefer.reject })\n\t\t\t\t\t\t\tdeferred[ tuple[ 1 ] ]( function() {\n\t\t\t\t\t\t\t\tvar returned = fn && fn.apply( this, arguments );\n\t\t\t\t\t\t\t\tif ( returned && isFunction( returned.promise ) ) {\n\t\t\t\t\t\t\t\t\treturned.promise()\n\t\t\t\t\t\t\t\t\t\t.progress( newDefer.notify )\n\t\t\t\t\t\t\t\t\t\t.done( newDefer.resolve )\n\t\t\t\t\t\t\t\t\t\t.fail( newDefer.reject );\n\t\t\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t\t\tnewDefer[ tuple[ 0 ] + \"With\" ](\n\t\t\t\t\t\t\t\t\t\tthis,\n\t\t\t\t\t\t\t\t\t\tfn ? [ returned ] : arguments\n\t\t\t\t\t\t\t\t\t);\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t} );\n\t\t\t\t\t\t} );\n\t\t\t\t\t\tfns = null;\n\t\t\t\t\t} ).promise();\n\t\t\t\t},\n\t\t\t\tthen: function( onFulfilled, onRejected, onProgress ) {\n\t\t\t\t\tvar maxDepth = 0;\n\t\t\t\t\tfunction resolve( depth, deferred, handler, special ) {\n\t\t\t\t\t\treturn function() {\n\t\t\t\t\t\t\tvar that = this,\n\t\t\t\t\t\t\t\targs = arguments,\n\t\t\t\t\t\t\t\tmightThrow = function() {\n\t\t\t\t\t\t\t\t\tvar returned, then;\n\n\t\t\t\t\t\t\t\t\t// Support: Promises/A+ section 2.3.3.3.3\n\t\t\t\t\t\t\t\t\t// https://promisesaplus.com/#point-59\n\t\t\t\t\t\t\t\t\t// Ignore double-resolution attempts\n\t\t\t\t\t\t\t\t\tif ( depth < maxDepth ) {\n\t\t\t\t\t\t\t\t\t\treturn;\n\t\t\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t\t\t\treturned = handler.apply( that, args );\n\n\t\t\t\t\t\t\t\t\t// Support: Promises/A+ section 2.3.1\n\t\t\t\t\t\t\t\t\t// https://promisesaplus.com/#point-48\n\t\t\t\t\t\t\t\t\tif ( returned === deferred.promise() ) {\n\t\t\t\t\t\t\t\t\t\tthrow new TypeError( \"Thenable self-resolution\" );\n\t\t\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t\t\t\t// Support: Promises/A+ sections 2.3.3.1, 3.5\n\t\t\t\t\t\t\t\t\t// https://promisesaplus.com/#point-54\n\t\t\t\t\t\t\t\t\t// https://promisesaplus.com/#point-75\n\t\t\t\t\t\t\t\t\t// Retrieve `then` only once\n\t\t\t\t\t\t\t\t\tthen = returned &&\n\n\t\t\t\t\t\t\t\t\t\t// Support: Promises/A+ section 2.3.4\n\t\t\t\t\t\t\t\t\t\t// https://promisesaplus.com/#point-64\n\t\t\t\t\t\t\t\t\t\t// Only check objects and functions for thenability\n\t\t\t\t\t\t\t\t\t\t( typeof returned === \"object\" ||\n\t\t\t\t\t\t\t\t\t\t\ttypeof returned === \"function\" ) &&\n\t\t\t\t\t\t\t\t\t\treturned.then;\n\n\t\t\t\t\t\t\t\t\t// Handle a returned thenable\n\t\t\t\t\t\t\t\t\tif ( isFunction( then ) ) {\n\n\t\t\t\t\t\t\t\t\t\t// Special processors (notify) just wait for resolution\n\t\t\t\t\t\t\t\t\t\tif ( special ) {\n\t\t\t\t\t\t\t\t\t\t\tthen.call(\n\t\t\t\t\t\t\t\t\t\t\t\treturned,\n\t\t\t\t\t\t\t\t\t\t\t\tresolve( maxDepth, deferred, Identity, special ),\n\t\t\t\t\t\t\t\t\t\t\t\tresolve( maxDepth, deferred, Thrower, special )\n\t\t\t\t\t\t\t\t\t\t\t);\n\n\t\t\t\t\t\t\t\t\t\t// Normal processors (resolve) also hook into progress\n\t\t\t\t\t\t\t\t\t\t} else {\n\n\t\t\t\t\t\t\t\t\t\t\t// ...and disregard older resolution values\n\t\t\t\t\t\t\t\t\t\t\tmaxDepth++;\n\n\t\t\t\t\t\t\t\t\t\t\tthen.call(\n\t\t\t\t\t\t\t\t\t\t\t\treturned,\n\t\t\t\t\t\t\t\t\t\t\t\tresolve( maxDepth, deferred, Identity, special ),\n\t\t\t\t\t\t\t\t\t\t\t\tresolve( maxDepth, deferred, Thrower, special ),\n\t\t\t\t\t\t\t\t\t\t\t\tresolve( maxDepth, deferred, Identity,\n\t\t\t\t\t\t\t\t\t\t\t\t\tdeferred.notifyWith )\n\t\t\t\t\t\t\t\t\t\t\t);\n\t\t\t\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t\t\t\t// Handle all other returned values\n\t\t\t\t\t\t\t\t\t} else {\n\n\t\t\t\t\t\t\t\t\t\t// Only substitute handlers pass on context\n\t\t\t\t\t\t\t\t\t\t// and multiple values (non-spec behavior)\n\t\t\t\t\t\t\t\t\t\tif ( handler !== Identity ) {\n\t\t\t\t\t\t\t\t\t\t\tthat = undefined;\n\t\t\t\t\t\t\t\t\t\t\targs = [ returned ];\n\t\t\t\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t\t\t\t\t// Process the value(s)\n\t\t\t\t\t\t\t\t\t\t// Default process is resolve\n\t\t\t\t\t\t\t\t\t\t( special || deferred.resolveWith )( that, args );\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t},\n\n\t\t\t\t\t\t\t\t// Only normal processors (resolve) catch and reject exceptions\n\t\t\t\t\t\t\t\tprocess = special ?\n\t\t\t\t\t\t\t\t\tmightThrow :\n\t\t\t\t\t\t\t\t\tfunction() {\n\t\t\t\t\t\t\t\t\t\ttry {\n\t\t\t\t\t\t\t\t\t\t\tmightThrow();\n\t\t\t\t\t\t\t\t\t\t} catch ( e ) {\n\n\t\t\t\t\t\t\t\t\t\t\tif ( jQuery.Deferred.exceptionHook ) {\n\t\t\t\t\t\t\t\t\t\t\t\tjQuery.Deferred.exceptionHook( e,\n\t\t\t\t\t\t\t\t\t\t\t\t\tprocess.error );\n\t\t\t\t\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t\t\t\t\t\t// Support: Promises/A+ section 2.3.3.3.4.1\n\t\t\t\t\t\t\t\t\t\t\t// https://promisesaplus.com/#point-61\n\t\t\t\t\t\t\t\t\t\t\t// Ignore post-resolution exceptions\n\t\t\t\t\t\t\t\t\t\t\tif ( depth + 1 >= maxDepth ) {\n\n\t\t\t\t\t\t\t\t\t\t\t\t// Only substitute handlers pass on context\n\t\t\t\t\t\t\t\t\t\t\t\t// and multiple values (non-spec behavior)\n\t\t\t\t\t\t\t\t\t\t\t\tif ( handler !== Thrower ) {\n\t\t\t\t\t\t\t\t\t\t\t\t\tthat = undefined;\n\t\t\t\t\t\t\t\t\t\t\t\t\targs = [ e ];\n\t\t\t\t\t\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t\t\t\t\t\t\tdeferred.rejectWith( that, args );\n\t\t\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t\t};\n\n\t\t\t\t\t\t\t// Support: Promises/A+ section 2.3.3.3.1\n\t\t\t\t\t\t\t// https://promisesaplus.com/#point-57\n\t\t\t\t\t\t\t// Re-resolve promises immediately to dodge false rejection from\n\t\t\t\t\t\t\t// subsequent errors\n\t\t\t\t\t\t\tif ( depth ) {\n\t\t\t\t\t\t\t\tprocess();\n\t\t\t\t\t\t\t} else {\n\n\t\t\t\t\t\t\t\t// Call an optional hook to record the error, in case of exception\n\t\t\t\t\t\t\t\t// since it's otherwise lost when execution goes async\n\t\t\t\t\t\t\t\tif ( jQuery.Deferred.getErrorHook ) {\n\t\t\t\t\t\t\t\t\tprocess.error = jQuery.Deferred.getErrorHook();\n\n\t\t\t\t\t\t\t\t// The deprecated alias of the above. While the name suggests\n\t\t\t\t\t\t\t\t// returning the stack, not an error instance, jQuery just passes\n\t\t\t\t\t\t\t\t// it directly to `console.warn` so both will work; an instance\n\t\t\t\t\t\t\t\t// just better cooperates with source maps.\n\t\t\t\t\t\t\t\t} else if ( jQuery.Deferred.getStackHook ) {\n\t\t\t\t\t\t\t\t\tprocess.error = jQuery.Deferred.getStackHook();\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\twindow.setTimeout( process );\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t};\n\t\t\t\t\t}\n\n\t\t\t\t\treturn jQuery.Deferred( function( newDefer ) {\n\n\t\t\t\t\t\t// progress_handlers.add( ... )\n\t\t\t\t\t\ttuples[ 0 ][ 3 ].add(\n\t\t\t\t\t\t\tresolve(\n\t\t\t\t\t\t\t\t0,\n\t\t\t\t\t\t\t\tnewDefer,\n\t\t\t\t\t\t\t\tisFunction( onProgress ) ?\n\t\t\t\t\t\t\t\t\tonProgress :\n\t\t\t\t\t\t\t\t\tIdentity,\n\t\t\t\t\t\t\t\tnewDefer.notifyWith\n\t\t\t\t\t\t\t)\n\t\t\t\t\t\t);\n\n\t\t\t\t\t\t// fulfilled_handlers.add( ... )\n\t\t\t\t\t\ttuples[ 1 ][ 3 ].add(\n\t\t\t\t\t\t\tresolve(\n\t\t\t\t\t\t\t\t0,\n\t\t\t\t\t\t\t\tnewDefer,\n\t\t\t\t\t\t\t\tisFunction( onFulfilled ) ?\n\t\t\t\t\t\t\t\t\tonFulfilled :\n\t\t\t\t\t\t\t\t\tIdentity\n\t\t\t\t\t\t\t)\n\t\t\t\t\t\t);\n\n\t\t\t\t\t\t// rejected_handlers.add( ... )\n\t\t\t\t\t\ttuples[ 2 ][ 3 ].add(\n\t\t\t\t\t\t\tresolve(\n\t\t\t\t\t\t\t\t0,\n\t\t\t\t\t\t\t\tnewDefer,\n\t\t\t\t\t\t\t\tisFunction( onRejected ) ?\n\t\t\t\t\t\t\t\t\tonRejected :\n\t\t\t\t\t\t\t\t\tThrower\n\t\t\t\t\t\t\t)\n\t\t\t\t\t\t);\n\t\t\t\t\t} ).promise();\n\t\t\t\t},\n\n\t\t\t\t// Get a promise for this deferred\n\t\t\t\t// If obj is provided, the promise aspect is added to the object\n\t\t\t\tpromise: function( obj ) {\n\t\t\t\t\treturn obj != null ? jQuery.extend( obj, promise ) : promise;\n\t\t\t\t}\n\t\t\t},\n\t\t\tdeferred = {};\n\n\t\t// Add list-specific methods\n\t\tjQuery.each( tuples, function( i, tuple ) {\n\t\t\tvar list = tuple[ 2 ],\n\t\t\t\tstateString = tuple[ 5 ];\n\n\t\t\t// promise.progress = list.add\n\t\t\t// promise.done = list.add\n\t\t\t// promise.fail = list.add\n\t\t\tpromise[ tuple[ 1 ] ] = list.add;\n\n\t\t\t// Handle state\n\t\t\tif ( stateString ) {\n\t\t\t\tlist.add(\n\t\t\t\t\tfunction() {\n\n\t\t\t\t\t\t// state = \"resolved\" (i.e., fulfilled)\n\t\t\t\t\t\t// state = \"rejected\"\n\t\t\t\t\t\tstate = stateString;\n\t\t\t\t\t},\n\n\t\t\t\t\t// rejected_callbacks.disable\n\t\t\t\t\t// fulfilled_callbacks.disable\n\t\t\t\t\ttuples[ 3 - i ][ 2 ].disable,\n\n\t\t\t\t\t// rejected_handlers.disable\n\t\t\t\t\t// fulfilled_handlers.disable\n\t\t\t\t\ttuples[ 3 - i ][ 3 ].disable,\n\n\t\t\t\t\t// progress_callbacks.lock\n\t\t\t\t\ttuples[ 0 ][ 2 ].lock,\n\n\t\t\t\t\t// progress_handlers.lock\n\t\t\t\t\ttuples[ 0 ][ 3 ].lock\n\t\t\t\t);\n\t\t\t}\n\n\t\t\t// progress_handlers.fire\n\t\t\t// fulfilled_handlers.fire\n\t\t\t// rejected_handlers.fire\n\t\t\tlist.add( tuple[ 3 ].fire );\n\n\t\t\t// deferred.notify = function() { deferred.notifyWith(...) }\n\t\t\t// deferred.resolve = function() { deferred.resolveWith(...) }\n\t\t\t// deferred.reject = function() { deferred.rejectWith(...) }\n\t\t\tdeferred[ tuple[ 0 ] ] = function() {\n\t\t\t\tdeferred[ tuple[ 0 ] + \"With\" ]( this === deferred ? undefined : this, arguments );\n\t\t\t\treturn this;\n\t\t\t};\n\n\t\t\t// deferred.notifyWith = list.fireWith\n\t\t\t// deferred.resolveWith = list.fireWith\n\t\t\t// deferred.rejectWith = list.fireWith\n\t\t\tdeferred[ tuple[ 0 ] + \"With\" ] = list.fireWith;\n\t\t} );\n\n\t\t// Make the deferred a promise\n\t\tpromise.promise( deferred );\n\n\t\t// Call given func if any\n\t\tif ( func ) {\n\t\t\tfunc.call( deferred, deferred );\n\t\t}\n\n\t\t// All done!\n\t\treturn deferred;\n\t},\n\n\t// Deferred helper\n\twhen: function( singleValue ) {\n\t\tvar\n\n\t\t\t// count of uncompleted subordinates\n\t\t\tremaining = arguments.length,\n\n\t\t\t// count of unprocessed arguments\n\t\t\ti = remaining,\n\n\t\t\t// subordinate fulfillment data\n\t\t\tresolveContexts = Array( i ),\n\t\t\tresolveValues = slice.call( arguments ),\n\n\t\t\t// the primary Deferred\n\t\t\tprimary = jQuery.Deferred(),\n\n\t\t\t// subordinate callback factory\n\t\t\tupdateFunc = function( i ) {\n\t\t\t\treturn function( value ) {\n\t\t\t\t\tresolveContexts[ i ] = this;\n\t\t\t\t\tresolveValues[ i ] = arguments.length > 1 ? slice.call( arguments ) : value;\n\t\t\t\t\tif ( !( --remaining ) ) {\n\t\t\t\t\t\tprimary.resolveWith( resolveContexts, resolveValues );\n\t\t\t\t\t}\n\t\t\t\t};\n\t\t\t};\n\n\t\t// Single- and empty arguments are adopted like Promise.resolve\n\t\tif ( remaining <= 1 ) {\n\t\t\tadoptValue( singleValue, primary.done( updateFunc( i ) ).resolve, primary.reject,\n\t\t\t\t!remaining );\n\n\t\t\t// Use .then() to unwrap secondary thenables (cf. gh-3000)\n\t\t\tif ( primary.state() === \"pending\" ||\n\t\t\t\tisFunction( resolveValues[ i ] && resolveValues[ i ].then ) ) {\n\n\t\t\t\treturn primary.then();\n\t\t\t}\n\t\t}\n\n\t\t// Multiple arguments are aggregated like Promise.all array elements\n\t\twhile ( i-- ) {\n\t\t\tadoptValue( resolveValues[ i ], updateFunc( i ), primary.reject );\n\t\t}\n\n\t\treturn primary.promise();\n\t}\n} );\n\n\n// These usually indicate a programmer mistake during development,\n// warn about them ASAP rather than swallowing them by default.\nvar rerrorNames = /^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/;\n\n// If `jQuery.Deferred.getErrorHook` is defined, `asyncError` is an error\n// captured before the async barrier to get the original error cause\n// which may otherwise be hidden.\njQuery.Deferred.exceptionHook = function( error, asyncError ) {\n\n\t// Support: IE 8 - 9 only\n\t// Console exists when dev tools are open, which can happen at any time\n\tif ( window.console && window.console.warn && error && rerrorNames.test( error.name ) ) {\n\t\twindow.console.warn( \"jQuery.Deferred exception: \" + error.message,\n\t\t\terror.stack, asyncError );\n\t}\n};\n\n\n\n\njQuery.readyException = function( error ) {\n\twindow.setTimeout( function() {\n\t\tthrow error;\n\t} );\n};\n\n\n\n\n// The deferred used on DOM ready\nvar readyList = jQuery.Deferred();\n\njQuery.fn.ready = function( fn ) {\n\n\treadyList\n\t\t.then( fn )\n\n\t\t// Wrap jQuery.readyException in a function so that the lookup\n\t\t// happens at the time of error handling instead of callback\n\t\t// registration.\n\t\t.catch( function( error ) {\n\t\t\tjQuery.readyException( error );\n\t\t} );\n\n\treturn this;\n};\n\njQuery.extend( {\n\n\t// Is the DOM ready to be used? Set to true once it occurs.\n\tisReady: false,\n\n\t// A counter to track how many items to wait for before\n\t// the ready event fires. See trac-6781\n\treadyWait: 1,\n\n\t// Handle when the DOM is ready\n\tready: function( wait ) {\n\n\t\t// Abort if there are pending holds or we're already ready\n\t\tif ( wait === true ? --jQuery.readyWait : jQuery.isReady ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Remember that the DOM is ready\n\t\tjQuery.isReady = true;\n\n\t\t// If a normal DOM Ready event fired, decrement, and wait if need be\n\t\tif ( wait !== true && --jQuery.readyWait > 0 ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// If there are functions bound, to execute\n\t\treadyList.resolveWith( document, [ jQuery ] );\n\t}\n} );\n\njQuery.ready.then = readyList.then;\n\n// The ready event handler and self cleanup method\nfunction completed() {\n\tdocument.removeEventListener( \"DOMContentLoaded\", completed );\n\twindow.removeEventListener( \"load\", completed );\n\tjQuery.ready();\n}\n\n// Catch cases where $(document).ready() is called\n// after the browser event has already occurred.\n// Support: IE <=9 - 10 only\n// Older IE sometimes signals \"interactive\" too soon\nif ( document.readyState === \"complete\" ||\n\t( document.readyState !== \"loading\" && !document.documentElement.doScroll ) ) {\n\n\t// Handle it asynchronously to allow scripts the opportunity to delay ready\n\twindow.setTimeout( jQuery.ready );\n\n} else {\n\n\t// Use the handy event callback\n\tdocument.addEventListener( \"DOMContentLoaded\", completed );\n\n\t// A fallback to window.onload, that will always work\n\twindow.addEventListener( \"load\", completed );\n}\n\n\n\n\n// Multifunctional method to get and set values of a collection\n// The value/s can optionally be executed if it's a function\nvar access = function( elems, fn, key, value, chainable, emptyGet, raw ) {\n\tvar i = 0,\n\t\tlen = elems.length,\n\t\tbulk = key == null;\n\n\t// Sets many values\n\tif ( toType( key ) === \"object\" ) {\n\t\tchainable = true;\n\t\tfor ( i in key ) {\n\t\t\taccess( elems, fn, i, key[ i ], true, emptyGet, raw );\n\t\t}\n\n\t// Sets one value\n\t} else if ( value !== undefined ) {\n\t\tchainable = true;\n\n\t\tif ( !isFunction( value ) ) {\n\t\t\traw = true;\n\t\t}\n\n\t\tif ( bulk ) {\n\n\t\t\t// Bulk operations run against the entire set\n\t\t\tif ( raw ) {\n\t\t\t\tfn.call( elems, value );\n\t\t\t\tfn = null;\n\n\t\t\t// ...except when executing function values\n\t\t\t} else {\n\t\t\t\tbulk = fn;\n\t\t\t\tfn = function( elem, _key, value ) {\n\t\t\t\t\treturn bulk.call( jQuery( elem ), value );\n\t\t\t\t};\n\t\t\t}\n\t\t}\n\n\t\tif ( fn ) {\n\t\t\tfor ( ; i < len; i++ ) {\n\t\t\t\tfn(\n\t\t\t\t\telems[ i ], key, raw ?\n\t\t\t\t\t\tvalue :\n\t\t\t\t\t\tvalue.call( elems[ i ], i, fn( elems[ i ], key ) )\n\t\t\t\t);\n\t\t\t}\n\t\t}\n\t}\n\n\tif ( chainable ) {\n\t\treturn elems;\n\t}\n\n\t// Gets\n\tif ( bulk ) {\n\t\treturn fn.call( elems );\n\t}\n\n\treturn len ? fn( elems[ 0 ], key ) : emptyGet;\n};\n\n\n// Matches dashed string for camelizing\nvar rmsPrefix = /^-ms-/,\n\trdashAlpha = /-([a-z])/g;\n\n// Used by camelCase as callback to replace()\nfunction fcamelCase( _all, letter ) {\n\treturn letter.toUpperCase();\n}\n\n// Convert dashed to camelCase; used by the css and data modules\n// Support: IE <=9 - 11, Edge 12 - 15\n// Microsoft forgot to hump their vendor prefix (trac-9572)\nfunction camelCase( string ) {\n\treturn string.replace( rmsPrefix, \"ms-\" ).replace( rdashAlpha, fcamelCase );\n}\nvar acceptData = function( owner ) {\n\n\t// Accepts only:\n\t// - Node\n\t// - Node.ELEMENT_NODE\n\t// - Node.DOCUMENT_NODE\n\t// - Object\n\t// - Any\n\treturn owner.nodeType === 1 || owner.nodeType === 9 || !( +owner.nodeType );\n};\n\n\n\n\nfunction Data() {\n\tthis.expando = jQuery.expando + Data.uid++;\n}\n\nData.uid = 1;\n\nData.prototype = {\n\n\tcache: function( owner ) {\n\n\t\t// Check if the owner object already has a cache\n\t\tvar value = owner[ this.expando ];\n\n\t\t// If not, create one\n\t\tif ( !value ) {\n\t\t\tvalue = {};\n\n\t\t\t// We can accept data for non-element nodes in modern browsers,\n\t\t\t// but we should not, see trac-8335.\n\t\t\t// Always return an empty object.\n\t\t\tif ( acceptData( owner ) ) {\n\n\t\t\t\t// If it is a node unlikely to be stringify-ed or looped over\n\t\t\t\t// use plain assignment\n\t\t\t\tif ( owner.nodeType ) {\n\t\t\t\t\towner[ this.expando ] = value;\n\n\t\t\t\t// Otherwise secure it in a non-enumerable property\n\t\t\t\t// configurable must be true to allow the property to be\n\t\t\t\t// deleted when data is removed\n\t\t\t\t} else {\n\t\t\t\t\tObject.defineProperty( owner, this.expando, {\n\t\t\t\t\t\tvalue: value,\n\t\t\t\t\t\tconfigurable: true\n\t\t\t\t\t} );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn value;\n\t},\n\tset: function( owner, data, value ) {\n\t\tvar prop,\n\t\t\tcache = this.cache( owner );\n\n\t\t// Handle: [ owner, key, value ] args\n\t\t// Always use camelCase key (gh-2257)\n\t\tif ( typeof data === \"string\" ) {\n\t\t\tcache[ camelCase( data ) ] = value;\n\n\t\t// Handle: [ owner, { properties } ] args\n\t\t} else {\n\n\t\t\t// Copy the properties one-by-one to the cache object\n\t\t\tfor ( prop in data ) {\n\t\t\t\tcache[ camelCase( prop ) ] = data[ prop ];\n\t\t\t}\n\t\t}\n\t\treturn cache;\n\t},\n\tget: function( owner, key ) {\n\t\treturn key === undefined ?\n\t\t\tthis.cache( owner ) :\n\n\t\t\t// Always use camelCase key (gh-2257)\n\t\t\towner[ this.expando ] && owner[ this.expando ][ camelCase( key ) ];\n\t},\n\taccess: function( owner, key, value ) {\n\n\t\t// In cases where either:\n\t\t//\n\t\t// 1. No key was specified\n\t\t// 2. A string key was specified, but no value provided\n\t\t//\n\t\t// Take the \"read\" path and allow the get method to determine\n\t\t// which value to return, respectively either:\n\t\t//\n\t\t// 1. The entire cache object\n\t\t// 2. The data stored at the key\n\t\t//\n\t\tif ( key === undefined ||\n\t\t\t\t( ( key && typeof key === \"string\" ) && value === undefined ) ) {\n\n\t\t\treturn this.get( owner, key );\n\t\t}\n\n\t\t// When the key is not a string, or both a key and value\n\t\t// are specified, set or extend (existing objects) with either:\n\t\t//\n\t\t// 1. An object of properties\n\t\t// 2. A key and value\n\t\t//\n\t\tthis.set( owner, key, value );\n\n\t\t// Since the \"set\" path can have two possible entry points\n\t\t// return the expected data based on which path was taken[*]\n\t\treturn value !== undefined ? value : key;\n\t},\n\tremove: function( owner, key ) {\n\t\tvar i,\n\t\t\tcache = owner[ this.expando ];\n\n\t\tif ( cache === undefined ) {\n\t\t\treturn;\n\t\t}\n\n\t\tif ( key !== undefined ) {\n\n\t\t\t// Support array or space separated string of keys\n\t\t\tif ( Array.isArray( key ) ) {\n\n\t\t\t\t// If key is an array of keys...\n\t\t\t\t// We always set camelCase keys, so remove that.\n\t\t\t\tkey = key.map( camelCase );\n\t\t\t} else {\n\t\t\t\tkey = camelCase( key );\n\n\t\t\t\t// If a key with the spaces exists, use it.\n\t\t\t\t// Otherwise, create an array by matching non-whitespace\n\t\t\t\tkey = key in cache ?\n\t\t\t\t\t[ key ] :\n\t\t\t\t\t( key.match( rnothtmlwhite ) || [] );\n\t\t\t}\n\n\t\t\ti = key.length;\n\n\t\t\twhile ( i-- ) {\n\t\t\t\tdelete cache[ key[ i ] ];\n\t\t\t}\n\t\t}\n\n\t\t// Remove the expando if there's no more data\n\t\tif ( key === undefined || jQuery.isEmptyObject( cache ) ) {\n\n\t\t\t// Support: Chrome <=35 - 45\n\t\t\t// Webkit & Blink performance suffers when deleting properties\n\t\t\t// from DOM nodes, so set to undefined instead\n\t\t\t// https://bugs.chromium.org/p/chromium/issues/detail?id=378607 (bug restricted)\n\t\t\tif ( owner.nodeType ) {\n\t\t\t\towner[ this.expando ] = undefined;\n\t\t\t} else {\n\t\t\t\tdelete owner[ this.expando ];\n\t\t\t}\n\t\t}\n\t},\n\thasData: function( owner ) {\n\t\tvar cache = owner[ this.expando ];\n\t\treturn cache !== undefined && !jQuery.isEmptyObject( cache );\n\t}\n};\nvar dataPriv = new Data();\n\nvar dataUser = new Data();\n\n\n\n//\tImplementation Summary\n//\n//\t1. Enforce API surface and semantic compatibility with 1.9.x branch\n//\t2. Improve the module's maintainability by reducing the storage\n//\t\tpaths to a single mechanism.\n//\t3. Use the same single mechanism to support \"private\" and \"user\" data.\n//\t4. _Never_ expose \"private\" data to user code (TODO: Drop _data, _removeData)\n//\t5. Avoid exposing implementation details on user objects (eg. expando properties)\n//\t6. Provide a clear path for implementation upgrade to WeakMap in 2014\n\nvar rbrace = /^(?:\\{[\\w\\W]*\\}|\\[[\\w\\W]*\\])$/,\n\trmultiDash = /[A-Z]/g;\n\nfunction getData( data ) {\n\tif ( data === \"true\" ) {\n\t\treturn true;\n\t}\n\n\tif ( data === \"false\" ) {\n\t\treturn false;\n\t}\n\n\tif ( data === \"null\" ) {\n\t\treturn null;\n\t}\n\n\t// Only convert to a number if it doesn't change the string\n\tif ( data === +data + \"\" ) {\n\t\treturn +data;\n\t}\n\n\tif ( rbrace.test( data ) ) {\n\t\treturn JSON.parse( data );\n\t}\n\n\treturn data;\n}\n\nfunction dataAttr( elem, key, data ) {\n\tvar name;\n\n\t// If nothing was found internally, try to fetch any\n\t// data from the HTML5 data-* attribute\n\tif ( data === undefined && elem.nodeType === 1 ) {\n\t\tname = \"data-\" + key.replace( rmultiDash, \"-$&\" ).toLowerCase();\n\t\tdata = elem.getAttribute( name );\n\n\t\tif ( typeof data === \"string\" ) {\n\t\t\ttry {\n\t\t\t\tdata = getData( data );\n\t\t\t} catch ( e ) {}\n\n\t\t\t// Make sure we set the data so it isn't changed later\n\t\t\tdataUser.set( elem, key, data );\n\t\t} else {\n\t\t\tdata = undefined;\n\t\t}\n\t}\n\treturn data;\n}\n\njQuery.extend( {\n\thasData: function( elem ) {\n\t\treturn dataUser.hasData( elem ) || dataPriv.hasData( elem );\n\t},\n\n\tdata: function( elem, name, data ) {\n\t\treturn dataUser.access( elem, name, data );\n\t},\n\n\tremoveData: function( elem, name ) {\n\t\tdataUser.remove( elem, name );\n\t},\n\n\t// TODO: Now that all calls to _data and _removeData have been replaced\n\t// with direct calls to dataPriv methods, these can be deprecated.\n\t_data: function( elem, name, data ) {\n\t\treturn dataPriv.access( elem, name, data );\n\t},\n\n\t_removeData: function( elem, name ) {\n\t\tdataPriv.remove( elem, name );\n\t}\n} );\n\njQuery.fn.extend( {\n\tdata: function( key, value ) {\n\t\tvar i, name, data,\n\t\t\telem = this[ 0 ],\n\t\t\tattrs = elem && elem.attributes;\n\n\t\t// Gets all values\n\t\tif ( key === undefined ) {\n\t\t\tif ( this.length ) {\n\t\t\t\tdata = dataUser.get( elem );\n\n\t\t\t\tif ( elem.nodeType === 1 && !dataPriv.get( elem, \"hasDataAttrs\" ) ) {\n\t\t\t\t\ti = attrs.length;\n\t\t\t\t\twhile ( i-- ) {\n\n\t\t\t\t\t\t// Support: IE 11 only\n\t\t\t\t\t\t// The attrs elements can be null (trac-14894)\n\t\t\t\t\t\tif ( attrs[ i ] ) {\n\t\t\t\t\t\t\tname = attrs[ i ].name;\n\t\t\t\t\t\t\tif ( name.indexOf( \"data-\" ) === 0 ) {\n\t\t\t\t\t\t\t\tname = camelCase( name.slice( 5 ) );\n\t\t\t\t\t\t\t\tdataAttr( elem, name, data[ name ] );\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\tdataPriv.set( elem, \"hasDataAttrs\", true );\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn data;\n\t\t}\n\n\t\t// Sets multiple values\n\t\tif ( typeof key === \"object\" ) {\n\t\t\treturn this.each( function() {\n\t\t\t\tdataUser.set( this, key );\n\t\t\t} );\n\t\t}\n\n\t\treturn access( this, function( value ) {\n\t\t\tvar data;\n\n\t\t\t// The calling jQuery object (element matches) is not empty\n\t\t\t// (and therefore has an element appears at this[ 0 ]) and the\n\t\t\t// `value` parameter was not undefined. An empty jQuery object\n\t\t\t// will result in `undefined` for elem = this[ 0 ] which will\n\t\t\t// throw an exception if an attempt to read a data cache is made.\n\t\t\tif ( elem && value === undefined ) {\n\n\t\t\t\t// Attempt to get data from the cache\n\t\t\t\t// The key will always be camelCased in Data\n\t\t\t\tdata = dataUser.get( elem, key );\n\t\t\t\tif ( data !== undefined ) {\n\t\t\t\t\treturn data;\n\t\t\t\t}\n\n\t\t\t\t// Attempt to \"discover\" the data in\n\t\t\t\t// HTML5 custom data-* attrs\n\t\t\t\tdata = dataAttr( elem, key );\n\t\t\t\tif ( data !== undefined ) {\n\t\t\t\t\treturn data;\n\t\t\t\t}\n\n\t\t\t\t// We tried really hard, but the data doesn't exist.\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Set the data...\n\t\t\tthis.each( function() {\n\n\t\t\t\t// We always store the camelCased key\n\t\t\t\tdataUser.set( this, key, value );\n\t\t\t} );\n\t\t}, null, value, arguments.length > 1, null, true );\n\t},\n\n\tremoveData: function( key ) {\n\t\treturn this.each( function() {\n\t\t\tdataUser.remove( this, key );\n\t\t} );\n\t}\n} );\n\n\njQuery.extend( {\n\tqueue: function( elem, type, data ) {\n\t\tvar queue;\n\n\t\tif ( elem ) {\n\t\t\ttype = ( type || \"fx\" ) + \"queue\";\n\t\t\tqueue = dataPriv.get( elem, type );\n\n\t\t\t// Speed up dequeue by getting out quickly if this is just a lookup\n\t\t\tif ( data ) {\n\t\t\t\tif ( !queue || Array.isArray( data ) ) {\n\t\t\t\t\tqueue = dataPriv.access( elem, type, jQuery.makeArray( data ) );\n\t\t\t\t} else {\n\t\t\t\t\tqueue.push( data );\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn queue || [];\n\t\t}\n\t},\n\n\tdequeue: function( elem, type ) {\n\t\ttype = type || \"fx\";\n\n\t\tvar queue = jQuery.queue( elem, type ),\n\t\t\tstartLength = queue.length,\n\t\t\tfn = queue.shift(),\n\t\t\thooks = jQuery._queueHooks( elem, type ),\n\t\t\tnext = function() {\n\t\t\t\tjQuery.dequeue( elem, type );\n\t\t\t};\n\n\t\t// If the fx queue is dequeued, always remove the progress sentinel\n\t\tif ( fn === \"inprogress\" ) {\n\t\t\tfn = queue.shift();\n\t\t\tstartLength--;\n\t\t}\n\n\t\tif ( fn ) {\n\n\t\t\t// Add a progress sentinel to prevent the fx queue from being\n\t\t\t// automatically dequeued\n\t\t\tif ( type === \"fx\" ) {\n\t\t\t\tqueue.unshift( \"inprogress\" );\n\t\t\t}\n\n\t\t\t// Clear up the last queue stop function\n\t\t\tdelete hooks.stop;\n\t\t\tfn.call( elem, next, hooks );\n\t\t}\n\n\t\tif ( !startLength && hooks ) {\n\t\t\thooks.empty.fire();\n\t\t}\n\t},\n\n\t// Not public - generate a queueHooks object, or return the current one\n\t_queueHooks: function( elem, type ) {\n\t\tvar key = type + \"queueHooks\";\n\t\treturn dataPriv.get( elem, key ) || dataPriv.access( elem, key, {\n\t\t\tempty: jQuery.Callbacks( \"once memory\" ).add( function() {\n\t\t\t\tdataPriv.remove( elem, [ type + \"queue\", key ] );\n\t\t\t} )\n\t\t} );\n\t}\n} );\n\njQuery.fn.extend( {\n\tqueue: function( type, data ) {\n\t\tvar setter = 2;\n\n\t\tif ( typeof type !== \"string\" ) {\n\t\t\tdata = type;\n\t\t\ttype = \"fx\";\n\t\t\tsetter--;\n\t\t}\n\n\t\tif ( arguments.length < setter ) {\n\t\t\treturn jQuery.queue( this[ 0 ], type );\n\t\t}\n\n\t\treturn data === undefined ?\n\t\t\tthis :\n\t\t\tthis.each( function() {\n\t\t\t\tvar queue = jQuery.queue( this, type, data );\n\n\t\t\t\t// Ensure a hooks for this queue\n\t\t\t\tjQuery._queueHooks( this, type );\n\n\t\t\t\tif ( type === \"fx\" && queue[ 0 ] !== \"inprogress\" ) {\n\t\t\t\t\tjQuery.dequeue( this, type );\n\t\t\t\t}\n\t\t\t} );\n\t},\n\tdequeue: function( type ) {\n\t\treturn this.each( function() {\n\t\t\tjQuery.dequeue( this, type );\n\t\t} );\n\t},\n\tclearQueue: function( type ) {\n\t\treturn this.queue( type || \"fx\", [] );\n\t},\n\n\t// Get a promise resolved when queues of a certain type\n\t// are emptied (fx is the type by default)\n\tpromise: function( type, obj ) {\n\t\tvar tmp,\n\t\t\tcount = 1,\n\t\t\tdefer = jQuery.Deferred(),\n\t\t\telements = this,\n\t\t\ti = this.length,\n\t\t\tresolve = function() {\n\t\t\t\tif ( !( --count ) ) {\n\t\t\t\t\tdefer.resolveWith( elements, [ elements ] );\n\t\t\t\t}\n\t\t\t};\n\n\t\tif ( typeof type !== \"string\" ) {\n\t\t\tobj = type;\n\t\t\ttype = undefined;\n\t\t}\n\t\ttype = type || \"fx\";\n\n\t\twhile ( i-- ) {\n\t\t\ttmp = dataPriv.get( elements[ i ], type + \"queueHooks\" );\n\t\t\tif ( tmp && tmp.empty ) {\n\t\t\t\tcount++;\n\t\t\t\ttmp.empty.add( resolve );\n\t\t\t}\n\t\t}\n\t\tresolve();\n\t\treturn defer.promise( obj );\n\t}\n} );\nvar pnum = ( /[+-]?(?:\\d*\\.|)\\d+(?:[eE][+-]?\\d+|)/ ).source;\n\nvar rcssNum = new RegExp( \"^(?:([+-])=|)(\" + pnum + \")([a-z%]*)$\", \"i\" );\n\n\nvar cssExpand = [ \"Top\", \"Right\", \"Bottom\", \"Left\" ];\n\nvar documentElement = document.documentElement;\n\n\n\n\tvar isAttached = function( elem ) {\n\t\t\treturn jQuery.contains( elem.ownerDocument, elem );\n\t\t},\n\t\tcomposed = { composed: true };\n\n\t// Support: IE 9 - 11+, Edge 12 - 18+, iOS 10.0 - 10.2 only\n\t// Check attachment across shadow DOM boundaries when possible (gh-3504)\n\t// Support: iOS 10.0-10.2 only\n\t// Early iOS 10 versions support `attachShadow` but not `getRootNode`,\n\t// leading to errors. We need to check for `getRootNode`.\n\tif ( documentElement.getRootNode ) {\n\t\tisAttached = function( elem ) {\n\t\t\treturn jQuery.contains( elem.ownerDocument, elem ) ||\n\t\t\t\telem.getRootNode( composed ) === elem.ownerDocument;\n\t\t};\n\t}\nvar isHiddenWithinTree = function( elem, el ) {\n\n\t\t// isHiddenWithinTree might be called from jQuery#filter function;\n\t\t// in that case, element will be second argument\n\t\telem = el || elem;\n\n\t\t// Inline style trumps all\n\t\treturn elem.style.display === \"none\" ||\n\t\t\telem.style.display === \"\" &&\n\n\t\t\t// Otherwise, check computed style\n\t\t\t// Support: Firefox <=43 - 45\n\t\t\t// Disconnected elements can have computed display: none, so first confirm that elem is\n\t\t\t// in the document.\n\t\t\tisAttached( elem ) &&\n\n\t\t\tjQuery.css( elem, \"display\" ) === \"none\";\n\t};\n\n\n\nfunction adjustCSS( elem, prop, valueParts, tween ) {\n\tvar adjusted, scale,\n\t\tmaxIterations = 20,\n\t\tcurrentValue = tween ?\n\t\t\tfunction() {\n\t\t\t\treturn tween.cur();\n\t\t\t} :\n\t\t\tfunction() {\n\t\t\t\treturn jQuery.css( elem, prop, \"\" );\n\t\t\t},\n\t\tinitial = currentValue(),\n\t\tunit = valueParts && valueParts[ 3 ] || ( jQuery.cssNumber[ prop ] ? \"\" : \"px\" ),\n\n\t\t// Starting value computation is required for potential unit mismatches\n\t\tinitialInUnit = elem.nodeType &&\n\t\t\t( jQuery.cssNumber[ prop ] || unit !== \"px\" && +initial ) &&\n\t\t\trcssNum.exec( jQuery.css( elem, prop ) );\n\n\tif ( initialInUnit && initialInUnit[ 3 ] !== unit ) {\n\n\t\t// Support: Firefox <=54\n\t\t// Halve the iteration target value to prevent interference from CSS upper bounds (gh-2144)\n\t\tinitial = initial / 2;\n\n\t\t// Trust units reported by jQuery.css\n\t\tunit = unit || initialInUnit[ 3 ];\n\n\t\t// Iteratively approximate from a nonzero starting point\n\t\tinitialInUnit = +initial || 1;\n\n\t\twhile ( maxIterations-- ) {\n\n\t\t\t// Evaluate and update our best guess (doubling guesses that zero out).\n\t\t\t// Finish if the scale equals or crosses 1 (making the old*new product non-positive).\n\t\t\tjQuery.style( elem, prop, initialInUnit + unit );\n\t\t\tif ( ( 1 - scale ) * ( 1 - ( scale = currentValue() / initial || 0.5 ) ) <= 0 ) {\n\t\t\t\tmaxIterations = 0;\n\t\t\t}\n\t\t\tinitialInUnit = initialInUnit / scale;\n\n\t\t}\n\n\t\tinitialInUnit = initialInUnit * 2;\n\t\tjQuery.style( elem, prop, initialInUnit + unit );\n\n\t\t// Make sure we update the tween properties later on\n\t\tvalueParts = valueParts || [];\n\t}\n\n\tif ( valueParts ) {\n\t\tinitialInUnit = +initialInUnit || +initial || 0;\n\n\t\t// Apply relative offset (+=/-=) if specified\n\t\tadjusted = valueParts[ 1 ] ?\n\t\t\tinitialInUnit + ( valueParts[ 1 ] + 1 ) * valueParts[ 2 ] :\n\t\t\t+valueParts[ 2 ];\n\t\tif ( tween ) {\n\t\t\ttween.unit = unit;\n\t\t\ttween.start = initialInUnit;\n\t\t\ttween.end = adjusted;\n\t\t}\n\t}\n\treturn adjusted;\n}\n\n\nvar defaultDisplayMap = {};\n\nfunction getDefaultDisplay( elem ) {\n\tvar temp,\n\t\tdoc = elem.ownerDocument,\n\t\tnodeName = elem.nodeName,\n\t\tdisplay = defaultDisplayMap[ nodeName ];\n\n\tif ( display ) {\n\t\treturn display;\n\t}\n\n\ttemp = doc.body.appendChild( doc.createElement( nodeName ) );\n\tdisplay = jQuery.css( temp, \"display\" );\n\n\ttemp.parentNode.removeChild( temp );\n\n\tif ( display === \"none\" ) {\n\t\tdisplay = \"block\";\n\t}\n\tdefaultDisplayMap[ nodeName ] = display;\n\n\treturn display;\n}\n\nfunction showHide( elements, show ) {\n\tvar display, elem,\n\t\tvalues = [],\n\t\tindex = 0,\n\t\tlength = elements.length;\n\n\t// Determine new display value for elements that need to change\n\tfor ( ; index < length; index++ ) {\n\t\telem = elements[ index ];\n\t\tif ( !elem.style ) {\n\t\t\tcontinue;\n\t\t}\n\n\t\tdisplay = elem.style.display;\n\t\tif ( show ) {\n\n\t\t\t// Since we force visibility upon cascade-hidden elements, an immediate (and slow)\n\t\t\t// check is required in this first loop unless we have a nonempty display value (either\n\t\t\t// inline or about-to-be-restored)\n\t\t\tif ( display === \"none\" ) {\n\t\t\t\tvalues[ index ] = dataPriv.get( elem, \"display\" ) || null;\n\t\t\t\tif ( !values[ index ] ) {\n\t\t\t\t\telem.style.display = \"\";\n\t\t\t\t}\n\t\t\t}\n\t\t\tif ( elem.style.display === \"\" && isHiddenWithinTree( elem ) ) {\n\t\t\t\tvalues[ index ] = getDefaultDisplay( elem );\n\t\t\t}\n\t\t} else {\n\t\t\tif ( display !== \"none\" ) {\n\t\t\t\tvalues[ index ] = \"none\";\n\n\t\t\t\t// Remember what we're overwriting\n\t\t\t\tdataPriv.set( elem, \"display\", display );\n\t\t\t}\n\t\t}\n\t}\n\n\t// Set the display of the elements in a second loop to avoid constant reflow\n\tfor ( index = 0; index < length; index++ ) {\n\t\tif ( values[ index ] != null ) {\n\t\t\telements[ index ].style.display = values[ index ];\n\t\t}\n\t}\n\n\treturn elements;\n}\n\njQuery.fn.extend( {\n\tshow: function() {\n\t\treturn showHide( this, true );\n\t},\n\thide: function() {\n\t\treturn showHide( this );\n\t},\n\ttoggle: function( state ) {\n\t\tif ( typeof state === \"boolean\" ) {\n\t\t\treturn state ? this.show() : this.hide();\n\t\t}\n\n\t\treturn this.each( function() {\n\t\t\tif ( isHiddenWithinTree( this ) ) {\n\t\t\t\tjQuery( this ).show();\n\t\t\t} else {\n\t\t\t\tjQuery( this ).hide();\n\t\t\t}\n\t\t} );\n\t}\n} );\nvar rcheckableType = ( /^(?:checkbox|radio)$/i );\n\nvar rtagName = ( /<([a-z][^\\/\\0>\\x20\\t\\r\\n\\f]*)/i );\n\nvar rscriptType = ( /^$|^module$|\\/(?:java|ecma)script/i );\n\n\n\n( function() {\n\tvar fragment = document.createDocumentFragment(),\n\t\tdiv = fragment.appendChild( document.createElement( \"div\" ) ),\n\t\tinput = document.createElement( \"input\" );\n\n\t// Support: Android 4.0 - 4.3 only\n\t// Check state lost if the name is set (trac-11217)\n\t// Support: Windows Web Apps (WWA)\n\t// `name` and `type` must use .setAttribute for WWA (trac-14901)\n\tinput.setAttribute( \"type\", \"radio\" );\n\tinput.setAttribute( \"checked\", \"checked\" );\n\tinput.setAttribute( \"name\", \"t\" );\n\n\tdiv.appendChild( input );\n\n\t// Support: Android <=4.1 only\n\t// Older WebKit doesn't clone checked state correctly in fragments\n\tsupport.checkClone = div.cloneNode( true ).cloneNode( true ).lastChild.checked;\n\n\t// Support: IE <=11 only\n\t// Make sure textarea (and checkbox) defaultValue is properly cloned\n\tdiv.innerHTML = \"<textarea>x</textarea>\";\n\tsupport.noCloneChecked = !!div.cloneNode( true ).lastChild.defaultValue;\n\n\t// Support: IE <=9 only\n\t// IE <=9 replaces <option> tags with their contents when inserted outside of\n\t// the select element.\n\tdiv.innerHTML = \"<option></option>\";\n\tsupport.option = !!div.lastChild;\n} )();\n\n\n// We have to close these tags to support XHTML (trac-13200)\nvar wrapMap = {\n\n\t// XHTML parsers do not magically insert elements in the\n\t// same way that tag soup parsers do. So we cannot shorten\n\t// this by omitting <tbody> or other required elements.\n\tthead: [ 1, \"<table>\", \"</table>\" ],\n\tcol: [ 2, \"<table><colgroup>\", \"</colgroup></table>\" ],\n\ttr: [ 2, \"<table><tbody>\", \"</tbody></table>\" ],\n\ttd: [ 3, \"<table><tbody><tr>\", \"</tr></tbody></table>\" ],\n\n\t_default: [ 0, \"\", \"\" ]\n};\n\nwrapMap.tbody = wrapMap.tfoot = wrapMap.colgroup = wrapMap.caption = wrapMap.thead;\nwrapMap.th = wrapMap.td;\n\n// Support: IE <=9 only\nif ( !support.option ) {\n\twrapMap.optgroup = wrapMap.option = [ 1, \"<select multiple='multiple'>\", \"</select>\" ];\n}\n\n\nfunction getAll( context, tag ) {\n\n\t// Support: IE <=9 - 11 only\n\t// Use typeof to avoid zero-argument method invocation on host objects (trac-15151)\n\tvar ret;\n\n\tif ( typeof context.getElementsByTagName !== \"undefined\" ) {\n\t\tret = context.getElementsByTagName( tag || \"*\" );\n\n\t} else if ( typeof context.querySelectorAll !== \"undefined\" ) {\n\t\tret = context.querySelectorAll( tag || \"*\" );\n\n\t} else {\n\t\tret = [];\n\t}\n\n\tif ( tag === undefined || tag && nodeName( context, tag ) ) {\n\t\treturn jQuery.merge( [ context ], ret );\n\t}\n\n\treturn ret;\n}\n\n\n// Mark scripts as having already been evaluated\nfunction setGlobalEval( elems, refElements ) {\n\tvar i = 0,\n\t\tl = elems.length;\n\n\tfor ( ; i < l; i++ ) {\n\t\tdataPriv.set(\n\t\t\telems[ i ],\n\t\t\t\"globalEval\",\n\t\t\t!refElements || dataPriv.get( refElements[ i ], \"globalEval\" )\n\t\t);\n\t}\n}\n\n\nvar rhtml = /<|&#?\\w+;/;\n\nfunction buildFragment( elems, context, scripts, selection, ignored ) {\n\tvar elem, tmp, tag, wrap, attached, j,\n\t\tfragment = context.createDocumentFragment(),\n\t\tnodes = [],\n\t\ti = 0,\n\t\tl = elems.length;\n\n\tfor ( ; i < l; i++ ) {\n\t\telem = elems[ i ];\n\n\t\tif ( elem || elem === 0 ) {\n\n\t\t\t// Add nodes directly\n\t\t\tif ( toType( elem ) === \"object\" ) {\n\n\t\t\t\t// Support: Android <=4.0 only, PhantomJS 1 only\n\t\t\t\t// push.apply(_, arraylike) throws on ancient WebKit\n\t\t\t\tjQuery.merge( nodes, elem.nodeType ? [ elem ] : elem );\n\n\t\t\t// Convert non-html into a text node\n\t\t\t} else if ( !rhtml.test( elem ) ) {\n\t\t\t\tnodes.push( context.createTextNode( elem ) );\n\n\t\t\t// Convert html into DOM nodes\n\t\t\t} else {\n\t\t\t\ttmp = tmp || fragment.appendChild( context.createElement( \"div\" ) );\n\n\t\t\t\t// Deserialize a standard representation\n\t\t\t\ttag = ( rtagName.exec( elem ) || [ \"\", \"\" ] )[ 1 ].toLowerCase();\n\t\t\t\twrap = wrapMap[ tag ] || wrapMap._default;\n\t\t\t\ttmp.innerHTML = wrap[ 1 ] + jQuery.htmlPrefilter( elem ) + wrap[ 2 ];\n\n\t\t\t\t// Descend through wrappers to the right content\n\t\t\t\tj = wrap[ 0 ];\n\t\t\t\twhile ( j-- ) {\n\t\t\t\t\ttmp = tmp.lastChild;\n\t\t\t\t}\n\n\t\t\t\t// Support: Android <=4.0 only, PhantomJS 1 only\n\t\t\t\t// push.apply(_, arraylike) throws on ancient WebKit\n\t\t\t\tjQuery.merge( nodes, tmp.childNodes );\n\n\t\t\t\t// Remember the top-level container\n\t\t\t\ttmp = fragment.firstChild;\n\n\t\t\t\t// Ensure the created nodes are orphaned (trac-12392)\n\t\t\t\ttmp.textContent = \"\";\n\t\t\t}\n\t\t}\n\t}\n\n\t// Remove wrapper from fragment\n\tfragment.textContent = \"\";\n\n\ti = 0;\n\twhile ( ( elem = nodes[ i++ ] ) ) {\n\n\t\t// Skip elements already in the context collection (trac-4087)\n\t\tif ( selection && jQuery.inArray( elem, selection ) > -1 ) {\n\t\t\tif ( ignored ) {\n\t\t\t\tignored.push( elem );\n\t\t\t}\n\t\t\tcontinue;\n\t\t}\n\n\t\tattached = isAttached( elem );\n\n\t\t// Append to fragment\n\t\ttmp = getAll( fragment.appendChild( elem ), \"script\" );\n\n\t\t// Preserve script evaluation history\n\t\tif ( attached ) {\n\t\t\tsetGlobalEval( tmp );\n\t\t}\n\n\t\t// Capture executables\n\t\tif ( scripts ) {\n\t\t\tj = 0;\n\t\t\twhile ( ( elem = tmp[ j++ ] ) ) {\n\t\t\t\tif ( rscriptType.test( elem.type || \"\" ) ) {\n\t\t\t\t\tscripts.push( elem );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\treturn fragment;\n}\n\n\nvar rtypenamespace = /^([^.]*)(?:\\.(.+)|)/;\n\nfunction returnTrue() {\n\treturn true;\n}\n\nfunction returnFalse() {\n\treturn false;\n}\n\nfunction on( elem, types, selector, data, fn, one ) {\n\tvar origFn, type;\n\n\t// Types can be a map of types/handlers\n\tif ( typeof types === \"object\" ) {\n\n\t\t// ( types-Object, selector, data )\n\t\tif ( typeof selector !== \"string\" ) {\n\n\t\t\t// ( types-Object, data )\n\t\t\tdata = data || selector;\n\t\t\tselector = undefined;\n\t\t}\n\t\tfor ( type in types ) {\n\t\t\ton( elem, type, selector, data, types[ type ], one );\n\t\t}\n\t\treturn elem;\n\t}\n\n\tif ( data == null && fn == null ) {\n\n\t\t// ( types, fn )\n\t\tfn = selector;\n\t\tdata = selector = undefined;\n\t} else if ( fn == null ) {\n\t\tif ( typeof selector === \"string\" ) {\n\n\t\t\t// ( types, selector, fn )\n\t\t\tfn = data;\n\t\t\tdata = undefined;\n\t\t} else {\n\n\t\t\t// ( types, data, fn )\n\t\t\tfn = data;\n\t\t\tdata = selector;\n\t\t\tselector = undefined;\n\t\t}\n\t}\n\tif ( fn === false ) {\n\t\tfn = returnFalse;\n\t} else if ( !fn ) {\n\t\treturn elem;\n\t}\n\n\tif ( one === 1 ) {\n\t\torigFn = fn;\n\t\tfn = function( event ) {\n\n\t\t\t// Can use an empty set, since event contains the info\n\t\t\tjQuery().off( event );\n\t\t\treturn origFn.apply( this, arguments );\n\t\t};\n\n\t\t// Use same guid so caller can remove using origFn\n\t\tfn.guid = origFn.guid || ( origFn.guid = jQuery.guid++ );\n\t}\n\treturn elem.each( function() {\n\t\tjQuery.event.add( this, types, fn, data, selector );\n\t} );\n}\n\n/*\n * Helper functions for managing events -- not part of the public interface.\n * Props to Dean Edwards' addEvent library for many of the ideas.\n */\njQuery.event = {\n\n\tglobal: {},\n\n\tadd: function( elem, types, handler, data, selector ) {\n\n\t\tvar handleObjIn, eventHandle, tmp,\n\t\t\tevents, t, handleObj,\n\t\t\tspecial, handlers, type, namespaces, origType,\n\t\t\telemData = dataPriv.get( elem );\n\n\t\t// Only attach events to objects that accept data\n\t\tif ( !acceptData( elem ) ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Caller can pass in an object of custom data in lieu of the handler\n\t\tif ( handler.handler ) {\n\t\t\thandleObjIn = handler;\n\t\t\thandler = handleObjIn.handler;\n\t\t\tselector = handleObjIn.selector;\n\t\t}\n\n\t\t// Ensure that invalid selectors throw exceptions at attach time\n\t\t// Evaluate against documentElement in case elem is a non-element node (e.g., document)\n\t\tif ( selector ) {\n\t\t\tjQuery.find.matchesSelector( documentElement, selector );\n\t\t}\n\n\t\t// Make sure that the handler has a unique ID, used to find/remove it later\n\t\tif ( !handler.guid ) {\n\t\t\thandler.guid = jQuery.guid++;\n\t\t}\n\n\t\t// Init the element's event structure and main handler, if this is the first\n\t\tif ( !( events = elemData.events ) ) {\n\t\t\tevents = elemData.events = Object.create( null );\n\t\t}\n\t\tif ( !( eventHandle = elemData.handle ) ) {\n\t\t\teventHandle = elemData.handle = function( e ) {\n\n\t\t\t\t// Discard the second event of a jQuery.event.trigger() and\n\t\t\t\t// when an event is called after a page has unloaded\n\t\t\t\treturn typeof jQuery !== \"undefined\" && jQuery.event.triggered !== e.type ?\n\t\t\t\t\tjQuery.event.dispatch.apply( elem, arguments ) : undefined;\n\t\t\t};\n\t\t}\n\n\t\t// Handle multiple events separated by a space\n\t\ttypes = ( types || \"\" ).match( rnothtmlwhite ) || [ \"\" ];\n\t\tt = types.length;\n\t\twhile ( t-- ) {\n\t\t\ttmp = rtypenamespace.exec( types[ t ] ) || [];\n\t\t\ttype = origType = tmp[ 1 ];\n\t\t\tnamespaces = ( tmp[ 2 ] || \"\" ).split( \".\" ).sort();\n\n\t\t\t// There *must* be a type, no attaching namespace-only handlers\n\t\t\tif ( !type ) {\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\t// If event changes its type, use the special event handlers for the changed type\n\t\t\tspecial = jQuery.event.special[ type ] || {};\n\n\t\t\t// If selector defined, determine special event api type, otherwise given type\n\t\t\ttype = ( selector ? special.delegateType : special.bindType ) || type;\n\n\t\t\t// Update special based on newly reset type\n\t\t\tspecial = jQuery.event.special[ type ] || {};\n\n\t\t\t// handleObj is passed to all event handlers\n\t\t\thandleObj = jQuery.extend( {\n\t\t\t\ttype: type,\n\t\t\t\torigType: origType,\n\t\t\t\tdata: data,\n\t\t\t\thandler: handler,\n\t\t\t\tguid: handler.guid,\n\t\t\t\tselector: selector,\n\t\t\t\tneedsContext: selector && jQuery.expr.match.needsContext.test( selector ),\n\t\t\t\tnamespace: namespaces.join( \".\" )\n\t\t\t}, handleObjIn );\n\n\t\t\t// Init the event handler queue if we're the first\n\t\t\tif ( !( handlers = events[ type ] ) ) {\n\t\t\t\thandlers = events[ type ] = [];\n\t\t\t\thandlers.delegateCount = 0;\n\n\t\t\t\t// Only use addEventListener if the special events handler returns false\n\t\t\t\tif ( !special.setup ||\n\t\t\t\t\tspecial.setup.call( elem, data, namespaces, eventHandle ) === false ) {\n\n\t\t\t\t\tif ( elem.addEventListener ) {\n\t\t\t\t\t\telem.addEventListener( type, eventHandle );\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif ( special.add ) {\n\t\t\t\tspecial.add.call( elem, handleObj );\n\n\t\t\t\tif ( !handleObj.handler.guid ) {\n\t\t\t\t\thandleObj.handler.guid = handler.guid;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Add to the element's handler list, delegates in front\n\t\t\tif ( selector ) {\n\t\t\t\thandlers.splice( handlers.delegateCount++, 0, handleObj );\n\t\t\t} else {\n\t\t\t\thandlers.push( handleObj );\n\t\t\t}\n\n\t\t\t// Keep track of which events have ever been used, for event optimization\n\t\t\tjQuery.event.global[ type ] = true;\n\t\t}\n\n\t},\n\n\t// Detach an event or set of events from an element\n\tremove: function( elem, types, handler, selector, mappedTypes ) {\n\n\t\tvar j, origCount, tmp,\n\t\t\tevents, t, handleObj,\n\t\t\tspecial, handlers, type, namespaces, origType,\n\t\t\telemData = dataPriv.hasData( elem ) && dataPriv.get( elem );\n\n\t\tif ( !elemData || !( events = elemData.events ) ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Once for each type.namespace in types; type may be omitted\n\t\ttypes = ( types || \"\" ).match( rnothtmlwhite ) || [ \"\" ];\n\t\tt = types.length;\n\t\twhile ( t-- ) {\n\t\t\ttmp = rtypenamespace.exec( types[ t ] ) || [];\n\t\t\ttype = origType = tmp[ 1 ];\n\t\t\tnamespaces = ( tmp[ 2 ] || \"\" ).split( \".\" ).sort();\n\n\t\t\t// Unbind all events (on this namespace, if provided) for the element\n\t\t\tif ( !type ) {\n\t\t\t\tfor ( type in events ) {\n\t\t\t\t\tjQuery.event.remove( elem, type + types[ t ], handler, selector, true );\n\t\t\t\t}\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\tspecial = jQuery.event.special[ type ] || {};\n\t\t\ttype = ( selector ? special.delegateType : special.bindType ) || type;\n\t\t\thandlers = events[ type ] || [];\n\t\t\ttmp = tmp[ 2 ] &&\n\t\t\t\tnew RegExp( \"(^|\\\\.)\" + namespaces.join( \"\\\\.(?:.*\\\\.|)\" ) + \"(\\\\.|$)\" );\n\n\t\t\t// Remove matching events\n\t\t\torigCount = j = handlers.length;\n\t\t\twhile ( j-- ) {\n\t\t\t\thandleObj = handlers[ j ];\n\n\t\t\t\tif ( ( mappedTypes || origType === handleObj.origType ) &&\n\t\t\t\t\t( !handler || handler.guid === handleObj.guid ) &&\n\t\t\t\t\t( !tmp || tmp.test( handleObj.namespace ) ) &&\n\t\t\t\t\t( !selector || selector === handleObj.selector ||\n\t\t\t\t\t\tselector === \"**\" && handleObj.selector ) ) {\n\t\t\t\t\thandlers.splice( j, 1 );\n\n\t\t\t\t\tif ( handleObj.selector ) {\n\t\t\t\t\t\thandlers.delegateCount--;\n\t\t\t\t\t}\n\t\t\t\t\tif ( special.remove ) {\n\t\t\t\t\t\tspecial.remove.call( elem, handleObj );\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Remove generic event handler if we removed something and no more handlers exist\n\t\t\t// (avoids potential for endless recursion during removal of special event handlers)\n\t\t\tif ( origCount && !handlers.length ) {\n\t\t\t\tif ( !special.teardown ||\n\t\t\t\t\tspecial.teardown.call( elem, namespaces, elemData.handle ) === false ) {\n\n\t\t\t\t\tjQuery.removeEvent( elem, type, elemData.handle );\n\t\t\t\t}\n\n\t\t\t\tdelete events[ type ];\n\t\t\t}\n\t\t}\n\n\t\t// Remove data and the expando if it's no longer used\n\t\tif ( jQuery.isEmptyObject( events ) ) {\n\t\t\tdataPriv.remove( elem, \"handle events\" );\n\t\t}\n\t},\n\n\tdispatch: function( nativeEvent ) {\n\n\t\tvar i, j, ret, matched, handleObj, handlerQueue,\n\t\t\targs = new Array( arguments.length ),\n\n\t\t\t// Make a writable jQuery.Event from the native event object\n\t\t\tevent = jQuery.event.fix( nativeEvent ),\n\n\t\t\thandlers = (\n\t\t\t\tdataPriv.get( this, \"events\" ) || Object.create( null )\n\t\t\t)[ event.type ] || [],\n\t\t\tspecial = jQuery.event.special[ event.type ] || {};\n\n\t\t// Use the fix-ed jQuery.Event rather than the (read-only) native event\n\t\targs[ 0 ] = event;\n\n\t\tfor ( i = 1; i < arguments.length; i++ ) {\n\t\t\targs[ i ] = arguments[ i ];\n\t\t}\n\n\t\tevent.delegateTarget = this;\n\n\t\t// Call the preDispatch hook for the mapped type, and let it bail if desired\n\t\tif ( special.preDispatch && special.preDispatch.call( this, event ) === false ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Determine handlers\n\t\thandlerQueue = jQuery.event.handlers.call( this, event, handlers );\n\n\t\t// Run delegates first; they may want to stop propagation beneath us\n\t\ti = 0;\n\t\twhile ( ( matched = handlerQueue[ i++ ] ) && !event.isPropagationStopped() ) {\n\t\t\tevent.currentTarget = matched.elem;\n\n\t\t\tj = 0;\n\t\t\twhile ( ( handleObj = matched.handlers[ j++ ] ) &&\n\t\t\t\t!event.isImmediatePropagationStopped() ) {\n\n\t\t\t\t// If the event is namespaced, then each handler is only invoked if it is\n\t\t\t\t// specially universal or its namespaces are a superset of the event's.\n\t\t\t\tif ( !event.rnamespace || handleObj.namespace === false ||\n\t\t\t\t\tevent.rnamespace.test( handleObj.namespace ) ) {\n\n\t\t\t\t\tevent.handleObj = handleObj;\n\t\t\t\t\tevent.data = handleObj.data;\n\n\t\t\t\t\tret = ( ( jQuery.event.special[ handleObj.origType ] || {} ).handle ||\n\t\t\t\t\t\thandleObj.handler ).apply( matched.elem, args );\n\n\t\t\t\t\tif ( ret !== undefined ) {\n\t\t\t\t\t\tif ( ( event.result = ret ) === false ) {\n\t\t\t\t\t\t\tevent.preventDefault();\n\t\t\t\t\t\t\tevent.stopPropagation();\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Call the postDispatch hook for the mapped type\n\t\tif ( special.postDispatch ) {\n\t\t\tspecial.postDispatch.call( this, event );\n\t\t}\n\n\t\treturn event.result;\n\t},\n\n\thandlers: function( event, handlers ) {\n\t\tvar i, handleObj, sel, matchedHandlers, matchedSelectors,\n\t\t\thandlerQueue = [],\n\t\t\tdelegateCount = handlers.delegateCount,\n\t\t\tcur = event.target;\n\n\t\t// Find delegate handlers\n\t\tif ( delegateCount &&\n\n\t\t\t// Support: IE <=9\n\t\t\t// Black-hole SVG <use> instance trees (trac-13180)\n\t\t\tcur.nodeType &&\n\n\t\t\t// Support: Firefox <=42\n\t\t\t// Suppress spec-violating clicks indicating a non-primary pointer button (trac-3861)\n\t\t\t// https://www.w3.org/TR/DOM-Level-3-Events/#event-type-click\n\t\t\t// Support: IE 11 only\n\t\t\t// ...but not arrow key \"clicks\" of radio inputs, which can have `button` -1 (gh-2343)\n\t\t\t!( event.type === \"click\" && event.button >= 1 ) ) {\n\n\t\t\tfor ( ; cur !== this; cur = cur.parentNode || this ) {\n\n\t\t\t\t// Don't check non-elements (trac-13208)\n\t\t\t\t// Don't process clicks on disabled elements (trac-6911, trac-8165, trac-11382, trac-11764)\n\t\t\t\tif ( cur.nodeType === 1 && !( event.type === \"click\" && cur.disabled === true ) ) {\n\t\t\t\t\tmatchedHandlers = [];\n\t\t\t\t\tmatchedSelectors = {};\n\t\t\t\t\tfor ( i = 0; i < delegateCount; i++ ) {\n\t\t\t\t\t\thandleObj = handlers[ i ];\n\n\t\t\t\t\t\t// Don't conflict with Object.prototype properties (trac-13203)\n\t\t\t\t\t\tsel = handleObj.selector + \" \";\n\n\t\t\t\t\t\tif ( matchedSelectors[ sel ] === undefined ) {\n\t\t\t\t\t\t\tmatchedSelectors[ sel ] = handleObj.needsContext ?\n\t\t\t\t\t\t\t\tjQuery( sel, this ).index( cur ) > -1 :\n\t\t\t\t\t\t\t\tjQuery.find( sel, this, null, [ cur ] ).length;\n\t\t\t\t\t\t}\n\t\t\t\t\t\tif ( matchedSelectors[ sel ] ) {\n\t\t\t\t\t\t\tmatchedHandlers.push( handleObj );\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\tif ( matchedHandlers.length ) {\n\t\t\t\t\t\thandlerQueue.push( { elem: cur, handlers: matchedHandlers } );\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Add the remaining (directly-bound) handlers\n\t\tcur = this;\n\t\tif ( delegateCount < handlers.length ) {\n\t\t\thandlerQueue.push( { elem: cur, handlers: handlers.slice( delegateCount ) } );\n\t\t}\n\n\t\treturn handlerQueue;\n\t},\n\n\taddProp: function( name, hook ) {\n\t\tObject.defineProperty( jQuery.Event.prototype, name, {\n\t\t\tenumerable: true,\n\t\t\tconfigurable: true,\n\n\t\t\tget: isFunction( hook ) ?\n\t\t\t\tfunction() {\n\t\t\t\t\tif ( this.originalEvent ) {\n\t\t\t\t\t\treturn hook( this.originalEvent );\n\t\t\t\t\t}\n\t\t\t\t} :\n\t\t\t\tfunction() {\n\t\t\t\t\tif ( this.originalEvent ) {\n\t\t\t\t\t\treturn this.originalEvent[ name ];\n\t\t\t\t\t}\n\t\t\t\t},\n\n\t\t\tset: function( value ) {\n\t\t\t\tObject.defineProperty( this, name, {\n\t\t\t\t\tenumerable: true,\n\t\t\t\t\tconfigurable: true,\n\t\t\t\t\twritable: true,\n\t\t\t\t\tvalue: value\n\t\t\t\t} );\n\t\t\t}\n\t\t} );\n\t},\n\n\tfix: function( originalEvent ) {\n\t\treturn originalEvent[ jQuery.expando ] ?\n\t\t\toriginalEvent :\n\t\t\tnew jQuery.Event( originalEvent );\n\t},\n\n\tspecial: {\n\t\tload: {\n\n\t\t\t// Prevent triggered image.load events from bubbling to window.load\n\t\t\tnoBubble: true\n\t\t},\n\t\tclick: {\n\n\t\t\t// Utilize native event to ensure correct state for checkable inputs\n\t\t\tsetup: function( data ) {\n\n\t\t\t\t// For mutual compressibility with _default, replace `this` access with a local var.\n\t\t\t\t// `|| data` is dead code meant only to preserve the variable through minification.\n\t\t\t\tvar el = this || data;\n\n\t\t\t\t// Claim the first handler\n\t\t\t\tif ( rcheckableType.test( el.type ) &&\n\t\t\t\t\tel.click && nodeName( el, \"input\" ) ) {\n\n\t\t\t\t\t// dataPriv.set( el, \"click\", ... )\n\t\t\t\t\tleverageNative( el, \"click\", true );\n\t\t\t\t}\n\n\t\t\t\t// Return false to allow normal processing in the caller\n\t\t\t\treturn false;\n\t\t\t},\n\t\t\ttrigger: function( data ) {\n\n\t\t\t\t// For mutual compressibility with _default, replace `this` access with a local var.\n\t\t\t\t// `|| data` is dead code meant only to preserve the variable through minification.\n\t\t\t\tvar el = this || data;\n\n\t\t\t\t// Force setup before triggering a click\n\t\t\t\tif ( rcheckableType.test( el.type ) &&\n\t\t\t\t\tel.click && nodeName( el, \"input\" ) ) {\n\n\t\t\t\t\tleverageNative( el, \"click\" );\n\t\t\t\t}\n\n\t\t\t\t// Return non-false to allow normal event-path propagation\n\t\t\t\treturn true;\n\t\t\t},\n\n\t\t\t// For cross-browser consistency, suppress native .click() on links\n\t\t\t// Also prevent it if we're currently inside a leveraged native-event stack\n\t\t\t_default: function( event ) {\n\t\t\t\tvar target = event.target;\n\t\t\t\treturn rcheckableType.test( target.type ) &&\n\t\t\t\t\ttarget.click && nodeName( target, \"input\" ) &&\n\t\t\t\t\tdataPriv.get( target, \"click\" ) ||\n\t\t\t\t\tnodeName( target, \"a\" );\n\t\t\t}\n\t\t},\n\n\t\tbeforeunload: {\n\t\t\tpostDispatch: function( event ) {\n\n\t\t\t\t// Support: Firefox 20+\n\t\t\t\t// Firefox doesn't alert if the returnValue field is not set.\n\t\t\t\tif ( event.result !== undefined && event.originalEvent ) {\n\t\t\t\t\tevent.originalEvent.returnValue = event.result;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n};\n\n// Ensure the presence of an event listener that handles manually-triggered\n// synthetic events by interrupting progress until reinvoked in response to\n// *native* events that it fires directly, ensuring that state changes have\n// already occurred before other listeners are invoked.\nfunction leverageNative( el, type, isSetup ) {\n\n\t// Missing `isSetup` indicates a trigger call, which must force setup through jQuery.event.add\n\tif ( !isSetup ) {\n\t\tif ( dataPriv.get( el, type ) === undefined ) {\n\t\t\tjQuery.event.add( el, type, returnTrue );\n\t\t}\n\t\treturn;\n\t}\n\n\t// Register the controller as a special universal handler for all event namespaces\n\tdataPriv.set( el, type, false );\n\tjQuery.event.add( el, type, {\n\t\tnamespace: false,\n\t\thandler: function( event ) {\n\t\t\tvar result,\n\t\t\t\tsaved = dataPriv.get( this, type );\n\n\t\t\tif ( ( event.isTrigger & 1 ) && this[ type ] ) {\n\n\t\t\t\t// Interrupt processing of the outer synthetic .trigger()ed event\n\t\t\t\tif ( !saved ) {\n\n\t\t\t\t\t// Store arguments for use when handling the inner native event\n\t\t\t\t\t// There will always be at least one argument (an event object), so this array\n\t\t\t\t\t// will not be confused with a leftover capture object.\n\t\t\t\t\tsaved = slice.call( arguments );\n\t\t\t\t\tdataPriv.set( this, type, saved );\n\n\t\t\t\t\t// Trigger the native event and capture its result\n\t\t\t\t\tthis[ type ]();\n\t\t\t\t\tresult = dataPriv.get( this, type );\n\t\t\t\t\tdataPriv.set( this, type, false );\n\n\t\t\t\t\tif ( saved !== result ) {\n\n\t\t\t\t\t\t// Cancel the outer synthetic event\n\t\t\t\t\t\tevent.stopImmediatePropagation();\n\t\t\t\t\t\tevent.preventDefault();\n\n\t\t\t\t\t\treturn result;\n\t\t\t\t\t}\n\n\t\t\t\t// If this is an inner synthetic event for an event with a bubbling surrogate\n\t\t\t\t// (focus or blur), assume that the surrogate already propagated from triggering\n\t\t\t\t// the native event and prevent that from happening again here.\n\t\t\t\t// This technically gets the ordering wrong w.r.t. to `.trigger()` (in which the\n\t\t\t\t// bubbling surrogate propagates *after* the non-bubbling base), but that seems\n\t\t\t\t// less bad than duplication.\n\t\t\t\t} else if ( ( jQuery.event.special[ type ] || {} ).delegateType ) {\n\t\t\t\t\tevent.stopPropagation();\n\t\t\t\t}\n\n\t\t\t// If this is a native event triggered above, everything is now in order\n\t\t\t// Fire an inner synthetic event with the original arguments\n\t\t\t} else if ( saved ) {\n\n\t\t\t\t// ...and capture the result\n\t\t\t\tdataPriv.set( this, type, jQuery.event.trigger(\n\t\t\t\t\tsaved[ 0 ],\n\t\t\t\t\tsaved.slice( 1 ),\n\t\t\t\t\tthis\n\t\t\t\t) );\n\n\t\t\t\t// Abort handling of the native event by all jQuery handlers while allowing\n\t\t\t\t// native handlers on the same element to run. On target, this is achieved\n\t\t\t\t// by stopping immediate propagation just on the jQuery event. However,\n\t\t\t\t// the native event is re-wrapped by a jQuery one on each level of the\n\t\t\t\t// propagation so the only way to stop it for jQuery is to stop it for\n\t\t\t\t// everyone via native `stopPropagation()`. This is not a problem for\n\t\t\t\t// focus/blur which don't bubble, but it does also stop click on checkboxes\n\t\t\t\t// and radios. We accept this limitation.\n\t\t\t\tevent.stopPropagation();\n\t\t\t\tevent.isImmediatePropagationStopped = returnTrue;\n\t\t\t}\n\t\t}\n\t} );\n}\n\njQuery.removeEvent = function( elem, type, handle ) {\n\n\t// This \"if\" is needed for plain objects\n\tif ( elem.removeEventListener ) {\n\t\telem.removeEventListener( type, handle );\n\t}\n};\n\njQuery.Event = function( src, props ) {\n\n\t// Allow instantiation without the 'new' keyword\n\tif ( !( this instanceof jQuery.Event ) ) {\n\t\treturn new jQuery.Event( src, props );\n\t}\n\n\t// Event object\n\tif ( src && src.type ) {\n\t\tthis.originalEvent = src;\n\t\tthis.type = src.type;\n\n\t\t// Events bubbling up the document may have been marked as prevented\n\t\t// by a handler lower down the tree; reflect the correct value.\n\t\tthis.isDefaultPrevented = src.defaultPrevented ||\n\t\t\t\tsrc.defaultPrevented === undefined &&\n\n\t\t\t\t// Support: Android <=2.3 only\n\t\t\t\tsrc.returnValue === false ?\n\t\t\treturnTrue :\n\t\t\treturnFalse;\n\n\t\t// Create target properties\n\t\t// Support: Safari <=6 - 7 only\n\t\t// Target should not be a text node (trac-504, trac-13143)\n\t\tthis.target = ( src.target && src.target.nodeType === 3 ) ?\n\t\t\tsrc.target.parentNode :\n\t\t\tsrc.target;\n\n\t\tthis.currentTarget = src.currentTarget;\n\t\tthis.relatedTarget = src.relatedTarget;\n\n\t// Event type\n\t} else {\n\t\tthis.type = src;\n\t}\n\n\t// Put explicitly provided properties onto the event object\n\tif ( props ) {\n\t\tjQuery.extend( this, props );\n\t}\n\n\t// Create a timestamp if incoming event doesn't have one\n\tthis.timeStamp = src && src.timeStamp || Date.now();\n\n\t// Mark it as fixed\n\tthis[ jQuery.expando ] = true;\n};\n\n// jQuery.Event is based on DOM3 Events as specified by the ECMAScript Language Binding\n// https://www.w3.org/TR/2003/WD-DOM-Level-3-Events-20030331/ecma-script-binding.html\njQuery.Event.prototype = {\n\tconstructor: jQuery.Event,\n\tisDefaultPrevented: returnFalse,\n\tisPropagationStopped: returnFalse,\n\tisImmediatePropagationStopped: returnFalse,\n\tisSimulated: false,\n\n\tpreventDefault: function() {\n\t\tvar e = this.originalEvent;\n\n\t\tthis.isDefaultPrevented = returnTrue;\n\n\t\tif ( e && !this.isSimulated ) {\n\t\t\te.preventDefault();\n\t\t}\n\t},\n\tstopPropagation: function() {\n\t\tvar e = this.originalEvent;\n\n\t\tthis.isPropagationStopped = returnTrue;\n\n\t\tif ( e && !this.isSimulated ) {\n\t\t\te.stopPropagation();\n\t\t}\n\t},\n\tstopImmediatePropagation: function() {\n\t\tvar e = this.originalEvent;\n\n\t\tthis.isImmediatePropagationStopped = returnTrue;\n\n\t\tif ( e && !this.isSimulated ) {\n\t\t\te.stopImmediatePropagation();\n\t\t}\n\n\t\tthis.stopPropagation();\n\t}\n};\n\n// Includes all common event props including KeyEvent and MouseEvent specific props\njQuery.each( {\n\taltKey: true,\n\tbubbles: true,\n\tcancelable: true,\n\tchangedTouches: true,\n\tctrlKey: true,\n\tdetail: true,\n\teventPhase: true,\n\tmetaKey: true,\n\tpageX: true,\n\tpageY: true,\n\tshiftKey: true,\n\tview: true,\n\t\"char\": true,\n\tcode: true,\n\tcharCode: true,\n\tkey: true,\n\tkeyCode: true,\n\tbutton: true,\n\tbuttons: true,\n\tclientX: true,\n\tclientY: true,\n\toffsetX: true,\n\toffsetY: true,\n\tpointerId: true,\n\tpointerType: true,\n\tscreenX: true,\n\tscreenY: true,\n\ttargetTouches: true,\n\ttoElement: true,\n\ttouches: true,\n\twhich: true\n}, jQuery.event.addProp );\n\njQuery.each( { focus: \"focusin\", blur: \"focusout\" }, function( type, delegateType ) {\n\n\tfunction focusMappedHandler( nativeEvent ) {\n\t\tif ( document.documentMode ) {\n\n\t\t\t// Support: IE 11+\n\t\t\t// Attach a single focusin/focusout handler on the document while someone wants\n\t\t\t// focus/blur. This is because the former are synchronous in IE while the latter\n\t\t\t// are async. In other browsers, all those handlers are invoked synchronously.\n\n\t\t\t// `handle` from private data would already wrap the event, but we need\n\t\t\t// to change the `type` here.\n\t\t\tvar handle = dataPriv.get( this, \"handle\" ),\n\t\t\t\tevent = jQuery.event.fix( nativeEvent );\n\t\t\tevent.type = nativeEvent.type === \"focusin\" ? \"focus\" : \"blur\";\n\t\t\tevent.isSimulated = true;\n\n\t\t\t// First, handle focusin/focusout\n\t\t\thandle( nativeEvent );\n\n\t\t\t// ...then, handle focus/blur\n\t\t\t//\n\t\t\t// focus/blur don't bubble while focusin/focusout do; simulate the former by only\n\t\t\t// invoking the handler at the lower level.\n\t\t\tif ( event.target === event.currentTarget ) {\n\n\t\t\t\t// The setup part calls `leverageNative`, which, in turn, calls\n\t\t\t\t// `jQuery.event.add`, so event handle will already have been set\n\t\t\t\t// by this point.\n\t\t\t\thandle( event );\n\t\t\t}\n\t\t} else {\n\n\t\t\t// For non-IE browsers, attach a single capturing handler on the document\n\t\t\t// while someone wants focusin/focusout.\n\t\t\tjQuery.event.simulate( delegateType, nativeEvent.target,\n\t\t\t\tjQuery.event.fix( nativeEvent ) );\n\t\t}\n\t}\n\n\tjQuery.event.special[ type ] = {\n\n\t\t// Utilize native event if possible so blur/focus sequence is correct\n\t\tsetup: function() {\n\n\t\t\tvar attaches;\n\n\t\t\t// Claim the first handler\n\t\t\t// dataPriv.set( this, \"focus\", ... )\n\t\t\t// dataPriv.set( this, \"blur\", ... )\n\t\t\tleverageNative( this, type, true );\n\n\t\t\tif ( document.documentMode ) {\n\n\t\t\t\t// Support: IE 9 - 11+\n\t\t\t\t// We use the same native handler for focusin & focus (and focusout & blur)\n\t\t\t\t// so we need to coordinate setup & teardown parts between those events.\n\t\t\t\t// Use `delegateType` as the key as `type` is already used by `leverageNative`.\n\t\t\t\tattaches = dataPriv.get( this, delegateType );\n\t\t\t\tif ( !attaches ) {\n\t\t\t\t\tthis.addEventListener( delegateType, focusMappedHandler );\n\t\t\t\t}\n\t\t\t\tdataPriv.set( this, delegateType, ( attaches || 0 ) + 1 );\n\t\t\t} else {\n\n\t\t\t\t// Return false to allow normal processing in the caller\n\t\t\t\treturn false;\n\t\t\t}\n\t\t},\n\t\ttrigger: function() {\n\n\t\t\t// Force setup before trigger\n\t\t\tleverageNative( this, type );\n\n\t\t\t// Return non-false to allow normal event-path propagation\n\t\t\treturn true;\n\t\t},\n\n\t\tteardown: function() {\n\t\t\tvar attaches;\n\n\t\t\tif ( document.documentMode ) {\n\t\t\t\tattaches = dataPriv.get( this, delegateType ) - 1;\n\t\t\t\tif ( !attaches ) {\n\t\t\t\t\tthis.removeEventListener( delegateType, focusMappedHandler );\n\t\t\t\t\tdataPriv.remove( this, delegateType );\n\t\t\t\t} else {\n\t\t\t\t\tdataPriv.set( this, delegateType, attaches );\n\t\t\t\t}\n\t\t\t} else {\n\n\t\t\t\t// Return false to indicate standard teardown should be applied\n\t\t\t\treturn false;\n\t\t\t}\n\t\t},\n\n\t\t// Suppress native focus or blur if we're currently inside\n\t\t// a leveraged native-event stack\n\t\t_default: function( event ) {\n\t\t\treturn dataPriv.get( event.target, type );\n\t\t},\n\n\t\tdelegateType: delegateType\n\t};\n\n\t// Support: Firefox <=44\n\t// Firefox doesn't have focus(in | out) events\n\t// Related ticket - https://bugzilla.mozilla.org/show_bug.cgi?id=687787\n\t//\n\t// Support: Chrome <=48 - 49, Safari <=9.0 - 9.1\n\t// focus(in | out) events fire after focus & blur events,\n\t// which is spec violation - http://www.w3.org/TR/DOM-Level-3-Events/#events-focusevent-event-order\n\t// Related ticket - https://bugs.chromium.org/p/chromium/issues/detail?id=449857\n\t//\n\t// Support: IE 9 - 11+\n\t// To preserve relative focusin/focus & focusout/blur event order guaranteed on the 3.x branch,\n\t// attach a single handler for both events in IE.\n\tjQuery.event.special[ delegateType ] = {\n\t\tsetup: function() {\n\n\t\t\t// Handle: regular nodes (via `this.ownerDocument`), window\n\t\t\t// (via `this.document`) & document (via `this`).\n\t\t\tvar doc = this.ownerDocument || this.document || this,\n\t\t\t\tdataHolder = document.documentMode ? this : doc,\n\t\t\t\tattaches = dataPriv.get( dataHolder, delegateType );\n\n\t\t\t// Support: IE 9 - 11+\n\t\t\t// We use the same native handler for focusin & focus (and focusout & blur)\n\t\t\t// so we need to coordinate setup & teardown parts between those events.\n\t\t\t// Use `delegateType` as the key as `type` is already used by `leverageNative`.\n\t\t\tif ( !attaches ) {\n\t\t\t\tif ( document.documentMode ) {\n\t\t\t\t\tthis.addEventListener( delegateType, focusMappedHandler );\n\t\t\t\t} else {\n\t\t\t\t\tdoc.addEventListener( type, focusMappedHandler, true );\n\t\t\t\t}\n\t\t\t}\n\t\t\tdataPriv.set( dataHolder, delegateType, ( attaches || 0 ) + 1 );\n\t\t},\n\t\tteardown: function() {\n\t\t\tvar doc = this.ownerDocument || this.document || this,\n\t\t\t\tdataHolder = document.documentMode ? this : doc,\n\t\t\t\tattaches = dataPriv.get( dataHolder, delegateType ) - 1;\n\n\t\t\tif ( !attaches ) {\n\t\t\t\tif ( document.documentMode ) {\n\t\t\t\t\tthis.removeEventListener( delegateType, focusMappedHandler );\n\t\t\t\t} else {\n\t\t\t\t\tdoc.removeEventListener( type, focusMappedHandler, true );\n\t\t\t\t}\n\t\t\t\tdataPriv.remove( dataHolder, delegateType );\n\t\t\t} else {\n\t\t\t\tdataPriv.set( dataHolder, delegateType, attaches );\n\t\t\t}\n\t\t}\n\t};\n} );\n\n// Create mouseenter/leave events using mouseover/out and event-time checks\n// so that event delegation works in jQuery.\n// Do the same for pointerenter/pointerleave and pointerover/pointerout\n//\n// Support: Safari 7 only\n// Safari sends mouseenter too often; see:\n// https://bugs.chromium.org/p/chromium/issues/detail?id=470258\n// for the description of the bug (it existed in older Chrome versions as well).\njQuery.each( {\n\tmouseenter: \"mouseover\",\n\tmouseleave: \"mouseout\",\n\tpointerenter: \"pointerover\",\n\tpointerleave: \"pointerout\"\n}, function( orig, fix ) {\n\tjQuery.event.special[ orig ] = {\n\t\tdelegateType: fix,\n\t\tbindType: fix,\n\n\t\thandle: function( event ) {\n\t\t\tvar ret,\n\t\t\t\ttarget = this,\n\t\t\t\trelated = event.relatedTarget,\n\t\t\t\thandleObj = event.handleObj;\n\n\t\t\t// For mouseenter/leave call the handler if related is outside the target.\n\t\t\t// NB: No relatedTarget if the mouse left/entered the browser window\n\t\t\tif ( !related || ( related !== target && !jQuery.contains( target, related ) ) ) {\n\t\t\t\tevent.type = handleObj.origType;\n\t\t\t\tret = handleObj.handler.apply( this, arguments );\n\t\t\t\tevent.type = fix;\n\t\t\t}\n\t\t\treturn ret;\n\t\t}\n\t};\n} );\n\njQuery.fn.extend( {\n\n\ton: function( types, selector, data, fn ) {\n\t\treturn on( this, types, selector, data, fn );\n\t},\n\tone: function( types, selector, data, fn ) {\n\t\treturn on( this, types, selector, data, fn, 1 );\n\t},\n\toff: function( types, selector, fn ) {\n\t\tvar handleObj, type;\n\t\tif ( types && types.preventDefault && types.handleObj ) {\n\n\t\t\t// ( event ) dispatched jQuery.Event\n\t\t\thandleObj = types.handleObj;\n\t\t\tjQuery( types.delegateTarget ).off(\n\t\t\t\thandleObj.namespace ?\n\t\t\t\t\thandleObj.origType + \".\" + handleObj.namespace :\n\t\t\t\t\thandleObj.origType,\n\t\t\t\thandleObj.selector,\n\t\t\t\thandleObj.handler\n\t\t\t);\n\t\t\treturn this;\n\t\t}\n\t\tif ( typeof types === \"object\" ) {\n\n\t\t\t// ( types-object [, selector] )\n\t\t\tfor ( type in types ) {\n\t\t\t\tthis.off( type, selector, types[ type ] );\n\t\t\t}\n\t\t\treturn this;\n\t\t}\n\t\tif ( selector === false || typeof selector === \"function\" ) {\n\n\t\t\t// ( types [, fn] )\n\t\t\tfn = selector;\n\t\t\tselector = undefined;\n\t\t}\n\t\tif ( fn === false ) {\n\t\t\tfn = returnFalse;\n\t\t}\n\t\treturn this.each( function() {\n\t\t\tjQuery.event.remove( this, types, fn, selector );\n\t\t} );\n\t}\n} );\n\n\nvar\n\n\t// Support: IE <=10 - 11, Edge 12 - 13 only\n\t// In IE/Edge using regex groups here causes severe slowdowns.\n\t// See https://connect.microsoft.com/IE/feedback/details/1736512/\n\trnoInnerhtml = /<script|<style|<link/i,\n\n\t// checked=\"checked\" or checked\n\trchecked = /checked\\s*(?:[^=]|=\\s*.checked.)/i,\n\n\trcleanScript = /^\\s*<!\\[CDATA\\[|\\]\\]>\\s*$/g;\n\n// Prefer a tbody over its parent table for containing new rows\nfunction manipulationTarget( elem, content ) {\n\tif ( nodeName( elem, \"table\" ) &&\n\t\tnodeName( content.nodeType !== 11 ? content : content.firstChild, \"tr\" ) ) {\n\n\t\treturn jQuery( elem ).children( \"tbody\" )[ 0 ] || elem;\n\t}\n\n\treturn elem;\n}\n\n// Replace/restore the type attribute of script elements for safe DOM manipulation\nfunction disableScript( elem ) {\n\telem.type = ( elem.getAttribute( \"type\" ) !== null ) + \"/\" + elem.type;\n\treturn elem;\n}\nfunction restoreScript( elem ) {\n\tif ( ( elem.type || \"\" ).slice( 0, 5 ) === \"true/\" ) {\n\t\telem.type = elem.type.slice( 5 );\n\t} else {\n\t\telem.removeAttribute( \"type\" );\n\t}\n\n\treturn elem;\n}\n\nfunction cloneCopyEvent( src, dest ) {\n\tvar i, l, type, pdataOld, udataOld, udataCur, events;\n\n\tif ( dest.nodeType !== 1 ) {\n\t\treturn;\n\t}\n\n\t// 1. Copy private data: events, handlers, etc.\n\tif ( dataPriv.hasData( src ) ) {\n\t\tpdataOld = dataPriv.get( src );\n\t\tevents = pdataOld.events;\n\n\t\tif ( events ) {\n\t\t\tdataPriv.remove( dest, \"handle events\" );\n\n\t\t\tfor ( type in events ) {\n\t\t\t\tfor ( i = 0, l = events[ type ].length; i < l; i++ ) {\n\t\t\t\t\tjQuery.event.add( dest, type, events[ type ][ i ] );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\t// 2. Copy user data\n\tif ( dataUser.hasData( src ) ) {\n\t\tudataOld = dataUser.access( src );\n\t\tudataCur = jQuery.extend( {}, udataOld );\n\n\t\tdataUser.set( dest, udataCur );\n\t}\n}\n\n// Fix IE bugs, see support tests\nfunction fixInput( src, dest ) {\n\tvar nodeName = dest.nodeName.toLowerCase();\n\n\t// Fails to persist the checked state of a cloned checkbox or radio button.\n\tif ( nodeName === \"input\" && rcheckableType.test( src.type ) ) {\n\t\tdest.checked = src.checked;\n\n\t// Fails to return the selected option to the default selected state when cloning options\n\t} else if ( nodeName === \"input\" || nodeName === \"textarea\" ) {\n\t\tdest.defaultValue = src.defaultValue;\n\t}\n}\n\nfunction domManip( collection, args, callback, ignored ) {\n\n\t// Flatten any nested arrays\n\targs = flat( args );\n\n\tvar fragment, first, scripts, hasScripts, node, doc,\n\t\ti = 0,\n\t\tl = collection.length,\n\t\tiNoClone = l - 1,\n\t\tvalue = args[ 0 ],\n\t\tvalueIsFunction = isFunction( value );\n\n\t// We can't cloneNode fragments that contain checked, in WebKit\n\tif ( valueIsFunction ||\n\t\t\t( l > 1 && typeof value === \"string\" &&\n\t\t\t\t!support.checkClone && rchecked.test( value ) ) ) {\n\t\treturn collection.each( function( index ) {\n\t\t\tvar self = collection.eq( index );\n\t\t\tif ( valueIsFunction ) {\n\t\t\t\targs[ 0 ] = value.call( this, index, self.html() );\n\t\t\t}\n\t\t\tdomManip( self, args, callback, ignored );\n\t\t} );\n\t}\n\n\tif ( l ) {\n\t\tfragment = buildFragment( args, collection[ 0 ].ownerDocument, false, collection, ignored );\n\t\tfirst = fragment.firstChild;\n\n\t\tif ( fragment.childNodes.length === 1 ) {\n\t\t\tfragment = first;\n\t\t}\n\n\t\t// Require either new content or an interest in ignored elements to invoke the callback\n\t\tif ( first || ignored ) {\n\t\t\tscripts = jQuery.map( getAll( fragment, \"script\" ), disableScript );\n\t\t\thasScripts = scripts.length;\n\n\t\t\t// Use the original fragment for the last item\n\t\t\t// instead of the first because it can end up\n\t\t\t// being emptied incorrectly in certain situations (trac-8070).\n\t\t\tfor ( ; i < l; i++ ) {\n\t\t\t\tnode = fragment;\n\n\t\t\t\tif ( i !== iNoClone ) {\n\t\t\t\t\tnode = jQuery.clone( node, true, true );\n\n\t\t\t\t\t// Keep references to cloned scripts for later restoration\n\t\t\t\t\tif ( hasScripts ) {\n\n\t\t\t\t\t\t// Support: Android <=4.0 only, PhantomJS 1 only\n\t\t\t\t\t\t// push.apply(_, arraylike) throws on ancient WebKit\n\t\t\t\t\t\tjQuery.merge( scripts, getAll( node, \"script\" ) );\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\tcallback.call( collection[ i ], node, i );\n\t\t\t}\n\n\t\t\tif ( hasScripts ) {\n\t\t\t\tdoc = scripts[ scripts.length - 1 ].ownerDocument;\n\n\t\t\t\t// Reenable scripts\n\t\t\t\tjQuery.map( scripts, restoreScript );\n\n\t\t\t\t// Evaluate executable scripts on first document insertion\n\t\t\t\tfor ( i = 0; i < hasScripts; i++ ) {\n\t\t\t\t\tnode = scripts[ i ];\n\t\t\t\t\tif ( rscriptType.test( node.type || \"\" ) &&\n\t\t\t\t\t\t!dataPriv.access( node, \"globalEval\" ) &&\n\t\t\t\t\t\tjQuery.contains( doc, node ) ) {\n\n\t\t\t\t\t\tif ( node.src && ( node.type || \"\" ).toLowerCase() !== \"module\" ) {\n\n\t\t\t\t\t\t\t// Optional AJAX dependency, but won't run scripts if not present\n\t\t\t\t\t\t\tif ( jQuery._evalUrl && !node.noModule ) {\n\t\t\t\t\t\t\t\tjQuery._evalUrl( node.src, {\n\t\t\t\t\t\t\t\t\tnonce: node.nonce || node.getAttribute( \"nonce\" )\n\t\t\t\t\t\t\t\t}, doc );\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t} else {\n\n\t\t\t\t\t\t\t// Unwrap a CDATA section containing script contents. This shouldn't be\n\t\t\t\t\t\t\t// needed as in XML documents they're already not visible when\n\t\t\t\t\t\t\t// inspecting element contents and in HTML documents they have no\n\t\t\t\t\t\t\t// meaning but we're preserving that logic for backwards compatibility.\n\t\t\t\t\t\t\t// This will be removed completely in 4.0. See gh-4904.\n\t\t\t\t\t\t\tDOMEval( node.textContent.replace( rcleanScript, \"\" ), node, doc );\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\treturn collection;\n}\n\nfunction remove( elem, selector, keepData ) {\n\tvar node,\n\t\tnodes = selector ? jQuery.filter( selector, elem ) : elem,\n\t\ti = 0;\n\n\tfor ( ; ( node = nodes[ i ] ) != null; i++ ) {\n\t\tif ( !keepData && node.nodeType === 1 ) {\n\t\t\tjQuery.cleanData( getAll( node ) );\n\t\t}\n\n\t\tif ( node.parentNode ) {\n\t\t\tif ( keepData && isAttached( node ) ) {\n\t\t\t\tsetGlobalEval( getAll( node, \"script\" ) );\n\t\t\t}\n\t\t\tnode.parentNode.removeChild( node );\n\t\t}\n\t}\n\n\treturn elem;\n}\n\njQuery.extend( {\n\thtmlPrefilter: function( html ) {\n\t\treturn html;\n\t},\n\n\tclone: function( elem, dataAndEvents, deepDataAndEvents ) {\n\t\tvar i, l, srcElements, destElements,\n\t\t\tclone = elem.cloneNode( true ),\n\t\t\tinPage = isAttached( elem );\n\n\t\t// Fix IE cloning issues\n\t\tif ( !support.noCloneChecked && ( elem.nodeType === 1 || elem.nodeType === 11 ) &&\n\t\t\t\t!jQuery.isXMLDoc( elem ) ) {\n\n\t\t\t// We eschew jQuery#find here for performance reasons:\n\t\t\t// https://jsperf.com/getall-vs-sizzle/2\n\t\t\tdestElements = getAll( clone );\n\t\t\tsrcElements = getAll( elem );\n\n\t\t\tfor ( i = 0, l = srcElements.length; i < l; i++ ) {\n\t\t\t\tfixInput( srcElements[ i ], destElements[ i ] );\n\t\t\t}\n\t\t}\n\n\t\t// Copy the events from the original to the clone\n\t\tif ( dataAndEvents ) {\n\t\t\tif ( deepDataAndEvents ) {\n\t\t\t\tsrcElements = srcElements || getAll( elem );\n\t\t\t\tdestElements = destElements || getAll( clone );\n\n\t\t\t\tfor ( i = 0, l = srcElements.length; i < l; i++ ) {\n\t\t\t\t\tcloneCopyEvent( srcElements[ i ], destElements[ i ] );\n\t\t\t\t}\n\t\t\t} else {\n\t\t\t\tcloneCopyEvent( elem, clone );\n\t\t\t}\n\t\t}\n\n\t\t// Preserve script evaluation history\n\t\tdestElements = getAll( clone, \"script\" );\n\t\tif ( destElements.length > 0 ) {\n\t\t\tsetGlobalEval( destElements, !inPage && getAll( elem, \"script\" ) );\n\t\t}\n\n\t\t// Return the cloned set\n\t\treturn clone;\n\t},\n\n\tcleanData: function( elems ) {\n\t\tvar data, elem, type,\n\t\t\tspecial = jQuery.event.special,\n\t\t\ti = 0;\n\n\t\tfor ( ; ( elem = elems[ i ] ) !== undefined; i++ ) {\n\t\t\tif ( acceptData( elem ) ) {\n\t\t\t\tif ( ( data = elem[ dataPriv.expando ] ) ) {\n\t\t\t\t\tif ( data.events ) {\n\t\t\t\t\t\tfor ( type in data.events ) {\n\t\t\t\t\t\t\tif ( special[ type ] ) {\n\t\t\t\t\t\t\t\tjQuery.event.remove( elem, type );\n\n\t\t\t\t\t\t\t// This is a shortcut to avoid jQuery.event.remove's overhead\n\t\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t\tjQuery.removeEvent( elem, type, data.handle );\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\t// Support: Chrome <=35 - 45+\n\t\t\t\t\t// Assign undefined instead of using delete, see Data#remove\n\t\t\t\t\telem[ dataPriv.expando ] = undefined;\n\t\t\t\t}\n\t\t\t\tif ( elem[ dataUser.expando ] ) {\n\n\t\t\t\t\t// Support: Chrome <=35 - 45+\n\t\t\t\t\t// Assign undefined instead of using delete, see Data#remove\n\t\t\t\t\telem[ dataUser.expando ] = undefined;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n} );\n\njQuery.fn.extend( {\n\tdetach: function( selector ) {\n\t\treturn remove( this, selector, true );\n\t},\n\n\tremove: function( selector ) {\n\t\treturn remove( this, selector );\n\t},\n\n\ttext: function( value ) {\n\t\treturn access( this, function( value ) {\n\t\t\treturn value === undefined ?\n\t\t\t\tjQuery.text( this ) :\n\t\t\t\tthis.empty().each( function() {\n\t\t\t\t\tif ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) {\n\t\t\t\t\t\tthis.textContent = value;\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t}, null, value, arguments.length );\n\t},\n\n\tappend: function() {\n\t\treturn domManip( this, arguments, function( elem ) {\n\t\t\tif ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) {\n\t\t\t\tvar target = manipulationTarget( this, elem );\n\t\t\t\ttarget.appendChild( elem );\n\t\t\t}\n\t\t} );\n\t},\n\n\tprepend: function() {\n\t\treturn domManip( this, arguments, function( elem ) {\n\t\t\tif ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) {\n\t\t\t\tvar target = manipulationTarget( this, elem );\n\t\t\t\ttarget.insertBefore( elem, target.firstChild );\n\t\t\t}\n\t\t} );\n\t},\n\n\tbefore: function() {\n\t\treturn domManip( this, arguments, function( elem ) {\n\t\t\tif ( this.parentNode ) {\n\t\t\t\tthis.parentNode.insertBefore( elem, this );\n\t\t\t}\n\t\t} );\n\t},\n\n\tafter: function() {\n\t\treturn domManip( this, arguments, function( elem ) {\n\t\t\tif ( this.parentNode ) {\n\t\t\t\tthis.parentNode.insertBefore( elem, this.nextSibling );\n\t\t\t}\n\t\t} );\n\t},\n\n\tempty: function() {\n\t\tvar elem,\n\t\t\ti = 0;\n\n\t\tfor ( ; ( elem = this[ i ] ) != null; i++ ) {\n\t\t\tif ( elem.nodeType === 1 ) {\n\n\t\t\t\t// Prevent memory leaks\n\t\t\t\tjQuery.cleanData( getAll( elem, false ) );\n\n\t\t\t\t// Remove any remaining nodes\n\t\t\t\telem.textContent = \"\";\n\t\t\t}\n\t\t}\n\n\t\treturn this;\n\t},\n\n\tclone: function( dataAndEvents, deepDataAndEvents ) {\n\t\tdataAndEvents = dataAndEvents == null ? false : dataAndEvents;\n\t\tdeepDataAndEvents = deepDataAndEvents == null ? dataAndEvents : deepDataAndEvents;\n\n\t\treturn this.map( function() {\n\t\t\treturn jQuery.clone( this, dataAndEvents, deepDataAndEvents );\n\t\t} );\n\t},\n\n\thtml: function( value ) {\n\t\treturn access( this, function( value ) {\n\t\t\tvar elem = this[ 0 ] || {},\n\t\t\t\ti = 0,\n\t\t\t\tl = this.length;\n\n\t\t\tif ( value === undefined && elem.nodeType === 1 ) {\n\t\t\t\treturn elem.innerHTML;\n\t\t\t}\n\n\t\t\t// See if we can take a shortcut and just use innerHTML\n\t\t\tif ( typeof value === \"string\" && !rnoInnerhtml.test( value ) &&\n\t\t\t\t!wrapMap[ ( rtagName.exec( value ) || [ \"\", \"\" ] )[ 1 ].toLowerCase() ] ) {\n\n\t\t\t\tvalue = jQuery.htmlPrefilter( value );\n\n\t\t\t\ttry {\n\t\t\t\t\tfor ( ; i < l; i++ ) {\n\t\t\t\t\t\telem = this[ i ] || {};\n\n\t\t\t\t\t\t// Remove element nodes and prevent memory leaks\n\t\t\t\t\t\tif ( elem.nodeType === 1 ) {\n\t\t\t\t\t\t\tjQuery.cleanData( getAll( elem, false ) );\n\t\t\t\t\t\t\telem.innerHTML = value;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\telem = 0;\n\n\t\t\t\t// If using innerHTML throws an exception, use the fallback method\n\t\t\t\t} catch ( e ) {}\n\t\t\t}\n\n\t\t\tif ( elem ) {\n\t\t\t\tthis.empty().append( value );\n\t\t\t}\n\t\t}, null, value, arguments.length );\n\t},\n\n\treplaceWith: function() {\n\t\tvar ignored = [];\n\n\t\t// Make the changes, replacing each non-ignored context element with the new content\n\t\treturn domManip( this, arguments, function( elem ) {\n\t\t\tvar parent = this.parentNode;\n\n\t\t\tif ( jQuery.inArray( this, ignored ) < 0 ) {\n\t\t\t\tjQuery.cleanData( getAll( this ) );\n\t\t\t\tif ( parent ) {\n\t\t\t\t\tparent.replaceChild( elem, this );\n\t\t\t\t}\n\t\t\t}\n\n\t\t// Force callback invocation\n\t\t}, ignored );\n\t}\n} );\n\njQuery.each( {\n\tappendTo: \"append\",\n\tprependTo: \"prepend\",\n\tinsertBefore: \"before\",\n\tinsertAfter: \"after\",\n\treplaceAll: \"replaceWith\"\n}, function( name, original ) {\n\tjQuery.fn[ name ] = function( selector ) {\n\t\tvar elems,\n\t\t\tret = [],\n\t\t\tinsert = jQuery( selector ),\n\t\t\tlast = insert.length - 1,\n\t\t\ti = 0;\n\n\t\tfor ( ; i <= last; i++ ) {\n\t\t\telems = i === last ? this : this.clone( true );\n\t\t\tjQuery( insert[ i ] )[ original ]( elems );\n\n\t\t\t// Support: Android <=4.0 only, PhantomJS 1 only\n\t\t\t// .get() because push.apply(_, arraylike) throws on ancient WebKit\n\t\t\tpush.apply( ret, elems.get() );\n\t\t}\n\n\t\treturn this.pushStack( ret );\n\t};\n} );\nvar rnumnonpx = new RegExp( \"^(\" + pnum + \")(?!px)[a-z%]+$\", \"i\" );\n\nvar rcustomProp = /^--/;\n\n\nvar getStyles = function( elem ) {\n\n\t\t// Support: IE <=11 only, Firefox <=30 (trac-15098, trac-14150)\n\t\t// IE throws on elements created in popups\n\t\t// FF meanwhile throws on frame elements through \"defaultView.getComputedStyle\"\n\t\tvar view = elem.ownerDocument.defaultView;\n\n\t\tif ( !view || !view.opener ) {\n\t\t\tview = window;\n\t\t}\n\n\t\treturn view.getComputedStyle( elem );\n\t};\n\nvar swap = function( elem, options, callback ) {\n\tvar ret, name,\n\t\told = {};\n\n\t// Remember the old values, and insert the new ones\n\tfor ( name in options ) {\n\t\told[ name ] = elem.style[ name ];\n\t\telem.style[ name ] = options[ name ];\n\t}\n\n\tret = callback.call( elem );\n\n\t// Revert the old values\n\tfor ( name in options ) {\n\t\telem.style[ name ] = old[ name ];\n\t}\n\n\treturn ret;\n};\n\n\nvar rboxStyle = new RegExp( cssExpand.join( \"|\" ), \"i\" );\n\n\n\n( function() {\n\n\t// Executing both pixelPosition & boxSizingReliable tests require only one layout\n\t// so they're executed at the same time to save the second computation.\n\tfunction computeStyleTests() {\n\n\t\t// This is a singleton, we need to execute it only once\n\t\tif ( !div ) {\n\t\t\treturn;\n\t\t}\n\n\t\tcontainer.style.cssText = \"position:absolute;left:-11111px;width:60px;\" +\n\t\t\t\"margin-top:1px;padding:0;border:0\";\n\t\tdiv.style.cssText =\n\t\t\t\"position:relative;display:block;box-sizing:border-box;overflow:scroll;\" +\n\t\t\t\"margin:auto;border:1px;padding:1px;\" +\n\t\t\t\"width:60%;top:1%\";\n\t\tdocumentElement.appendChild( container ).appendChild( div );\n\n\t\tvar divStyle = window.getComputedStyle( div );\n\t\tpixelPositionVal = divStyle.top !== \"1%\";\n\n\t\t// Support: Android 4.0 - 4.3 only, Firefox <=3 - 44\n\t\treliableMarginLeftVal = roundPixelMeasures( divStyle.marginLeft ) === 12;\n\n\t\t// Support: Android 4.0 - 4.3 only, Safari <=9.1 - 10.1, iOS <=7.0 - 9.3\n\t\t// Some styles come back with percentage values, even though they shouldn't\n\t\tdiv.style.right = \"60%\";\n\t\tpixelBoxStylesVal = roundPixelMeasures( divStyle.right ) === 36;\n\n\t\t// Support: IE 9 - 11 only\n\t\t// Detect misreporting of content dimensions for box-sizing:border-box elements\n\t\tboxSizingReliableVal = roundPixelMeasures( divStyle.width ) === 36;\n\n\t\t// Support: IE 9 only\n\t\t// Detect overflow:scroll screwiness (gh-3699)\n\t\t// Support: Chrome <=64\n\t\t// Don't get tricked when zoom affects offsetWidth (gh-4029)\n\t\tdiv.style.position = \"absolute\";\n\t\tscrollboxSizeVal = roundPixelMeasures( div.offsetWidth / 3 ) === 12;\n\n\t\tdocumentElement.removeChild( container );\n\n\t\t// Nullify the div so it wouldn't be stored in the memory and\n\t\t// it will also be a sign that checks already performed\n\t\tdiv = null;\n\t}\n\n\tfunction roundPixelMeasures( measure ) {\n\t\treturn Math.round( parseFloat( measure ) );\n\t}\n\n\tvar pixelPositionVal, boxSizingReliableVal, scrollboxSizeVal, pixelBoxStylesVal,\n\t\treliableTrDimensionsVal, reliableMarginLeftVal,\n\t\tcontainer = document.createElement( \"div\" ),\n\t\tdiv = document.createElement( \"div\" );\n\n\t// Finish early in limited (non-browser) environments\n\tif ( !div.style ) {\n\t\treturn;\n\t}\n\n\t// Support: IE <=9 - 11 only\n\t// Style of cloned element affects source element cloned (trac-8908)\n\tdiv.style.backgroundClip = \"content-box\";\n\tdiv.cloneNode( true ).style.backgroundClip = \"\";\n\tsupport.clearCloneStyle = div.style.backgroundClip === \"content-box\";\n\n\tjQuery.extend( support, {\n\t\tboxSizingReliable: function() {\n\t\t\tcomputeStyleTests();\n\t\t\treturn boxSizingReliableVal;\n\t\t},\n\t\tpixelBoxStyles: function() {\n\t\t\tcomputeStyleTests();\n\t\t\treturn pixelBoxStylesVal;\n\t\t},\n\t\tpixelPosition: function() {\n\t\t\tcomputeStyleTests();\n\t\t\treturn pixelPositionVal;\n\t\t},\n\t\treliableMarginLeft: function() {\n\t\t\tcomputeStyleTests();\n\t\t\treturn reliableMarginLeftVal;\n\t\t},\n\t\tscrollboxSize: function() {\n\t\t\tcomputeStyleTests();\n\t\t\treturn scrollboxSizeVal;\n\t\t},\n\n\t\t// Support: IE 9 - 11+, Edge 15 - 18+\n\t\t// IE/Edge misreport `getComputedStyle` of table rows with width/height\n\t\t// set in CSS while `offset*` properties report correct values.\n\t\t// Behavior in IE 9 is more subtle than in newer versions & it passes\n\t\t// some versions of this test; make sure not to make it pass there!\n\t\t//\n\t\t// Support: Firefox 70+\n\t\t// Only Firefox includes border widths\n\t\t// in computed dimensions. (gh-4529)\n\t\treliableTrDimensions: function() {\n\t\t\tvar table, tr, trChild, trStyle;\n\t\t\tif ( reliableTrDimensionsVal == null ) {\n\t\t\t\ttable = document.createElement( \"table\" );\n\t\t\t\ttr = document.createElement( \"tr\" );\n\t\t\t\ttrChild = document.createElement( \"div\" );\n\n\t\t\t\ttable.style.cssText = \"position:absolute;left:-11111px;border-collapse:separate\";\n\t\t\t\ttr.style.cssText = \"border:1px solid\";\n\n\t\t\t\t// Support: Chrome 86+\n\t\t\t\t// Height set through cssText does not get applied.\n\t\t\t\t// Computed height then comes back as 0.\n\t\t\t\ttr.style.height = \"1px\";\n\t\t\t\ttrChild.style.height = \"9px\";\n\n\t\t\t\t// Support: Android 8 Chrome 86+\n\t\t\t\t// In our bodyBackground.html iframe,\n\t\t\t\t// display for all div elements is set to \"inline\",\n\t\t\t\t// which causes a problem only in Android 8 Chrome 86.\n\t\t\t\t// Ensuring the div is display: block\n\t\t\t\t// gets around this issue.\n\t\t\t\ttrChild.style.display = \"block\";\n\n\t\t\t\tdocumentElement\n\t\t\t\t\t.appendChild( table )\n\t\t\t\t\t.appendChild( tr )\n\t\t\t\t\t.appendChild( trChild );\n\n\t\t\t\ttrStyle = window.getComputedStyle( tr );\n\t\t\t\treliableTrDimensionsVal = ( parseInt( trStyle.height, 10 ) +\n\t\t\t\t\tparseInt( trStyle.borderTopWidth, 10 ) +\n\t\t\t\t\tparseInt( trStyle.borderBottomWidth, 10 ) ) === tr.offsetHeight;\n\n\t\t\t\tdocumentElement.removeChild( table );\n\t\t\t}\n\t\t\treturn reliableTrDimensionsVal;\n\t\t}\n\t} );\n} )();\n\n\nfunction curCSS( elem, name, computed ) {\n\tvar width, minWidth, maxWidth, ret,\n\t\tisCustomProp = rcustomProp.test( name ),\n\n\t\t// Support: Firefox 51+\n\t\t// Retrieving style before computed somehow\n\t\t// fixes an issue with getting wrong values\n\t\t// on detached elements\n\t\tstyle = elem.style;\n\n\tcomputed = computed || getStyles( elem );\n\n\t// getPropertyValue is needed for:\n\t// .css('filter') (IE 9 only, trac-12537)\n\t// .css('--customProperty) (gh-3144)\n\tif ( computed ) {\n\n\t\t// Support: IE <=9 - 11+\n\t\t// IE only supports `\"float\"` in `getPropertyValue`; in computed styles\n\t\t// it's only available as `\"cssFloat\"`. We no longer modify properties\n\t\t// sent to `.css()` apart from camelCasing, so we need to check both.\n\t\t// Normally, this would create difference in behavior: if\n\t\t// `getPropertyValue` returns an empty string, the value returned\n\t\t// by `.css()` would be `undefined`. This is usually the case for\n\t\t// disconnected elements. However, in IE even disconnected elements\n\t\t// with no styles return `\"none\"` for `getPropertyValue( \"float\" )`\n\t\tret = computed.getPropertyValue( name ) || computed[ name ];\n\n\t\tif ( isCustomProp && ret ) {\n\n\t\t\t// Support: Firefox 105+, Chrome <=105+\n\t\t\t// Spec requires trimming whitespace for custom properties (gh-4926).\n\t\t\t// Firefox only trims leading whitespace. Chrome just collapses\n\t\t\t// both leading & trailing whitespace to a single space.\n\t\t\t//\n\t\t\t// Fall back to `undefined` if empty string returned.\n\t\t\t// This collapses a missing definition with property defined\n\t\t\t// and set to an empty string but there's no standard API\n\t\t\t// allowing us to differentiate them without a performance penalty\n\t\t\t// and returning `undefined` aligns with older jQuery.\n\t\t\t//\n\t\t\t// rtrimCSS treats U+000D CARRIAGE RETURN and U+000C FORM FEED\n\t\t\t// as whitespace while CSS does not, but this is not a problem\n\t\t\t// because CSS preprocessing replaces them with U+000A LINE FEED\n\t\t\t// (which *is* CSS whitespace)\n\t\t\t// https://www.w3.org/TR/css-syntax-3/#input-preprocessing\n\t\t\tret = ret.replace( rtrimCSS, \"$1\" ) || undefined;\n\t\t}\n\n\t\tif ( ret === \"\" && !isAttached( elem ) ) {\n\t\t\tret = jQuery.style( elem, name );\n\t\t}\n\n\t\t// A tribute to the \"awesome hack by Dean Edwards\"\n\t\t// Android Browser returns percentage for some values,\n\t\t// but width seems to be reliably pixels.\n\t\t// This is against the CSSOM draft spec:\n\t\t// https://drafts.csswg.org/cssom/#resolved-values\n\t\tif ( !support.pixelBoxStyles() && rnumnonpx.test( ret ) && rboxStyle.test( name ) ) {\n\n\t\t\t// Remember the original values\n\t\t\twidth = style.width;\n\t\t\tminWidth = style.minWidth;\n\t\t\tmaxWidth = style.maxWidth;\n\n\t\t\t// Put in the new values to get a computed value out\n\t\t\tstyle.minWidth = style.maxWidth = style.width = ret;\n\t\t\tret = computed.width;\n\n\t\t\t// Revert the changed values\n\t\t\tstyle.width = width;\n\t\t\tstyle.minWidth = minWidth;\n\t\t\tstyle.maxWidth = maxWidth;\n\t\t}\n\t}\n\n\treturn ret !== undefined ?\n\n\t\t// Support: IE <=9 - 11 only\n\t\t// IE returns zIndex value as an integer.\n\t\tret + \"\" :\n\t\tret;\n}\n\n\nfunction addGetHookIf( conditionFn, hookFn ) {\n\n\t// Define the hook, we'll check on the first run if it's really needed.\n\treturn {\n\t\tget: function() {\n\t\t\tif ( conditionFn() ) {\n\n\t\t\t\t// Hook not needed (or it's not possible to use it due\n\t\t\t\t// to missing dependency), remove it.\n\t\t\t\tdelete this.get;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Hook needed; redefine it so that the support test is not executed again.\n\t\t\treturn ( this.get = hookFn ).apply( this, arguments );\n\t\t}\n\t};\n}\n\n\nvar cssPrefixes = [ \"Webkit\", \"Moz\", \"ms\" ],\n\temptyStyle = document.createElement( \"div\" ).style,\n\tvendorProps = {};\n\n// Return a vendor-prefixed property or undefined\nfunction vendorPropName( name ) {\n\n\t// Check for vendor prefixed names\n\tvar capName = name[ 0 ].toUpperCase() + name.slice( 1 ),\n\t\ti = cssPrefixes.length;\n\n\twhile ( i-- ) {\n\t\tname = cssPrefixes[ i ] + capName;\n\t\tif ( name in emptyStyle ) {\n\t\t\treturn name;\n\t\t}\n\t}\n}\n\n// Return a potentially-mapped jQuery.cssProps or vendor prefixed property\nfunction finalPropName( name ) {\n\tvar final = jQuery.cssProps[ name ] || vendorProps[ name ];\n\n\tif ( final ) {\n\t\treturn final;\n\t}\n\tif ( name in emptyStyle ) {\n\t\treturn name;\n\t}\n\treturn vendorProps[ name ] = vendorPropName( name ) || name;\n}\n\n\nvar\n\n\t// Swappable if display is none or starts with table\n\t// except \"table\", \"table-cell\", or \"table-caption\"\n\t// See here for display values: https://developer.mozilla.org/en-US/docs/CSS/display\n\trdisplayswap = /^(none|table(?!-c[ea]).+)/,\n\tcssShow = { position: \"absolute\", visibility: \"hidden\", display: \"block\" },\n\tcssNormalTransform = {\n\t\tletterSpacing: \"0\",\n\t\tfontWeight: \"400\"\n\t};\n\nfunction setPositiveNumber( _elem, value, subtract ) {\n\n\t// Any relative (+/-) values have already been\n\t// normalized at this point\n\tvar matches = rcssNum.exec( value );\n\treturn matches ?\n\n\t\t// Guard against undefined \"subtract\", e.g., when used as in cssHooks\n\t\tMath.max( 0, matches[ 2 ] - ( subtract || 0 ) ) + ( matches[ 3 ] || \"px\" ) :\n\t\tvalue;\n}\n\nfunction boxModelAdjustment( elem, dimension, box, isBorderBox, styles, computedVal ) {\n\tvar i = dimension === \"width\" ? 1 : 0,\n\t\textra = 0,\n\t\tdelta = 0,\n\t\tmarginDelta = 0;\n\n\t// Adjustment may not be necessary\n\tif ( box === ( isBorderBox ? \"border\" : \"content\" ) ) {\n\t\treturn 0;\n\t}\n\n\tfor ( ; i < 4; i += 2 ) {\n\n\t\t// Both box models exclude margin\n\t\t// Count margin delta separately to only add it after scroll gutter adjustment.\n\t\t// This is needed to make negative margins work with `outerHeight( true )` (gh-3982).\n\t\tif ( box === \"margin\" ) {\n\t\t\tmarginDelta += jQuery.css( elem, box + cssExpand[ i ], true, styles );\n\t\t}\n\n\t\t// If we get here with a content-box, we're seeking \"padding\" or \"border\" or \"margin\"\n\t\tif ( !isBorderBox ) {\n\n\t\t\t// Add padding\n\t\t\tdelta += jQuery.css( elem, \"padding\" + cssExpand[ i ], true, styles );\n\n\t\t\t// For \"border\" or \"margin\", add border\n\t\t\tif ( box !== \"padding\" ) {\n\t\t\t\tdelta += jQuery.css( elem, \"border\" + cssExpand[ i ] + \"Width\", true, styles );\n\n\t\t\t// But still keep track of it otherwise\n\t\t\t} else {\n\t\t\t\textra += jQuery.css( elem, \"border\" + cssExpand[ i ] + \"Width\", true, styles );\n\t\t\t}\n\n\t\t// If we get here with a border-box (content + padding + border), we're seeking \"content\" or\n\t\t// \"padding\" or \"margin\"\n\t\t} else {\n\n\t\t\t// For \"content\", subtract padding\n\t\t\tif ( box === \"content\" ) {\n\t\t\t\tdelta -= jQuery.css( elem, \"padding\" + cssExpand[ i ], true, styles );\n\t\t\t}\n\n\t\t\t// For \"content\" or \"padding\", subtract border\n\t\t\tif ( box !== \"margin\" ) {\n\t\t\t\tdelta -= jQuery.css( elem, \"border\" + cssExpand[ i ] + \"Width\", true, styles );\n\t\t\t}\n\t\t}\n\t}\n\n\t// Account for positive content-box scroll gutter when requested by providing computedVal\n\tif ( !isBorderBox && computedVal >= 0 ) {\n\n\t\t// offsetWidth/offsetHeight is a rounded sum of content, padding, scroll gutter, and border\n\t\t// Assuming integer scroll gutter, subtract the rest and round down\n\t\tdelta += Math.max( 0, Math.ceil(\n\t\t\telem[ \"offset\" + dimension[ 0 ].toUpperCase() + dimension.slice( 1 ) ] -\n\t\t\tcomputedVal -\n\t\t\tdelta -\n\t\t\textra -\n\t\t\t0.5\n\n\t\t// If offsetWidth/offsetHeight is unknown, then we can't determine content-box scroll gutter\n\t\t// Use an explicit zero to avoid NaN (gh-3964)\n\t\t) ) || 0;\n\t}\n\n\treturn delta + marginDelta;\n}\n\nfunction getWidthOrHeight( elem, dimension, extra ) {\n\n\t// Start with computed style\n\tvar styles = getStyles( elem ),\n\n\t\t// To avoid forcing a reflow, only fetch boxSizing if we need it (gh-4322).\n\t\t// Fake content-box until we know it's needed to know the true value.\n\t\tboxSizingNeeded = !support.boxSizingReliable() || extra,\n\t\tisBorderBox = boxSizingNeeded &&\n\t\t\tjQuery.css( elem, \"boxSizing\", false, styles ) === \"border-box\",\n\t\tvalueIsBorderBox = isBorderBox,\n\n\t\tval = curCSS( elem, dimension, styles ),\n\t\toffsetProp = \"offset\" + dimension[ 0 ].toUpperCase() + dimension.slice( 1 );\n\n\t// Support: Firefox <=54\n\t// Return a confounding non-pixel value or feign ignorance, as appropriate.\n\tif ( rnumnonpx.test( val ) ) {\n\t\tif ( !extra ) {\n\t\t\treturn val;\n\t\t}\n\t\tval = \"auto\";\n\t}\n\n\n\t// Support: IE 9 - 11 only\n\t// Use offsetWidth/offsetHeight for when box sizing is unreliable.\n\t// In those cases, the computed value can be trusted to be border-box.\n\tif ( ( !support.boxSizingReliable() && isBorderBox ||\n\n\t\t// Support: IE 10 - 11+, Edge 15 - 18+\n\t\t// IE/Edge misreport `getComputedStyle` of table rows with width/height\n\t\t// set in CSS while `offset*` properties report correct values.\n\t\t// Interestingly, in some cases IE 9 doesn't suffer from this issue.\n\t\t!support.reliableTrDimensions() && nodeName( elem, \"tr\" ) ||\n\n\t\t// Fall back to offsetWidth/offsetHeight when value is \"auto\"\n\t\t// This happens for inline elements with no explicit setting (gh-3571)\n\t\tval === \"auto\" ||\n\n\t\t// Support: Android <=4.1 - 4.3 only\n\t\t// Also use offsetWidth/offsetHeight for misreported inline dimensions (gh-3602)\n\t\t!parseFloat( val ) && jQuery.css( elem, \"display\", false, styles ) === \"inline\" ) &&\n\n\t\t// Make sure the element is visible & connected\n\t\telem.getClientRects().length ) {\n\n\t\tisBorderBox = jQuery.css( elem, \"boxSizing\", false, styles ) === \"border-box\";\n\n\t\t// Where available, offsetWidth/offsetHeight approximate border box dimensions.\n\t\t// Where not available (e.g., SVG), assume unreliable box-sizing and interpret the\n\t\t// retrieved value as a content box dimension.\n\t\tvalueIsBorderBox = offsetProp in elem;\n\t\tif ( valueIsBorderBox ) {\n\t\t\tval = elem[ offsetProp ];\n\t\t}\n\t}\n\n\t// Normalize \"\" and auto\n\tval = parseFloat( val ) || 0;\n\n\t// Adjust for the element's box model\n\treturn ( val +\n\t\tboxModelAdjustment(\n\t\t\telem,\n\t\t\tdimension,\n\t\t\textra || ( isBorderBox ? \"border\" : \"content\" ),\n\t\t\tvalueIsBorderBox,\n\t\t\tstyles,\n\n\t\t\t// Provide the current computed size to request scroll gutter calculation (gh-3589)\n\t\t\tval\n\t\t)\n\t) + \"px\";\n}\n\njQuery.extend( {\n\n\t// Add in style property hooks for overriding the default\n\t// behavior of getting and setting a style property\n\tcssHooks: {\n\t\topacity: {\n\t\t\tget: function( elem, computed ) {\n\t\t\t\tif ( computed ) {\n\n\t\t\t\t\t// We should always get a number back from opacity\n\t\t\t\t\tvar ret = curCSS( elem, \"opacity\" );\n\t\t\t\t\treturn ret === \"\" ? \"1\" : ret;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t},\n\n\t// Don't automatically add \"px\" to these possibly-unitless properties\n\tcssNumber: {\n\t\tanimationIterationCount: true,\n\t\taspectRatio: true,\n\t\tborderImageSlice: true,\n\t\tcolumnCount: true,\n\t\tflexGrow: true,\n\t\tflexShrink: true,\n\t\tfontWeight: true,\n\t\tgridArea: true,\n\t\tgridColumn: true,\n\t\tgridColumnEnd: true,\n\t\tgridColumnStart: true,\n\t\tgridRow: true,\n\t\tgridRowEnd: true,\n\t\tgridRowStart: true,\n\t\tlineHeight: true,\n\t\topacity: true,\n\t\torder: true,\n\t\torphans: true,\n\t\tscale: true,\n\t\twidows: true,\n\t\tzIndex: true,\n\t\tzoom: true,\n\n\t\t// SVG-related\n\t\tfillOpacity: true,\n\t\tfloodOpacity: true,\n\t\tstopOpacity: true,\n\t\tstrokeMiterlimit: true,\n\t\tstrokeOpacity: true\n\t},\n\n\t// Add in properties whose names you wish to fix before\n\t// setting or getting the value\n\tcssProps: {},\n\n\t// Get and set the style property on a DOM Node\n\tstyle: function( elem, name, value, extra ) {\n\n\t\t// Don't set styles on text and comment nodes\n\t\tif ( !elem || elem.nodeType === 3 || elem.nodeType === 8 || !elem.style ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Make sure that we're working with the right name\n\t\tvar ret, type, hooks,\n\t\t\torigName = camelCase( name ),\n\t\t\tisCustomProp = rcustomProp.test( name ),\n\t\t\tstyle = elem.style;\n\n\t\t// Make sure that we're working with the right name. We don't\n\t\t// want to query the value if it is a CSS custom property\n\t\t// since they are user-defined.\n\t\tif ( !isCustomProp ) {\n\t\t\tname = finalPropName( origName );\n\t\t}\n\n\t\t// Gets hook for the prefixed version, then unprefixed version\n\t\thooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ];\n\n\t\t// Check if we're setting a value\n\t\tif ( value !== undefined ) {\n\t\t\ttype = typeof value;\n\n\t\t\t// Convert \"+=\" or \"-=\" to relative numbers (trac-7345)\n\t\t\tif ( type === \"string\" && ( ret = rcssNum.exec( value ) ) && ret[ 1 ] ) {\n\t\t\t\tvalue = adjustCSS( elem, name, ret );\n\n\t\t\t\t// Fixes bug trac-9237\n\t\t\t\ttype = \"number\";\n\t\t\t}\n\n\t\t\t// Make sure that null and NaN values aren't set (trac-7116)\n\t\t\tif ( value == null || value !== value ) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// If a number was passed in, add the unit (except for certain CSS properties)\n\t\t\t// The isCustomProp check can be removed in jQuery 4.0 when we only auto-append\n\t\t\t// \"px\" to a few hardcoded values.\n\t\t\tif ( type === \"number\" && !isCustomProp ) {\n\t\t\t\tvalue += ret && ret[ 3 ] || ( jQuery.cssNumber[ origName ] ? \"\" : \"px\" );\n\t\t\t}\n\n\t\t\t// background-* props affect original clone's values\n\t\t\tif ( !support.clearCloneStyle && value === \"\" && name.indexOf( \"background\" ) === 0 ) {\n\t\t\t\tstyle[ name ] = \"inherit\";\n\t\t\t}\n\n\t\t\t// If a hook was provided, use that value, otherwise just set the specified value\n\t\t\tif ( !hooks || !( \"set\" in hooks ) ||\n\t\t\t\t( value = hooks.set( elem, value, extra ) ) !== undefined ) {\n\n\t\t\t\tif ( isCustomProp ) {\n\t\t\t\t\tstyle.setProperty( name, value );\n\t\t\t\t} else {\n\t\t\t\t\tstyle[ name ] = value;\n\t\t\t\t}\n\t\t\t}\n\n\t\t} else {\n\n\t\t\t// If a hook was provided get the non-computed value from there\n\t\t\tif ( hooks && \"get\" in hooks &&\n\t\t\t\t( ret = hooks.get( elem, false, extra ) ) !== undefined ) {\n\n\t\t\t\treturn ret;\n\t\t\t}\n\n\t\t\t// Otherwise just get the value from the style object\n\t\t\treturn style[ name ];\n\t\t}\n\t},\n\n\tcss: function( elem, name, extra, styles ) {\n\t\tvar val, num, hooks,\n\t\t\torigName = camelCase( name ),\n\t\t\tisCustomProp = rcustomProp.test( name );\n\n\t\t// Make sure that we're working with the right name. We don't\n\t\t// want to modify the value if it is a CSS custom property\n\t\t// since they are user-defined.\n\t\tif ( !isCustomProp ) {\n\t\t\tname = finalPropName( origName );\n\t\t}\n\n\t\t// Try prefixed name followed by the unprefixed name\n\t\thooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ];\n\n\t\t// If a hook was provided get the computed value from there\n\t\tif ( hooks && \"get\" in hooks ) {\n\t\t\tval = hooks.get( elem, true, extra );\n\t\t}\n\n\t\t// Otherwise, if a way to get the computed value exists, use that\n\t\tif ( val === undefined ) {\n\t\t\tval = curCSS( elem, name, styles );\n\t\t}\n\n\t\t// Convert \"normal\" to computed value\n\t\tif ( val === \"normal\" && name in cssNormalTransform ) {\n\t\t\tval = cssNormalTransform[ name ];\n\t\t}\n\n\t\t// Make numeric if forced or a qualifier was provided and val looks numeric\n\t\tif ( extra === \"\" || extra ) {\n\t\t\tnum = parseFloat( val );\n\t\t\treturn extra === true || isFinite( num ) ? num || 0 : val;\n\t\t}\n\n\t\treturn val;\n\t}\n} );\n\njQuery.each( [ \"height\", \"width\" ], function( _i, dimension ) {\n\tjQuery.cssHooks[ dimension ] = {\n\t\tget: function( elem, computed, extra ) {\n\t\t\tif ( computed ) {\n\n\t\t\t\t// Certain elements can have dimension info if we invisibly show them\n\t\t\t\t// but it must have a current display style that would benefit\n\t\t\t\treturn rdisplayswap.test( jQuery.css( elem, \"display\" ) ) &&\n\n\t\t\t\t\t// Support: Safari 8+\n\t\t\t\t\t// Table columns in Safari have non-zero offsetWidth & zero\n\t\t\t\t\t// getBoundingClientRect().width unless display is changed.\n\t\t\t\t\t// Support: IE <=11 only\n\t\t\t\t\t// Running getBoundingClientRect on a disconnected node\n\t\t\t\t\t// in IE throws an error.\n\t\t\t\t\t( !elem.getClientRects().length || !elem.getBoundingClientRect().width ) ?\n\t\t\t\t\tswap( elem, cssShow, function() {\n\t\t\t\t\t\treturn getWidthOrHeight( elem, dimension, extra );\n\t\t\t\t\t} ) :\n\t\t\t\t\tgetWidthOrHeight( elem, dimension, extra );\n\t\t\t}\n\t\t},\n\n\t\tset: function( elem, value, extra ) {\n\t\t\tvar matches,\n\t\t\t\tstyles = getStyles( elem ),\n\n\t\t\t\t// Only read styles.position if the test has a chance to fail\n\t\t\t\t// to avoid forcing a reflow.\n\t\t\t\tscrollboxSizeBuggy = !support.scrollboxSize() &&\n\t\t\t\t\tstyles.position === \"absolute\",\n\n\t\t\t\t// To avoid forcing a reflow, only fetch boxSizing if we need it (gh-3991)\n\t\t\t\tboxSizingNeeded = scrollboxSizeBuggy || extra,\n\t\t\t\tisBorderBox = boxSizingNeeded &&\n\t\t\t\t\tjQuery.css( elem, \"boxSizing\", false, styles ) === \"border-box\",\n\t\t\t\tsubtract = extra ?\n\t\t\t\t\tboxModelAdjustment(\n\t\t\t\t\t\telem,\n\t\t\t\t\t\tdimension,\n\t\t\t\t\t\textra,\n\t\t\t\t\t\tisBorderBox,\n\t\t\t\t\t\tstyles\n\t\t\t\t\t) :\n\t\t\t\t\t0;\n\n\t\t\t// Account for unreliable border-box dimensions by comparing offset* to computed and\n\t\t\t// faking a content-box to get border and padding (gh-3699)\n\t\t\tif ( isBorderBox && scrollboxSizeBuggy ) {\n\t\t\t\tsubtract -= Math.ceil(\n\t\t\t\t\telem[ \"offset\" + dimension[ 0 ].toUpperCase() + dimension.slice( 1 ) ] -\n\t\t\t\t\tparseFloat( styles[ dimension ] ) -\n\t\t\t\t\tboxModelAdjustment( elem, dimension, \"border\", false, styles ) -\n\t\t\t\t\t0.5\n\t\t\t\t);\n\t\t\t}\n\n\t\t\t// Convert to pixels if value adjustment is needed\n\t\t\tif ( subtract && ( matches = rcssNum.exec( value ) ) &&\n\t\t\t\t( matches[ 3 ] || \"px\" ) !== \"px\" ) {\n\n\t\t\t\telem.style[ dimension ] = value;\n\t\t\t\tvalue = jQuery.css( elem, dimension );\n\t\t\t}\n\n\t\t\treturn setPositiveNumber( elem, value, subtract );\n\t\t}\n\t};\n} );\n\njQuery.cssHooks.marginLeft = addGetHookIf( support.reliableMarginLeft,\n\tfunction( elem, computed ) {\n\t\tif ( computed ) {\n\t\t\treturn ( parseFloat( curCSS( elem, \"marginLeft\" ) ) ||\n\t\t\t\telem.getBoundingClientRect().left -\n\t\t\t\t\tswap( elem, { marginLeft: 0 }, function() {\n\t\t\t\t\t\treturn elem.getBoundingClientRect().left;\n\t\t\t\t\t} )\n\t\t\t) + \"px\";\n\t\t}\n\t}\n);\n\n// These hooks are used by animate to expand properties\njQuery.each( {\n\tmargin: \"\",\n\tpadding: \"\",\n\tborder: \"Width\"\n}, function( prefix, suffix ) {\n\tjQuery.cssHooks[ prefix + suffix ] = {\n\t\texpand: function( value ) {\n\t\t\tvar i = 0,\n\t\t\t\texpanded = {},\n\n\t\t\t\t// Assumes a single number if not a string\n\t\t\t\tparts = typeof value === \"string\" ? value.split( \" \" ) : [ value ];\n\n\t\t\tfor ( ; i < 4; i++ ) {\n\t\t\t\texpanded[ prefix + cssExpand[ i ] + suffix ] =\n\t\t\t\t\tparts[ i ] || parts[ i - 2 ] || parts[ 0 ];\n\t\t\t}\n\n\t\t\treturn expanded;\n\t\t}\n\t};\n\n\tif ( prefix !== \"margin\" ) {\n\t\tjQuery.cssHooks[ prefix + suffix ].set = setPositiveNumber;\n\t}\n} );\n\njQuery.fn.extend( {\n\tcss: function( name, value ) {\n\t\treturn access( this, function( elem, name, value ) {\n\t\t\tvar styles, len,\n\t\t\t\tmap = {},\n\t\t\t\ti = 0;\n\n\t\t\tif ( Array.isArray( name ) ) {\n\t\t\t\tstyles = getStyles( elem );\n\t\t\t\tlen = name.length;\n\n\t\t\t\tfor ( ; i < len; i++ ) {\n\t\t\t\t\tmap[ name[ i ] ] = jQuery.css( elem, name[ i ], false, styles );\n\t\t\t\t}\n\n\t\t\t\treturn map;\n\t\t\t}\n\n\t\t\treturn value !== undefined ?\n\t\t\t\tjQuery.style( elem, name, value ) :\n\t\t\t\tjQuery.css( elem, name );\n\t\t}, name, value, arguments.length > 1 );\n\t}\n} );\n\n\nfunction Tween( elem, options, prop, end, easing ) {\n\treturn new Tween.prototype.init( elem, options, prop, end, easing );\n}\njQuery.Tween = Tween;\n\nTween.prototype = {\n\tconstructor: Tween,\n\tinit: function( elem, options, prop, end, easing, unit ) {\n\t\tthis.elem = elem;\n\t\tthis.prop = prop;\n\t\tthis.easing = easing || jQuery.easing._default;\n\t\tthis.options = options;\n\t\tthis.start = this.now = this.cur();\n\t\tthis.end = end;\n\t\tthis.unit = unit || ( jQuery.cssNumber[ prop ] ? \"\" : \"px\" );\n\t},\n\tcur: function() {\n\t\tvar hooks = Tween.propHooks[ this.prop ];\n\n\t\treturn hooks && hooks.get ?\n\t\t\thooks.get( this ) :\n\t\t\tTween.propHooks._default.get( this );\n\t},\n\trun: function( percent ) {\n\t\tvar eased,\n\t\t\thooks = Tween.propHooks[ this.prop ];\n\n\t\tif ( this.options.duration ) {\n\t\t\tthis.pos = eased = jQuery.easing[ this.easing ](\n\t\t\t\tpercent, this.options.duration * percent, 0, 1, this.options.duration\n\t\t\t);\n\t\t} else {\n\t\t\tthis.pos = eased = percent;\n\t\t}\n\t\tthis.now = ( this.end - this.start ) * eased + this.start;\n\n\t\tif ( this.options.step ) {\n\t\t\tthis.options.step.call( this.elem, this.now, this );\n\t\t}\n\n\t\tif ( hooks && hooks.set ) {\n\t\t\thooks.set( this );\n\t\t} else {\n\t\t\tTween.propHooks._default.set( this );\n\t\t}\n\t\treturn this;\n\t}\n};\n\nTween.prototype.init.prototype = Tween.prototype;\n\nTween.propHooks = {\n\t_default: {\n\t\tget: function( tween ) {\n\t\t\tvar result;\n\n\t\t\t// Use a property on the element directly when it is not a DOM element,\n\t\t\t// or when there is no matching style property that exists.\n\t\t\tif ( tween.elem.nodeType !== 1 ||\n\t\t\t\ttween.elem[ tween.prop ] != null && tween.elem.style[ tween.prop ] == null ) {\n\t\t\t\treturn tween.elem[ tween.prop ];\n\t\t\t}\n\n\t\t\t// Passing an empty string as a 3rd parameter to .css will automatically\n\t\t\t// attempt a parseFloat and fallback to a string if the parse fails.\n\t\t\t// Simple values such as \"10px\" are parsed to Float;\n\t\t\t// complex values such as \"rotate(1rad)\" are returned as-is.\n\t\t\tresult = jQuery.css( tween.elem, tween.prop, \"\" );\n\n\t\t\t// Empty strings, null, undefined and \"auto\" are converted to 0.\n\t\t\treturn !result || result === \"auto\" ? 0 : result;\n\t\t},\n\t\tset: function( tween ) {\n\n\t\t\t// Use step hook for back compat.\n\t\t\t// Use cssHook if its there.\n\t\t\t// Use .style if available and use plain properties where available.\n\t\t\tif ( jQuery.fx.step[ tween.prop ] ) {\n\t\t\t\tjQuery.fx.step[ tween.prop ]( tween );\n\t\t\t} else if ( tween.elem.nodeType === 1 && (\n\t\t\t\tjQuery.cssHooks[ tween.prop ] ||\n\t\t\t\t\ttween.elem.style[ finalPropName( tween.prop ) ] != null ) ) {\n\t\t\t\tjQuery.style( tween.elem, tween.prop, tween.now + tween.unit );\n\t\t\t} else {\n\t\t\t\ttween.elem[ tween.prop ] = tween.now;\n\t\t\t}\n\t\t}\n\t}\n};\n\n// Support: IE <=9 only\n// Panic based approach to setting things on disconnected nodes\nTween.propHooks.scrollTop = Tween.propHooks.scrollLeft = {\n\tset: function( tween ) {\n\t\tif ( tween.elem.nodeType && tween.elem.parentNode ) {\n\t\t\ttween.elem[ tween.prop ] = tween.now;\n\t\t}\n\t}\n};\n\njQuery.easing = {\n\tlinear: function( p ) {\n\t\treturn p;\n\t},\n\tswing: function( p ) {\n\t\treturn 0.5 - Math.cos( p * Math.PI ) / 2;\n\t},\n\t_default: \"swing\"\n};\n\njQuery.fx = Tween.prototype.init;\n\n// Back compat <1.8 extension point\njQuery.fx.step = {};\n\n\n\n\nvar\n\tfxNow, inProgress,\n\trfxtypes = /^(?:toggle|show|hide)$/,\n\trrun = /queueHooks$/;\n\nfunction schedule() {\n\tif ( inProgress ) {\n\t\tif ( document.hidden === false && window.requestAnimationFrame ) {\n\t\t\twindow.requestAnimationFrame( schedule );\n\t\t} else {\n\t\t\twindow.setTimeout( schedule, jQuery.fx.interval );\n\t\t}\n\n\t\tjQuery.fx.tick();\n\t}\n}\n\n// Animations created synchronously will run synchronously\nfunction createFxNow() {\n\twindow.setTimeout( function() {\n\t\tfxNow = undefined;\n\t} );\n\treturn ( fxNow = Date.now() );\n}\n\n// Generate parameters to create a standard animation\nfunction genFx( type, includeWidth ) {\n\tvar which,\n\t\ti = 0,\n\t\tattrs = { height: type };\n\n\t// If we include width, step value is 1 to do all cssExpand values,\n\t// otherwise step value is 2 to skip over Left and Right\n\tincludeWidth = includeWidth ? 1 : 0;\n\tfor ( ; i < 4; i += 2 - includeWidth ) {\n\t\twhich = cssExpand[ i ];\n\t\tattrs[ \"margin\" + which ] = attrs[ \"padding\" + which ] = type;\n\t}\n\n\tif ( includeWidth ) {\n\t\tattrs.opacity = attrs.width = type;\n\t}\n\n\treturn attrs;\n}\n\nfunction createTween( value, prop, animation ) {\n\tvar tween,\n\t\tcollection = ( Animation.tweeners[ prop ] || [] ).concat( Animation.tweeners[ \"*\" ] ),\n\t\tindex = 0,\n\t\tlength = collection.length;\n\tfor ( ; index < length; index++ ) {\n\t\tif ( ( tween = collection[ index ].call( animation, prop, value ) ) ) {\n\n\t\t\t// We're done with this property\n\t\t\treturn tween;\n\t\t}\n\t}\n}\n\nfunction defaultPrefilter( elem, props, opts ) {\n\tvar prop, value, toggle, hooks, oldfire, propTween, restoreDisplay, display,\n\t\tisBox = \"width\" in props || \"height\" in props,\n\t\tanim = this,\n\t\torig = {},\n\t\tstyle = elem.style,\n\t\thidden = elem.nodeType && isHiddenWithinTree( elem ),\n\t\tdataShow = dataPriv.get( elem, \"fxshow\" );\n\n\t// Queue-skipping animations hijack the fx hooks\n\tif ( !opts.queue ) {\n\t\thooks = jQuery._queueHooks( elem, \"fx\" );\n\t\tif ( hooks.unqueued == null ) {\n\t\t\thooks.unqueued = 0;\n\t\t\toldfire = hooks.empty.fire;\n\t\t\thooks.empty.fire = function() {\n\t\t\t\tif ( !hooks.unqueued ) {\n\t\t\t\t\toldfire();\n\t\t\t\t}\n\t\t\t};\n\t\t}\n\t\thooks.unqueued++;\n\n\t\tanim.always( function() {\n\n\t\t\t// Ensure the complete handler is called before this completes\n\t\t\tanim.always( function() {\n\t\t\t\thooks.unqueued--;\n\t\t\t\tif ( !jQuery.queue( elem, \"fx\" ).length ) {\n\t\t\t\t\thooks.empty.fire();\n\t\t\t\t}\n\t\t\t} );\n\t\t} );\n\t}\n\n\t// Detect show/hide animations\n\tfor ( prop in props ) {\n\t\tvalue = props[ prop ];\n\t\tif ( rfxtypes.test( value ) ) {\n\t\t\tdelete props[ prop ];\n\t\t\ttoggle = toggle || value === \"toggle\";\n\t\t\tif ( value === ( hidden ? \"hide\" : \"show\" ) ) {\n\n\t\t\t\t// Pretend to be hidden if this is a \"show\" and\n\t\t\t\t// there is still data from a stopped show/hide\n\t\t\t\tif ( value === \"show\" && dataShow && dataShow[ prop ] !== undefined ) {\n\t\t\t\t\thidden = true;\n\n\t\t\t\t// Ignore all other no-op show/hide data\n\t\t\t\t} else {\n\t\t\t\t\tcontinue;\n\t\t\t\t}\n\t\t\t}\n\t\t\torig[ prop ] = dataShow && dataShow[ prop ] || jQuery.style( elem, prop );\n\t\t}\n\t}\n\n\t// Bail out if this is a no-op like .hide().hide()\n\tpropTween = !jQuery.isEmptyObject( props );\n\tif ( !propTween && jQuery.isEmptyObject( orig ) ) {\n\t\treturn;\n\t}\n\n\t// Restrict \"overflow\" and \"display\" styles during box animations\n\tif ( isBox && elem.nodeType === 1 ) {\n\n\t\t// Support: IE <=9 - 11, Edge 12 - 15\n\t\t// Record all 3 overflow attributes because IE does not infer the shorthand\n\t\t// from identically-valued overflowX and overflowY and Edge just mirrors\n\t\t// the overflowX value there.\n\t\topts.overflow = [ style.overflow, style.overflowX, style.overflowY ];\n\n\t\t// Identify a display type, preferring old show/hide data over the CSS cascade\n\t\trestoreDisplay = dataShow && dataShow.display;\n\t\tif ( restoreDisplay == null ) {\n\t\t\trestoreDisplay = dataPriv.get( elem, \"display\" );\n\t\t}\n\t\tdisplay = jQuery.css( elem, \"display\" );\n\t\tif ( display === \"none\" ) {\n\t\t\tif ( restoreDisplay ) {\n\t\t\t\tdisplay = restoreDisplay;\n\t\t\t} else {\n\n\t\t\t\t// Get nonempty value(s) by temporarily forcing visibility\n\t\t\t\tshowHide( [ elem ], true );\n\t\t\t\trestoreDisplay = elem.style.display || restoreDisplay;\n\t\t\t\tdisplay = jQuery.css( elem, \"display\" );\n\t\t\t\tshowHide( [ elem ] );\n\t\t\t}\n\t\t}\n\n\t\t// Animate inline elements as inline-block\n\t\tif ( display === \"inline\" || display === \"inline-block\" && restoreDisplay != null ) {\n\t\t\tif ( jQuery.css( elem, \"float\" ) === \"none\" ) {\n\n\t\t\t\t// Restore the original display value at the end of pure show/hide animations\n\t\t\t\tif ( !propTween ) {\n\t\t\t\t\tanim.done( function() {\n\t\t\t\t\t\tstyle.display = restoreDisplay;\n\t\t\t\t\t} );\n\t\t\t\t\tif ( restoreDisplay == null ) {\n\t\t\t\t\t\tdisplay = style.display;\n\t\t\t\t\t\trestoreDisplay = display === \"none\" ? \"\" : display;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\tstyle.display = \"inline-block\";\n\t\t\t}\n\t\t}\n\t}\n\n\tif ( opts.overflow ) {\n\t\tstyle.overflow = \"hidden\";\n\t\tanim.always( function() {\n\t\t\tstyle.overflow = opts.overflow[ 0 ];\n\t\t\tstyle.overflowX = opts.overflow[ 1 ];\n\t\t\tstyle.overflowY = opts.overflow[ 2 ];\n\t\t} );\n\t}\n\n\t// Implement show/hide animations\n\tpropTween = false;\n\tfor ( prop in orig ) {\n\n\t\t// General show/hide setup for this element animation\n\t\tif ( !propTween ) {\n\t\t\tif ( dataShow ) {\n\t\t\t\tif ( \"hidden\" in dataShow ) {\n\t\t\t\t\thidden = dataShow.hidden;\n\t\t\t\t}\n\t\t\t} else {\n\t\t\t\tdataShow = dataPriv.access( elem, \"fxshow\", { display: restoreDisplay } );\n\t\t\t}\n\n\t\t\t// Store hidden/visible for toggle so `.stop().toggle()` \"reverses\"\n\t\t\tif ( toggle ) {\n\t\t\t\tdataShow.hidden = !hidden;\n\t\t\t}\n\n\t\t\t// Show elements before animating them\n\t\t\tif ( hidden ) {\n\t\t\t\tshowHide( [ elem ], true );\n\t\t\t}\n\n\t\t\t/* eslint-disable no-loop-func */\n\n\t\t\tanim.done( function() {\n\n\t\t\t\t/* eslint-enable no-loop-func */\n\n\t\t\t\t// The final step of a \"hide\" animation is actually hiding the element\n\t\t\t\tif ( !hidden ) {\n\t\t\t\t\tshowHide( [ elem ] );\n\t\t\t\t}\n\t\t\t\tdataPriv.remove( elem, \"fxshow\" );\n\t\t\t\tfor ( prop in orig ) {\n\t\t\t\t\tjQuery.style( elem, prop, orig[ prop ] );\n\t\t\t\t}\n\t\t\t} );\n\t\t}\n\n\t\t// Per-property setup\n\t\tpropTween = createTween( hidden ? dataShow[ prop ] : 0, prop, anim );\n\t\tif ( !( prop in dataShow ) ) {\n\t\t\tdataShow[ prop ] = propTween.start;\n\t\t\tif ( hidden ) {\n\t\t\t\tpropTween.end = propTween.start;\n\t\t\t\tpropTween.start = 0;\n\t\t\t}\n\t\t}\n\t}\n}\n\nfunction propFilter( props, specialEasing ) {\n\tvar index, name, easing, value, hooks;\n\n\t// camelCase, specialEasing and expand cssHook pass\n\tfor ( index in props ) {\n\t\tname = camelCase( index );\n\t\teasing = specialEasing[ name ];\n\t\tvalue = props[ index ];\n\t\tif ( Array.isArray( value ) ) {\n\t\t\teasing = value[ 1 ];\n\t\t\tvalue = props[ index ] = value[ 0 ];\n\t\t}\n\n\t\tif ( index !== name ) {\n\t\t\tprops[ name ] = value;\n\t\t\tdelete props[ index ];\n\t\t}\n\n\t\thooks = jQuery.cssHooks[ name ];\n\t\tif ( hooks && \"expand\" in hooks ) {\n\t\t\tvalue = hooks.expand( value );\n\t\t\tdelete props[ name ];\n\n\t\t\t// Not quite $.extend, this won't overwrite existing keys.\n\t\t\t// Reusing 'index' because we have the correct \"name\"\n\t\t\tfor ( index in value ) {\n\t\t\t\tif ( !( index in props ) ) {\n\t\t\t\t\tprops[ index ] = value[ index ];\n\t\t\t\t\tspecialEasing[ index ] = easing;\n\t\t\t\t}\n\t\t\t}\n\t\t} else {\n\t\t\tspecialEasing[ name ] = easing;\n\t\t}\n\t}\n}\n\nfunction Animation( elem, properties, options ) {\n\tvar result,\n\t\tstopped,\n\t\tindex = 0,\n\t\tlength = Animation.prefilters.length,\n\t\tdeferred = jQuery.Deferred().always( function() {\n\n\t\t\t// Don't match elem in the :animated selector\n\t\t\tdelete tick.elem;\n\t\t} ),\n\t\ttick = function() {\n\t\t\tif ( stopped ) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t\tvar currentTime = fxNow || createFxNow(),\n\t\t\t\tremaining = Math.max( 0, animation.startTime + animation.duration - currentTime ),\n\n\t\t\t\t// Support: Android 2.3 only\n\t\t\t\t// Archaic crash bug won't allow us to use `1 - ( 0.5 || 0 )` (trac-12497)\n\t\t\t\ttemp = remaining / animation.duration || 0,\n\t\t\t\tpercent = 1 - temp,\n\t\t\t\tindex = 0,\n\t\t\t\tlength = animation.tweens.length;\n\n\t\t\tfor ( ; index < length; index++ ) {\n\t\t\t\tanimation.tweens[ index ].run( percent );\n\t\t\t}\n\n\t\t\tdeferred.notifyWith( elem, [ animation, percent, remaining ] );\n\n\t\t\t// If there's more to do, yield\n\t\t\tif ( percent < 1 && length ) {\n\t\t\t\treturn remaining;\n\t\t\t}\n\n\t\t\t// If this was an empty animation, synthesize a final progress notification\n\t\t\tif ( !length ) {\n\t\t\t\tdeferred.notifyWith( elem, [ animation, 1, 0 ] );\n\t\t\t}\n\n\t\t\t// Resolve the animation and report its conclusion\n\t\t\tdeferred.resolveWith( elem, [ animation ] );\n\t\t\treturn false;\n\t\t},\n\t\tanimation = deferred.promise( {\n\t\t\telem: elem,\n\t\t\tprops: jQuery.extend( {}, properties ),\n\t\t\topts: jQuery.extend( true, {\n\t\t\t\tspecialEasing: {},\n\t\t\t\teasing: jQuery.easing._default\n\t\t\t}, options ),\n\t\t\toriginalProperties: properties,\n\t\t\toriginalOptions: options,\n\t\t\tstartTime: fxNow || createFxNow(),\n\t\t\tduration: options.duration,\n\t\t\ttweens: [],\n\t\t\tcreateTween: function( prop, end ) {\n\t\t\t\tvar tween = jQuery.Tween( elem, animation.opts, prop, end,\n\t\t\t\t\tanimation.opts.specialEasing[ prop ] || animation.opts.easing );\n\t\t\t\tanimation.tweens.push( tween );\n\t\t\t\treturn tween;\n\t\t\t},\n\t\t\tstop: function( gotoEnd ) {\n\t\t\t\tvar index = 0,\n\n\t\t\t\t\t// If we are going to the end, we want to run all the tweens\n\t\t\t\t\t// otherwise we skip this part\n\t\t\t\t\tlength = gotoEnd ? animation.tweens.length : 0;\n\t\t\t\tif ( stopped ) {\n\t\t\t\t\treturn this;\n\t\t\t\t}\n\t\t\t\tstopped = true;\n\t\t\t\tfor ( ; index < length; index++ ) {\n\t\t\t\t\tanimation.tweens[ index ].run( 1 );\n\t\t\t\t}\n\n\t\t\t\t// Resolve when we played the last frame; otherwise, reject\n\t\t\t\tif ( gotoEnd ) {\n\t\t\t\t\tdeferred.notifyWith( elem, [ animation, 1, 0 ] );\n\t\t\t\t\tdeferred.resolveWith( elem, [ animation, gotoEnd ] );\n\t\t\t\t} else {\n\t\t\t\t\tdeferred.rejectWith( elem, [ animation, gotoEnd ] );\n\t\t\t\t}\n\t\t\t\treturn this;\n\t\t\t}\n\t\t} ),\n\t\tprops = animation.props;\n\n\tpropFilter( props, animation.opts.specialEasing );\n\n\tfor ( ; index < length; index++ ) {\n\t\tresult = Animation.prefilters[ index ].call( animation, elem, props, animation.opts );\n\t\tif ( result ) {\n\t\t\tif ( isFunction( result.stop ) ) {\n\t\t\t\tjQuery._queueHooks( animation.elem, animation.opts.queue ).stop =\n\t\t\t\t\tresult.stop.bind( result );\n\t\t\t}\n\t\t\treturn result;\n\t\t}\n\t}\n\n\tjQuery.map( props, createTween, animation );\n\n\tif ( isFunction( animation.opts.start ) ) {\n\t\tanimation.opts.start.call( elem, animation );\n\t}\n\n\t// Attach callbacks from options\n\tanimation\n\t\t.progress( animation.opts.progress )\n\t\t.done( animation.opts.done, animation.opts.complete )\n\t\t.fail( animation.opts.fail )\n\t\t.always( animation.opts.always );\n\n\tjQuery.fx.timer(\n\t\tjQuery.extend( tick, {\n\t\t\telem: elem,\n\t\t\tanim: animation,\n\t\t\tqueue: animation.opts.queue\n\t\t} )\n\t);\n\n\treturn animation;\n}\n\njQuery.Animation = jQuery.extend( Animation, {\n\n\ttweeners: {\n\t\t\"*\": [ function( prop, value ) {\n\t\t\tvar tween = this.createTween( prop, value );\n\t\t\tadjustCSS( tween.elem, prop, rcssNum.exec( value ), tween );\n\t\t\treturn tween;\n\t\t} ]\n\t},\n\n\ttweener: function( props, callback ) {\n\t\tif ( isFunction( props ) ) {\n\t\t\tcallback = props;\n\t\t\tprops = [ \"*\" ];\n\t\t} else {\n\t\t\tprops = props.match( rnothtmlwhite );\n\t\t}\n\n\t\tvar prop,\n\t\t\tindex = 0,\n\t\t\tlength = props.length;\n\n\t\tfor ( ; index < length; index++ ) {\n\t\t\tprop = props[ index ];\n\t\t\tAnimation.tweeners[ prop ] = Animation.tweeners[ prop ] || [];\n\t\t\tAnimation.tweeners[ prop ].unshift( callback );\n\t\t}\n\t},\n\n\tprefilters: [ defaultPrefilter ],\n\n\tprefilter: function( callback, prepend ) {\n\t\tif ( prepend ) {\n\t\t\tAnimation.prefilters.unshift( callback );\n\t\t} else {\n\t\t\tAnimation.prefilters.push( callback );\n\t\t}\n\t}\n} );\n\njQuery.speed = function( speed, easing, fn ) {\n\tvar opt = speed && typeof speed === \"object\" ? jQuery.extend( {}, speed ) : {\n\t\tcomplete: fn || !fn && easing ||\n\t\t\tisFunction( speed ) && speed,\n\t\tduration: speed,\n\t\teasing: fn && easing || easing && !isFunction( easing ) && easing\n\t};\n\n\t// Go to the end state if fx are off\n\tif ( jQuery.fx.off ) {\n\t\topt.duration = 0;\n\n\t} else {\n\t\tif ( typeof opt.duration !== \"number\" ) {\n\t\t\tif ( opt.duration in jQuery.fx.speeds ) {\n\t\t\t\topt.duration = jQuery.fx.speeds[ opt.duration ];\n\n\t\t\t} else {\n\t\t\t\topt.duration = jQuery.fx.speeds._default;\n\t\t\t}\n\t\t}\n\t}\n\n\t// Normalize opt.queue - true/undefined/null -> \"fx\"\n\tif ( opt.queue == null || opt.queue === true ) {\n\t\topt.queue = \"fx\";\n\t}\n\n\t// Queueing\n\topt.old = opt.complete;\n\n\topt.complete = function() {\n\t\tif ( isFunction( opt.old ) ) {\n\t\t\topt.old.call( this );\n\t\t}\n\n\t\tif ( opt.queue ) {\n\t\t\tjQuery.dequeue( this, opt.queue );\n\t\t}\n\t};\n\n\treturn opt;\n};\n\njQuery.fn.extend( {\n\tfadeTo: function( speed, to, easing, callback ) {\n\n\t\t// Show any hidden elements after setting opacity to 0\n\t\treturn this.filter( isHiddenWithinTree ).css( \"opacity\", 0 ).show()\n\n\t\t\t// Animate to the value specified\n\t\t\t.end().animate( { opacity: to }, speed, easing, callback );\n\t},\n\tanimate: function( prop, speed, easing, callback ) {\n\t\tvar empty = jQuery.isEmptyObject( prop ),\n\t\t\toptall = jQuery.speed( speed, easing, callback ),\n\t\t\tdoAnimation = function() {\n\n\t\t\t\t// Operate on a copy of prop so per-property easing won't be lost\n\t\t\t\tvar anim = Animation( this, jQuery.extend( {}, prop ), optall );\n\n\t\t\t\t// Empty animations, or finishing resolves immediately\n\t\t\t\tif ( empty || dataPriv.get( this, \"finish\" ) ) {\n\t\t\t\t\tanim.stop( true );\n\t\t\t\t}\n\t\t\t};\n\n\t\tdoAnimation.finish = doAnimation;\n\n\t\treturn empty || optall.queue === false ?\n\t\t\tthis.each( doAnimation ) :\n\t\t\tthis.queue( optall.queue, doAnimation );\n\t},\n\tstop: function( type, clearQueue, gotoEnd ) {\n\t\tvar stopQueue = function( hooks ) {\n\t\t\tvar stop = hooks.stop;\n\t\t\tdelete hooks.stop;\n\t\t\tstop( gotoEnd );\n\t\t};\n\n\t\tif ( typeof type !== \"string\" ) {\n\t\t\tgotoEnd = clearQueue;\n\t\t\tclearQueue = type;\n\t\t\ttype = undefined;\n\t\t}\n\t\tif ( clearQueue ) {\n\t\t\tthis.queue( type || \"fx\", [] );\n\t\t}\n\n\t\treturn this.each( function() {\n\t\t\tvar dequeue = true,\n\t\t\t\tindex = type != null && type + \"queueHooks\",\n\t\t\t\ttimers = jQuery.timers,\n\t\t\t\tdata = dataPriv.get( this );\n\n\t\t\tif ( index ) {\n\t\t\t\tif ( data[ index ] && data[ index ].stop ) {\n\t\t\t\t\tstopQueue( data[ index ] );\n\t\t\t\t}\n\t\t\t} else {\n\t\t\t\tfor ( index in data ) {\n\t\t\t\t\tif ( data[ index ] && data[ index ].stop && rrun.test( index ) ) {\n\t\t\t\t\t\tstopQueue( data[ index ] );\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfor ( index = timers.length; index--; ) {\n\t\t\t\tif ( timers[ index ].elem === this &&\n\t\t\t\t\t( type == null || timers[ index ].queue === type ) ) {\n\n\t\t\t\t\ttimers[ index ].anim.stop( gotoEnd );\n\t\t\t\t\tdequeue = false;\n\t\t\t\t\ttimers.splice( index, 1 );\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Start the next in the queue if the last step wasn't forced.\n\t\t\t// Timers currently will call their complete callbacks, which\n\t\t\t// will dequeue but only if they were gotoEnd.\n\t\t\tif ( dequeue || !gotoEnd ) {\n\t\t\t\tjQuery.dequeue( this, type );\n\t\t\t}\n\t\t} );\n\t},\n\tfinish: function( type ) {\n\t\tif ( type !== false ) {\n\t\t\ttype = type || \"fx\";\n\t\t}\n\t\treturn this.each( function() {\n\t\t\tvar index,\n\t\t\t\tdata = dataPriv.get( this ),\n\t\t\t\tqueue = data[ type + \"queue\" ],\n\t\t\t\thooks = data[ type + \"queueHooks\" ],\n\t\t\t\ttimers = jQuery.timers,\n\t\t\t\tlength = queue ? queue.length : 0;\n\n\t\t\t// Enable finishing flag on private data\n\t\t\tdata.finish = true;\n\n\t\t\t// Empty the queue first\n\t\t\tjQuery.queue( this, type, [] );\n\n\t\t\tif ( hooks && hooks.stop ) {\n\t\t\t\thooks.stop.call( this, true );\n\t\t\t}\n\n\t\t\t// Look for any active animations, and finish them\n\t\t\tfor ( index = timers.length; index--; ) {\n\t\t\t\tif ( timers[ index ].elem === this && timers[ index ].queue === type ) {\n\t\t\t\t\ttimers[ index ].anim.stop( true );\n\t\t\t\t\ttimers.splice( index, 1 );\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Look for any animations in the old queue and finish them\n\t\t\tfor ( index = 0; index < length; index++ ) {\n\t\t\t\tif ( queue[ index ] && queue[ index ].finish ) {\n\t\t\t\t\tqueue[ index ].finish.call( this );\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Turn off finishing flag\n\t\t\tdelete data.finish;\n\t\t} );\n\t}\n} );\n\njQuery.each( [ \"toggle\", \"show\", \"hide\" ], function( _i, name ) {\n\tvar cssFn = jQuery.fn[ name ];\n\tjQuery.fn[ name ] = function( speed, easing, callback ) {\n\t\treturn speed == null || typeof speed === \"boolean\" ?\n\t\t\tcssFn.apply( this, arguments ) :\n\t\t\tthis.animate( genFx( name, true ), speed, easing, callback );\n\t};\n} );\n\n// Generate shortcuts for custom animations\njQuery.each( {\n\tslideDown: genFx( \"show\" ),\n\tslideUp: genFx( \"hide\" ),\n\tslideToggle: genFx( \"toggle\" ),\n\tfadeIn: { opacity: \"show\" },\n\tfadeOut: { opacity: \"hide\" },\n\tfadeToggle: { opacity: \"toggle\" }\n}, function( name, props ) {\n\tjQuery.fn[ name ] = function( speed, easing, callback ) {\n\t\treturn this.animate( props, speed, easing, callback );\n\t};\n} );\n\njQuery.timers = [];\njQuery.fx.tick = function() {\n\tvar timer,\n\t\ti = 0,\n\t\ttimers = jQuery.timers;\n\n\tfxNow = Date.now();\n\n\tfor ( ; i < timers.length; i++ ) {\n\t\ttimer = timers[ i ];\n\n\t\t// Run the timer and safely remove it when done (allowing for external removal)\n\t\tif ( !timer() && timers[ i ] === timer ) {\n\t\t\ttimers.splice( i--, 1 );\n\t\t}\n\t}\n\n\tif ( !timers.length ) {\n\t\tjQuery.fx.stop();\n\t}\n\tfxNow = undefined;\n};\n\njQuery.fx.timer = function( timer ) {\n\tjQuery.timers.push( timer );\n\tjQuery.fx.start();\n};\n\njQuery.fx.interval = 13;\njQuery.fx.start = function() {\n\tif ( inProgress ) {\n\t\treturn;\n\t}\n\n\tinProgress = true;\n\tschedule();\n};\n\njQuery.fx.stop = function() {\n\tinProgress = null;\n};\n\njQuery.fx.speeds = {\n\tslow: 600,\n\tfast: 200,\n\n\t// Default speed\n\t_default: 400\n};\n\n\n// Based off of the plugin by Clint Helfers, with permission.\njQuery.fn.delay = function( time, type ) {\n\ttime = jQuery.fx ? jQuery.fx.speeds[ time ] || time : time;\n\ttype = type || \"fx\";\n\n\treturn this.queue( type, function( next, hooks ) {\n\t\tvar timeout = window.setTimeout( next, time );\n\t\thooks.stop = function() {\n\t\t\twindow.clearTimeout( timeout );\n\t\t};\n\t} );\n};\n\n\n( function() {\n\tvar input = document.createElement( \"input\" ),\n\t\tselect = document.createElement( \"select\" ),\n\t\topt = select.appendChild( document.createElement( \"option\" ) );\n\n\tinput.type = \"checkbox\";\n\n\t// Support: Android <=4.3 only\n\t// Default value for a checkbox should be \"on\"\n\tsupport.checkOn = input.value !== \"\";\n\n\t// Support: IE <=11 only\n\t// Must access selectedIndex to make default options select\n\tsupport.optSelected = opt.selected;\n\n\t// Support: IE <=11 only\n\t// An input loses its value after becoming a radio\n\tinput = document.createElement( \"input\" );\n\tinput.value = \"t\";\n\tinput.type = \"radio\";\n\tsupport.radioValue = input.value === \"t\";\n} )();\n\n\nvar boolHook,\n\tattrHandle = jQuery.expr.attrHandle;\n\njQuery.fn.extend( {\n\tattr: function( name, value ) {\n\t\treturn access( this, jQuery.attr, name, value, arguments.length > 1 );\n\t},\n\n\tremoveAttr: function( name ) {\n\t\treturn this.each( function() {\n\t\t\tjQuery.removeAttr( this, name );\n\t\t} );\n\t}\n} );\n\njQuery.extend( {\n\tattr: function( elem, name, value ) {\n\t\tvar ret, hooks,\n\t\t\tnType = elem.nodeType;\n\n\t\t// Don't get/set attributes on text, comment and attribute nodes\n\t\tif ( nType === 3 || nType === 8 || nType === 2 ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Fallback to prop when attributes are not supported\n\t\tif ( typeof elem.getAttribute === \"undefined\" ) {\n\t\t\treturn jQuery.prop( elem, name, value );\n\t\t}\n\n\t\t// Attribute hooks are determined by the lowercase version\n\t\t// Grab necessary hook if one is defined\n\t\tif ( nType !== 1 || !jQuery.isXMLDoc( elem ) ) {\n\t\t\thooks = jQuery.attrHooks[ name.toLowerCase() ] ||\n\t\t\t\t( jQuery.expr.match.bool.test( name ) ? boolHook : undefined );\n\t\t}\n\n\t\tif ( value !== undefined ) {\n\t\t\tif ( value === null ) {\n\t\t\t\tjQuery.removeAttr( elem, name );\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif ( hooks && \"set\" in hooks &&\n\t\t\t\t( ret = hooks.set( elem, value, name ) ) !== undefined ) {\n\t\t\t\treturn ret;\n\t\t\t}\n\n\t\t\telem.setAttribute( name, value + \"\" );\n\t\t\treturn value;\n\t\t}\n\n\t\tif ( hooks && \"get\" in hooks && ( ret = hooks.get( elem, name ) ) !== null ) {\n\t\t\treturn ret;\n\t\t}\n\n\t\tret = jQuery.find.attr( elem, name );\n\n\t\t// Non-existent attributes return null, we normalize to undefined\n\t\treturn ret == null ? undefined : ret;\n\t},\n\n\tattrHooks: {\n\t\ttype: {\n\t\t\tset: function( elem, value ) {\n\t\t\t\tif ( !support.radioValue && value === \"radio\" &&\n\t\t\t\t\tnodeName( elem, \"input\" ) ) {\n\t\t\t\t\tvar val = elem.value;\n\t\t\t\t\telem.setAttribute( \"type\", value );\n\t\t\t\t\tif ( val ) {\n\t\t\t\t\t\telem.value = val;\n\t\t\t\t\t}\n\t\t\t\t\treturn value;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t},\n\n\tremoveAttr: function( elem, value ) {\n\t\tvar name,\n\t\t\ti = 0,\n\n\t\t\t// Attribute names can contain non-HTML whitespace characters\n\t\t\t// https://html.spec.whatwg.org/multipage/syntax.html#attributes-2\n\t\t\tattrNames = value && value.match( rnothtmlwhite );\n\n\t\tif ( attrNames && elem.nodeType === 1 ) {\n\t\t\twhile ( ( name = attrNames[ i++ ] ) ) {\n\t\t\t\telem.removeAttribute( name );\n\t\t\t}\n\t\t}\n\t}\n} );\n\n// Hooks for boolean attributes\nboolHook = {\n\tset: function( elem, value, name ) {\n\t\tif ( value === false ) {\n\n\t\t\t// Remove boolean attributes when set to false\n\t\t\tjQuery.removeAttr( elem, name );\n\t\t} else {\n\t\t\telem.setAttribute( name, name );\n\t\t}\n\t\treturn name;\n\t}\n};\n\njQuery.each( jQuery.expr.match.bool.source.match( /\\w+/g ), function( _i, name ) {\n\tvar getter = attrHandle[ name ] || jQuery.find.attr;\n\n\tattrHandle[ name ] = function( elem, name, isXML ) {\n\t\tvar ret, handle,\n\t\t\tlowercaseName = name.toLowerCase();\n\n\t\tif ( !isXML ) {\n\n\t\t\t// Avoid an infinite loop by temporarily removing this function from the getter\n\t\t\thandle = attrHandle[ lowercaseName ];\n\t\t\tattrHandle[ lowercaseName ] = ret;\n\t\t\tret = getter( elem, name, isXML ) != null ?\n\t\t\t\tlowercaseName :\n\t\t\t\tnull;\n\t\t\tattrHandle[ lowercaseName ] = handle;\n\t\t}\n\t\treturn ret;\n\t};\n} );\n\n\n\n\nvar rfocusable = /^(?:input|select|textarea|button)$/i,\n\trclickable = /^(?:a|area)$/i;\n\njQuery.fn.extend( {\n\tprop: function( name, value ) {\n\t\treturn access( this, jQuery.prop, name, value, arguments.length > 1 );\n\t},\n\n\tremoveProp: function( name ) {\n\t\treturn this.each( function() {\n\t\t\tdelete this[ jQuery.propFix[ name ] || name ];\n\t\t} );\n\t}\n} );\n\njQuery.extend( {\n\tprop: function( elem, name, value ) {\n\t\tvar ret, hooks,\n\t\t\tnType = elem.nodeType;\n\n\t\t// Don't get/set properties on text, comment and attribute nodes\n\t\tif ( nType === 3 || nType === 8 || nType === 2 ) {\n\t\t\treturn;\n\t\t}\n\n\t\tif ( nType !== 1 || !jQuery.isXMLDoc( elem ) ) {\n\n\t\t\t// Fix name and attach hooks\n\t\t\tname = jQuery.propFix[ name ] || name;\n\t\t\thooks = jQuery.propHooks[ name ];\n\t\t}\n\n\t\tif ( value !== undefined ) {\n\t\t\tif ( hooks && \"set\" in hooks &&\n\t\t\t\t( ret = hooks.set( elem, value, name ) ) !== undefined ) {\n\t\t\t\treturn ret;\n\t\t\t}\n\n\t\t\treturn ( elem[ name ] = value );\n\t\t}\n\n\t\tif ( hooks && \"get\" in hooks && ( ret = hooks.get( elem, name ) ) !== null ) {\n\t\t\treturn ret;\n\t\t}\n\n\t\treturn elem[ name ];\n\t},\n\n\tpropHooks: {\n\t\ttabIndex: {\n\t\t\tget: function( elem ) {\n\n\t\t\t\t// Support: IE <=9 - 11 only\n\t\t\t\t// elem.tabIndex doesn't always return the\n\t\t\t\t// correct value when it hasn't been explicitly set\n\t\t\t\t// Use proper attribute retrieval (trac-12072)\n\t\t\t\tvar tabindex = jQuery.find.attr( elem, \"tabindex\" );\n\n\t\t\t\tif ( tabindex ) {\n\t\t\t\t\treturn parseInt( tabindex, 10 );\n\t\t\t\t}\n\n\t\t\t\tif (\n\t\t\t\t\trfocusable.test( elem.nodeName ) ||\n\t\t\t\t\trclickable.test( elem.nodeName ) &&\n\t\t\t\t\telem.href\n\t\t\t\t) {\n\t\t\t\t\treturn 0;\n\t\t\t\t}\n\n\t\t\t\treturn -1;\n\t\t\t}\n\t\t}\n\t},\n\n\tpropFix: {\n\t\t\"for\": \"htmlFor\",\n\t\t\"class\": \"className\"\n\t}\n} );\n\n// Support: IE <=11 only\n// Accessing the selectedIndex property\n// forces the browser to respect setting selected\n// on the option\n// The getter ensures a default option is selected\n// when in an optgroup\n// eslint rule \"no-unused-expressions\" is disabled for this code\n// since it considers such accessions noop\nif ( !support.optSelected ) {\n\tjQuery.propHooks.selected = {\n\t\tget: function( elem ) {\n\n\t\t\t/* eslint no-unused-expressions: \"off\" */\n\n\t\t\tvar parent = elem.parentNode;\n\t\t\tif ( parent && parent.parentNode ) {\n\t\t\t\tparent.parentNode.selectedIndex;\n\t\t\t}\n\t\t\treturn null;\n\t\t},\n\t\tset: function( elem ) {\n\n\t\t\t/* eslint no-unused-expressions: \"off\" */\n\n\t\t\tvar parent = elem.parentNode;\n\t\t\tif ( parent ) {\n\t\t\t\tparent.selectedIndex;\n\n\t\t\t\tif ( parent.parentNode ) {\n\t\t\t\t\tparent.parentNode.selectedIndex;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t};\n}\n\njQuery.each( [\n\t\"tabIndex\",\n\t\"readOnly\",\n\t\"maxLength\",\n\t\"cellSpacing\",\n\t\"cellPadding\",\n\t\"rowSpan\",\n\t\"colSpan\",\n\t\"useMap\",\n\t\"frameBorder\",\n\t\"contentEditable\"\n], function() {\n\tjQuery.propFix[ this.toLowerCase() ] = this;\n} );\n\n\n\n\n\t// Strip and collapse whitespace according to HTML spec\n\t// https://infra.spec.whatwg.org/#strip-and-collapse-ascii-whitespace\n\tfunction stripAndCollapse( value ) {\n\t\tvar tokens = value.match( rnothtmlwhite ) || [];\n\t\treturn tokens.join( \" \" );\n\t}\n\n\nfunction getClass( elem ) {\n\treturn elem.getAttribute && elem.getAttribute( \"class\" ) || \"\";\n}\n\nfunction classesToArray( value ) {\n\tif ( Array.isArray( value ) ) {\n\t\treturn value;\n\t}\n\tif ( typeof value === \"string\" ) {\n\t\treturn value.match( rnothtmlwhite ) || [];\n\t}\n\treturn [];\n}\n\njQuery.fn.extend( {\n\taddClass: function( value ) {\n\t\tvar classNames, cur, curValue, className, i, finalValue;\n\n\t\tif ( isFunction( value ) ) {\n\t\t\treturn this.each( function( j ) {\n\t\t\t\tjQuery( this ).addClass( value.call( this, j, getClass( this ) ) );\n\t\t\t} );\n\t\t}\n\n\t\tclassNames = classesToArray( value );\n\n\t\tif ( classNames.length ) {\n\t\t\treturn this.each( function() {\n\t\t\t\tcurValue = getClass( this );\n\t\t\t\tcur = this.nodeType === 1 && ( \" \" + stripAndCollapse( curValue ) + \" \" );\n\n\t\t\t\tif ( cur ) {\n\t\t\t\t\tfor ( i = 0; i < classNames.length; i++ ) {\n\t\t\t\t\t\tclassName = classNames[ i ];\n\t\t\t\t\t\tif ( cur.indexOf( \" \" + className + \" \" ) < 0 ) {\n\t\t\t\t\t\t\tcur += className + \" \";\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\t// Only assign if different to avoid unneeded rendering.\n\t\t\t\t\tfinalValue = stripAndCollapse( cur );\n\t\t\t\t\tif ( curValue !== finalValue ) {\n\t\t\t\t\t\tthis.setAttribute( \"class\", finalValue );\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t} );\n\t\t}\n\n\t\treturn this;\n\t},\n\n\tremoveClass: function( value ) {\n\t\tvar classNames, cur, curValue, className, i, finalValue;\n\n\t\tif ( isFunction( value ) ) {\n\t\t\treturn this.each( function( j ) {\n\t\t\t\tjQuery( this ).removeClass( value.call( this, j, getClass( this ) ) );\n\t\t\t} );\n\t\t}\n\n\t\tif ( !arguments.length ) {\n\t\t\treturn this.attr( \"class\", \"\" );\n\t\t}\n\n\t\tclassNames = classesToArray( value );\n\n\t\tif ( classNames.length ) {\n\t\t\treturn this.each( function() {\n\t\t\t\tcurValue = getClass( this );\n\n\t\t\t\t// This expression is here for better compressibility (see addClass)\n\t\t\t\tcur = this.nodeType === 1 && ( \" \" + stripAndCollapse( curValue ) + \" \" );\n\n\t\t\t\tif ( cur ) {\n\t\t\t\t\tfor ( i = 0; i < classNames.length; i++ ) {\n\t\t\t\t\t\tclassName = classNames[ i ];\n\n\t\t\t\t\t\t// Remove *all* instances\n\t\t\t\t\t\twhile ( cur.indexOf( \" \" + className + \" \" ) > -1 ) {\n\t\t\t\t\t\t\tcur = cur.replace( \" \" + className + \" \", \" \" );\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\t// Only assign if different to avoid unneeded rendering.\n\t\t\t\t\tfinalValue = stripAndCollapse( cur );\n\t\t\t\t\tif ( curValue !== finalValue ) {\n\t\t\t\t\t\tthis.setAttribute( \"class\", finalValue );\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t} );\n\t\t}\n\n\t\treturn this;\n\t},\n\n\ttoggleClass: function( value, stateVal ) {\n\t\tvar classNames, className, i, self,\n\t\t\ttype = typeof value,\n\t\t\tisValidValue = type === \"string\" || Array.isArray( value );\n\n\t\tif ( isFunction( value ) ) {\n\t\t\treturn this.each( function( i ) {\n\t\t\t\tjQuery( this ).toggleClass(\n\t\t\t\t\tvalue.call( this, i, getClass( this ), stateVal ),\n\t\t\t\t\tstateVal\n\t\t\t\t);\n\t\t\t} );\n\t\t}\n\n\t\tif ( typeof stateVal === \"boolean\" && isValidValue ) {\n\t\t\treturn stateVal ? this.addClass( value ) : this.removeClass( value );\n\t\t}\n\n\t\tclassNames = classesToArray( value );\n\n\t\treturn this.each( function() {\n\t\t\tif ( isValidValue ) {\n\n\t\t\t\t// Toggle individual class names\n\t\t\t\tself = jQuery( this );\n\n\t\t\t\tfor ( i = 0; i < classNames.length; i++ ) {\n\t\t\t\t\tclassName = classNames[ i ];\n\n\t\t\t\t\t// Check each className given, space separated list\n\t\t\t\t\tif ( self.hasClass( className ) ) {\n\t\t\t\t\t\tself.removeClass( className );\n\t\t\t\t\t} else {\n\t\t\t\t\t\tself.addClass( className );\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t// Toggle whole class name\n\t\t\t} else if ( value === undefined || type === \"boolean\" ) {\n\t\t\t\tclassName = getClass( this );\n\t\t\t\tif ( className ) {\n\n\t\t\t\t\t// Store className if set\n\t\t\t\t\tdataPriv.set( this, \"__className__\", className );\n\t\t\t\t}\n\n\t\t\t\t// If the element has a class name or if we're passed `false`,\n\t\t\t\t// then remove the whole classname (if there was one, the above saved it).\n\t\t\t\t// Otherwise bring back whatever was previously saved (if anything),\n\t\t\t\t// falling back to the empty string if nothing was stored.\n\t\t\t\tif ( this.setAttribute ) {\n\t\t\t\t\tthis.setAttribute( \"class\",\n\t\t\t\t\t\tclassName || value === false ?\n\t\t\t\t\t\t\t\"\" :\n\t\t\t\t\t\t\tdataPriv.get( this, \"__className__\" ) || \"\"\n\t\t\t\t\t);\n\t\t\t\t}\n\t\t\t}\n\t\t} );\n\t},\n\n\thasClass: function( selector ) {\n\t\tvar className, elem,\n\t\t\ti = 0;\n\n\t\tclassName = \" \" + selector + \" \";\n\t\twhile ( ( elem = this[ i++ ] ) ) {\n\t\t\tif ( elem.nodeType === 1 &&\n\t\t\t\t( \" \" + stripAndCollapse( getClass( elem ) ) + \" \" ).indexOf( className ) > -1 ) {\n\t\t\t\treturn true;\n\t\t\t}\n\t\t}\n\n\t\treturn false;\n\t}\n} );\n\n\n\n\nvar rreturn = /\\r/g;\n\njQuery.fn.extend( {\n\tval: function( value ) {\n\t\tvar hooks, ret, valueIsFunction,\n\t\t\telem = this[ 0 ];\n\n\t\tif ( !arguments.length ) {\n\t\t\tif ( elem ) {\n\t\t\t\thooks = jQuery.valHooks[ elem.type ] ||\n\t\t\t\t\tjQuery.valHooks[ elem.nodeName.toLowerCase() ];\n\n\t\t\t\tif ( hooks &&\n\t\t\t\t\t\"get\" in hooks &&\n\t\t\t\t\t( ret = hooks.get( elem, \"value\" ) ) !== undefined\n\t\t\t\t) {\n\t\t\t\t\treturn ret;\n\t\t\t\t}\n\n\t\t\t\tret = elem.value;\n\n\t\t\t\t// Handle most common string cases\n\t\t\t\tif ( typeof ret === \"string\" ) {\n\t\t\t\t\treturn ret.replace( rreturn, \"\" );\n\t\t\t\t}\n\n\t\t\t\t// Handle cases where value is null/undef or number\n\t\t\t\treturn ret == null ? \"\" : ret;\n\t\t\t}\n\n\t\t\treturn;\n\t\t}\n\n\t\tvalueIsFunction = isFunction( value );\n\n\t\treturn this.each( function( i ) {\n\t\t\tvar val;\n\n\t\t\tif ( this.nodeType !== 1 ) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif ( valueIsFunction ) {\n\t\t\t\tval = value.call( this, i, jQuery( this ).val() );\n\t\t\t} else {\n\t\t\t\tval = value;\n\t\t\t}\n\n\t\t\t// Treat null/undefined as \"\"; convert numbers to string\n\t\t\tif ( val == null ) {\n\t\t\t\tval = \"\";\n\n\t\t\t} else if ( typeof val === \"number\" ) {\n\t\t\t\tval += \"\";\n\n\t\t\t} else if ( Array.isArray( val ) ) {\n\t\t\t\tval = jQuery.map( val, function( value ) {\n\t\t\t\t\treturn value == null ? \"\" : value + \"\";\n\t\t\t\t} );\n\t\t\t}\n\n\t\t\thooks = jQuery.valHooks[ this.type ] || jQuery.valHooks[ this.nodeName.toLowerCase() ];\n\n\t\t\t// If set returns undefined, fall back to normal setting\n\t\t\tif ( !hooks || !( \"set\" in hooks ) || hooks.set( this, val, \"value\" ) === undefined ) {\n\t\t\t\tthis.value = val;\n\t\t\t}\n\t\t} );\n\t}\n} );\n\njQuery.extend( {\n\tvalHooks: {\n\t\toption: {\n\t\t\tget: function( elem ) {\n\n\t\t\t\tvar val = jQuery.find.attr( elem, \"value\" );\n\t\t\t\treturn val != null ?\n\t\t\t\t\tval :\n\n\t\t\t\t\t// Support: IE <=10 - 11 only\n\t\t\t\t\t// option.text throws exceptions (trac-14686, trac-14858)\n\t\t\t\t\t// Strip and collapse whitespace\n\t\t\t\t\t// https://html.spec.whatwg.org/#strip-and-collapse-whitespace\n\t\t\t\t\tstripAndCollapse( jQuery.text( elem ) );\n\t\t\t}\n\t\t},\n\t\tselect: {\n\t\t\tget: function( elem ) {\n\t\t\t\tvar value, option, i,\n\t\t\t\t\toptions = elem.options,\n\t\t\t\t\tindex = elem.selectedIndex,\n\t\t\t\t\tone = elem.type === \"select-one\",\n\t\t\t\t\tvalues = one ? null : [],\n\t\t\t\t\tmax = one ? index + 1 : options.length;\n\n\t\t\t\tif ( index < 0 ) {\n\t\t\t\t\ti = max;\n\n\t\t\t\t} else {\n\t\t\t\t\ti = one ? index : 0;\n\t\t\t\t}\n\n\t\t\t\t// Loop through all the selected options\n\t\t\t\tfor ( ; i < max; i++ ) {\n\t\t\t\t\toption = options[ i ];\n\n\t\t\t\t\t// Support: IE <=9 only\n\t\t\t\t\t// IE8-9 doesn't update selected after form reset (trac-2551)\n\t\t\t\t\tif ( ( option.selected || i === index ) &&\n\n\t\t\t\t\t\t\t// Don't return options that are disabled or in a disabled optgroup\n\t\t\t\t\t\t\t!option.disabled &&\n\t\t\t\t\t\t\t( !option.parentNode.disabled ||\n\t\t\t\t\t\t\t\t!nodeName( option.parentNode, \"optgroup\" ) ) ) {\n\n\t\t\t\t\t\t// Get the specific value for the option\n\t\t\t\t\t\tvalue = jQuery( option ).val();\n\n\t\t\t\t\t\t// We don't need an array for one selects\n\t\t\t\t\t\tif ( one ) {\n\t\t\t\t\t\t\treturn value;\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\t// Multi-Selects return an array\n\t\t\t\t\t\tvalues.push( value );\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\treturn values;\n\t\t\t},\n\n\t\t\tset: function( elem, value ) {\n\t\t\t\tvar optionSet, option,\n\t\t\t\t\toptions = elem.options,\n\t\t\t\t\tvalues = jQuery.makeArray( value ),\n\t\t\t\t\ti = options.length;\n\n\t\t\t\twhile ( i-- ) {\n\t\t\t\t\toption = options[ i ];\n\n\t\t\t\t\t/* eslint-disable no-cond-assign */\n\n\t\t\t\t\tif ( option.selected =\n\t\t\t\t\t\tjQuery.inArray( jQuery.valHooks.option.get( option ), values ) > -1\n\t\t\t\t\t) {\n\t\t\t\t\t\toptionSet = true;\n\t\t\t\t\t}\n\n\t\t\t\t\t/* eslint-enable no-cond-assign */\n\t\t\t\t}\n\n\t\t\t\t// Force browsers to behave consistently when non-matching value is set\n\t\t\t\tif ( !optionSet ) {\n\t\t\t\t\telem.selectedIndex = -1;\n\t\t\t\t}\n\t\t\t\treturn values;\n\t\t\t}\n\t\t}\n\t}\n} );\n\n// Radios and checkboxes getter/setter\njQuery.each( [ \"radio\", \"checkbox\" ], function() {\n\tjQuery.valHooks[ this ] = {\n\t\tset: function( elem, value ) {\n\t\t\tif ( Array.isArray( value ) ) {\n\t\t\t\treturn ( elem.checked = jQuery.inArray( jQuery( elem ).val(), value ) > -1 );\n\t\t\t}\n\t\t}\n\t};\n\tif ( !support.checkOn ) {\n\t\tjQuery.valHooks[ this ].get = function( elem ) {\n\t\t\treturn elem.getAttribute( \"value\" ) === null ? \"on\" : elem.value;\n\t\t};\n\t}\n} );\n\n\n\n\n// Return jQuery for attributes-only inclusion\nvar location = window.location;\n\nvar nonce = { guid: Date.now() };\n\nvar rquery = ( /\\?/ );\n\n\n\n// Cross-browser xml parsing\njQuery.parseXML = function( data ) {\n\tvar xml, parserErrorElem;\n\tif ( !data || typeof data !== \"string\" ) {\n\t\treturn null;\n\t}\n\n\t// Support: IE 9 - 11 only\n\t// IE throws on parseFromString with invalid input.\n\ttry {\n\t\txml = ( new window.DOMParser() ).parseFromString( data, \"text/xml\" );\n\t} catch ( e ) {}\n\n\tparserErrorElem = xml && xml.getElementsByTagName( \"parsererror\" )[ 0 ];\n\tif ( !xml || parserErrorElem ) {\n\t\tjQuery.error( \"Invalid XML: \" + (\n\t\t\tparserErrorElem ?\n\t\t\t\tjQuery.map( parserErrorElem.childNodes, function( el ) {\n\t\t\t\t\treturn el.textContent;\n\t\t\t\t} ).join( \"\\n\" ) :\n\t\t\t\tdata\n\t\t) );\n\t}\n\treturn xml;\n};\n\n\nvar rfocusMorph = /^(?:focusinfocus|focusoutblur)$/,\n\tstopPropagationCallback = function( e ) {\n\t\te.stopPropagation();\n\t};\n\njQuery.extend( jQuery.event, {\n\n\ttrigger: function( event, data, elem, onlyHandlers ) {\n\n\t\tvar i, cur, tmp, bubbleType, ontype, handle, special, lastElement,\n\t\t\teventPath = [ elem || document ],\n\t\t\ttype = hasOwn.call( event, \"type\" ) ? event.type : event,\n\t\t\tnamespaces = hasOwn.call( event, \"namespace\" ) ? event.namespace.split( \".\" ) : [];\n\n\t\tcur = lastElement = tmp = elem = elem || document;\n\n\t\t// Don't do events on text and comment nodes\n\t\tif ( elem.nodeType === 3 || elem.nodeType === 8 ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// focus/blur morphs to focusin/out; ensure we're not firing them right now\n\t\tif ( rfocusMorph.test( type + jQuery.event.triggered ) ) {\n\t\t\treturn;\n\t\t}\n\n\t\tif ( type.indexOf( \".\" ) > -1 ) {\n\n\t\t\t// Namespaced trigger; create a regexp to match event type in handle()\n\t\t\tnamespaces = type.split( \".\" );\n\t\t\ttype = namespaces.shift();\n\t\t\tnamespaces.sort();\n\t\t}\n\t\tontype = type.indexOf( \":\" ) < 0 && \"on\" + type;\n\n\t\t// Caller can pass in a jQuery.Event object, Object, or just an event type string\n\t\tevent = event[ jQuery.expando ] ?\n\t\t\tevent :\n\t\t\tnew jQuery.Event( type, typeof event === \"object\" && event );\n\n\t\t// Trigger bitmask: & 1 for native handlers; & 2 for jQuery (always true)\n\t\tevent.isTrigger = onlyHandlers ? 2 : 3;\n\t\tevent.namespace = namespaces.join( \".\" );\n\t\tevent.rnamespace = event.namespace ?\n\t\t\tnew RegExp( \"(^|\\\\.)\" + namespaces.join( \"\\\\.(?:.*\\\\.|)\" ) + \"(\\\\.|$)\" ) :\n\t\t\tnull;\n\n\t\t// Clean up the event in case it is being reused\n\t\tevent.result = undefined;\n\t\tif ( !event.target ) {\n\t\t\tevent.target = elem;\n\t\t}\n\n\t\t// Clone any incoming data and prepend the event, creating the handler arg list\n\t\tdata = data == null ?\n\t\t\t[ event ] :\n\t\t\tjQuery.makeArray( data, [ event ] );\n\n\t\t// Allow special events to draw outside the lines\n\t\tspecial = jQuery.event.special[ type ] || {};\n\t\tif ( !onlyHandlers && special.trigger && special.trigger.apply( elem, data ) === false ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Determine event propagation path in advance, per W3C events spec (trac-9951)\n\t\t// Bubble up to document, then to window; watch for a global ownerDocument var (trac-9724)\n\t\tif ( !onlyHandlers && !special.noBubble && !isWindow( elem ) ) {\n\n\t\t\tbubbleType = special.delegateType || type;\n\t\t\tif ( !rfocusMorph.test( bubbleType + type ) ) {\n\t\t\t\tcur = cur.parentNode;\n\t\t\t}\n\t\t\tfor ( ; cur; cur = cur.parentNode ) {\n\t\t\t\teventPath.push( cur );\n\t\t\t\ttmp = cur;\n\t\t\t}\n\n\t\t\t// Only add window if we got to document (e.g., not plain obj or detached DOM)\n\t\t\tif ( tmp === ( elem.ownerDocument || document ) ) {\n\t\t\t\teventPath.push( tmp.defaultView || tmp.parentWindow || window );\n\t\t\t}\n\t\t}\n\n\t\t// Fire handlers on the event path\n\t\ti = 0;\n\t\twhile ( ( cur = eventPath[ i++ ] ) && !event.isPropagationStopped() ) {\n\t\t\tlastElement = cur;\n\t\t\tevent.type = i > 1 ?\n\t\t\t\tbubbleType :\n\t\t\t\tspecial.bindType || type;\n\n\t\t\t// jQuery handler\n\t\t\thandle = ( dataPriv.get( cur, \"events\" ) || Object.create( null ) )[ event.type ] &&\n\t\t\t\tdataPriv.get( cur, \"handle\" );\n\t\t\tif ( handle ) {\n\t\t\t\thandle.apply( cur, data );\n\t\t\t}\n\n\t\t\t// Native handler\n\t\t\thandle = ontype && cur[ ontype ];\n\t\t\tif ( handle && handle.apply && acceptData( cur ) ) {\n\t\t\t\tevent.result = handle.apply( cur, data );\n\t\t\t\tif ( event.result === false ) {\n\t\t\t\t\tevent.preventDefault();\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\tevent.type = type;\n\n\t\t// If nobody prevented the default action, do it now\n\t\tif ( !onlyHandlers && !event.isDefaultPrevented() ) {\n\n\t\t\tif ( ( !special._default ||\n\t\t\t\tspecial._default.apply( eventPath.pop(), data ) === false ) &&\n\t\t\t\tacceptData( elem ) ) {\n\n\t\t\t\t// Call a native DOM method on the target with the same name as the event.\n\t\t\t\t// Don't do default actions on window, that's where global variables be (trac-6170)\n\t\t\t\tif ( ontype && isFunction( elem[ type ] ) && !isWindow( elem ) ) {\n\n\t\t\t\t\t// Don't re-trigger an onFOO event when we call its FOO() method\n\t\t\t\t\ttmp = elem[ ontype ];\n\n\t\t\t\t\tif ( tmp ) {\n\t\t\t\t\t\telem[ ontype ] = null;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Prevent re-triggering of the same event, since we already bubbled it above\n\t\t\t\t\tjQuery.event.triggered = type;\n\n\t\t\t\t\tif ( event.isPropagationStopped() ) {\n\t\t\t\t\t\tlastElement.addEventListener( type, stopPropagationCallback );\n\t\t\t\t\t}\n\n\t\t\t\t\telem[ type ]();\n\n\t\t\t\t\tif ( event.isPropagationStopped() ) {\n\t\t\t\t\t\tlastElement.removeEventListener( type, stopPropagationCallback );\n\t\t\t\t\t}\n\n\t\t\t\t\tjQuery.event.triggered = undefined;\n\n\t\t\t\t\tif ( tmp ) {\n\t\t\t\t\t\telem[ ontype ] = tmp;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn event.result;\n\t},\n\n\t// Piggyback on a donor event to simulate a different one\n\t// Used only for `focus(in | out)` events\n\tsimulate: function( type, elem, event ) {\n\t\tvar e = jQuery.extend(\n\t\t\tnew jQuery.Event(),\n\t\t\tevent,\n\t\t\t{\n\t\t\t\ttype: type,\n\t\t\t\tisSimulated: true\n\t\t\t}\n\t\t);\n\n\t\tjQuery.event.trigger( e, null, elem );\n\t}\n\n} );\n\njQuery.fn.extend( {\n\n\ttrigger: function( type, data ) {\n\t\treturn this.each( function() {\n\t\t\tjQuery.event.trigger( type, data, this );\n\t\t} );\n\t},\n\ttriggerHandler: function( type, data ) {\n\t\tvar elem = this[ 0 ];\n\t\tif ( elem ) {\n\t\t\treturn jQuery.event.trigger( type, data, elem, true );\n\t\t}\n\t}\n} );\n\n\nvar\n\trbracket = /\\[\\]$/,\n\trCRLF = /\\r?\\n/g,\n\trsubmitterTypes = /^(?:submit|button|image|reset|file)$/i,\n\trsubmittable = /^(?:input|select|textarea|keygen)/i;\n\nfunction buildParams( prefix, obj, traditional, add ) {\n\tvar name;\n\n\tif ( Array.isArray( obj ) ) {\n\n\t\t// Serialize array item.\n\t\tjQuery.each( obj, function( i, v ) {\n\t\t\tif ( traditional || rbracket.test( prefix ) ) {\n\n\t\t\t\t// Treat each array item as a scalar.\n\t\t\t\tadd( prefix, v );\n\n\t\t\t} else {\n\n\t\t\t\t// Item is non-scalar (array or object), encode its numeric index.\n\t\t\t\tbuildParams(\n\t\t\t\t\tprefix + \"[\" + ( typeof v === \"object\" && v != null ? i : \"\" ) + \"]\",\n\t\t\t\t\tv,\n\t\t\t\t\ttraditional,\n\t\t\t\t\tadd\n\t\t\t\t);\n\t\t\t}\n\t\t} );\n\n\t} else if ( !traditional && toType( obj ) === \"object\" ) {\n\n\t\t// Serialize object item.\n\t\tfor ( name in obj ) {\n\t\t\tbuildParams( prefix + \"[\" + name + \"]\", obj[ name ], traditional, add );\n\t\t}\n\n\t} else {\n\n\t\t// Serialize scalar item.\n\t\tadd( prefix, obj );\n\t}\n}\n\n// Serialize an array of form elements or a set of\n// key/values into a query string\njQuery.param = function( a, traditional ) {\n\tvar prefix,\n\t\ts = [],\n\t\tadd = function( key, valueOrFunction ) {\n\n\t\t\t// If value is a function, invoke it and use its return value\n\t\t\tvar value = isFunction( valueOrFunction ) ?\n\t\t\t\tvalueOrFunction() :\n\t\t\t\tvalueOrFunction;\n\n\t\t\ts[ s.length ] = encodeURIComponent( key ) + \"=\" +\n\t\t\t\tencodeURIComponent( value == null ? \"\" : value );\n\t\t};\n\n\tif ( a == null ) {\n\t\treturn \"\";\n\t}\n\n\t// If an array was passed in, assume that it is an array of form elements.\n\tif ( Array.isArray( a ) || ( a.jquery && !jQuery.isPlainObject( a ) ) ) {\n\n\t\t// Serialize the form elements\n\t\tjQuery.each( a, function() {\n\t\t\tadd( this.name, this.value );\n\t\t} );\n\n\t} else {\n\n\t\t// If traditional, encode the \"old\" way (the way 1.3.2 or older\n\t\t// did it), otherwise encode params recursively.\n\t\tfor ( prefix in a ) {\n\t\t\tbuildParams( prefix, a[ prefix ], traditional, add );\n\t\t}\n\t}\n\n\t// Return the resulting serialization\n\treturn s.join( \"&\" );\n};\n\njQuery.fn.extend( {\n\tserialize: function() {\n\t\treturn jQuery.param( this.serializeArray() );\n\t},\n\tserializeArray: function() {\n\t\treturn this.map( function() {\n\n\t\t\t// Can add propHook for \"elements\" to filter or add form elements\n\t\t\tvar elements = jQuery.prop( this, \"elements\" );\n\t\t\treturn elements ? jQuery.makeArray( elements ) : this;\n\t\t} ).filter( function() {\n\t\t\tvar type = this.type;\n\n\t\t\t// Use .is( \":disabled\" ) so that fieldset[disabled] works\n\t\t\treturn this.name && !jQuery( this ).is( \":disabled\" ) &&\n\t\t\t\trsubmittable.test( this.nodeName ) && !rsubmitterTypes.test( type ) &&\n\t\t\t\t( this.checked || !rcheckableType.test( type ) );\n\t\t} ).map( function( _i, elem ) {\n\t\t\tvar val = jQuery( this ).val();\n\n\t\t\tif ( val == null ) {\n\t\t\t\treturn null;\n\t\t\t}\n\n\t\t\tif ( Array.isArray( val ) ) {\n\t\t\t\treturn jQuery.map( val, function( val ) {\n\t\t\t\t\treturn { name: elem.name, value: val.replace( rCRLF, \"\\r\\n\" ) };\n\t\t\t\t} );\n\t\t\t}\n\n\t\t\treturn { name: elem.name, value: val.replace( rCRLF, \"\\r\\n\" ) };\n\t\t} ).get();\n\t}\n} );\n\n\nvar\n\tr20 = /%20/g,\n\trhash = /#.*$/,\n\trantiCache = /([?&])_=[^&]*/,\n\trheaders = /^(.*?):[ \\t]*([^\\r\\n]*)$/mg,\n\n\t// trac-7653, trac-8125, trac-8152: local protocol detection\n\trlocalProtocol = /^(?:about|app|app-storage|.+-extension|file|res|widget):$/,\n\trnoContent = /^(?:GET|HEAD)$/,\n\trprotocol = /^\\/\\//,\n\n\t/* Prefilters\n\t * 1) They are useful to introduce custom dataTypes (see ajax/jsonp.js for an example)\n\t * 2) These are called:\n\t * - BEFORE asking for a transport\n\t * - AFTER param serialization (s.data is a string if s.processData is true)\n\t * 3) key is the dataType\n\t * 4) the catchall symbol \"*\" can be used\n\t * 5) execution will start with transport dataType and THEN continue down to \"*\" if needed\n\t */\n\tprefilters = {},\n\n\t/* Transports bindings\n\t * 1) key is the dataType\n\t * 2) the catchall symbol \"*\" can be used\n\t * 3) selection will start with transport dataType and THEN go to \"*\" if needed\n\t */\n\ttransports = {},\n\n\t// Avoid comment-prolog char sequence (trac-10098); must appease lint and evade compression\n\tallTypes = \"*/\".concat( \"*\" ),\n\n\t// Anchor tag for parsing the document origin\n\toriginAnchor = document.createElement( \"a\" );\n\noriginAnchor.href = location.href;\n\n// Base \"constructor\" for jQuery.ajaxPrefilter and jQuery.ajaxTransport\nfunction addToPrefiltersOrTransports( structure ) {\n\n\t// dataTypeExpression is optional and defaults to \"*\"\n\treturn function( dataTypeExpression, func ) {\n\n\t\tif ( typeof dataTypeExpression !== \"string\" ) {\n\t\t\tfunc = dataTypeExpression;\n\t\t\tdataTypeExpression = \"*\";\n\t\t}\n\n\t\tvar dataType,\n\t\t\ti = 0,\n\t\t\tdataTypes = dataTypeExpression.toLowerCase().match( rnothtmlwhite ) || [];\n\n\t\tif ( isFunction( func ) ) {\n\n\t\t\t// For each dataType in the dataTypeExpression\n\t\t\twhile ( ( dataType = dataTypes[ i++ ] ) ) {\n\n\t\t\t\t// Prepend if requested\n\t\t\t\tif ( dataType[ 0 ] === \"+\" ) {\n\t\t\t\t\tdataType = dataType.slice( 1 ) || \"*\";\n\t\t\t\t\t( structure[ dataType ] = structure[ dataType ] || [] ).unshift( func );\n\n\t\t\t\t// Otherwise append\n\t\t\t\t} else {\n\t\t\t\t\t( structure[ dataType ] = structure[ dataType ] || [] ).push( func );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t};\n}\n\n// Base inspection function for prefilters and transports\nfunction inspectPrefiltersOrTransports( structure, options, originalOptions, jqXHR ) {\n\n\tvar inspected = {},\n\t\tseekingTransport = ( structure === transports );\n\n\tfunction inspect( dataType ) {\n\t\tvar selected;\n\t\tinspected[ dataType ] = true;\n\t\tjQuery.each( structure[ dataType ] || [], function( _, prefilterOrFactory ) {\n\t\t\tvar dataTypeOrTransport = prefilterOrFactory( options, originalOptions, jqXHR );\n\t\t\tif ( typeof dataTypeOrTransport === \"string\" &&\n\t\t\t\t!seekingTransport && !inspected[ dataTypeOrTransport ] ) {\n\n\t\t\t\toptions.dataTypes.unshift( dataTypeOrTransport );\n\t\t\t\tinspect( dataTypeOrTransport );\n\t\t\t\treturn false;\n\t\t\t} else if ( seekingTransport ) {\n\t\t\t\treturn !( selected = dataTypeOrTransport );\n\t\t\t}\n\t\t} );\n\t\treturn selected;\n\t}\n\n\treturn inspect( options.dataTypes[ 0 ] ) || !inspected[ \"*\" ] && inspect( \"*\" );\n}\n\n// A special extend for ajax options\n// that takes \"flat\" options (not to be deep extended)\n// Fixes trac-9887\nfunction ajaxExtend( target, src ) {\n\tvar key, deep,\n\t\tflatOptions = jQuery.ajaxSettings.flatOptions || {};\n\n\tfor ( key in src ) {\n\t\tif ( src[ key ] !== undefined ) {\n\t\t\t( flatOptions[ key ] ? target : ( deep || ( deep = {} ) ) )[ key ] = src[ key ];\n\t\t}\n\t}\n\tif ( deep ) {\n\t\tjQuery.extend( true, target, deep );\n\t}\n\n\treturn target;\n}\n\n/* Handles responses to an ajax request:\n * - finds the right dataType (mediates between content-type and expected dataType)\n * - returns the corresponding response\n */\nfunction ajaxHandleResponses( s, jqXHR, responses ) {\n\n\tvar ct, type, finalDataType, firstDataType,\n\t\tcontents = s.contents,\n\t\tdataTypes = s.dataTypes;\n\n\t// Remove auto dataType and get content-type in the process\n\twhile ( dataTypes[ 0 ] === \"*\" ) {\n\t\tdataTypes.shift();\n\t\tif ( ct === undefined ) {\n\t\t\tct = s.mimeType || jqXHR.getResponseHeader( \"Content-Type\" );\n\t\t}\n\t}\n\n\t// Check if we're dealing with a known content-type\n\tif ( ct ) {\n\t\tfor ( type in contents ) {\n\t\t\tif ( contents[ type ] && contents[ type ].test( ct ) ) {\n\t\t\t\tdataTypes.unshift( type );\n\t\t\t\tbreak;\n\t\t\t}\n\t\t}\n\t}\n\n\t// Check to see if we have a response for the expected dataType\n\tif ( dataTypes[ 0 ] in responses ) {\n\t\tfinalDataType = dataTypes[ 0 ];\n\t} else {\n\n\t\t// Try convertible dataTypes\n\t\tfor ( type in responses ) {\n\t\t\tif ( !dataTypes[ 0 ] || s.converters[ type + \" \" + dataTypes[ 0 ] ] ) {\n\t\t\t\tfinalDataType = type;\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tif ( !firstDataType ) {\n\t\t\t\tfirstDataType = type;\n\t\t\t}\n\t\t}\n\n\t\t// Or just use first one\n\t\tfinalDataType = finalDataType || firstDataType;\n\t}\n\n\t// If we found a dataType\n\t// We add the dataType to the list if needed\n\t// and return the corresponding response\n\tif ( finalDataType ) {\n\t\tif ( finalDataType !== dataTypes[ 0 ] ) {\n\t\t\tdataTypes.unshift( finalDataType );\n\t\t}\n\t\treturn responses[ finalDataType ];\n\t}\n}\n\n/* Chain conversions given the request and the original response\n * Also sets the responseXXX fields on the jqXHR instance\n */\nfunction ajaxConvert( s, response, jqXHR, isSuccess ) {\n\tvar conv2, current, conv, tmp, prev,\n\t\tconverters = {},\n\n\t\t// Work with a copy of dataTypes in case we need to modify it for conversion\n\t\tdataTypes = s.dataTypes.slice();\n\n\t// Create converters map with lowercased keys\n\tif ( dataTypes[ 1 ] ) {\n\t\tfor ( conv in s.converters ) {\n\t\t\tconverters[ conv.toLowerCase() ] = s.converters[ conv ];\n\t\t}\n\t}\n\n\tcurrent = dataTypes.shift();\n\n\t// Convert to each sequential dataType\n\twhile ( current ) {\n\n\t\tif ( s.responseFields[ current ] ) {\n\t\t\tjqXHR[ s.responseFields[ current ] ] = response;\n\t\t}\n\n\t\t// Apply the dataFilter if provided\n\t\tif ( !prev && isSuccess && s.dataFilter ) {\n\t\t\tresponse = s.dataFilter( response, s.dataType );\n\t\t}\n\n\t\tprev = current;\n\t\tcurrent = dataTypes.shift();\n\n\t\tif ( current ) {\n\n\t\t\t// There's only work to do if current dataType is non-auto\n\t\t\tif ( current === \"*\" ) {\n\n\t\t\t\tcurrent = prev;\n\n\t\t\t// Convert response if prev dataType is non-auto and differs from current\n\t\t\t} else if ( prev !== \"*\" && prev !== current ) {\n\n\t\t\t\t// Seek a direct converter\n\t\t\t\tconv = converters[ prev + \" \" + current ] || converters[ \"* \" + current ];\n\n\t\t\t\t// If none found, seek a pair\n\t\t\t\tif ( !conv ) {\n\t\t\t\t\tfor ( conv2 in converters ) {\n\n\t\t\t\t\t\t// If conv2 outputs current\n\t\t\t\t\t\ttmp = conv2.split( \" \" );\n\t\t\t\t\t\tif ( tmp[ 1 ] === current ) {\n\n\t\t\t\t\t\t\t// If prev can be converted to accepted input\n\t\t\t\t\t\t\tconv = converters[ prev + \" \" + tmp[ 0 ] ] ||\n\t\t\t\t\t\t\t\tconverters[ \"* \" + tmp[ 0 ] ];\n\t\t\t\t\t\t\tif ( conv ) {\n\n\t\t\t\t\t\t\t\t// Condense equivalence converters\n\t\t\t\t\t\t\t\tif ( conv === true ) {\n\t\t\t\t\t\t\t\t\tconv = converters[ conv2 ];\n\n\t\t\t\t\t\t\t\t// Otherwise, insert the intermediate dataType\n\t\t\t\t\t\t\t\t} else if ( converters[ conv2 ] !== true ) {\n\t\t\t\t\t\t\t\t\tcurrent = tmp[ 0 ];\n\t\t\t\t\t\t\t\t\tdataTypes.unshift( tmp[ 1 ] );\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t// Apply converter (if not an equivalence)\n\t\t\t\tif ( conv !== true ) {\n\n\t\t\t\t\t// Unless errors are allowed to bubble, catch and return them\n\t\t\t\t\tif ( conv && s.throws ) {\n\t\t\t\t\t\tresponse = conv( response );\n\t\t\t\t\t} else {\n\t\t\t\t\t\ttry {\n\t\t\t\t\t\t\tresponse = conv( response );\n\t\t\t\t\t\t} catch ( e ) {\n\t\t\t\t\t\t\treturn {\n\t\t\t\t\t\t\t\tstate: \"parsererror\",\n\t\t\t\t\t\t\t\terror: conv ? e : \"No conversion from \" + prev + \" to \" + current\n\t\t\t\t\t\t\t};\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\treturn { state: \"success\", data: response };\n}\n\njQuery.extend( {\n\n\t// Counter for holding the number of active queries\n\tactive: 0,\n\n\t// Last-Modified header cache for next request\n\tlastModified: {},\n\tetag: {},\n\n\tajaxSettings: {\n\t\turl: location.href,\n\t\ttype: \"GET\",\n\t\tisLocal: rlocalProtocol.test( location.protocol ),\n\t\tglobal: true,\n\t\tprocessData: true,\n\t\tasync: true,\n\t\tcontentType: \"application/x-www-form-urlencoded; charset=UTF-8\",\n\n\t\t/*\n\t\ttimeout: 0,\n\t\tdata: null,\n\t\tdataType: null,\n\t\tusername: null,\n\t\tpassword: null,\n\t\tcache: null,\n\t\tthrows: false,\n\t\ttraditional: false,\n\t\theaders: {},\n\t\t*/\n\n\t\taccepts: {\n\t\t\t\"*\": allTypes,\n\t\t\ttext: \"text/plain\",\n\t\t\thtml: \"text/html\",\n\t\t\txml: \"application/xml, text/xml\",\n\t\t\tjson: \"application/json, text/javascript\"\n\t\t},\n\n\t\tcontents: {\n\t\t\txml: /\\bxml\\b/,\n\t\t\thtml: /\\bhtml/,\n\t\t\tjson: /\\bjson\\b/\n\t\t},\n\n\t\tresponseFields: {\n\t\t\txml: \"responseXML\",\n\t\t\ttext: \"responseText\",\n\t\t\tjson: \"responseJSON\"\n\t\t},\n\n\t\t// Data converters\n\t\t// Keys separate source (or catchall \"*\") and destination types with a single space\n\t\tconverters: {\n\n\t\t\t// Convert anything to text\n\t\t\t\"* text\": String,\n\n\t\t\t// Text to html (true = no transformation)\n\t\t\t\"text html\": true,\n\n\t\t\t// Evaluate text as a json expression\n\t\t\t\"text json\": JSON.parse,\n\n\t\t\t// Parse text as xml\n\t\t\t\"text xml\": jQuery.parseXML\n\t\t},\n\n\t\t// For options that shouldn't be deep extended:\n\t\t// you can add your own custom options here if\n\t\t// and when you create one that shouldn't be\n\t\t// deep extended (see ajaxExtend)\n\t\tflatOptions: {\n\t\t\turl: true,\n\t\t\tcontext: true\n\t\t}\n\t},\n\n\t// Creates a full fledged settings object into target\n\t// with both ajaxSettings and settings fields.\n\t// If target is omitted, writes into ajaxSettings.\n\tajaxSetup: function( target, settings ) {\n\t\treturn settings ?\n\n\t\t\t// Building a settings object\n\t\t\tajaxExtend( ajaxExtend( target, jQuery.ajaxSettings ), settings ) :\n\n\t\t\t// Extending ajaxSettings\n\t\t\tajaxExtend( jQuery.ajaxSettings, target );\n\t},\n\n\tajaxPrefilter: addToPrefiltersOrTransports( prefilters ),\n\tajaxTransport: addToPrefiltersOrTransports( transports ),\n\n\t// Main method\n\tajax: function( url, options ) {\n\n\t\t// If url is an object, simulate pre-1.5 signature\n\t\tif ( typeof url === \"object\" ) {\n\t\t\toptions = url;\n\t\t\turl = undefined;\n\t\t}\n\n\t\t// Force options to be an object\n\t\toptions = options || {};\n\n\t\tvar transport,\n\n\t\t\t// URL without anti-cache param\n\t\t\tcacheURL,\n\n\t\t\t// Response headers\n\t\t\tresponseHeadersString,\n\t\t\tresponseHeaders,\n\n\t\t\t// timeout handle\n\t\t\ttimeoutTimer,\n\n\t\t\t// Url cleanup var\n\t\t\turlAnchor,\n\n\t\t\t// Request state (becomes false upon send and true upon completion)\n\t\t\tcompleted,\n\n\t\t\t// To know if global events are to be dispatched\n\t\t\tfireGlobals,\n\n\t\t\t// Loop variable\n\t\t\ti,\n\n\t\t\t// uncached part of the url\n\t\t\tuncached,\n\n\t\t\t// Create the final options object\n\t\t\ts = jQuery.ajaxSetup( {}, options ),\n\n\t\t\t// Callbacks context\n\t\t\tcallbackContext = s.context || s,\n\n\t\t\t// Context for global events is callbackContext if it is a DOM node or jQuery collection\n\t\t\tglobalEventContext = s.context &&\n\t\t\t\t( callbackContext.nodeType || callbackContext.jquery ) ?\n\t\t\t\tjQuery( callbackContext ) :\n\t\t\t\tjQuery.event,\n\n\t\t\t// Deferreds\n\t\t\tdeferred = jQuery.Deferred(),\n\t\t\tcompleteDeferred = jQuery.Callbacks( \"once memory\" ),\n\n\t\t\t// Status-dependent callbacks\n\t\t\tstatusCode = s.statusCode || {},\n\n\t\t\t// Headers (they are sent all at once)\n\t\t\trequestHeaders = {},\n\t\t\trequestHeadersNames = {},\n\n\t\t\t// Default abort message\n\t\t\tstrAbort = \"canceled\",\n\n\t\t\t// Fake xhr\n\t\t\tjqXHR = {\n\t\t\t\treadyState: 0,\n\n\t\t\t\t// Builds headers hashtable if needed\n\t\t\t\tgetResponseHeader: function( key ) {\n\t\t\t\t\tvar match;\n\t\t\t\t\tif ( completed ) {\n\t\t\t\t\t\tif ( !responseHeaders ) {\n\t\t\t\t\t\t\tresponseHeaders = {};\n\t\t\t\t\t\t\twhile ( ( match = rheaders.exec( responseHeadersString ) ) ) {\n\t\t\t\t\t\t\t\tresponseHeaders[ match[ 1 ].toLowerCase() + \" \" ] =\n\t\t\t\t\t\t\t\t\t( responseHeaders[ match[ 1 ].toLowerCase() + \" \" ] || [] )\n\t\t\t\t\t\t\t\t\t\t.concat( match[ 2 ] );\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t\tmatch = responseHeaders[ key.toLowerCase() + \" \" ];\n\t\t\t\t\t}\n\t\t\t\t\treturn match == null ? null : match.join( \", \" );\n\t\t\t\t},\n\n\t\t\t\t// Raw string\n\t\t\t\tgetAllResponseHeaders: function() {\n\t\t\t\t\treturn completed ? responseHeadersString : null;\n\t\t\t\t},\n\n\t\t\t\t// Caches the header\n\t\t\t\tsetRequestHeader: function( name, value ) {\n\t\t\t\t\tif ( completed == null ) {\n\t\t\t\t\t\tname = requestHeadersNames[ name.toLowerCase() ] =\n\t\t\t\t\t\t\trequestHeadersNames[ name.toLowerCase() ] || name;\n\t\t\t\t\t\trequestHeaders[ name ] = value;\n\t\t\t\t\t}\n\t\t\t\t\treturn this;\n\t\t\t\t},\n\n\t\t\t\t// Overrides response content-type header\n\t\t\t\toverrideMimeType: function( type ) {\n\t\t\t\t\tif ( completed == null ) {\n\t\t\t\t\t\ts.mimeType = type;\n\t\t\t\t\t}\n\t\t\t\t\treturn this;\n\t\t\t\t},\n\n\t\t\t\t// Status-dependent callbacks\n\t\t\t\tstatusCode: function( map ) {\n\t\t\t\t\tvar code;\n\t\t\t\t\tif ( map ) {\n\t\t\t\t\t\tif ( completed ) {\n\n\t\t\t\t\t\t\t// Execute the appropriate callbacks\n\t\t\t\t\t\t\tjqXHR.always( map[ jqXHR.status ] );\n\t\t\t\t\t\t} else {\n\n\t\t\t\t\t\t\t// Lazy-add the new callbacks in a way that preserves old ones\n\t\t\t\t\t\t\tfor ( code in map ) {\n\t\t\t\t\t\t\t\tstatusCode[ code ] = [ statusCode[ code ], map[ code ] ];\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\treturn this;\n\t\t\t\t},\n\n\t\t\t\t// Cancel the request\n\t\t\t\tabort: function( statusText ) {\n\t\t\t\t\tvar finalText = statusText || strAbort;\n\t\t\t\t\tif ( transport ) {\n\t\t\t\t\t\ttransport.abort( finalText );\n\t\t\t\t\t}\n\t\t\t\t\tdone( 0, finalText );\n\t\t\t\t\treturn this;\n\t\t\t\t}\n\t\t\t};\n\n\t\t// Attach deferreds\n\t\tdeferred.promise( jqXHR );\n\n\t\t// Add protocol if not provided (prefilters might expect it)\n\t\t// Handle falsy url in the settings object (trac-10093: consistency with old signature)\n\t\t// We also use the url parameter if available\n\t\ts.url = ( ( url || s.url || location.href ) + \"\" )\n\t\t\t.replace( rprotocol, location.protocol + \"//\" );\n\n\t\t// Alias method option to type as per ticket trac-12004\n\t\ts.type = options.method || options.type || s.method || s.type;\n\n\t\t// Extract dataTypes list\n\t\ts.dataTypes = ( s.dataType || \"*\" ).toLowerCase().match( rnothtmlwhite ) || [ \"\" ];\n\n\t\t// A cross-domain request is in order when the origin doesn't match the current origin.\n\t\tif ( s.crossDomain == null ) {\n\t\t\turlAnchor = document.createElement( \"a\" );\n\n\t\t\t// Support: IE <=8 - 11, Edge 12 - 15\n\t\t\t// IE throws exception on accessing the href property if url is malformed,\n\t\t\t// e.g. http://example.com:80x/\n\t\t\ttry {\n\t\t\t\turlAnchor.href = s.url;\n\n\t\t\t\t// Support: IE <=8 - 11 only\n\t\t\t\t// Anchor's host property isn't correctly set when s.url is relative\n\t\t\t\turlAnchor.href = urlAnchor.href;\n\t\t\t\ts.crossDomain = originAnchor.protocol + \"//\" + originAnchor.host !==\n\t\t\t\t\turlAnchor.protocol + \"//\" + urlAnchor.host;\n\t\t\t} catch ( e ) {\n\n\t\t\t\t// If there is an error parsing the URL, assume it is crossDomain,\n\t\t\t\t// it can be rejected by the transport if it is invalid\n\t\t\t\ts.crossDomain = true;\n\t\t\t}\n\t\t}\n\n\t\t// Convert data if not already a string\n\t\tif ( s.data && s.processData && typeof s.data !== \"string\" ) {\n\t\t\ts.data = jQuery.param( s.data, s.traditional );\n\t\t}\n\n\t\t// Apply prefilters\n\t\tinspectPrefiltersOrTransports( prefilters, s, options, jqXHR );\n\n\t\t// If request was aborted inside a prefilter, stop there\n\t\tif ( completed ) {\n\t\t\treturn jqXHR;\n\t\t}\n\n\t\t// We can fire global events as of now if asked to\n\t\t// Don't fire events if jQuery.event is undefined in an AMD-usage scenario (trac-15118)\n\t\tfireGlobals = jQuery.event && s.global;\n\n\t\t// Watch for a new set of requests\n\t\tif ( fireGlobals && jQuery.active++ === 0 ) {\n\t\t\tjQuery.event.trigger( \"ajaxStart\" );\n\t\t}\n\n\t\t// Uppercase the type\n\t\ts.type = s.type.toUpperCase();\n\n\t\t// Determine if request has content\n\t\ts.hasContent = !rnoContent.test( s.type );\n\n\t\t// Save the URL in case we're toying with the If-Modified-Since\n\t\t// and/or If-None-Match header later on\n\t\t// Remove hash to simplify url manipulation\n\t\tcacheURL = s.url.replace( rhash, \"\" );\n\n\t\t// More options handling for requests with no content\n\t\tif ( !s.hasContent ) {\n\n\t\t\t// Remember the hash so we can put it back\n\t\t\tuncached = s.url.slice( cacheURL.length );\n\n\t\t\t// If data is available and should be processed, append data to url\n\t\t\tif ( s.data && ( s.processData || typeof s.data === \"string\" ) ) {\n\t\t\t\tcacheURL += ( rquery.test( cacheURL ) ? \"&\" : \"?\" ) + s.data;\n\n\t\t\t\t// trac-9682: remove data so that it's not used in an eventual retry\n\t\t\t\tdelete s.data;\n\t\t\t}\n\n\t\t\t// Add or update anti-cache param if needed\n\t\t\tif ( s.cache === false ) {\n\t\t\t\tcacheURL = cacheURL.replace( rantiCache, \"$1\" );\n\t\t\t\tuncached = ( rquery.test( cacheURL ) ? \"&\" : \"?\" ) + \"_=\" + ( nonce.guid++ ) +\n\t\t\t\t\tuncached;\n\t\t\t}\n\n\t\t\t// Put hash and anti-cache on the URL that will be requested (gh-1732)\n\t\t\ts.url = cacheURL + uncached;\n\n\t\t// Change '%20' to '+' if this is encoded form body content (gh-2658)\n\t\t} else if ( s.data && s.processData &&\n\t\t\t( s.contentType || \"\" ).indexOf( \"application/x-www-form-urlencoded\" ) === 0 ) {\n\t\t\ts.data = s.data.replace( r20, \"+\" );\n\t\t}\n\n\t\t// Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode.\n\t\tif ( s.ifModified ) {\n\t\t\tif ( jQuery.lastModified[ cacheURL ] ) {\n\t\t\t\tjqXHR.setRequestHeader( \"If-Modified-Since\", jQuery.lastModified[ cacheURL ] );\n\t\t\t}\n\t\t\tif ( jQuery.etag[ cacheURL ] ) {\n\t\t\t\tjqXHR.setRequestHeader( \"If-None-Match\", jQuery.etag[ cacheURL ] );\n\t\t\t}\n\t\t}\n\n\t\t// Set the correct header, if data is being sent\n\t\tif ( s.data && s.hasContent && s.contentType !== false || options.contentType ) {\n\t\t\tjqXHR.setRequestHeader( \"Content-Type\", s.contentType );\n\t\t}\n\n\t\t// Set the Accepts header for the server, depending on the dataType\n\t\tjqXHR.setRequestHeader(\n\t\t\t\"Accept\",\n\t\t\ts.dataTypes[ 0 ] && s.accepts[ s.dataTypes[ 0 ] ] ?\n\t\t\t\ts.accepts[ s.dataTypes[ 0 ] ] +\n\t\t\t\t\t( s.dataTypes[ 0 ] !== \"*\" ? \", \" + allTypes + \"; q=0.01\" : \"\" ) :\n\t\t\t\ts.accepts[ \"*\" ]\n\t\t);\n\n\t\t// Check for headers option\n\t\tfor ( i in s.headers ) {\n\t\t\tjqXHR.setRequestHeader( i, s.headers[ i ] );\n\t\t}\n\n\t\t// Allow custom headers/mimetypes and early abort\n\t\tif ( s.beforeSend &&\n\t\t\t( s.beforeSend.call( callbackContext, jqXHR, s ) === false || completed ) ) {\n\n\t\t\t// Abort if not done already and return\n\t\t\treturn jqXHR.abort();\n\t\t}\n\n\t\t// Aborting is no longer a cancellation\n\t\tstrAbort = \"abort\";\n\n\t\t// Install callbacks on deferreds\n\t\tcompleteDeferred.add( s.complete );\n\t\tjqXHR.done( s.success );\n\t\tjqXHR.fail( s.error );\n\n\t\t// Get transport\n\t\ttransport = inspectPrefiltersOrTransports( transports, s, options, jqXHR );\n\n\t\t// If no transport, we auto-abort\n\t\tif ( !transport ) {\n\t\t\tdone( -1, \"No Transport\" );\n\t\t} else {\n\t\t\tjqXHR.readyState = 1;\n\n\t\t\t// Send global event\n\t\t\tif ( fireGlobals ) {\n\t\t\t\tglobalEventContext.trigger( \"ajaxSend\", [ jqXHR, s ] );\n\t\t\t}\n\n\t\t\t// If request was aborted inside ajaxSend, stop there\n\t\t\tif ( completed ) {\n\t\t\t\treturn jqXHR;\n\t\t\t}\n\n\t\t\t// Timeout\n\t\t\tif ( s.async && s.timeout > 0 ) {\n\t\t\t\ttimeoutTimer = window.setTimeout( function() {\n\t\t\t\t\tjqXHR.abort( \"timeout\" );\n\t\t\t\t}, s.timeout );\n\t\t\t}\n\n\t\t\ttry {\n\t\t\t\tcompleted = false;\n\t\t\t\ttransport.send( requestHeaders, done );\n\t\t\t} catch ( e ) {\n\n\t\t\t\t// Rethrow post-completion exceptions\n\t\t\t\tif ( completed ) {\n\t\t\t\t\tthrow e;\n\t\t\t\t}\n\n\t\t\t\t// Propagate others as results\n\t\t\t\tdone( -1, e );\n\t\t\t}\n\t\t}\n\n\t\t// Callback for when everything is done\n\t\tfunction done( status, nativeStatusText, responses, headers ) {\n\t\t\tvar isSuccess, success, error, response, modified,\n\t\t\t\tstatusText = nativeStatusText;\n\n\t\t\t// Ignore repeat invocations\n\t\t\tif ( completed ) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tcompleted = true;\n\n\t\t\t// Clear timeout if it exists\n\t\t\tif ( timeoutTimer ) {\n\t\t\t\twindow.clearTimeout( timeoutTimer );\n\t\t\t}\n\n\t\t\t// Dereference transport for early garbage collection\n\t\t\t// (no matter how long the jqXHR object will be used)\n\t\t\ttransport = undefined;\n\n\t\t\t// Cache response headers\n\t\t\tresponseHeadersString = headers || \"\";\n\n\t\t\t// Set readyState\n\t\t\tjqXHR.readyState = status > 0 ? 4 : 0;\n\n\t\t\t// Determine if successful\n\t\t\tisSuccess = status >= 200 && status < 300 || status === 304;\n\n\t\t\t// Get response data\n\t\t\tif ( responses ) {\n\t\t\t\tresponse = ajaxHandleResponses( s, jqXHR, responses );\n\t\t\t}\n\n\t\t\t// Use a noop converter for missing script but not if jsonp\n\t\t\tif ( !isSuccess &&\n\t\t\t\tjQuery.inArray( \"script\", s.dataTypes ) > -1 &&\n\t\t\t\tjQuery.inArray( \"json\", s.dataTypes ) < 0 ) {\n\t\t\t\ts.converters[ \"text script\" ] = function() {};\n\t\t\t}\n\n\t\t\t// Convert no matter what (that way responseXXX fields are always set)\n\t\t\tresponse = ajaxConvert( s, response, jqXHR, isSuccess );\n\n\t\t\t// If successful, handle type chaining\n\t\t\tif ( isSuccess ) {\n\n\t\t\t\t// Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode.\n\t\t\t\tif ( s.ifModified ) {\n\t\t\t\t\tmodified = jqXHR.getResponseHeader( \"Last-Modified\" );\n\t\t\t\t\tif ( modified ) {\n\t\t\t\t\t\tjQuery.lastModified[ cacheURL ] = modified;\n\t\t\t\t\t}\n\t\t\t\t\tmodified = jqXHR.getResponseHeader( \"etag\" );\n\t\t\t\t\tif ( modified ) {\n\t\t\t\t\t\tjQuery.etag[ cacheURL ] = modified;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t// if no content\n\t\t\t\tif ( status === 204 || s.type === \"HEAD\" ) {\n\t\t\t\t\tstatusText = \"nocontent\";\n\n\t\t\t\t// if not modified\n\t\t\t\t} else if ( status === 304 ) {\n\t\t\t\t\tstatusText = \"notmodified\";\n\n\t\t\t\t// If we have data, let's convert it\n\t\t\t\t} else {\n\t\t\t\t\tstatusText = response.state;\n\t\t\t\t\tsuccess = response.data;\n\t\t\t\t\terror = response.error;\n\t\t\t\t\tisSuccess = !error;\n\t\t\t\t}\n\t\t\t} else {\n\n\t\t\t\t// Extract error from statusText and normalize for non-aborts\n\t\t\t\terror = statusText;\n\t\t\t\tif ( status || !statusText ) {\n\t\t\t\t\tstatusText = \"error\";\n\t\t\t\t\tif ( status < 0 ) {\n\t\t\t\t\t\tstatus = 0;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Set data for the fake xhr object\n\t\t\tjqXHR.status = status;\n\t\t\tjqXHR.statusText = ( nativeStatusText || statusText ) + \"\";\n\n\t\t\t// Success/Error\n\t\t\tif ( isSuccess ) {\n\t\t\t\tdeferred.resolveWith( callbackContext, [ success, statusText, jqXHR ] );\n\t\t\t} else {\n\t\t\t\tdeferred.rejectWith( callbackContext, [ jqXHR, statusText, error ] );\n\t\t\t}\n\n\t\t\t// Status-dependent callbacks\n\t\t\tjqXHR.statusCode( statusCode );\n\t\t\tstatusCode = undefined;\n\n\t\t\tif ( fireGlobals ) {\n\t\t\t\tglobalEventContext.trigger( isSuccess ? \"ajaxSuccess\" : \"ajaxError\",\n\t\t\t\t\t[ jqXHR, s, isSuccess ? success : error ] );\n\t\t\t}\n\n\t\t\t// Complete\n\t\t\tcompleteDeferred.fireWith( callbackContext, [ jqXHR, statusText ] );\n\n\t\t\tif ( fireGlobals ) {\n\t\t\t\tglobalEventContext.trigger( \"ajaxComplete\", [ jqXHR, s ] );\n\n\t\t\t\t// Handle the global AJAX counter\n\t\t\t\tif ( !( --jQuery.active ) ) {\n\t\t\t\t\tjQuery.event.trigger( \"ajaxStop\" );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn jqXHR;\n\t},\n\n\tgetJSON: function( url, data, callback ) {\n\t\treturn jQuery.get( url, data, callback, \"json\" );\n\t},\n\n\tgetScript: function( url, callback ) {\n\t\treturn jQuery.get( url, undefined, callback, \"script\" );\n\t}\n} );\n\njQuery.each( [ \"get\", \"post\" ], function( _i, method ) {\n\tjQuery[ method ] = function( url, data, callback, type ) {\n\n\t\t// Shift arguments if data argument was omitted\n\t\tif ( isFunction( data ) ) {\n\t\t\ttype = type || callback;\n\t\t\tcallback = data;\n\t\t\tdata = undefined;\n\t\t}\n\n\t\t// The url can be an options object (which then must have .url)\n\t\treturn jQuery.ajax( jQuery.extend( {\n\t\t\turl: url,\n\t\t\ttype: method,\n\t\t\tdataType: type,\n\t\t\tdata: data,\n\t\t\tsuccess: callback\n\t\t}, jQuery.isPlainObject( url ) && url ) );\n\t};\n} );\n\njQuery.ajaxPrefilter( function( s ) {\n\tvar i;\n\tfor ( i in s.headers ) {\n\t\tif ( i.toLowerCase() === \"content-type\" ) {\n\t\t\ts.contentType = s.headers[ i ] || \"\";\n\t\t}\n\t}\n} );\n\n\njQuery._evalUrl = function( url, options, doc ) {\n\treturn jQuery.ajax( {\n\t\turl: url,\n\n\t\t// Make this explicit, since user can override this through ajaxSetup (trac-11264)\n\t\ttype: \"GET\",\n\t\tdataType: \"script\",\n\t\tcache: true,\n\t\tasync: false,\n\t\tglobal: false,\n\n\t\t// Only evaluate the response if it is successful (gh-4126)\n\t\t// dataFilter is not invoked for failure responses, so using it instead\n\t\t// of the default converter is kludgy but it works.\n\t\tconverters: {\n\t\t\t\"text script\": function() {}\n\t\t},\n\t\tdataFilter: function( response ) {\n\t\t\tjQuery.globalEval( response, options, doc );\n\t\t}\n\t} );\n};\n\n\njQuery.fn.extend( {\n\twrapAll: function( html ) {\n\t\tvar wrap;\n\n\t\tif ( this[ 0 ] ) {\n\t\t\tif ( isFunction( html ) ) {\n\t\t\t\thtml = html.call( this[ 0 ] );\n\t\t\t}\n\n\t\t\t// The elements to wrap the target around\n\t\t\twrap = jQuery( html, this[ 0 ].ownerDocument ).eq( 0 ).clone( true );\n\n\t\t\tif ( this[ 0 ].parentNode ) {\n\t\t\t\twrap.insertBefore( this[ 0 ] );\n\t\t\t}\n\n\t\t\twrap.map( function() {\n\t\t\t\tvar elem = this;\n\n\t\t\t\twhile ( elem.firstElementChild ) {\n\t\t\t\t\telem = elem.firstElementChild;\n\t\t\t\t}\n\n\t\t\t\treturn elem;\n\t\t\t} ).append( this );\n\t\t}\n\n\t\treturn this;\n\t},\n\n\twrapInner: function( html ) {\n\t\tif ( isFunction( html ) ) {\n\t\t\treturn this.each( function( i ) {\n\t\t\t\tjQuery( this ).wrapInner( html.call( this, i ) );\n\t\t\t} );\n\t\t}\n\n\t\treturn this.each( function() {\n\t\t\tvar self = jQuery( this ),\n\t\t\t\tcontents = self.contents();\n\n\t\t\tif ( contents.length ) {\n\t\t\t\tcontents.wrapAll( html );\n\n\t\t\t} else {\n\t\t\t\tself.append( html );\n\t\t\t}\n\t\t} );\n\t},\n\n\twrap: function( html ) {\n\t\tvar htmlIsFunction = isFunction( html );\n\n\t\treturn this.each( function( i ) {\n\t\t\tjQuery( this ).wrapAll( htmlIsFunction ? html.call( this, i ) : html );\n\t\t} );\n\t},\n\n\tunwrap: function( selector ) {\n\t\tthis.parent( selector ).not( \"body\" ).each( function() {\n\t\t\tjQuery( this ).replaceWith( this.childNodes );\n\t\t} );\n\t\treturn this;\n\t}\n} );\n\n\njQuery.expr.pseudos.hidden = function( elem ) {\n\treturn !jQuery.expr.pseudos.visible( elem );\n};\njQuery.expr.pseudos.visible = function( elem ) {\n\treturn !!( elem.offsetWidth || elem.offsetHeight || elem.getClientRects().length );\n};\n\n\n\n\njQuery.ajaxSettings.xhr = function() {\n\ttry {\n\t\treturn new window.XMLHttpRequest();\n\t} catch ( e ) {}\n};\n\nvar xhrSuccessStatus = {\n\n\t\t// File protocol always yields status code 0, assume 200\n\t\t0: 200,\n\n\t\t// Support: IE <=9 only\n\t\t// trac-1450: sometimes IE returns 1223 when it should be 204\n\t\t1223: 204\n\t},\n\txhrSupported = jQuery.ajaxSettings.xhr();\n\nsupport.cors = !!xhrSupported && ( \"withCredentials\" in xhrSupported );\nsupport.ajax = xhrSupported = !!xhrSupported;\n\njQuery.ajaxTransport( function( options ) {\n\tvar callback, errorCallback;\n\n\t// Cross domain only allowed if supported through XMLHttpRequest\n\tif ( support.cors || xhrSupported && !options.crossDomain ) {\n\t\treturn {\n\t\t\tsend: function( headers, complete ) {\n\t\t\t\tvar i,\n\t\t\t\t\txhr = options.xhr();\n\n\t\t\t\txhr.open(\n\t\t\t\t\toptions.type,\n\t\t\t\t\toptions.url,\n\t\t\t\t\toptions.async,\n\t\t\t\t\toptions.username,\n\t\t\t\t\toptions.password\n\t\t\t\t);\n\n\t\t\t\t// Apply custom fields if provided\n\t\t\t\tif ( options.xhrFields ) {\n\t\t\t\t\tfor ( i in options.xhrFields ) {\n\t\t\t\t\t\txhr[ i ] = options.xhrFields[ i ];\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t// Override mime type if needed\n\t\t\t\tif ( options.mimeType && xhr.overrideMimeType ) {\n\t\t\t\t\txhr.overrideMimeType( options.mimeType );\n\t\t\t\t}\n\n\t\t\t\t// X-Requested-With header\n\t\t\t\t// For cross-domain requests, seeing as conditions for a preflight are\n\t\t\t\t// akin to a jigsaw puzzle, we simply never set it to be sure.\n\t\t\t\t// (it can always be set on a per-request basis or even using ajaxSetup)\n\t\t\t\t// For same-domain requests, won't change header if already provided.\n\t\t\t\tif ( !options.crossDomain && !headers[ \"X-Requested-With\" ] ) {\n\t\t\t\t\theaders[ \"X-Requested-With\" ] = \"XMLHttpRequest\";\n\t\t\t\t}\n\n\t\t\t\t// Set headers\n\t\t\t\tfor ( i in headers ) {\n\t\t\t\t\txhr.setRequestHeader( i, headers[ i ] );\n\t\t\t\t}\n\n\t\t\t\t// Callback\n\t\t\t\tcallback = function( type ) {\n\t\t\t\t\treturn function() {\n\t\t\t\t\t\tif ( callback ) {\n\t\t\t\t\t\t\tcallback = errorCallback = xhr.onload =\n\t\t\t\t\t\t\t\txhr.onerror = xhr.onabort = xhr.ontimeout =\n\t\t\t\t\t\t\t\t\txhr.onreadystatechange = null;\n\n\t\t\t\t\t\t\tif ( type === \"abort\" ) {\n\t\t\t\t\t\t\t\txhr.abort();\n\t\t\t\t\t\t\t} else if ( type === \"error\" ) {\n\n\t\t\t\t\t\t\t\t// Support: IE <=9 only\n\t\t\t\t\t\t\t\t// On a manual native abort, IE9 throws\n\t\t\t\t\t\t\t\t// errors on any property access that is not readyState\n\t\t\t\t\t\t\t\tif ( typeof xhr.status !== \"number\" ) {\n\t\t\t\t\t\t\t\t\tcomplete( 0, \"error\" );\n\t\t\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t\t\tcomplete(\n\n\t\t\t\t\t\t\t\t\t\t// File: protocol always yields status 0; see trac-8605, trac-14207\n\t\t\t\t\t\t\t\t\t\txhr.status,\n\t\t\t\t\t\t\t\t\t\txhr.statusText\n\t\t\t\t\t\t\t\t\t);\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t\tcomplete(\n\t\t\t\t\t\t\t\t\txhrSuccessStatus[ xhr.status ] || xhr.status,\n\t\t\t\t\t\t\t\t\txhr.statusText,\n\n\t\t\t\t\t\t\t\t\t// Support: IE <=9 only\n\t\t\t\t\t\t\t\t\t// IE9 has no XHR2 but throws on binary (trac-11426)\n\t\t\t\t\t\t\t\t\t// For XHR2 non-text, let the caller handle it (gh-2498)\n\t\t\t\t\t\t\t\t\t( xhr.responseType || \"text\" ) !== \"text\" ||\n\t\t\t\t\t\t\t\t\ttypeof xhr.responseText !== \"string\" ?\n\t\t\t\t\t\t\t\t\t\t{ binary: xhr.response } :\n\t\t\t\t\t\t\t\t\t\t{ text: xhr.responseText },\n\t\t\t\t\t\t\t\t\txhr.getAllResponseHeaders()\n\t\t\t\t\t\t\t\t);\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t};\n\t\t\t\t};\n\n\t\t\t\t// Listen to events\n\t\t\t\txhr.onload = callback();\n\t\t\t\terrorCallback = xhr.onerror = xhr.ontimeout = callback( \"error\" );\n\n\t\t\t\t// Support: IE 9 only\n\t\t\t\t// Use onreadystatechange to replace onabort\n\t\t\t\t// to handle uncaught aborts\n\t\t\t\tif ( xhr.onabort !== undefined ) {\n\t\t\t\t\txhr.onabort = errorCallback;\n\t\t\t\t} else {\n\t\t\t\t\txhr.onreadystatechange = function() {\n\n\t\t\t\t\t\t// Check readyState before timeout as it changes\n\t\t\t\t\t\tif ( xhr.readyState === 4 ) {\n\n\t\t\t\t\t\t\t// Allow onerror to be called first,\n\t\t\t\t\t\t\t// but that will not handle a native abort\n\t\t\t\t\t\t\t// Also, save errorCallback to a variable\n\t\t\t\t\t\t\t// as xhr.onerror cannot be accessed\n\t\t\t\t\t\t\twindow.setTimeout( function() {\n\t\t\t\t\t\t\t\tif ( callback ) {\n\t\t\t\t\t\t\t\t\terrorCallback();\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t} );\n\t\t\t\t\t\t}\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Create the abort callback\n\t\t\t\tcallback = callback( \"abort\" );\n\n\t\t\t\ttry {\n\n\t\t\t\t\t// Do send the request (this may raise an exception)\n\t\t\t\t\txhr.send( options.hasContent && options.data || null );\n\t\t\t\t} catch ( e ) {\n\n\t\t\t\t\t// trac-14683: Only rethrow if this hasn't been notified as an error yet\n\t\t\t\t\tif ( callback ) {\n\t\t\t\t\t\tthrow e;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t},\n\n\t\t\tabort: function() {\n\t\t\t\tif ( callback ) {\n\t\t\t\t\tcallback();\n\t\t\t\t}\n\t\t\t}\n\t\t};\n\t}\n} );\n\n\n\n\n// Prevent auto-execution of scripts when no explicit dataType was provided (See gh-2432)\njQuery.ajaxPrefilter( function( s ) {\n\tif ( s.crossDomain ) {\n\t\ts.contents.script = false;\n\t}\n} );\n\n// Install script dataType\njQuery.ajaxSetup( {\n\taccepts: {\n\t\tscript: \"text/javascript, application/javascript, \" +\n\t\t\t\"application/ecmascript, application/x-ecmascript\"\n\t},\n\tcontents: {\n\t\tscript: /\\b(?:java|ecma)script\\b/\n\t},\n\tconverters: {\n\t\t\"text script\": function( text ) {\n\t\t\tjQuery.globalEval( text );\n\t\t\treturn text;\n\t\t}\n\t}\n} );\n\n// Handle cache's special case and crossDomain\njQuery.ajaxPrefilter( \"script\", function( s ) {\n\tif ( s.cache === undefined ) {\n\t\ts.cache = false;\n\t}\n\tif ( s.crossDomain ) {\n\t\ts.type = \"GET\";\n\t}\n} );\n\n// Bind script tag hack transport\njQuery.ajaxTransport( \"script\", function( s ) {\n\n\t// This transport only deals with cross domain or forced-by-attrs requests\n\tif ( s.crossDomain || s.scriptAttrs ) {\n\t\tvar script, callback;\n\t\treturn {\n\t\t\tsend: function( _, complete ) {\n\t\t\t\tscript = jQuery( \"<script>\" )\n\t\t\t\t\t.attr( s.scriptAttrs || {} )\n\t\t\t\t\t.prop( { charset: s.scriptCharset, src: s.url } )\n\t\t\t\t\t.on( \"load error\", callback = function( evt ) {\n\t\t\t\t\t\tscript.remove();\n\t\t\t\t\t\tcallback = null;\n\t\t\t\t\t\tif ( evt ) {\n\t\t\t\t\t\t\tcomplete( evt.type === \"error\" ? 404 : 200, evt.type );\n\t\t\t\t\t\t}\n\t\t\t\t\t} );\n\n\t\t\t\t// Use native DOM manipulation to avoid our domManip AJAX trickery\n\t\t\t\tdocument.head.appendChild( script[ 0 ] );\n\t\t\t},\n\t\t\tabort: function() {\n\t\t\t\tif ( callback ) {\n\t\t\t\t\tcallback();\n\t\t\t\t}\n\t\t\t}\n\t\t};\n\t}\n} );\n\n\n\n\nvar oldCallbacks = [],\n\trjsonp = /(=)\\?(?=&|$)|\\?\\?/;\n\n// Default jsonp settings\njQuery.ajaxSetup( {\n\tjsonp: \"callback\",\n\tjsonpCallback: function() {\n\t\tvar callback = oldCallbacks.pop() || ( jQuery.expando + \"_\" + ( nonce.guid++ ) );\n\t\tthis[ callback ] = true;\n\t\treturn callback;\n\t}\n} );\n\n// Detect, normalize options and install callbacks for jsonp requests\njQuery.ajaxPrefilter( \"json jsonp\", function( s, originalSettings, jqXHR ) {\n\n\tvar callbackName, overwritten, responseContainer,\n\t\tjsonProp = s.jsonp !== false && ( rjsonp.test( s.url ) ?\n\t\t\t\"url\" :\n\t\t\ttypeof s.data === \"string\" &&\n\t\t\t\t( s.contentType || \"\" )\n\t\t\t\t\t.indexOf( \"application/x-www-form-urlencoded\" ) === 0 &&\n\t\t\t\trjsonp.test( s.data ) && \"data\"\n\t\t);\n\n\t// Handle iff the expected data type is \"jsonp\" or we have a parameter to set\n\tif ( jsonProp || s.dataTypes[ 0 ] === \"jsonp\" ) {\n\n\t\t// Get callback name, remembering preexisting value associated with it\n\t\tcallbackName = s.jsonpCallback = isFunction( s.jsonpCallback ) ?\n\t\t\ts.jsonpCallback() :\n\t\t\ts.jsonpCallback;\n\n\t\t// Insert callback into url or form data\n\t\tif ( jsonProp ) {\n\t\t\ts[ jsonProp ] = s[ jsonProp ].replace( rjsonp, \"$1\" + callbackName );\n\t\t} else if ( s.jsonp !== false ) {\n\t\t\ts.url += ( rquery.test( s.url ) ? \"&\" : \"?\" ) + s.jsonp + \"=\" + callbackName;\n\t\t}\n\n\t\t// Use data converter to retrieve json after script execution\n\t\ts.converters[ \"script json\" ] = function() {\n\t\t\tif ( !responseContainer ) {\n\t\t\t\tjQuery.error( callbackName + \" was not called\" );\n\t\t\t}\n\t\t\treturn responseContainer[ 0 ];\n\t\t};\n\n\t\t// Force json dataType\n\t\ts.dataTypes[ 0 ] = \"json\";\n\n\t\t// Install callback\n\t\toverwritten = window[ callbackName ];\n\t\twindow[ callbackName ] = function() {\n\t\t\tresponseContainer = arguments;\n\t\t};\n\n\t\t// Clean-up function (fires after converters)\n\t\tjqXHR.always( function() {\n\n\t\t\t// If previous value didn't exist - remove it\n\t\t\tif ( overwritten === undefined ) {\n\t\t\t\tjQuery( window ).removeProp( callbackName );\n\n\t\t\t// Otherwise restore preexisting value\n\t\t\t} else {\n\t\t\t\twindow[ callbackName ] = overwritten;\n\t\t\t}\n\n\t\t\t// Save back as free\n\t\t\tif ( s[ callbackName ] ) {\n\n\t\t\t\t// Make sure that re-using the options doesn't screw things around\n\t\t\t\ts.jsonpCallback = originalSettings.jsonpCallback;\n\n\t\t\t\t// Save the callback name for future use\n\t\t\t\toldCallbacks.push( callbackName );\n\t\t\t}\n\n\t\t\t// Call if it was a function and we have a response\n\t\t\tif ( responseContainer && isFunction( overwritten ) ) {\n\t\t\t\toverwritten( responseContainer[ 0 ] );\n\t\t\t}\n\n\t\t\tresponseContainer = overwritten = undefined;\n\t\t} );\n\n\t\t// Delegate to script\n\t\treturn \"script\";\n\t}\n} );\n\n\n\n\n// Support: Safari 8 only\n// In Safari 8 documents created via document.implementation.createHTMLDocument\n// collapse sibling forms: the second one becomes a child of the first one.\n// Because of that, this security measure has to be disabled in Safari 8.\n// https://bugs.webkit.org/show_bug.cgi?id=137337\nsupport.createHTMLDocument = ( function() {\n\tvar body = document.implementation.createHTMLDocument( \"\" ).body;\n\tbody.innerHTML = \"<form></form><form></form>\";\n\treturn body.childNodes.length === 2;\n} )();\n\n\n// Argument \"data\" should be string of html\n// context (optional): If specified, the fragment will be created in this context,\n// defaults to document\n// keepScripts (optional): If true, will include scripts passed in the html string\njQuery.parseHTML = function( data, context, keepScripts ) {\n\tif ( typeof data !== \"string\" ) {\n\t\treturn [];\n\t}\n\tif ( typeof context === \"boolean\" ) {\n\t\tkeepScripts = context;\n\t\tcontext = false;\n\t}\n\n\tvar base, parsed, scripts;\n\n\tif ( !context ) {\n\n\t\t// Stop scripts or inline event handlers from being executed immediately\n\t\t// by using document.implementation\n\t\tif ( support.createHTMLDocument ) {\n\t\t\tcontext = document.implementation.createHTMLDocument( \"\" );\n\n\t\t\t// Set the base href for the created document\n\t\t\t// so any parsed elements with URLs\n\t\t\t// are based on the document's URL (gh-2965)\n\t\t\tbase = context.createElement( \"base\" );\n\t\t\tbase.href = document.location.href;\n\t\t\tcontext.head.appendChild( base );\n\t\t} else {\n\t\t\tcontext = document;\n\t\t}\n\t}\n\n\tparsed = rsingleTag.exec( data );\n\tscripts = !keepScripts && [];\n\n\t// Single tag\n\tif ( parsed ) {\n\t\treturn [ context.createElement( parsed[ 1 ] ) ];\n\t}\n\n\tparsed = buildFragment( [ data ], context, scripts );\n\n\tif ( scripts && scripts.length ) {\n\t\tjQuery( scripts ).remove();\n\t}\n\n\treturn jQuery.merge( [], parsed.childNodes );\n};\n\n\n/**\n * Load a url into a page\n */\njQuery.fn.load = function( url, params, callback ) {\n\tvar selector, type, response,\n\t\tself = this,\n\t\toff = url.indexOf( \" \" );\n\n\tif ( off > -1 ) {\n\t\tselector = stripAndCollapse( url.slice( off ) );\n\t\turl = url.slice( 0, off );\n\t}\n\n\t// If it's a function\n\tif ( isFunction( params ) ) {\n\n\t\t// We assume that it's the callback\n\t\tcallback = params;\n\t\tparams = undefined;\n\n\t// Otherwise, build a param string\n\t} else if ( params && typeof params === \"object\" ) {\n\t\ttype = \"POST\";\n\t}\n\n\t// If we have elements to modify, make the request\n\tif ( self.length > 0 ) {\n\t\tjQuery.ajax( {\n\t\t\turl: url,\n\n\t\t\t// If \"type\" variable is undefined, then \"GET\" method will be used.\n\t\t\t// Make value of this field explicit since\n\t\t\t// user can override it through ajaxSetup method\n\t\t\ttype: type || \"GET\",\n\t\t\tdataType: \"html\",\n\t\t\tdata: params\n\t\t} ).done( function( responseText ) {\n\n\t\t\t// Save response for use in complete callback\n\t\t\tresponse = arguments;\n\n\t\t\tself.html( selector ?\n\n\t\t\t\t// If a selector was specified, locate the right elements in a dummy div\n\t\t\t\t// Exclude scripts to avoid IE 'Permission Denied' errors\n\t\t\t\tjQuery( \"<div>\" ).append( jQuery.parseHTML( responseText ) ).find( selector ) :\n\n\t\t\t\t// Otherwise use the full result\n\t\t\t\tresponseText );\n\n\t\t// If the request succeeds, this function gets \"data\", \"status\", \"jqXHR\"\n\t\t// but they are ignored because response was set above.\n\t\t// If it fails, this function gets \"jqXHR\", \"status\", \"error\"\n\t\t} ).always( callback && function( jqXHR, status ) {\n\t\t\tself.each( function() {\n\t\t\t\tcallback.apply( this, response || [ jqXHR.responseText, status, jqXHR ] );\n\t\t\t} );\n\t\t} );\n\t}\n\n\treturn this;\n};\n\n\n\n\njQuery.expr.pseudos.animated = function( elem ) {\n\treturn jQuery.grep( jQuery.timers, function( fn ) {\n\t\treturn elem === fn.elem;\n\t} ).length;\n};\n\n\n\n\njQuery.offset = {\n\tsetOffset: function( elem, options, i ) {\n\t\tvar curPosition, curLeft, curCSSTop, curTop, curOffset, curCSSLeft, calculatePosition,\n\t\t\tposition = jQuery.css( elem, \"position\" ),\n\t\t\tcurElem = jQuery( elem ),\n\t\t\tprops = {};\n\n\t\t// Set position first, in-case top/left are set even on static elem\n\t\tif ( position === \"static\" ) {\n\t\t\telem.style.position = \"relative\";\n\t\t}\n\n\t\tcurOffset = curElem.offset();\n\t\tcurCSSTop = jQuery.css( elem, \"top\" );\n\t\tcurCSSLeft = jQuery.css( elem, \"left\" );\n\t\tcalculatePosition = ( position === \"absolute\" || position === \"fixed\" ) &&\n\t\t\t( curCSSTop + curCSSLeft ).indexOf( \"auto\" ) > -1;\n\n\t\t// Need to be able to calculate position if either\n\t\t// top or left is auto and position is either absolute or fixed\n\t\tif ( calculatePosition ) {\n\t\t\tcurPosition = curElem.position();\n\t\t\tcurTop = curPosition.top;\n\t\t\tcurLeft = curPosition.left;\n\n\t\t} else {\n\t\t\tcurTop = parseFloat( curCSSTop ) || 0;\n\t\t\tcurLeft = parseFloat( curCSSLeft ) || 0;\n\t\t}\n\n\t\tif ( isFunction( options ) ) {\n\n\t\t\t// Use jQuery.extend here to allow modification of coordinates argument (gh-1848)\n\t\t\toptions = options.call( elem, i, jQuery.extend( {}, curOffset ) );\n\t\t}\n\n\t\tif ( options.top != null ) {\n\t\t\tprops.top = ( options.top - curOffset.top ) + curTop;\n\t\t}\n\t\tif ( options.left != null ) {\n\t\t\tprops.left = ( options.left - curOffset.left ) + curLeft;\n\t\t}\n\n\t\tif ( \"using\" in options ) {\n\t\t\toptions.using.call( elem, props );\n\n\t\t} else {\n\t\t\tcurElem.css( props );\n\t\t}\n\t}\n};\n\njQuery.fn.extend( {\n\n\t// offset() relates an element's border box to the document origin\n\toffset: function( options ) {\n\n\t\t// Preserve chaining for setter\n\t\tif ( arguments.length ) {\n\t\t\treturn options === undefined ?\n\t\t\t\tthis :\n\t\t\t\tthis.each( function( i ) {\n\t\t\t\t\tjQuery.offset.setOffset( this, options, i );\n\t\t\t\t} );\n\t\t}\n\n\t\tvar rect, win,\n\t\t\telem = this[ 0 ];\n\n\t\tif ( !elem ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Return zeros for disconnected and hidden (display: none) elements (gh-2310)\n\t\t// Support: IE <=11 only\n\t\t// Running getBoundingClientRect on a\n\t\t// disconnected node in IE throws an error\n\t\tif ( !elem.getClientRects().length ) {\n\t\t\treturn { top: 0, left: 0 };\n\t\t}\n\n\t\t// Get document-relative position by adding viewport scroll to viewport-relative gBCR\n\t\trect = elem.getBoundingClientRect();\n\t\twin = elem.ownerDocument.defaultView;\n\t\treturn {\n\t\t\ttop: rect.top + win.pageYOffset,\n\t\t\tleft: rect.left + win.pageXOffset\n\t\t};\n\t},\n\n\t// position() relates an element's margin box to its offset parent's padding box\n\t// This corresponds to the behavior of CSS absolute positioning\n\tposition: function() {\n\t\tif ( !this[ 0 ] ) {\n\t\t\treturn;\n\t\t}\n\n\t\tvar offsetParent, offset, doc,\n\t\t\telem = this[ 0 ],\n\t\t\tparentOffset = { top: 0, left: 0 };\n\n\t\t// position:fixed elements are offset from the viewport, which itself always has zero offset\n\t\tif ( jQuery.css( elem, \"position\" ) === \"fixed\" ) {\n\n\t\t\t// Assume position:fixed implies availability of getBoundingClientRect\n\t\t\toffset = elem.getBoundingClientRect();\n\n\t\t} else {\n\t\t\toffset = this.offset();\n\n\t\t\t// Account for the *real* offset parent, which can be the document or its root element\n\t\t\t// when a statically positioned element is identified\n\t\t\tdoc = elem.ownerDocument;\n\t\t\toffsetParent = elem.offsetParent || doc.documentElement;\n\t\t\twhile ( offsetParent &&\n\t\t\t\t( offsetParent === doc.body || offsetParent === doc.documentElement ) &&\n\t\t\t\tjQuery.css( offsetParent, \"position\" ) === \"static\" ) {\n\n\t\t\t\toffsetParent = offsetParent.parentNode;\n\t\t\t}\n\t\t\tif ( offsetParent && offsetParent !== elem && offsetParent.nodeType === 1 ) {\n\n\t\t\t\t// Incorporate borders into its offset, since they are outside its content origin\n\t\t\t\tparentOffset = jQuery( offsetParent ).offset();\n\t\t\t\tparentOffset.top += jQuery.css( offsetParent, \"borderTopWidth\", true );\n\t\t\t\tparentOffset.left += jQuery.css( offsetParent, \"borderLeftWidth\", true );\n\t\t\t}\n\t\t}\n\n\t\t// Subtract parent offsets and element margins\n\t\treturn {\n\t\t\ttop: offset.top - parentOffset.top - jQuery.css( elem, \"marginTop\", true ),\n\t\t\tleft: offset.left - parentOffset.left - jQuery.css( elem, \"marginLeft\", true )\n\t\t};\n\t},\n\n\t// This method will return documentElement in the following cases:\n\t// 1) For the element inside the iframe without offsetParent, this method will return\n\t// documentElement of the parent window\n\t// 2) For the hidden or detached element\n\t// 3) For body or html element, i.e. in case of the html node - it will return itself\n\t//\n\t// but those exceptions were never presented as a real life use-cases\n\t// and might be considered as more preferable results.\n\t//\n\t// This logic, however, is not guaranteed and can change at any point in the future\n\toffsetParent: function() {\n\t\treturn this.map( function() {\n\t\t\tvar offsetParent = this.offsetParent;\n\n\t\t\twhile ( offsetParent && jQuery.css( offsetParent, \"position\" ) === \"static\" ) {\n\t\t\t\toffsetParent = offsetParent.offsetParent;\n\t\t\t}\n\n\t\t\treturn offsetParent || documentElement;\n\t\t} );\n\t}\n} );\n\n// Create scrollLeft and scrollTop methods\njQuery.each( { scrollLeft: \"pageXOffset\", scrollTop: \"pageYOffset\" }, function( method, prop ) {\n\tvar top = \"pageYOffset\" === prop;\n\n\tjQuery.fn[ method ] = function( val ) {\n\t\treturn access( this, function( elem, method, val ) {\n\n\t\t\t// Coalesce documents and windows\n\t\t\tvar win;\n\t\t\tif ( isWindow( elem ) ) {\n\t\t\t\twin = elem;\n\t\t\t} else if ( elem.nodeType === 9 ) {\n\t\t\t\twin = elem.defaultView;\n\t\t\t}\n\n\t\t\tif ( val === undefined ) {\n\t\t\t\treturn win ? win[ prop ] : elem[ method ];\n\t\t\t}\n\n\t\t\tif ( win ) {\n\t\t\t\twin.scrollTo(\n\t\t\t\t\t!top ? val : win.pageXOffset,\n\t\t\t\t\ttop ? val : win.pageYOffset\n\t\t\t\t);\n\n\t\t\t} else {\n\t\t\t\telem[ method ] = val;\n\t\t\t}\n\t\t}, method, val, arguments.length );\n\t};\n} );\n\n// Support: Safari <=7 - 9.1, Chrome <=37 - 49\n// Add the top/left cssHooks using jQuery.fn.position\n// Webkit bug: https://bugs.webkit.org/show_bug.cgi?id=29084\n// Blink bug: https://bugs.chromium.org/p/chromium/issues/detail?id=589347\n// getComputedStyle returns percent when specified for top/left/bottom/right;\n// rather than make the css module depend on the offset module, just check for it here\njQuery.each( [ \"top\", \"left\" ], function( _i, prop ) {\n\tjQuery.cssHooks[ prop ] = addGetHookIf( support.pixelPosition,\n\t\tfunction( elem, computed ) {\n\t\t\tif ( computed ) {\n\t\t\t\tcomputed = curCSS( elem, prop );\n\n\t\t\t\t// If curCSS returns percentage, fallback to offset\n\t\t\t\treturn rnumnonpx.test( computed ) ?\n\t\t\t\t\tjQuery( elem ).position()[ prop ] + \"px\" :\n\t\t\t\t\tcomputed;\n\t\t\t}\n\t\t}\n\t);\n} );\n\n\n// Create innerHeight, innerWidth, height, width, outerHeight and outerWidth methods\njQuery.each( { Height: \"height\", Width: \"width\" }, function( name, type ) {\n\tjQuery.each( {\n\t\tpadding: \"inner\" + name,\n\t\tcontent: type,\n\t\t\"\": \"outer\" + name\n\t}, function( defaultExtra, funcName ) {\n\n\t\t// Margin is only for outerHeight, outerWidth\n\t\tjQuery.fn[ funcName ] = function( margin, value ) {\n\t\t\tvar chainable = arguments.length && ( defaultExtra || typeof margin !== \"boolean\" ),\n\t\t\t\textra = defaultExtra || ( margin === true || value === true ? \"margin\" : \"border\" );\n\n\t\t\treturn access( this, function( elem, type, value ) {\n\t\t\t\tvar doc;\n\n\t\t\t\tif ( isWindow( elem ) ) {\n\n\t\t\t\t\t// $( window ).outerWidth/Height return w/h including scrollbars (gh-1729)\n\t\t\t\t\treturn funcName.indexOf( \"outer\" ) === 0 ?\n\t\t\t\t\t\telem[ \"inner\" + name ] :\n\t\t\t\t\t\telem.document.documentElement[ \"client\" + name ];\n\t\t\t\t}\n\n\t\t\t\t// Get document width or height\n\t\t\t\tif ( elem.nodeType === 9 ) {\n\t\t\t\t\tdoc = elem.documentElement;\n\n\t\t\t\t\t// Either scroll[Width/Height] or offset[Width/Height] or client[Width/Height],\n\t\t\t\t\t// whichever is greatest\n\t\t\t\t\treturn Math.max(\n\t\t\t\t\t\telem.body[ \"scroll\" + name ], doc[ \"scroll\" + name ],\n\t\t\t\t\t\telem.body[ \"offset\" + name ], doc[ \"offset\" + name ],\n\t\t\t\t\t\tdoc[ \"client\" + name ]\n\t\t\t\t\t);\n\t\t\t\t}\n\n\t\t\t\treturn value === undefined ?\n\n\t\t\t\t\t// Get width or height on the element, requesting but not forcing parseFloat\n\t\t\t\t\tjQuery.css( elem, type, extra ) :\n\n\t\t\t\t\t// Set width or height on the element\n\t\t\t\t\tjQuery.style( elem, type, value, extra );\n\t\t\t}, type, chainable ? margin : undefined, chainable );\n\t\t};\n\t} );\n} );\n\n\njQuery.each( [\n\t\"ajaxStart\",\n\t\"ajaxStop\",\n\t\"ajaxComplete\",\n\t\"ajaxError\",\n\t\"ajaxSuccess\",\n\t\"ajaxSend\"\n], function( _i, type ) {\n\tjQuery.fn[ type ] = function( fn ) {\n\t\treturn this.on( type, fn );\n\t};\n} );\n\n\n\n\njQuery.fn.extend( {\n\n\tbind: function( types, data, fn ) {\n\t\treturn this.on( types, null, data, fn );\n\t},\n\tunbind: function( types, fn ) {\n\t\treturn this.off( types, null, fn );\n\t},\n\n\tdelegate: function( selector, types, data, fn ) {\n\t\treturn this.on( types, selector, data, fn );\n\t},\n\tundelegate: function( selector, types, fn ) {\n\n\t\t// ( namespace ) or ( selector, types [, fn] )\n\t\treturn arguments.length === 1 ?\n\t\t\tthis.off( selector, \"**\" ) :\n\t\t\tthis.off( types, selector || \"**\", fn );\n\t},\n\n\thover: function( fnOver, fnOut ) {\n\t\treturn this.mouseenter( fnOver ).mouseleave( fnOut || fnOver );\n\t}\n} );\n\njQuery.each(\n\t( \"blur focus focusin focusout resize scroll click dblclick \" +\n\t\"mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave \" +\n\t\"change select submit keydown keypress keyup contextmenu\" ).split( \" \" ),\n\tfunction( _i, name ) {\n\n\t\t// Handle event binding\n\t\tjQuery.fn[ name ] = function( data, fn ) {\n\t\t\treturn arguments.length > 0 ?\n\t\t\t\tthis.on( name, null, data, fn ) :\n\t\t\t\tthis.trigger( name );\n\t\t};\n\t}\n);\n\n\n\n\n// Support: Android <=4.0 only\n// Make sure we trim BOM and NBSP\n// Require that the \"whitespace run\" starts from a non-whitespace\n// to avoid O(N^2) behavior when the engine would try matching \"\\s+$\" at each space position.\nvar rtrim = /^[\\s\\uFEFF\\xA0]+|([^\\s\\uFEFF\\xA0])[\\s\\uFEFF\\xA0]+$/g;\n\n// Bind a function to a context, optionally partially applying any\n// arguments.\n// jQuery.proxy is deprecated to promote standards (specifically Function#bind)\n// However, it is not slated for removal any time soon\njQuery.proxy = function( fn, context ) {\n\tvar tmp, args, proxy;\n\n\tif ( typeof context === \"string\" ) {\n\t\ttmp = fn[ context ];\n\t\tcontext = fn;\n\t\tfn = tmp;\n\t}\n\n\t// Quick check to determine if target is callable, in the spec\n\t// this throws a TypeError, but we will just return undefined.\n\tif ( !isFunction( fn ) ) {\n\t\treturn undefined;\n\t}\n\n\t// Simulated bind\n\targs = slice.call( arguments, 2 );\n\tproxy = function() {\n\t\treturn fn.apply( context || this, args.concat( slice.call( arguments ) ) );\n\t};\n\n\t// Set the guid of unique handler to the same of original handler, so it can be removed\n\tproxy.guid = fn.guid = fn.guid || jQuery.guid++;\n\n\treturn proxy;\n};\n\njQuery.holdReady = function( hold ) {\n\tif ( hold ) {\n\t\tjQuery.readyWait++;\n\t} else {\n\t\tjQuery.ready( true );\n\t}\n};\njQuery.isArray = Array.isArray;\njQuery.parseJSON = JSON.parse;\njQuery.nodeName = nodeName;\njQuery.isFunction = isFunction;\njQuery.isWindow = isWindow;\njQuery.camelCase = camelCase;\njQuery.type = toType;\n\njQuery.now = Date.now;\n\njQuery.isNumeric = function( obj ) {\n\n\t// As of jQuery 3.0, isNumeric is limited to\n\t// strings and numbers (primitives or objects)\n\t// that can be coerced to finite numbers (gh-2662)\n\tvar type = jQuery.type( obj );\n\treturn ( type === \"number\" || type === \"string\" ) &&\n\n\t\t// parseFloat NaNs numeric-cast false positives (\"\")\n\t\t// ...but misinterprets leading-number strings, particularly hex literals (\"0x...\")\n\t\t// subtraction forces infinities to NaN\n\t\t!isNaN( obj - parseFloat( obj ) );\n};\n\njQuery.trim = function( text ) {\n\treturn text == null ?\n\t\t\"\" :\n\t\t( text + \"\" ).replace( rtrim, \"$1\" );\n};\n\n\n\n// Register as a named AMD module, since jQuery can be concatenated with other\n// files that may use define, but not via a proper concatenation script that\n// understands anonymous AMD modules. A named AMD is safest and most robust\n// way to register. Lowercase jquery is used because AMD module names are\n// derived from file names, and jQuery is normally delivered in a lowercase\n// file name. Do this after creating the global so that if an AMD module wants\n// to call noConflict to hide this version of jQuery, it will work.\n\n// Note that for maximum portability, libraries that are not jQuery should\n// declare themselves as anonymous modules, and avoid setting a global if an\n// AMD loader is present. jQuery is a special case. For more information, see\n// https://github.com/jrburke/requirejs/wiki/Updating-existing-libraries#wiki-anon\n\nif ( typeof define === \"function\" && define.amd ) {\n\tdefine( \"jquery\", [], function() {\n\t\treturn jQuery;\n\t} );\n}\n\n\n\n\nvar\n\n\t// Map over jQuery in case of overwrite\n\t_jQuery = window.jQuery,\n\n\t// Map over the $ in case of overwrite\n\t_$ = window.$;\n\njQuery.noConflict = function( deep ) {\n\tif ( window.$ === jQuery ) {\n\t\twindow.$ = _$;\n\t}\n\n\tif ( deep && window.jQuery === jQuery ) {\n\t\twindow.jQuery = _jQuery;\n\t}\n\n\treturn jQuery;\n};\n\n// Expose jQuery and $ identifiers, even in AMD\n// (trac-7102#comment:10, https://github.com/jquery/jquery/pull/557)\n// and CommonJS for browser emulators (trac-13566)\nif ( typeof noGlobal === \"undefined\" ) {\n\twindow.jQuery = window.$ = jQuery;\n}\n\n\n\n\nreturn jQuery;\n} );\n", "/* ========================================================================\n * Bootstrap: transition.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#transitions\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n\n+function ($) {\n 'use strict';\n\n // CSS TRANSITION SUPPORT (Shoutout: https://modernizr.com/)\n // ============================================================\n\n function transitionEnd() {\n var el = document.createElement('bootstrap')\n\n var transEndEventNames = {\n WebkitTransition : 'webkitTransitionEnd',\n MozTransition : 'transitionend',\n OTransition : 'oTransitionEnd otransitionend',\n transition : 'transitionend'\n }\n\n for (var name in transEndEventNames) {\n if (el.style[name] !== undefined) {\n return { end: transEndEventNames[name] }\n }\n }\n\n return false // explicit for ie8 ( ._.)\n }\n\n // https://blog.alexmaccaw.com/css-transitions\n $.fn.emulateTransitionEnd = function (duration) {\n var called = false\n var $el = this\n $(this).one('bsTransitionEnd', function () { called = true })\n var callback = function () { if (!called) $($el).trigger($.support.transition.end) }\n setTimeout(callback, duration)\n return this\n }\n\n $(function () {\n $.support.transition = transitionEnd()\n\n if (!$.support.transition) return\n\n $.event.special.bsTransitionEnd = {\n bindType: $.support.transition.end,\n delegateType: $.support.transition.end,\n handle: function (e) {\n if ($(e.target).is(this)) return e.handleObj.handler.apply(this, arguments)\n }\n }\n })\n\n}(jQuery);\n", "/* ========================================================================\n * Bootstrap: alert.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#alerts\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n\n+function ($) {\n 'use strict';\n\n // ALERT CLASS DEFINITION\n // ======================\n\n var dismiss = '[data-dismiss=\"alert\"]'\n var Alert = function (el) {\n $(el).on('click', dismiss, this.close)\n }\n\n Alert.VERSION = '3.4.1'\n\n Alert.TRANSITION_DURATION = 150\n\n Alert.prototype.close = function (e) {\n var $this = $(this)\n var selector = $this.attr('data-target')\n\n if (!selector) {\n selector = $this.attr('href')\n selector = selector && selector.replace(/.*(?=#[^\\s]*$)/, '') // strip for ie7\n }\n\n selector = selector === '#' ? [] : selector\n var $parent = $(document).find(selector)\n\n if (e) e.preventDefault()\n\n if (!$parent.length) {\n $parent = $this.closest('.alert')\n }\n\n $parent.trigger(e = $.Event('close.bs.alert'))\n\n if (e.isDefaultPrevented()) return\n\n $parent.removeClass('in')\n\n function removeElement() {\n // detach from parent, fire event then clean up data\n $parent.detach().trigger('closed.bs.alert').remove()\n }\n\n $.support.transition && $parent.hasClass('fade') ?\n $parent\n .one('bsTransitionEnd', removeElement)\n .emulateTransitionEnd(Alert.TRANSITION_DURATION) :\n removeElement()\n }\n\n\n // ALERT PLUGIN DEFINITION\n // =======================\n\n function Plugin(option) {\n return this.each(function () {\n var $this = $(this)\n var data = $this.data('bs.alert')\n\n if (!data) $this.data('bs.alert', (data = new Alert(this)))\n if (typeof option == 'string') data[option].call($this)\n })\n }\n\n var old = $.fn.alert\n\n $.fn.alert = Plugin\n $.fn.alert.Constructor = Alert\n\n\n // ALERT NO CONFLICT\n // =================\n\n $.fn.alert.noConflict = function () {\n $.fn.alert = old\n return this\n }\n\n\n // ALERT DATA-API\n // ==============\n\n $(document).on('click.bs.alert.data-api', dismiss, Alert.prototype.close)\n\n}(jQuery);\n", "/* ========================================================================\n * Bootstrap: button.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#buttons\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n\n+function ($) {\n 'use strict';\n\n // BUTTON PUBLIC CLASS DEFINITION\n // ==============================\n\n var Button = function (element, options) {\n this.$element = $(element)\n this.options = $.extend({}, Button.DEFAULTS, options)\n this.isLoading = false\n }\n\n Button.VERSION = '3.4.1'\n\n Button.DEFAULTS = {\n loadingText: 'loading...'\n }\n\n Button.prototype.setState = function (state) {\n var d = 'disabled'\n var $el = this.$element\n var val = $el.is('input') ? 'val' : 'html'\n var data = $el.data()\n\n state += 'Text'\n\n if (data.resetText == null) $el.data('resetText', $el[val]())\n\n // push to event loop to allow forms to submit\n setTimeout($.proxy(function () {\n $el[val](data[state] == null ? this.options[state] : data[state])\n\n if (state == 'loadingText') {\n this.isLoading = true\n $el.addClass(d).attr(d, d).prop(d, true)\n } else if (this.isLoading) {\n this.isLoading = false\n $el.removeClass(d).removeAttr(d).prop(d, false)\n }\n }, this), 0)\n }\n\n Button.prototype.toggle = function () {\n var changed = true\n var $parent = this.$element.closest('[data-toggle=\"buttons\"]')\n\n if ($parent.length) {\n var $input = this.$element.find('input')\n if ($input.prop('type') == 'radio') {\n if ($input.prop('checked')) changed = false\n $parent.find('.active').removeClass('active')\n this.$element.addClass('active')\n } else if ($input.prop('type') == 'checkbox') {\n if (($input.prop('checked')) !== this.$element.hasClass('active')) changed = false\n this.$element.toggleClass('active')\n }\n $input.prop('checked', this.$element.hasClass('active'))\n if (changed) $input.trigger('change')\n } else {\n this.$element.attr('aria-pressed', !this.$element.hasClass('active'))\n this.$element.toggleClass('active')\n }\n }\n\n\n // BUTTON PLUGIN DEFINITION\n // ========================\n\n function Plugin(option) {\n return this.each(function () {\n var $this = $(this)\n var data = $this.data('bs.button')\n var options = typeof option == 'object' && option\n\n if (!data) $this.data('bs.button', (data = new Button(this, options)))\n\n if (option == 'toggle') data.toggle()\n else if (option) data.setState(option)\n })\n }\n\n var old = $.fn.button\n\n $.fn.button = Plugin\n $.fn.button.Constructor = Button\n\n\n // BUTTON NO CONFLICT\n // ==================\n\n $.fn.button.noConflict = function () {\n $.fn.button = old\n return this\n }\n\n\n // BUTTON DATA-API\n // ===============\n\n $(document)\n .on('click.bs.button.data-api', '[data-toggle^=\"button\"]', function (e) {\n var $btn = $(e.target).closest('.btn')\n Plugin.call($btn, 'toggle')\n if (!($(e.target).is('input[type=\"radio\"], input[type=\"checkbox\"]'))) {\n // Prevent double click on radios, and the double selections (so cancellation) on checkboxes\n e.preventDefault()\n // The target component still receive the focus\n if ($btn.is('input,button')) $btn.trigger('focus')\n else $btn.find('input:visible,button:visible').first().trigger('focus')\n }\n })\n .on('focus.bs.button.data-api blur.bs.button.data-api', '[data-toggle^=\"button\"]', function (e) {\n $(e.target).closest('.btn').toggleClass('focus', /^focus(in)?$/.test(e.type))\n })\n\n}(jQuery);\n", "/* ========================================================================\n * Bootstrap: carousel.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#carousel\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n\n+function ($) {\n 'use strict';\n\n // CAROUSEL CLASS DEFINITION\n // =========================\n\n var Carousel = function (element, options) {\n this.$element = $(element)\n this.$indicators = this.$element.find('.carousel-indicators')\n this.options = options\n this.paused = null\n this.sliding = null\n this.interval = null\n this.$active = null\n this.$items = null\n\n this.options.keyboard && this.$element.on('keydown.bs.carousel', $.proxy(this.keydown, this))\n\n this.options.pause == 'hover' && !('ontouchstart' in document.documentElement) && this.$element\n .on('mouseenter.bs.carousel', $.proxy(this.pause, this))\n .on('mouseleave.bs.carousel', $.proxy(this.cycle, this))\n }\n\n Carousel.VERSION = '3.4.1'\n\n Carousel.TRANSITION_DURATION = 600\n\n Carousel.DEFAULTS = {\n interval: 5000,\n pause: 'hover',\n wrap: true,\n keyboard: true\n }\n\n Carousel.prototype.keydown = function (e) {\n if (/input|textarea/i.test(e.target.tagName)) return\n switch (e.which) {\n case 37: this.prev(); break\n case 39: this.next(); break\n default: return\n }\n\n e.preventDefault()\n }\n\n Carousel.prototype.cycle = function (e) {\n e || (this.paused = false)\n\n this.interval && clearInterval(this.interval)\n\n this.options.interval\n && !this.paused\n && (this.interval = setInterval($.proxy(this.next, this), this.options.interval))\n\n return this\n }\n\n Carousel.prototype.getItemIndex = function (item) {\n this.$items = item.parent().children('.item')\n return this.$items.index(item || this.$active)\n }\n\n Carousel.prototype.getItemForDirection = function (direction, active) {\n var activeIndex = this.getItemIndex(active)\n var willWrap = (direction == 'prev' && activeIndex === 0)\n || (direction == 'next' && activeIndex == (this.$items.length - 1))\n if (willWrap && !this.options.wrap) return active\n var delta = direction == 'prev' ? -1 : 1\n var itemIndex = (activeIndex + delta) % this.$items.length\n return this.$items.eq(itemIndex)\n }\n\n Carousel.prototype.to = function (pos) {\n var that = this\n var activeIndex = this.getItemIndex(this.$active = this.$element.find('.item.active'))\n\n if (pos > (this.$items.length - 1) || pos < 0) return\n\n if (this.sliding) return this.$element.one('slid.bs.carousel', function () { that.to(pos) }) // yes, \"slid\"\n if (activeIndex == pos) return this.pause().cycle()\n\n return this.slide(pos > activeIndex ? 'next' : 'prev', this.$items.eq(pos))\n }\n\n Carousel.prototype.pause = function (e) {\n e || (this.paused = true)\n\n if (this.$element.find('.next, .prev').length && $.support.transition) {\n this.$element.trigger($.support.transition.end)\n this.cycle(true)\n }\n\n this.interval = clearInterval(this.interval)\n\n return this\n }\n\n Carousel.prototype.next = function () {\n if (this.sliding) return\n return this.slide('next')\n }\n\n Carousel.prototype.prev = function () {\n if (this.sliding) return\n return this.slide('prev')\n }\n\n Carousel.prototype.slide = function (type, next) {\n var $active = this.$element.find('.item.active')\n var $next = next || this.getItemForDirection(type, $active)\n var isCycling = this.interval\n var direction = type == 'next' ? 'left' : 'right'\n var that = this\n\n if ($next.hasClass('active')) return (this.sliding = false)\n\n var relatedTarget = $next[0]\n var slideEvent = $.Event('slide.bs.carousel', {\n relatedTarget: relatedTarget,\n direction: direction\n })\n this.$element.trigger(slideEvent)\n if (slideEvent.isDefaultPrevented()) return\n\n this.sliding = true\n\n isCycling && this.pause()\n\n if (this.$indicators.length) {\n this.$indicators.find('.active').removeClass('active')\n var $nextIndicator = $(this.$indicators.children()[this.getItemIndex($next)])\n $nextIndicator && $nextIndicator.addClass('active')\n }\n\n var slidEvent = $.Event('slid.bs.carousel', { relatedTarget: relatedTarget, direction: direction }) // yes, \"slid\"\n if ($.support.transition && this.$element.hasClass('slide')) {\n $next.addClass(type)\n if (typeof $next === 'object' && $next.length) {\n $next[0].offsetWidth // force reflow\n }\n $active.addClass(direction)\n $next.addClass(direction)\n $active\n .one('bsTransitionEnd', function () {\n $next.removeClass([type, direction].join(' ')).addClass('active')\n $active.removeClass(['active', direction].join(' '))\n that.sliding = false\n setTimeout(function () {\n that.$element.trigger(slidEvent)\n }, 0)\n })\n .emulateTransitionEnd(Carousel.TRANSITION_DURATION)\n } else {\n $active.removeClass('active')\n $next.addClass('active')\n this.sliding = false\n this.$element.trigger(slidEvent)\n }\n\n isCycling && this.cycle()\n\n return this\n }\n\n\n // CAROUSEL PLUGIN DEFINITION\n // ==========================\n\n function Plugin(option) {\n return this.each(function () {\n var $this = $(this)\n var data = $this.data('bs.carousel')\n var options = $.extend({}, Carousel.DEFAULTS, $this.data(), typeof option == 'object' && option)\n var action = typeof option == 'string' ? option : options.slide\n\n if (!data) $this.data('bs.carousel', (data = new Carousel(this, options)))\n if (typeof option == 'number') data.to(option)\n else if (action) data[action]()\n else if (options.interval) data.pause().cycle()\n })\n }\n\n var old = $.fn.carousel\n\n $.fn.carousel = Plugin\n $.fn.carousel.Constructor = Carousel\n\n\n // CAROUSEL NO CONFLICT\n // ====================\n\n $.fn.carousel.noConflict = function () {\n $.fn.carousel = old\n return this\n }\n\n\n // CAROUSEL DATA-API\n // =================\n\n var clickHandler = function (e) {\n var $this = $(this)\n var href = $this.attr('href')\n if (href) {\n href = href.replace(/.*(?=#[^\\s]+$)/, '') // strip for ie7\n }\n\n var target = $this.attr('data-target') || href\n var $target = $(document).find(target)\n\n if (!$target.hasClass('carousel')) return\n\n var options = $.extend({}, $target.data(), $this.data())\n var slideIndex = $this.attr('data-slide-to')\n if (slideIndex) options.interval = false\n\n Plugin.call($target, options)\n\n if (slideIndex) {\n $target.data('bs.carousel').to(slideIndex)\n }\n\n e.preventDefault()\n }\n\n $(document)\n .on('click.bs.carousel.data-api', '[data-slide]', clickHandler)\n .on('click.bs.carousel.data-api', '[data-slide-to]', clickHandler)\n\n $(window).on('load', function () {\n $('[data-ride=\"carousel\"]').each(function () {\n var $carousel = $(this)\n Plugin.call($carousel, $carousel.data())\n })\n })\n\n}(jQuery);\n", "/* ========================================================================\n * Bootstrap: collapse.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#collapse\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n/* jshint latedef: false */\n\n+function ($) {\n 'use strict';\n\n // COLLAPSE PUBLIC CLASS DEFINITION\n // ================================\n\n var Collapse = function (element, options) {\n this.$element = $(element)\n this.options = $.extend({}, Collapse.DEFAULTS, options)\n this.$trigger = $('[data-toggle=\"collapse\"][href=\"#' + element.id + '\"],' +\n '[data-toggle=\"collapse\"][data-target=\"#' + element.id + '\"]')\n this.transitioning = null\n\n if (this.options.parent) {\n this.$parent = this.getParent()\n } else {\n this.addAriaAndCollapsedClass(this.$element, this.$trigger)\n }\n\n if (this.options.toggle) this.toggle()\n }\n\n Collapse.VERSION = '3.4.1'\n\n Collapse.TRANSITION_DURATION = 350\n\n Collapse.DEFAULTS = {\n toggle: true\n }\n\n Collapse.prototype.dimension = function () {\n var hasWidth = this.$element.hasClass('width')\n return hasWidth ? 'width' : 'height'\n }\n\n Collapse.prototype.show = function () {\n if (this.transitioning || this.$element.hasClass('in')) return\n\n var activesData\n var actives = this.$parent && this.$parent.children('.panel').children('.in, .collapsing')\n\n if (actives && actives.length) {\n activesData = actives.data('bs.collapse')\n if (activesData && activesData.transitioning) return\n }\n\n var startEvent = $.Event('show.bs.collapse')\n this.$element.trigger(startEvent)\n if (startEvent.isDefaultPrevented()) return\n\n if (actives && actives.length) {\n Plugin.call(actives, 'hide')\n activesData || actives.data('bs.collapse', null)\n }\n\n var dimension = this.dimension()\n\n this.$element\n .removeClass('collapse')\n .addClass('collapsing')[dimension](0)\n .attr('aria-expanded', true)\n\n this.$trigger\n .removeClass('collapsed')\n .attr('aria-expanded', true)\n\n this.transitioning = 1\n\n var complete = function () {\n this.$element\n .removeClass('collapsing')\n .addClass('collapse in')[dimension]('')\n this.transitioning = 0\n this.$element\n .trigger('shown.bs.collapse')\n }\n\n if (!$.support.transition) return complete.call(this)\n\n var scrollSize = $.camelCase(['scroll', dimension].join('-'))\n\n this.$element\n .one('bsTransitionEnd', $.proxy(complete, this))\n .emulateTransitionEnd(Collapse.TRANSITION_DURATION)[dimension](this.$element[0][scrollSize])\n }\n\n Collapse.prototype.hide = function () {\n if (this.transitioning || !this.$element.hasClass('in')) return\n\n var startEvent = $.Event('hide.bs.collapse')\n this.$element.trigger(startEvent)\n if (startEvent.isDefaultPrevented()) return\n\n var dimension = this.dimension()\n\n this.$element[dimension](this.$element[dimension]())[0].offsetHeight\n\n this.$element\n .addClass('collapsing')\n .removeClass('collapse in')\n .attr('aria-expanded', false)\n\n this.$trigger\n .addClass('collapsed')\n .attr('aria-expanded', false)\n\n this.transitioning = 1\n\n var complete = function () {\n this.transitioning = 0\n this.$element\n .removeClass('collapsing')\n .addClass('collapse')\n .trigger('hidden.bs.collapse')\n }\n\n if (!$.support.transition) return complete.call(this)\n\n this.$element\n [dimension](0)\n .one('bsTransitionEnd', $.proxy(complete, this))\n .emulateTransitionEnd(Collapse.TRANSITION_DURATION)\n }\n\n Collapse.prototype.toggle = function () {\n this[this.$element.hasClass('in') ? 'hide' : 'show']()\n }\n\n Collapse.prototype.getParent = function () {\n return $(document).find(this.options.parent)\n .find('[data-toggle=\"collapse\"][data-parent=\"' + this.options.parent + '\"]')\n .each($.proxy(function (i, element) {\n var $element = $(element)\n this.addAriaAndCollapsedClass(getTargetFromTrigger($element), $element)\n }, this))\n .end()\n }\n\n Collapse.prototype.addAriaAndCollapsedClass = function ($element, $trigger) {\n var isOpen = $element.hasClass('in')\n\n $element.attr('aria-expanded', isOpen)\n $trigger\n .toggleClass('collapsed', !isOpen)\n .attr('aria-expanded', isOpen)\n }\n\n function getTargetFromTrigger($trigger) {\n var href\n var target = $trigger.attr('data-target')\n || (href = $trigger.attr('href')) && href.replace(/.*(?=#[^\\s]+$)/, '') // strip for ie7\n\n return $(document).find(target)\n }\n\n\n // COLLAPSE PLUGIN DEFINITION\n // ==========================\n\n function Plugin(option) {\n return this.each(function () {\n var $this = $(this)\n var data = $this.data('bs.collapse')\n var options = $.extend({}, Collapse.DEFAULTS, $this.data(), typeof option == 'object' && option)\n\n if (!data && options.toggle && /show|hide/.test(option)) options.toggle = false\n if (!data) $this.data('bs.collapse', (data = new Collapse(this, options)))\n if (typeof option == 'string') data[option]()\n })\n }\n\n var old = $.fn.collapse\n\n $.fn.collapse = Plugin\n $.fn.collapse.Constructor = Collapse\n\n\n // COLLAPSE NO CONFLICT\n // ====================\n\n $.fn.collapse.noConflict = function () {\n $.fn.collapse = old\n return this\n }\n\n\n // COLLAPSE DATA-API\n // =================\n\n $(document).on('click.bs.collapse.data-api', '[data-toggle=\"collapse\"]', function (e) {\n var $this = $(this)\n\n if (!$this.attr('data-target')) e.preventDefault()\n\n var $target = getTargetFromTrigger($this)\n var data = $target.data('bs.collapse')\n var option = data ? 'toggle' : $this.data()\n\n Plugin.call($target, option)\n })\n\n}(jQuery);\n", "/* ========================================================================\n * Bootstrap: dropdown.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#dropdowns\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n\n+function ($) {\n 'use strict';\n\n // DROPDOWN CLASS DEFINITION\n // =========================\n\n var backdrop = '.dropdown-backdrop'\n var toggle = '[data-toggle=\"dropdown\"]'\n var Dropdown = function (element) {\n $(element).on('click.bs.dropdown', this.toggle)\n }\n\n Dropdown.VERSION = '3.4.1'\n\n function getParent($this) {\n var selector = $this.attr('data-target')\n\n if (!selector) {\n selector = $this.attr('href')\n selector = selector && /#[A-Za-z]/.test(selector) && selector.replace(/.*(?=#[^\\s]*$)/, '') // strip for ie7\n }\n\n var $parent = selector !== '#' ? $(document).find(selector) : null\n\n return $parent && $parent.length ? $parent : $this.parent()\n }\n\n function clearMenus(e) {\n if (e && e.which === 3) return\n $(backdrop).remove()\n $(toggle).each(function () {\n var $this = $(this)\n var $parent = getParent($this)\n var relatedTarget = { relatedTarget: this }\n\n if (!$parent.hasClass('open')) return\n\n if (e && e.type == 'click' && /input|textarea/i.test(e.target.tagName) && $.contains($parent[0], e.target)) return\n\n $parent.trigger(e = $.Event('hide.bs.dropdown', relatedTarget))\n\n if (e.isDefaultPrevented()) return\n\n $this.attr('aria-expanded', 'false')\n $parent.removeClass('open').trigger($.Event('hidden.bs.dropdown', relatedTarget))\n })\n }\n\n Dropdown.prototype.toggle = function (e) {\n var $this = $(this)\n\n if ($this.is('.disabled, :disabled')) return\n\n var $parent = getParent($this)\n var isActive = $parent.hasClass('open')\n\n clearMenus()\n\n if (!isActive) {\n if ('ontouchstart' in document.documentElement && !$parent.closest('.navbar-nav').length) {\n // if mobile we use a backdrop because click events don't delegate\n $(document.createElement('div'))\n .addClass('dropdown-backdrop')\n .insertAfter($(this))\n .on('click', clearMenus)\n }\n\n var relatedTarget = { relatedTarget: this }\n $parent.trigger(e = $.Event('show.bs.dropdown', relatedTarget))\n\n if (e.isDefaultPrevented()) return\n\n $this\n .trigger('focus')\n .attr('aria-expanded', 'true')\n\n $parent\n .toggleClass('open')\n .trigger($.Event('shown.bs.dropdown', relatedTarget))\n }\n\n return false\n }\n\n Dropdown.prototype.keydown = function (e) {\n if (!/(38|40|27|32)/.test(e.which) || /input|textarea/i.test(e.target.tagName)) return\n\n var $this = $(this)\n\n e.preventDefault()\n e.stopPropagation()\n\n if ($this.is('.disabled, :disabled')) return\n\n var $parent = getParent($this)\n var isActive = $parent.hasClass('open')\n\n if (!isActive && e.which != 27 || isActive && e.which == 27) {\n if (e.which == 27) $parent.find(toggle).trigger('focus')\n return $this.trigger('click')\n }\n\n var desc = ' li:not(.disabled):visible a'\n var $items = $parent.find('.dropdown-menu' + desc)\n\n if (!$items.length) return\n\n var index = $items.index(e.target)\n\n if (e.which == 38 && index > 0) index-- // up\n if (e.which == 40 && index < $items.length - 1) index++ // down\n if (!~index) index = 0\n\n $items.eq(index).trigger('focus')\n }\n\n\n // DROPDOWN PLUGIN DEFINITION\n // ==========================\n\n function Plugin(option) {\n return this.each(function () {\n var $this = $(this)\n var data = $this.data('bs.dropdown')\n\n if (!data) $this.data('bs.dropdown', (data = new Dropdown(this)))\n if (typeof option == 'string') data[option].call($this)\n })\n }\n\n var old = $.fn.dropdown\n\n $.fn.dropdown = Plugin\n $.fn.dropdown.Constructor = Dropdown\n\n\n // DROPDOWN NO CONFLICT\n // ====================\n\n $.fn.dropdown.noConflict = function () {\n $.fn.dropdown = old\n return this\n }\n\n\n // APPLY TO STANDARD DROPDOWN ELEMENTS\n // ===================================\n\n $(document)\n .on('click.bs.dropdown.data-api', clearMenus)\n .on('click.bs.dropdown.data-api', '.dropdown form', function (e) { e.stopPropagation() })\n .on('click.bs.dropdown.data-api', toggle, Dropdown.prototype.toggle)\n .on('keydown.bs.dropdown.data-api', toggle, Dropdown.prototype.keydown)\n .on('keydown.bs.dropdown.data-api', '.dropdown-menu', Dropdown.prototype.keydown)\n\n}(jQuery);\n", "/* ========================================================================\n * Bootstrap: modal.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#modals\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n\n+function ($) {\n 'use strict';\n\n // MODAL CLASS DEFINITION\n // ======================\n\n var Modal = function (element, options) {\n this.options = options\n this.$body = $(document.body)\n this.$element = $(element)\n this.$dialog = this.$element.find('.modal-dialog')\n this.$backdrop = null\n this.isShown = null\n this.originalBodyPad = null\n this.scrollbarWidth = 0\n this.ignoreBackdropClick = false\n this.fixedContent = '.navbar-fixed-top, .navbar-fixed-bottom'\n\n if (this.options.remote) {\n this.$element\n .find('.modal-content')\n .load(this.options.remote, $.proxy(function () {\n this.$element.trigger('loaded.bs.modal')\n }, this))\n }\n }\n\n Modal.VERSION = '3.4.1'\n\n Modal.TRANSITION_DURATION = 300\n Modal.BACKDROP_TRANSITION_DURATION = 150\n\n Modal.DEFAULTS = {\n backdrop: true,\n keyboard: true,\n show: true\n }\n\n Modal.prototype.toggle = function (_relatedTarget) {\n return this.isShown ? this.hide() : this.show(_relatedTarget)\n }\n\n Modal.prototype.show = function (_relatedTarget) {\n var that = this\n var e = $.Event('show.bs.modal', { relatedTarget: _relatedTarget })\n\n this.$element.trigger(e)\n\n if (this.isShown || e.isDefaultPrevented()) return\n\n this.isShown = true\n\n this.checkScrollbar()\n this.setScrollbar()\n this.$body.addClass('modal-open')\n\n this.escape()\n this.resize()\n\n this.$element.on('click.dismiss.bs.modal', '[data-dismiss=\"modal\"]', $.proxy(this.hide, this))\n\n this.$dialog.on('mousedown.dismiss.bs.modal', function () {\n that.$element.one('mouseup.dismiss.bs.modal', function (e) {\n if ($(e.target).is(that.$element)) that.ignoreBackdropClick = true\n })\n })\n\n this.backdrop(function () {\n var transition = $.support.transition && that.$element.hasClass('fade')\n\n if (!that.$element.parent().length) {\n that.$element.appendTo(that.$body) // don't move modals dom position\n }\n\n that.$element\n .show()\n .scrollTop(0)\n\n that.adjustDialog()\n\n if (transition) {\n that.$element[0].offsetWidth // force reflow\n }\n\n that.$element.addClass('in')\n\n that.enforceFocus()\n\n var e = $.Event('shown.bs.modal', { relatedTarget: _relatedTarget })\n\n transition ?\n that.$dialog // wait for modal to slide in\n .one('bsTransitionEnd', function () {\n that.$element.trigger('focus').trigger(e)\n })\n .emulateTransitionEnd(Modal.TRANSITION_DURATION) :\n that.$element.trigger('focus').trigger(e)\n })\n }\n\n Modal.prototype.hide = function (e) {\n if (e) e.preventDefault()\n\n e = $.Event('hide.bs.modal')\n\n this.$element.trigger(e)\n\n if (!this.isShown || e.isDefaultPrevented()) return\n\n this.isShown = false\n\n this.escape()\n this.resize()\n\n $(document).off('focusin.bs.modal')\n\n this.$element\n .removeClass('in')\n .off('click.dismiss.bs.modal')\n .off('mouseup.dismiss.bs.modal')\n\n this.$dialog.off('mousedown.dismiss.bs.modal')\n\n $.support.transition && this.$element.hasClass('fade') ?\n this.$element\n .one('bsTransitionEnd', $.proxy(this.hideModal, this))\n .emulateTransitionEnd(Modal.TRANSITION_DURATION) :\n this.hideModal()\n }\n\n Modal.prototype.enforceFocus = function () {\n $(document)\n .off('focusin.bs.modal') // guard against infinite focus loop\n .on('focusin.bs.modal', $.proxy(function (e) {\n if (document !== e.target &&\n this.$element[0] !== e.target &&\n !this.$element.has(e.target).length) {\n this.$element.trigger('focus')\n }\n }, this))\n }\n\n Modal.prototype.escape = function () {\n if (this.isShown && this.options.keyboard) {\n this.$element.on('keydown.dismiss.bs.modal', $.proxy(function (e) {\n e.which == 27 && this.hide()\n }, this))\n } else if (!this.isShown) {\n this.$element.off('keydown.dismiss.bs.modal')\n }\n }\n\n Modal.prototype.resize = function () {\n if (this.isShown) {\n $(window).on('resize.bs.modal', $.proxy(this.handleUpdate, this))\n } else {\n $(window).off('resize.bs.modal')\n }\n }\n\n Modal.prototype.hideModal = function () {\n var that = this\n this.$element.hide()\n this.backdrop(function () {\n that.$body.removeClass('modal-open')\n that.resetAdjustments()\n that.resetScrollbar()\n that.$element.trigger('hidden.bs.modal')\n })\n }\n\n Modal.prototype.removeBackdrop = function () {\n this.$backdrop && this.$backdrop.remove()\n this.$backdrop = null\n }\n\n Modal.prototype.backdrop = function (callback) {\n var that = this\n var animate = this.$element.hasClass('fade') ? 'fade' : ''\n\n if (this.isShown && this.options.backdrop) {\n var doAnimate = $.support.transition && animate\n\n this.$backdrop = $(document.createElement('div'))\n .addClass('modal-backdrop ' + animate)\n .appendTo(this.$body)\n\n this.$element.on('click.dismiss.bs.modal', $.proxy(function (e) {\n if (this.ignoreBackdropClick) {\n this.ignoreBackdropClick = false\n return\n }\n if (e.target !== e.currentTarget) return\n this.options.backdrop == 'static'\n ? this.$element[0].focus()\n : this.hide()\n }, this))\n\n if (doAnimate) this.$backdrop[0].offsetWidth // force reflow\n\n this.$backdrop.addClass('in')\n\n if (!callback) return\n\n doAnimate ?\n this.$backdrop\n .one('bsTransitionEnd', callback)\n .emulateTransitionEnd(Modal.BACKDROP_TRANSITION_DURATION) :\n callback()\n\n } else if (!this.isShown && this.$backdrop) {\n this.$backdrop.removeClass('in')\n\n var callbackRemove = function () {\n that.removeBackdrop()\n callback && callback()\n }\n $.support.transition && this.$element.hasClass('fade') ?\n this.$backdrop\n .one('bsTransitionEnd', callbackRemove)\n .emulateTransitionEnd(Modal.BACKDROP_TRANSITION_DURATION) :\n callbackRemove()\n\n } else if (callback) {\n callback()\n }\n }\n\n // these following methods are used to handle overflowing modals\n\n Modal.prototype.handleUpdate = function () {\n this.adjustDialog()\n }\n\n Modal.prototype.adjustDialog = function () {\n var modalIsOverflowing = this.$element[0].scrollHeight > document.documentElement.clientHeight\n\n this.$element.css({\n paddingLeft: !this.bodyIsOverflowing && modalIsOverflowing ? this.scrollbarWidth : '',\n paddingRight: this.bodyIsOverflowing && !modalIsOverflowing ? this.scrollbarWidth : ''\n })\n }\n\n Modal.prototype.resetAdjustments = function () {\n this.$element.css({\n paddingLeft: '',\n paddingRight: ''\n })\n }\n\n Modal.prototype.checkScrollbar = function () {\n var fullWindowWidth = window.innerWidth\n if (!fullWindowWidth) { // workaround for missing window.innerWidth in IE8\n var documentElementRect = document.documentElement.getBoundingClientRect()\n fullWindowWidth = documentElementRect.right - Math.abs(documentElementRect.left)\n }\n this.bodyIsOverflowing = document.body.clientWidth < fullWindowWidth\n this.scrollbarWidth = this.measureScrollbar()\n }\n\n Modal.prototype.setScrollbar = function () {\n var bodyPad = parseInt((this.$body.css('padding-right') || 0), 10)\n this.originalBodyPad = document.body.style.paddingRight || ''\n var scrollbarWidth = this.scrollbarWidth\n if (this.bodyIsOverflowing) {\n this.$body.css('padding-right', bodyPad + scrollbarWidth)\n $(this.fixedContent).each(function (index, element) {\n var actualPadding = element.style.paddingRight\n var calculatedPadding = $(element).css('padding-right')\n $(element)\n .data('padding-right', actualPadding)\n .css('padding-right', parseFloat(calculatedPadding) + scrollbarWidth + 'px')\n })\n }\n }\n\n Modal.prototype.resetScrollbar = function () {\n this.$body.css('padding-right', this.originalBodyPad)\n $(this.fixedContent).each(function (index, element) {\n var padding = $(element).data('padding-right')\n $(element).removeData('padding-right')\n element.style.paddingRight = padding ? padding : ''\n })\n }\n\n Modal.prototype.measureScrollbar = function () { // thx walsh\n var scrollDiv = document.createElement('div')\n scrollDiv.className = 'modal-scrollbar-measure'\n this.$body.append(scrollDiv)\n var scrollbarWidth = scrollDiv.offsetWidth - scrollDiv.clientWidth\n this.$body[0].removeChild(scrollDiv)\n return scrollbarWidth\n }\n\n\n // MODAL PLUGIN DEFINITION\n // =======================\n\n function Plugin(option, _relatedTarget) {\n return this.each(function () {\n var $this = $(this)\n var data = $this.data('bs.modal')\n var options = $.extend({}, Modal.DEFAULTS, $this.data(), typeof option == 'object' && option)\n\n if (!data) $this.data('bs.modal', (data = new Modal(this, options)))\n if (typeof option == 'string') data[option](_relatedTarget)\n else if (options.show) data.show(_relatedTarget)\n })\n }\n\n var old = $.fn.modal\n\n $.fn.modal = Plugin\n $.fn.modal.Constructor = Modal\n\n\n // MODAL NO CONFLICT\n // =================\n\n $.fn.modal.noConflict = function () {\n $.fn.modal = old\n return this\n }\n\n\n // MODAL DATA-API\n // ==============\n\n $(document).on('click.bs.modal.data-api', '[data-toggle=\"modal\"]', function (e) {\n var $this = $(this)\n var href = $this.attr('href')\n var target = $this.attr('data-target') ||\n (href && href.replace(/.*(?=#[^\\s]+$)/, '')) // strip for ie7\n\n var $target = $(document).find(target)\n var option = $target.data('bs.modal') ? 'toggle' : $.extend({ remote: !/#/.test(href) && href }, $target.data(), $this.data())\n\n if ($this.is('a')) e.preventDefault()\n\n $target.one('show.bs.modal', function (showEvent) {\n if (showEvent.isDefaultPrevented()) return // only register focus restorer if modal will actually get shown\n $target.one('hidden.bs.modal', function () {\n $this.is(':visible') && $this.trigger('focus')\n })\n })\n Plugin.call($target, option, this)\n })\n\n}(jQuery);\n", "/* ========================================================================\n * Bootstrap: tooltip.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#tooltip\n * Inspired by the original jQuery.tipsy by Jason Frame\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n+function ($) {\n 'use strict';\n\n var DISALLOWED_ATTRIBUTES = ['sanitize', 'whiteList', 'sanitizeFn']\n\n var uriAttrs = [\n 'background',\n 'cite',\n 'href',\n 'itemtype',\n 'longdesc',\n 'poster',\n 'src',\n 'xlink:href'\n ]\n\n var ARIA_ATTRIBUTE_PATTERN = /^aria-[\\w-]*$/i\n\n var DefaultWhitelist = {\n // Global attributes allowed on any supplied element below.\n '*': ['class', 'dir', 'id', 'lang', 'role', ARIA_ATTRIBUTE_PATTERN],\n a: ['target', 'href', 'title', 'rel'],\n area: [],\n b: [],\n br: [],\n col: [],\n code: [],\n div: [],\n em: [],\n hr: [],\n h1: [],\n h2: [],\n h3: [],\n h4: [],\n h5: [],\n h6: [],\n i: [],\n img: ['src', 'alt', 'title', 'width', 'height'],\n li: [],\n ol: [],\n p: [],\n pre: [],\n s: [],\n small: [],\n span: [],\n sub: [],\n sup: [],\n strong: [],\n u: [],\n ul: []\n }\n\n /**\n * A pattern that recognizes a commonly useful subset of URLs that are safe.\n *\n * Shoutout to Angular 7 https://github.com/angular/angular/blob/7.2.4/packages/core/src/sanitization/url_sanitizer.ts\n */\n var SAFE_URL_PATTERN = /^(?:(?:https?|mailto|ftp|tel|file):|[^&:/?#]*(?:[/?#]|$))/gi\n\n /**\n * A pattern that matches safe data URLs. Only matches image, video and audio types.\n *\n * Shoutout to Angular 7 https://github.com/angular/angular/blob/7.2.4/packages/core/src/sanitization/url_sanitizer.ts\n */\n var DATA_URL_PATTERN = /^data:(?:image\\/(?:bmp|gif|jpeg|jpg|png|tiff|webp)|video\\/(?:mpeg|mp4|ogg|webm)|audio\\/(?:mp3|oga|ogg|opus));base64,[a-z0-9+/]+=*$/i\n\n function allowedAttribute(attr, allowedAttributeList) {\n var attrName = attr.nodeName.toLowerCase()\n\n if ($.inArray(attrName, allowedAttributeList) !== -1) {\n if ($.inArray(attrName, uriAttrs) !== -1) {\n return Boolean(attr.nodeValue.match(SAFE_URL_PATTERN) || attr.nodeValue.match(DATA_URL_PATTERN))\n }\n\n return true\n }\n\n var regExp = $(allowedAttributeList).filter(function (index, value) {\n return value instanceof RegExp\n })\n\n // Check if a regular expression validates the attribute.\n for (var i = 0, l = regExp.length; i < l; i++) {\n if (attrName.match(regExp[i])) {\n return true\n }\n }\n\n return false\n }\n\n function sanitizeHtml(unsafeHtml, whiteList, sanitizeFn) {\n if (unsafeHtml.length === 0) {\n return unsafeHtml\n }\n\n if (sanitizeFn && typeof sanitizeFn === 'function') {\n return sanitizeFn(unsafeHtml)\n }\n\n // IE 8 and below don't support createHTMLDocument\n if (!document.implementation || !document.implementation.createHTMLDocument) {\n return unsafeHtml\n }\n\n var createdDocument = document.implementation.createHTMLDocument('sanitization')\n createdDocument.body.innerHTML = unsafeHtml\n\n var whitelistKeys = $.map(whiteList, function (el, i) { return i })\n var elements = $(createdDocument.body).find('*')\n\n for (var i = 0, len = elements.length; i < len; i++) {\n var el = elements[i]\n var elName = el.nodeName.toLowerCase()\n\n if ($.inArray(elName, whitelistKeys) === -1) {\n el.parentNode.removeChild(el)\n\n continue\n }\n\n var attributeList = $.map(el.attributes, function (el) { return el })\n var whitelistedAttributes = [].concat(whiteList['*'] || [], whiteList[elName] || [])\n\n for (var j = 0, len2 = attributeList.length; j < len2; j++) {\n if (!allowedAttribute(attributeList[j], whitelistedAttributes)) {\n el.removeAttribute(attributeList[j].nodeName)\n }\n }\n }\n\n return createdDocument.body.innerHTML\n }\n\n // TOOLTIP PUBLIC CLASS DEFINITION\n // ===============================\n\n var Tooltip = function (element, options) {\n this.type = null\n this.options = null\n this.enabled = null\n this.timeout = null\n this.hoverState = null\n this.$element = null\n this.inState = null\n\n this.init('tooltip', element, options)\n }\n\n Tooltip.VERSION = '3.4.1'\n\n Tooltip.TRANSITION_DURATION = 150\n\n Tooltip.DEFAULTS = {\n animation: true,\n placement: 'top',\n selector: false,\n template: '<div class=\"tooltip\" role=\"tooltip\"><div class=\"tooltip-arrow\"></div><div class=\"tooltip-inner\"></div></div>',\n trigger: 'hover focus',\n title: '',\n delay: 0,\n html: false,\n container: false,\n viewport: {\n selector: 'body',\n padding: 0\n },\n sanitize : true,\n sanitizeFn : null,\n whiteList : DefaultWhitelist\n }\n\n Tooltip.prototype.init = function (type, element, options) {\n this.enabled = true\n this.type = type\n this.$element = $(element)\n this.options = this.getOptions(options)\n this.$viewport = this.options.viewport && $(document).find($.isFunction(this.options.viewport) ? this.options.viewport.call(this, this.$element) : (this.options.viewport.selector || this.options.viewport))\n this.inState = { click: false, hover: false, focus: false }\n\n if (this.$element[0] instanceof document.constructor && !this.options.selector) {\n throw new Error('`selector` option must be specified when initializing ' + this.type + ' on the window.document object!')\n }\n\n var triggers = this.options.trigger.split(' ')\n\n for (var i = triggers.length; i--;) {\n var trigger = triggers[i]\n\n if (trigger == 'click') {\n this.$element.on('click.' + this.type, this.options.selector, $.proxy(this.toggle, this))\n } else if (trigger != 'manual') {\n var eventIn = trigger == 'hover' ? 'mouseenter' : 'focusin'\n var eventOut = trigger == 'hover' ? 'mouseleave' : 'focusout'\n\n this.$element.on(eventIn + '.' + this.type, this.options.selector, $.proxy(this.enter, this))\n this.$element.on(eventOut + '.' + this.type, this.options.selector, $.proxy(this.leave, this))\n }\n }\n\n this.options.selector ?\n (this._options = $.extend({}, this.options, { trigger: 'manual', selector: '' })) :\n this.fixTitle()\n }\n\n Tooltip.prototype.getDefaults = function () {\n return Tooltip.DEFAULTS\n }\n\n Tooltip.prototype.getOptions = function (options) {\n var dataAttributes = this.$element.data()\n\n for (var dataAttr in dataAttributes) {\n if (dataAttributes.hasOwnProperty(dataAttr) && $.inArray(dataAttr, DISALLOWED_ATTRIBUTES) !== -1) {\n delete dataAttributes[dataAttr]\n }\n }\n\n options = $.extend({}, this.getDefaults(), dataAttributes, options)\n\n if (options.delay && typeof options.delay == 'number') {\n options.delay = {\n show: options.delay,\n hide: options.delay\n }\n }\n\n if (options.sanitize) {\n options.template = sanitizeHtml(options.template, options.whiteList, options.sanitizeFn)\n }\n\n return options\n }\n\n Tooltip.prototype.getDelegateOptions = function () {\n var options = {}\n var defaults = this.getDefaults()\n\n this._options && $.each(this._options, function (key, value) {\n if (defaults[key] != value) options[key] = value\n })\n\n return options\n }\n\n Tooltip.prototype.enter = function (obj) {\n var self = obj instanceof this.constructor ?\n obj : $(obj.currentTarget).data('bs.' + this.type)\n\n if (!self) {\n self = new this.constructor(obj.currentTarget, this.getDelegateOptions())\n $(obj.currentTarget).data('bs.' + this.type, self)\n }\n\n if (obj instanceof $.Event) {\n self.inState[obj.type == 'focusin' ? 'focus' : 'hover'] = true\n }\n\n if (self.tip().hasClass('in') || self.hoverState == 'in') {\n self.hoverState = 'in'\n return\n }\n\n clearTimeout(self.timeout)\n\n self.hoverState = 'in'\n\n if (!self.options.delay || !self.options.delay.show) return self.show()\n\n self.timeout = setTimeout(function () {\n if (self.hoverState == 'in') self.show()\n }, self.options.delay.show)\n }\n\n Tooltip.prototype.isInStateTrue = function () {\n for (var key in this.inState) {\n if (this.inState[key]) return true\n }\n\n return false\n }\n\n Tooltip.prototype.leave = function (obj) {\n var self = obj instanceof this.constructor ?\n obj : $(obj.currentTarget).data('bs.' + this.type)\n\n if (!self) {\n self = new this.constructor(obj.currentTarget, this.getDelegateOptions())\n $(obj.currentTarget).data('bs.' + this.type, self)\n }\n\n if (obj instanceof $.Event) {\n self.inState[obj.type == 'focusout' ? 'focus' : 'hover'] = false\n }\n\n if (self.isInStateTrue()) return\n\n clearTimeout(self.timeout)\n\n self.hoverState = 'out'\n\n if (!self.options.delay || !self.options.delay.hide) return self.hide()\n\n self.timeout = setTimeout(function () {\n if (self.hoverState == 'out') self.hide()\n }, self.options.delay.hide)\n }\n\n Tooltip.prototype.show = function () {\n var e = $.Event('show.bs.' + this.type)\n\n if (this.hasContent() && this.enabled) {\n this.$element.trigger(e)\n\n var inDom = $.contains(this.$element[0].ownerDocument.documentElement, this.$element[0])\n if (e.isDefaultPrevented() || !inDom) return\n var that = this\n\n var $tip = this.tip()\n\n var tipId = this.getUID(this.type)\n\n this.setContent()\n $tip.attr('id', tipId)\n this.$element.attr('aria-describedby', tipId)\n\n if (this.options.animation) $tip.addClass('fade')\n\n var placement = typeof this.options.placement == 'function' ?\n this.options.placement.call(this, $tip[0], this.$element[0]) :\n this.options.placement\n\n var autoToken = /\\s?auto?\\s?/i\n var autoPlace = autoToken.test(placement)\n if (autoPlace) placement = placement.replace(autoToken, '') || 'top'\n\n $tip\n .detach()\n .css({ top: 0, left: 0, display: 'block' })\n .addClass(placement)\n .data('bs.' + this.type, this)\n\n this.options.container ? $tip.appendTo($(document).find(this.options.container)) : $tip.insertAfter(this.$element)\n this.$element.trigger('inserted.bs.' + this.type)\n\n var pos = this.getPosition()\n var actualWidth = $tip[0].offsetWidth\n var actualHeight = $tip[0].offsetHeight\n\n if (autoPlace) {\n var orgPlacement = placement\n var viewportDim = this.getPosition(this.$viewport)\n\n placement = placement == 'bottom' && pos.bottom + actualHeight > viewportDim.bottom ? 'top' :\n placement == 'top' && pos.top - actualHeight < viewportDim.top ? 'bottom' :\n placement == 'right' && pos.right + actualWidth > viewportDim.width ? 'left' :\n placement == 'left' && pos.left - actualWidth < viewportDim.left ? 'right' :\n placement\n\n $tip\n .removeClass(orgPlacement)\n .addClass(placement)\n }\n\n var calculatedOffset = this.getCalculatedOffset(placement, pos, actualWidth, actualHeight)\n\n this.applyPlacement(calculatedOffset, placement)\n\n var complete = function () {\n var prevHoverState = that.hoverState\n that.$element.trigger('shown.bs.' + that.type)\n that.hoverState = null\n\n if (prevHoverState == 'out') that.leave(that)\n }\n\n $.support.transition && this.$tip.hasClass('fade') ?\n $tip\n .one('bsTransitionEnd', complete)\n .emulateTransitionEnd(Tooltip.TRANSITION_DURATION) :\n complete()\n }\n }\n\n Tooltip.prototype.applyPlacement = function (offset, placement) {\n var $tip = this.tip()\n var width = $tip[0].offsetWidth\n var height = $tip[0].offsetHeight\n\n // manually read margins because getBoundingClientRect includes difference\n var marginTop = parseInt($tip.css('margin-top'), 10)\n var marginLeft = parseInt($tip.css('margin-left'), 10)\n\n // we must check for NaN for ie 8/9\n if (isNaN(marginTop)) marginTop = 0\n if (isNaN(marginLeft)) marginLeft = 0\n\n offset.top += marginTop\n offset.left += marginLeft\n\n // $.fn.offset doesn't round pixel values\n // so we use setOffset directly with our own function B-0\n $.offset.setOffset($tip[0], $.extend({\n using: function (props) {\n $tip.css({\n top: Math.round(props.top),\n left: Math.round(props.left)\n })\n }\n }, offset), 0)\n\n $tip.addClass('in')\n\n // check to see if placing tip in new offset caused the tip to resize itself\n var actualWidth = $tip[0].offsetWidth\n var actualHeight = $tip[0].offsetHeight\n\n if (placement == 'top' && actualHeight != height) {\n offset.top = offset.top + height - actualHeight\n }\n\n var delta = this.getViewportAdjustedDelta(placement, offset, actualWidth, actualHeight)\n\n if (delta.left) offset.left += delta.left\n else offset.top += delta.top\n\n var isVertical = /top|bottom/.test(placement)\n var arrowDelta = isVertical ? delta.left * 2 - width + actualWidth : delta.top * 2 - height + actualHeight\n var arrowOffsetPosition = isVertical ? 'offsetWidth' : 'offsetHeight'\n\n $tip.offset(offset)\n this.replaceArrow(arrowDelta, $tip[0][arrowOffsetPosition], isVertical)\n }\n\n Tooltip.prototype.replaceArrow = function (delta, dimension, isVertical) {\n this.arrow()\n .css(isVertical ? 'left' : 'top', 50 * (1 - delta / dimension) + '%')\n .css(isVertical ? 'top' : 'left', '')\n }\n\n Tooltip.prototype.setContent = function () {\n var $tip = this.tip()\n var title = this.getTitle()\n\n if (this.options.html) {\n if (this.options.sanitize) {\n title = sanitizeHtml(title, this.options.whiteList, this.options.sanitizeFn)\n }\n\n $tip.find('.tooltip-inner').html(title)\n } else {\n $tip.find('.tooltip-inner').text(title)\n }\n\n $tip.removeClass('fade in top bottom left right')\n }\n\n Tooltip.prototype.hide = function (callback) {\n var that = this\n var $tip = $(this.$tip)\n var e = $.Event('hide.bs.' + this.type)\n\n function complete() {\n if (that.hoverState != 'in') $tip.detach()\n if (that.$element) { // TODO: Check whether guarding this code with this `if` is really necessary.\n that.$element\n .removeAttr('aria-describedby')\n .trigger('hidden.bs.' + that.type)\n }\n callback && callback()\n }\n\n this.$element.trigger(e)\n\n if (e.isDefaultPrevented()) return\n\n $tip.removeClass('in')\n\n $.support.transition && $tip.hasClass('fade') ?\n $tip\n .one('bsTransitionEnd', complete)\n .emulateTransitionEnd(Tooltip.TRANSITION_DURATION) :\n complete()\n\n this.hoverState = null\n\n return this\n }\n\n Tooltip.prototype.fixTitle = function () {\n var $e = this.$element\n if ($e.attr('title') || typeof $e.attr('data-original-title') != 'string') {\n $e.attr('data-original-title', $e.attr('title') || '').attr('title', '')\n }\n }\n\n Tooltip.prototype.hasContent = function () {\n return this.getTitle()\n }\n\n Tooltip.prototype.getPosition = function ($element) {\n $element = $element || this.$element\n\n var el = $element[0]\n var isBody = el.tagName == 'BODY'\n\n var elRect = el.getBoundingClientRect()\n if (elRect.width == null) {\n // width and height are missing in IE8, so compute them manually; see https://github.com/twbs/bootstrap/issues/14093\n elRect = $.extend({}, elRect, { width: elRect.right - elRect.left, height: elRect.bottom - elRect.top })\n }\n var isSvg = window.SVGElement && el instanceof window.SVGElement\n // Avoid using $.offset() on SVGs since it gives incorrect results in jQuery 3.\n // See https://github.com/twbs/bootstrap/issues/20280\n var elOffset = isBody ? { top: 0, left: 0 } : (isSvg ? null : $element.offset())\n var scroll = { scroll: isBody ? document.documentElement.scrollTop || document.body.scrollTop : $element.scrollTop() }\n var outerDims = isBody ? { width: $(window).width(), height: $(window).height() } : null\n\n return $.extend({}, elRect, scroll, outerDims, elOffset)\n }\n\n Tooltip.prototype.getCalculatedOffset = function (placement, pos, actualWidth, actualHeight) {\n return placement == 'bottom' ? { top: pos.top + pos.height, left: pos.left + pos.width / 2 - actualWidth / 2 } :\n placement == 'top' ? { top: pos.top - actualHeight, left: pos.left + pos.width / 2 - actualWidth / 2 } :\n placement == 'left' ? { top: pos.top + pos.height / 2 - actualHeight / 2, left: pos.left - actualWidth } :\n /* placement == 'right' */ { top: pos.top + pos.height / 2 - actualHeight / 2, left: pos.left + pos.width }\n\n }\n\n Tooltip.prototype.getViewportAdjustedDelta = function (placement, pos, actualWidth, actualHeight) {\n var delta = { top: 0, left: 0 }\n if (!this.$viewport) return delta\n\n var viewportPadding = this.options.viewport && this.options.viewport.padding || 0\n var viewportDimensions = this.getPosition(this.$viewport)\n\n if (/right|left/.test(placement)) {\n var topEdgeOffset = pos.top - viewportPadding - viewportDimensions.scroll\n var bottomEdgeOffset = pos.top + viewportPadding - viewportDimensions.scroll + actualHeight\n if (topEdgeOffset < viewportDimensions.top) { // top overflow\n delta.top = viewportDimensions.top - topEdgeOffset\n } else if (bottomEdgeOffset > viewportDimensions.top + viewportDimensions.height) { // bottom overflow\n delta.top = viewportDimensions.top + viewportDimensions.height - bottomEdgeOffset\n }\n } else {\n var leftEdgeOffset = pos.left - viewportPadding\n var rightEdgeOffset = pos.left + viewportPadding + actualWidth\n if (leftEdgeOffset < viewportDimensions.left) { // left overflow\n delta.left = viewportDimensions.left - leftEdgeOffset\n } else if (rightEdgeOffset > viewportDimensions.right) { // right overflow\n delta.left = viewportDimensions.left + viewportDimensions.width - rightEdgeOffset\n }\n }\n\n return delta\n }\n\n Tooltip.prototype.getTitle = function () {\n var title\n var $e = this.$element\n var o = this.options\n\n title = $e.attr('data-original-title')\n || (typeof o.title == 'function' ? o.title.call($e[0]) : o.title)\n\n return title\n }\n\n Tooltip.prototype.getUID = function (prefix) {\n do prefix += ~~(Math.random() * 1000000)\n while (document.getElementById(prefix))\n return prefix\n }\n\n Tooltip.prototype.tip = function () {\n if (!this.$tip) {\n this.$tip = $(this.options.template)\n if (this.$tip.length != 1) {\n throw new Error(this.type + ' `template` option must consist of exactly 1 top-level element!')\n }\n }\n return this.$tip\n }\n\n Tooltip.prototype.arrow = function () {\n return (this.$arrow = this.$arrow || this.tip().find('.tooltip-arrow'))\n }\n\n Tooltip.prototype.enable = function () {\n this.enabled = true\n }\n\n Tooltip.prototype.disable = function () {\n this.enabled = false\n }\n\n Tooltip.prototype.toggleEnabled = function () {\n this.enabled = !this.enabled\n }\n\n Tooltip.prototype.toggle = function (e) {\n var self = this\n if (e) {\n self = $(e.currentTarget).data('bs.' + this.type)\n if (!self) {\n self = new this.constructor(e.currentTarget, this.getDelegateOptions())\n $(e.currentTarget).data('bs.' + this.type, self)\n }\n }\n\n if (e) {\n self.inState.click = !self.inState.click\n if (self.isInStateTrue()) self.enter(self)\n else self.leave(self)\n } else {\n self.tip().hasClass('in') ? self.leave(self) : self.enter(self)\n }\n }\n\n Tooltip.prototype.destroy = function () {\n var that = this\n clearTimeout(this.timeout)\n this.hide(function () {\n that.$element.off('.' + that.type).removeData('bs.' + that.type)\n if (that.$tip) {\n that.$tip.detach()\n }\n that.$tip = null\n that.$arrow = null\n that.$viewport = null\n that.$element = null\n })\n }\n\n Tooltip.prototype.sanitizeHtml = function (unsafeHtml) {\n return sanitizeHtml(unsafeHtml, this.options.whiteList, this.options.sanitizeFn)\n }\n\n // TOOLTIP PLUGIN DEFINITION\n // =========================\n\n function Plugin(option) {\n return this.each(function () {\n var $this = $(this)\n var data = $this.data('bs.tooltip')\n var options = typeof option == 'object' && option\n\n if (!data && /destroy|hide/.test(option)) return\n if (!data) $this.data('bs.tooltip', (data = new Tooltip(this, options)))\n if (typeof option == 'string') data[option]()\n })\n }\n\n var old = $.fn.tooltip\n\n $.fn.tooltip = Plugin\n $.fn.tooltip.Constructor = Tooltip\n\n\n // TOOLTIP NO CONFLICT\n // ===================\n\n $.fn.tooltip.noConflict = function () {\n $.fn.tooltip = old\n return this\n }\n\n}(jQuery);\n", "/* ========================================================================\n * Bootstrap: popover.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#popovers\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n\n+function ($) {\n 'use strict';\n\n // POPOVER PUBLIC CLASS DEFINITION\n // ===============================\n\n var Popover = function (element, options) {\n this.init('popover', element, options)\n }\n\n if (!$.fn.tooltip) throw new Error('Popover requires tooltip.js')\n\n Popover.VERSION = '3.4.1'\n\n Popover.DEFAULTS = $.extend({}, $.fn.tooltip.Constructor.DEFAULTS, {\n placement: 'right',\n trigger: 'click',\n content: '',\n template: '<div class=\"popover\" role=\"tooltip\"><div class=\"arrow\"></div><h3 class=\"popover-title\"></h3><div class=\"popover-content\"></div></div>'\n })\n\n\n // NOTE: POPOVER EXTENDS tooltip.js\n // ================================\n\n Popover.prototype = $.extend({}, $.fn.tooltip.Constructor.prototype)\n\n Popover.prototype.constructor = Popover\n\n Popover.prototype.getDefaults = function () {\n return Popover.DEFAULTS\n }\n\n Popover.prototype.setContent = function () {\n var $tip = this.tip()\n var title = this.getTitle()\n var content = this.getContent()\n\n if (this.options.html) {\n var typeContent = typeof content\n\n if (this.options.sanitize) {\n title = this.sanitizeHtml(title)\n\n if (typeContent === 'string') {\n content = this.sanitizeHtml(content)\n }\n }\n\n $tip.find('.popover-title').html(title)\n $tip.find('.popover-content').children().detach().end()[\n typeContent === 'string' ? 'html' : 'append'\n ](content)\n } else {\n $tip.find('.popover-title').text(title)\n $tip.find('.popover-content').children().detach().end().text(content)\n }\n\n $tip.removeClass('fade top bottom left right in')\n\n // IE8 doesn't accept hiding via the `:empty` pseudo selector, we have to do\n // this manually by checking the contents.\n if (!$tip.find('.popover-title').html()) $tip.find('.popover-title').hide()\n }\n\n Popover.prototype.hasContent = function () {\n return this.getTitle() || this.getContent()\n }\n\n Popover.prototype.getContent = function () {\n var $e = this.$element\n var o = this.options\n\n return $e.attr('data-content')\n || (typeof o.content == 'function' ?\n o.content.call($e[0]) :\n o.content)\n }\n\n Popover.prototype.arrow = function () {\n return (this.$arrow = this.$arrow || this.tip().find('.arrow'))\n }\n\n\n // POPOVER PLUGIN DEFINITION\n // =========================\n\n function Plugin(option) {\n return this.each(function () {\n var $this = $(this)\n var data = $this.data('bs.popover')\n var options = typeof option == 'object' && option\n\n if (!data && /destroy|hide/.test(option)) return\n if (!data) $this.data('bs.popover', (data = new Popover(this, options)))\n if (typeof option == 'string') data[option]()\n })\n }\n\n var old = $.fn.popover\n\n $.fn.popover = Plugin\n $.fn.popover.Constructor = Popover\n\n\n // POPOVER NO CONFLICT\n // ===================\n\n $.fn.popover.noConflict = function () {\n $.fn.popover = old\n return this\n }\n\n}(jQuery);\n", "/* ========================================================================\n * Bootstrap: scrollspy.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#scrollspy\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n\n+function ($) {\n 'use strict';\n\n // SCROLLSPY CLASS DEFINITION\n // ==========================\n\n function ScrollSpy(element, options) {\n this.$body = $(document.body)\n this.$scrollElement = $(element).is(document.body) ? $(window) : $(element)\n this.options = $.extend({}, ScrollSpy.DEFAULTS, options)\n this.selector = (this.options.target || '') + ' .nav li > a'\n this.offsets = []\n this.targets = []\n this.activeTarget = null\n this.scrollHeight = 0\n\n this.$scrollElement.on('scroll.bs.scrollspy', $.proxy(this.process, this))\n this.refresh()\n this.process()\n }\n\n ScrollSpy.VERSION = '3.4.1'\n\n ScrollSpy.DEFAULTS = {\n offset: 10\n }\n\n ScrollSpy.prototype.getScrollHeight = function () {\n return this.$scrollElement[0].scrollHeight || Math.max(this.$body[0].scrollHeight, document.documentElement.scrollHeight)\n }\n\n ScrollSpy.prototype.refresh = function () {\n var that = this\n var offsetMethod = 'offset'\n var offsetBase = 0\n\n this.offsets = []\n this.targets = []\n this.scrollHeight = this.getScrollHeight()\n\n if (!$.isWindow(this.$scrollElement[0])) {\n offsetMethod = 'position'\n offsetBase = this.$scrollElement.scrollTop()\n }\n\n this.$body\n .find(this.selector)\n .map(function () {\n var $el = $(this)\n var href = $el.data('target') || $el.attr('href')\n var $href = /^#./.test(href) && $(href)\n\n return ($href\n && $href.length\n && $href.is(':visible')\n && [[$href[offsetMethod]().top + offsetBase, href]]) || null\n })\n .sort(function (a, b) { return a[0] - b[0] })\n .each(function () {\n that.offsets.push(this[0])\n that.targets.push(this[1])\n })\n }\n\n ScrollSpy.prototype.process = function () {\n var scrollTop = this.$scrollElement.scrollTop() + this.options.offset\n var scrollHeight = this.getScrollHeight()\n var maxScroll = this.options.offset + scrollHeight - this.$scrollElement.height()\n var offsets = this.offsets\n var targets = this.targets\n var activeTarget = this.activeTarget\n var i\n\n if (this.scrollHeight != scrollHeight) {\n this.refresh()\n }\n\n if (scrollTop >= maxScroll) {\n return activeTarget != (i = targets[targets.length - 1]) && this.activate(i)\n }\n\n if (activeTarget && scrollTop < offsets[0]) {\n this.activeTarget = null\n return this.clear()\n }\n\n for (i = offsets.length; i--;) {\n activeTarget != targets[i]\n && scrollTop >= offsets[i]\n && (offsets[i + 1] === undefined || scrollTop < offsets[i + 1])\n && this.activate(targets[i])\n }\n }\n\n ScrollSpy.prototype.activate = function (target) {\n this.activeTarget = target\n\n this.clear()\n\n var selector = this.selector +\n '[data-target=\"' + target + '\"],' +\n this.selector + '[href=\"' + target + '\"]'\n\n var active = $(selector)\n .parents('li')\n .addClass('active')\n\n if (active.parent('.dropdown-menu').length) {\n active = active\n .closest('li.dropdown')\n .addClass('active')\n }\n\n active.trigger('activate.bs.scrollspy')\n }\n\n ScrollSpy.prototype.clear = function () {\n $(this.selector)\n .parentsUntil(this.options.target, '.active')\n .removeClass('active')\n }\n\n\n // SCROLLSPY PLUGIN DEFINITION\n // ===========================\n\n function Plugin(option) {\n return this.each(function () {\n var $this = $(this)\n var data = $this.data('bs.scrollspy')\n var options = typeof option == 'object' && option\n\n if (!data) $this.data('bs.scrollspy', (data = new ScrollSpy(this, options)))\n if (typeof option == 'string') data[option]()\n })\n }\n\n var old = $.fn.scrollspy\n\n $.fn.scrollspy = Plugin\n $.fn.scrollspy.Constructor = ScrollSpy\n\n\n // SCROLLSPY NO CONFLICT\n // =====================\n\n $.fn.scrollspy.noConflict = function () {\n $.fn.scrollspy = old\n return this\n }\n\n\n // SCROLLSPY DATA-API\n // ==================\n\n $(window).on('load.bs.scrollspy.data-api', function () {\n $('[data-spy=\"scroll\"]').each(function () {\n var $spy = $(this)\n Plugin.call($spy, $spy.data())\n })\n })\n\n}(jQuery);\n", "/* ========================================================================\n * Bootstrap: tab.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#tabs\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n\n+function ($) {\n 'use strict';\n\n // TAB CLASS DEFINITION\n // ====================\n\n var Tab = function (element) {\n // jscs:disable requireDollarBeforejQueryAssignment\n this.element = $(element)\n // jscs:enable requireDollarBeforejQueryAssignment\n }\n\n Tab.VERSION = '3.4.1'\n\n Tab.TRANSITION_DURATION = 150\n\n Tab.prototype.show = function () {\n var $this = this.element\n var $ul = $this.closest('ul:not(.dropdown-menu)')\n var selector = $this.data('target')\n\n if (!selector) {\n selector = $this.attr('href')\n selector = selector && selector.replace(/.*(?=#[^\\s]*$)/, '') // strip for ie7\n }\n\n if ($this.parent('li').hasClass('active')) return\n\n var $previous = $ul.find('.active:last a')\n var hideEvent = $.Event('hide.bs.tab', {\n relatedTarget: $this[0]\n })\n var showEvent = $.Event('show.bs.tab', {\n relatedTarget: $previous[0]\n })\n\n $previous.trigger(hideEvent)\n $this.trigger(showEvent)\n\n if (showEvent.isDefaultPrevented() || hideEvent.isDefaultPrevented()) return\n\n var $target = $(document).find(selector)\n\n this.activate($this.closest('li'), $ul)\n this.activate($target, $target.parent(), function () {\n $previous.trigger({\n type: 'hidden.bs.tab',\n relatedTarget: $this[0]\n })\n $this.trigger({\n type: 'shown.bs.tab',\n relatedTarget: $previous[0]\n })\n })\n }\n\n Tab.prototype.activate = function (element, container, callback) {\n var $active = container.find('> .active')\n var transition = callback\n && $.support.transition\n && ($active.length && $active.hasClass('fade') || !!container.find('> .fade').length)\n\n function next() {\n $active\n .removeClass('active')\n .find('> .dropdown-menu > .active')\n .removeClass('active')\n .end()\n .find('[data-toggle=\"tab\"]')\n .attr('aria-expanded', false)\n\n element\n .addClass('active')\n .find('[data-toggle=\"tab\"]')\n .attr('aria-expanded', true)\n\n if (transition) {\n element[0].offsetWidth // reflow for transition\n element.addClass('in')\n } else {\n element.removeClass('fade')\n }\n\n if (element.parent('.dropdown-menu').length) {\n element\n .closest('li.dropdown')\n .addClass('active')\n .end()\n .find('[data-toggle=\"tab\"]')\n .attr('aria-expanded', true)\n }\n\n callback && callback()\n }\n\n $active.length && transition ?\n $active\n .one('bsTransitionEnd', next)\n .emulateTransitionEnd(Tab.TRANSITION_DURATION) :\n next()\n\n $active.removeClass('in')\n }\n\n\n // TAB PLUGIN DEFINITION\n // =====================\n\n function Plugin(option) {\n return this.each(function () {\n var $this = $(this)\n var data = $this.data('bs.tab')\n\n if (!data) $this.data('bs.tab', (data = new Tab(this)))\n if (typeof option == 'string') data[option]()\n })\n }\n\n var old = $.fn.tab\n\n $.fn.tab = Plugin\n $.fn.tab.Constructor = Tab\n\n\n // TAB NO CONFLICT\n // ===============\n\n $.fn.tab.noConflict = function () {\n $.fn.tab = old\n return this\n }\n\n\n // TAB DATA-API\n // ============\n\n var clickHandler = function (e) {\n e.preventDefault()\n Plugin.call($(this), 'show')\n }\n\n $(document)\n .on('click.bs.tab.data-api', '[data-toggle=\"tab\"]', clickHandler)\n .on('click.bs.tab.data-api', '[data-toggle=\"pill\"]', clickHandler)\n\n}(jQuery);\n", "/* ========================================================================\n * Bootstrap: affix.js v3.4.1\n * https://getbootstrap.com/docs/3.4/javascript/#affix\n * ========================================================================\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n * ======================================================================== */\n\n\n+function ($) {\n 'use strict';\n\n // AFFIX CLASS DEFINITION\n // ======================\n\n var Affix = function (element, options) {\n this.options = $.extend({}, Affix.DEFAULTS, options)\n\n var target = this.options.target === Affix.DEFAULTS.target ? $(this.options.target) : $(document).find(this.options.target)\n\n this.$target = target\n .on('scroll.bs.affix.data-api', $.proxy(this.checkPosition, this))\n .on('click.bs.affix.data-api', $.proxy(this.checkPositionWithEventLoop, this))\n\n this.$element = $(element)\n this.affixed = null\n this.unpin = null\n this.pinnedOffset = null\n\n this.checkPosition()\n }\n\n Affix.VERSION = '3.4.1'\n\n Affix.RESET = 'affix affix-top affix-bottom'\n\n Affix.DEFAULTS = {\n offset: 0,\n target: window\n }\n\n Affix.prototype.getState = function (scrollHeight, height, offsetTop, offsetBottom) {\n var scrollTop = this.$target.scrollTop()\n var position = this.$element.offset()\n var targetHeight = this.$target.height()\n\n if (offsetTop != null && this.affixed == 'top') return scrollTop < offsetTop ? 'top' : false\n\n if (this.affixed == 'bottom') {\n if (offsetTop != null) return (scrollTop + this.unpin <= position.top) ? false : 'bottom'\n return (scrollTop + targetHeight <= scrollHeight - offsetBottom) ? false : 'bottom'\n }\n\n var initializing = this.affixed == null\n var colliderTop = initializing ? scrollTop : position.top\n var colliderHeight = initializing ? targetHeight : height\n\n if (offsetTop != null && scrollTop <= offsetTop) return 'top'\n if (offsetBottom != null && (colliderTop + colliderHeight >= scrollHeight - offsetBottom)) return 'bottom'\n\n return false\n }\n\n Affix.prototype.getPinnedOffset = function () {\n if (this.pinnedOffset) return this.pinnedOffset\n this.$element.removeClass(Affix.RESET).addClass('affix')\n var scrollTop = this.$target.scrollTop()\n var position = this.$element.offset()\n return (this.pinnedOffset = position.top - scrollTop)\n }\n\n Affix.prototype.checkPositionWithEventLoop = function () {\n setTimeout($.proxy(this.checkPosition, this), 1)\n }\n\n Affix.prototype.checkPosition = function () {\n if (!this.$element.is(':visible')) return\n\n var height = this.$element.height()\n var offset = this.options.offset\n var offsetTop = offset.top\n var offsetBottom = offset.bottom\n var scrollHeight = Math.max($(document).height(), $(document.body).height())\n\n if (typeof offset != 'object') offsetBottom = offsetTop = offset\n if (typeof offsetTop == 'function') offsetTop = offset.top(this.$element)\n if (typeof offsetBottom == 'function') offsetBottom = offset.bottom(this.$element)\n\n var affix = this.getState(scrollHeight, height, offsetTop, offsetBottom)\n\n if (this.affixed != affix) {\n if (this.unpin != null) this.$element.css('top', '')\n\n var affixType = 'affix' + (affix ? '-' + affix : '')\n var e = $.Event(affixType + '.bs.affix')\n\n this.$element.trigger(e)\n\n if (e.isDefaultPrevented()) return\n\n this.affixed = affix\n this.unpin = affix == 'bottom' ? this.getPinnedOffset() : null\n\n this.$element\n .removeClass(Affix.RESET)\n .addClass(affixType)\n .trigger(affixType.replace('affix', 'affixed') + '.bs.affix')\n }\n\n if (affix == 'bottom') {\n this.$element.offset({\n top: scrollHeight - height - offsetBottom\n })\n }\n }\n\n\n // AFFIX PLUGIN DEFINITION\n // =======================\n\n function Plugin(option) {\n return this.each(function () {\n var $this = $(this)\n var data = $this.data('bs.affix')\n var options = typeof option == 'object' && option\n\n if (!data) $this.data('bs.affix', (data = new Affix(this, options)))\n if (typeof option == 'string') data[option]()\n })\n }\n\n var old = $.fn.affix\n\n $.fn.affix = Plugin\n $.fn.affix.Constructor = Affix\n\n\n // AFFIX NO CONFLICT\n // =================\n\n $.fn.affix.noConflict = function () {\n $.fn.affix = old\n return this\n }\n\n\n // AFFIX DATA-API\n // ==============\n\n $(window).on('load', function () {\n $('[data-spy=\"affix\"]').each(function () {\n var $spy = $(this)\n var data = $spy.data()\n\n data.offset = data.offset || {}\n\n if (data.offsetBottom != null) data.offset.bottom = data.offsetBottom\n if (data.offsetTop != null) data.offset.top = data.offsetTop\n\n Plugin.call($spy, data)\n })\n })\n\n}(jQuery);\n", "// This file is autogenerated via the `commonjs` Grunt task. You can require() this file in a CommonJS environment.\nrequire('../../js/transition.js')\nrequire('../../js/alert.js')\nrequire('../../js/button.js')\nrequire('../../js/carousel.js')\nrequire('../../js/collapse.js')\nrequire('../../js/dropdown.js')\nrequire('../../js/modal.js')\nrequire('../../js/tooltip.js')\nrequire('../../js/popover.js')\nrequire('../../js/scrollspy.js')\nrequire('../../js/tab.js')\nrequire('../../js/affix.js')", "/*!\n * jQuery pagination plugin v1.2.6\n * http://esimakin.github.io/twbs-pagination/\n *\n * Copyright 2014, Eugene Simakin\n * Released under Apache 2.0 license\n * http://apache.org/licenses/LICENSE-2.0.html\n */\n(function ($, window, document, undefined) {\n\n 'use strict';\n\n var old = $.fn.twbsPagination;\n\n // PROTOTYPE AND CONSTRUCTOR\n\n var TwbsPagination = function (element, options) {\n this.$element = $(element);\n this.options = $.extend({}, $.fn.twbsPagination.defaults, options);\n\n if (this.options.startPage < 1 || this.options.startPage > this.options.totalPages) {\n throw new Error('Start page option is incorrect');\n }\n\n this.options.totalPages = parseInt(this.options.totalPages);\n if (isNaN(this.options.totalPages)) {\n throw new Error('Total pages option is not correct!');\n }\n\n this.options.visiblePages = parseInt(this.options.visiblePages);\n if (isNaN(this.options.visiblePages)) {\n throw new Error('Visible pages option is not correct!');\n }\n\n if (this.options.totalPages < this.options.visiblePages) {\n this.options.visiblePages = this.options.totalPages;\n }\n\n if (this.options.onPageClick instanceof Function) {\n this.$element.first().on('page', this.options.onPageClick);\n }\n\n if (this.options.href) {\n var match, regexp = this.options.href.replace(/[-\\/\\\\^$*+?.|[\\]]/g, '\\\\$&');\n regexp = regexp.replace(this.options.hrefVariable, '(\\\\d+)');\n if ((match = new RegExp(regexp, 'i').exec(window.location.href)) != null) {\n this.options.startPage = parseInt(match[1], 10);\n }\n }\n\n var tagName = (typeof this.$element.prop === 'function') ?\n this.$element.prop('tagName') : this.$element.attr('tagName');\n\n if (tagName === 'UL') {\n this.$listContainer = this.$element;\n } else {\n this.$listContainer = $('<ul></ul>');\n }\n\n this.$listContainer.addClass(this.options.paginationClass);\n\n if (tagName !== 'UL') {\n this.$element.append(this.$listContainer);\n }\n\n this.render(this.getPages(this.options.startPage));\n this.setupEvents();\n\n if (this.options.initiateStartPageClick) {\n this.$element.trigger('page', this.options.startPage);\n }\n\n return this;\n };\n\n TwbsPagination.prototype = {\n\n constructor: TwbsPagination,\n\n destroy: function () {\n this.$element.empty();\n this.$element.removeData('twbs-pagination');\n this.$element.off('page');\n\n return this;\n },\n\n show: function (page) {\n if (page < 1 || page > this.options.totalPages) {\n throw new Error('Page is incorrect.');\n }\n\n this.render(this.getPages(page));\n this.setupEvents();\n\n this.$element.trigger('page', page);\n\n return this;\n },\n\n buildListItems: function (pages) {\n var listItems = [];\n\n if (this.options.first) {\n listItems.push(this.buildItem('first', 1));\n }\n\n if (this.options.prev) {\n var prev = pages.currentPage > 1 ? pages.currentPage - 1 : this.options.loop ? this.options.totalPages : 1;\n listItems.push(this.buildItem('prev', prev));\n }\n\n for (var i = 0; i < pages.numeric.length; i++) {\n listItems.push(this.buildItem('page', pages.numeric[i]));\n }\n\n if (this.options.next) {\n var next = pages.currentPage < this.options.totalPages ? pages.currentPage + 1 : this.options.loop ? 1 : this.options.totalPages;\n listItems.push(this.buildItem('next', next));\n }\n\n if (this.options.last) {\n listItems.push(this.buildItem('last', this.options.totalPages));\n }\n\n return listItems;\n },\n\n buildItem: function (type, page) {\n var $itemContainer = $('<li></li>'),\n $itemContent = $('<a></a>'),\n itemText = null;\n\n switch (type) {\n case 'page':\n itemText = page;\n $itemContainer.addClass(this.options.pageClass);\n break;\n case 'first':\n itemText = this.options.first;\n $itemContainer.addClass(this.options.firstClass);\n break;\n case 'prev':\n itemText = this.options.prev;\n $itemContainer.addClass(this.options.prevClass);\n break;\n case 'next':\n itemText = this.options.next;\n $itemContainer.addClass(this.options.nextClass);\n break;\n case 'last':\n itemText = this.options.last;\n $itemContainer.addClass(this.options.lastClass);\n break;\n default:\n break;\n }\n\n $itemContainer.data('page', page);\n $itemContainer.data('page-type', type);\n $itemContainer.append($itemContent.attr('href', this.makeHref(page)).html(itemText));\n\n return $itemContainer;\n },\n\n getPages: function (currentPage) {\n var pages = [];\n\n var half = Math.floor(this.options.visiblePages / 2);\n var start = currentPage - half + 1 - this.options.visiblePages % 2;\n var end = currentPage + half;\n\n // handle boundary case\n if (start <= 0) {\n start = 1;\n end = this.options.visiblePages;\n }\n if (end > this.options.totalPages) {\n start = this.options.totalPages - this.options.visiblePages + 1;\n end = this.options.totalPages;\n }\n\n var itPage = start;\n while (itPage <= end) {\n pages.push(itPage);\n itPage++;\n }\n\n return {\"currentPage\": currentPage, \"numeric\": pages};\n },\n\n render: function (pages) {\n var _this = this;\n this.$listContainer.children().remove();\n this.$listContainer.append(this.buildListItems(pages));\n\n this.$listContainer.children().each(function () {\n var $this = $(this),\n pageType = $this.data('page-type');\n\n switch (pageType) {\n case 'page':\n if ($this.data('page') === pages.currentPage) {\n $this.addClass(_this.options.activeClass);\n }\n break;\n case 'first':\n $this.toggleClass(_this.options.disabledClass, pages.currentPage === 1);\n break;\n case 'last':\n $this.toggleClass(_this.options.disabledClass, pages.currentPage === _this.options.totalPages);\n break;\n case 'prev':\n $this.toggleClass(_this.options.disabledClass, !_this.options.loop && pages.currentPage === 1);\n break;\n case 'next':\n $this.toggleClass(_this.options.disabledClass,\n !_this.options.loop && pages.currentPage === _this.options.totalPages);\n break;\n default:\n break;\n }\n\n });\n },\n\n setupEvents: function () {\n var _this = this;\n this.$listContainer.find('li').each(function () {\n var $this = $(this);\n $this.off();\n if ($this.hasClass(_this.options.disabledClass) || $this.hasClass(_this.options.activeClass)) {\n $this.on('click', false);\n return;\n }\n $this.click(function (evt) {\n // Prevent click event if href is not set.\n !_this.options.href && evt.preventDefault();\n _this.show(parseInt($this.data('page')));\n });\n });\n },\n\n makeHref: function (c) {\n return this.options.href ? this.options.href.replace(this.options.hrefVariable, c) : \"#\";\n }\n\n };\n\n // PLUGIN DEFINITION\n\n $.fn.twbsPagination = function (option) {\n var args = Array.prototype.slice.call(arguments, 1);\n var methodReturn;\n\n var $this = $(this);\n var data = $this.data('twbs-pagination');\n var options = typeof option === 'object' && option;\n\n if (!data) $this.data('twbs-pagination', (data = new TwbsPagination(this, options) ));\n if (typeof option === 'string') methodReturn = data[ option ].apply(data, args);\n\n return ( methodReturn === undefined ) ? $this : methodReturn;\n };\n\n $.fn.twbsPagination.defaults = {\n totalPages: 0,\n startPage: 1,\n visiblePages: 5,\n initiateStartPageClick: true,\n href: false,\n hrefVariable: '{{number}}',\n first: 'First',\n prev: 'Previous',\n next: 'Next',\n last: 'Last',\n loop: false,\n onPageClick: null,\n paginationClass: 'pagination',\n nextClass: 'next',\n prevClass: 'prev',\n lastClass: 'last',\n firstClass: 'first',\n pageClass: 'page',\n activeClass: 'active',\n disabledClass: 'disabled'\n };\n\n $.fn.twbsPagination.Constructor = TwbsPagination;\n\n $.fn.twbsPagination.noConflict = function () {\n $.fn.twbsPagination = old;\n return this;\n };\n\n})(window.jQuery, window, document);\n", "/**\n * A NodeIterator with iframes support and a method to check if an element is\n * matching a specified selector\n * @example\n * const iterator = new DOMIterator(\n * document.querySelector(\"#context\"), true\n * );\n * iterator.forEachNode(NodeFilter.SHOW_TEXT, node => {\n * console.log(node);\n * }, node => {\n * if(DOMIterator.matches(node.parentNode, \".ignore\")){\n * return NodeFilter.FILTER_REJECT;\n * } else {\n * return NodeFilter.FILTER_ACCEPT;\n * }\n * }, () => {\n * console.log(\"DONE\");\n * });\n * @todo Outsource into separate repository\n */\nexport default class DOMIterator {\n\n /**\n * @param {HTMLElement|HTMLElement[]|NodeList|string} ctx - The context DOM\n * element, an array of DOM elements, a NodeList or a selector\n * @param {boolean} [iframes=true] - A boolean indicating if iframes should\n * be handled\n * @param {string[]} [exclude=[]] - An array containing exclusion selectors\n * for iframes\n * @param {number} [iframesTimeout=5000] - A number indicating the ms to\n * wait before an iframe should be skipped, in case the load event isn't\n * fired. This also applies if the user is offline and the resource of the\n * iframe is online (either by the browsers \"offline\" mode or because\n * there's no internet connection)\n */\n constructor(ctx, iframes = true, exclude = [], iframesTimeout = 5000) {\n /**\n * The context of the instance. Either a DOM element, an array of DOM\n * elements, a NodeList or a selector\n * @type {HTMLElement|HTMLElement[]|NodeList|string}\n * @access protected\n */\n this.ctx = ctx;\n /**\n * Boolean indicating if iframe support is enabled\n * @type {boolean}\n * @access protected\n */\n this.iframes = iframes;\n /**\n * An array containing exclusion selectors for iframes\n * @type {string[]}\n */\n this.exclude = exclude;\n /**\n * The maximum ms to wait for a load event before skipping an iframe\n * @type {number}\n */\n this.iframesTimeout = iframesTimeout;\n }\n\n /**\n * Checks if the specified DOM element matches the selector\n * @param {HTMLElement} element - The DOM element\n * @param {string|string[]} selector - The selector or an array with\n * selectors\n * @return {boolean}\n * @access public\n */\n static matches(element, selector) {\n const selectors = typeof selector === 'string' ? [selector] : selector,\n fn = (\n element.matches ||\n element.matchesSelector ||\n element.msMatchesSelector ||\n element.mozMatchesSelector ||\n element.oMatchesSelector ||\n element.webkitMatchesSelector\n );\n if (fn) {\n let match = false;\n selectors.every(sel => {\n if (fn.call(element, sel)) {\n match = true;\n return false;\n }\n return true;\n });\n return match;\n } else { // may be false e.g. when el is a textNode\n return false;\n }\n }\n\n /**\n * Returns all contexts filtered by duplicates (even nested)\n * @return {HTMLElement[]} - An array containing DOM contexts\n * @access protected\n */\n getContexts() {\n let ctx,\n filteredCtx = [];\n if (typeof this.ctx === 'undefined' || !this.ctx) { // e.g. null\n ctx = [];\n } else if (NodeList.prototype.isPrototypeOf(this.ctx)) {\n ctx = Array.prototype.slice.call(this.ctx);\n } else if (Array.isArray(this.ctx)) {\n ctx = this.ctx;\n } else if (typeof this.ctx === 'string') {\n ctx = Array.prototype.slice.call(\n document.querySelectorAll(this.ctx)\n );\n } else { // e.g. HTMLElement or element inside iframe\n ctx = [this.ctx];\n }\n // filter duplicate text nodes\n ctx.forEach(ctx => {\n const isDescendant = filteredCtx.filter(contexts => {\n return contexts.contains(ctx);\n }).length > 0;\n if (filteredCtx.indexOf(ctx) === -1 && !isDescendant) {\n filteredCtx.push(ctx);\n }\n });\n return filteredCtx;\n }\n\n /**\n * @callback DOMIterator~getIframeContentsSuccessCallback\n * @param {HTMLDocument} contents - The contentDocument of the iframe\n */\n /**\n * Calls the success callback function with the iframe document. If it can't\n * be accessed it calls the error callback function\n * @param {HTMLElement} ifr - The iframe DOM element\n * @param {DOMIterator~getIframeContentsSuccessCallback} successFn\n * @param {function} [errorFn]\n * @access protected\n */\n getIframeContents(ifr, successFn, errorFn = () => {}) {\n let doc;\n try {\n const ifrWin = ifr.contentWindow;\n doc = ifrWin.document;\n if (!ifrWin || !doc) { // no permission = null. Undefined in Phantom\n throw new Error('iframe inaccessible');\n }\n } catch (e) {\n errorFn();\n }\n if (doc) {\n successFn(doc);\n }\n }\n\n /**\n * Checks if an iframe is empty (if about:blank is the shown page)\n * @param {HTMLElement} ifr - The iframe DOM element\n * @return {boolean}\n * @access protected\n */\n isIframeBlank(ifr) {\n const bl = 'about:blank',\n src = ifr.getAttribute('src').trim(),\n href = ifr.contentWindow.location.href;\n return href === bl && src !== bl && src;\n }\n\n /**\n * Observes the onload event of an iframe and calls the success callback or\n * the error callback if the iframe is inaccessible. If the event isn't\n * fired within the specified {@link DOMIterator#iframesTimeout}, then it'll\n * call the error callback too\n * @param {HTMLElement} ifr - The iframe DOM element\n * @param {DOMIterator~getIframeContentsSuccessCallback} successFn\n * @param {function} errorFn\n * @access protected\n */\n observeIframeLoad(ifr, successFn, errorFn) {\n let called = false,\n tout = null;\n const listener = () => {\n if (called) {\n return;\n }\n called = true;\n clearTimeout(tout);\n try {\n if (!this.isIframeBlank(ifr)) {\n ifr.removeEventListener('load', listener);\n this.getIframeContents(ifr, successFn, errorFn);\n }\n } catch (e) { // isIframeBlank maybe throws throws an error\n errorFn();\n }\n };\n ifr.addEventListener('load', listener);\n tout = setTimeout(listener, this.iframesTimeout);\n }\n\n /**\n * Callback when the iframe is ready\n * @callback DOMIterator~onIframeReadySuccessCallback\n * @param {HTMLDocument} contents - The contentDocument of the iframe\n */\n /**\n * Callback if the iframe can't be accessed\n * @callback DOMIterator~onIframeReadyErrorCallback\n */\n /**\n * Calls the callback if the specified iframe is ready for DOM access\n * @param {HTMLElement} ifr - The iframe DOM element\n * @param {DOMIterator~onIframeReadySuccessCallback} successFn - Success\n * callback\n * @param {DOMIterator~onIframeReadyErrorCallback} errorFn - Error callback\n * @see {@link http://stackoverflow.com/a/36155560/3894981} for\n * background information\n * @access protected\n */\n onIframeReady(ifr, successFn, errorFn) {\n try {\n if (ifr.contentWindow.document.readyState === 'complete') {\n if (this.isIframeBlank(ifr)) {\n this.observeIframeLoad(ifr, successFn, errorFn);\n } else {\n this.getIframeContents(ifr, successFn, errorFn);\n }\n } else {\n this.observeIframeLoad(ifr, successFn, errorFn);\n }\n } catch (e) { // accessing document failed\n errorFn();\n }\n }\n\n /**\n * Callback when all iframes are ready for DOM access\n * @callback DOMIterator~waitForIframesDoneCallback\n */\n /**\n * Iterates over all iframes and calls the done callback when all of them\n * are ready for DOM access (including nested ones)\n * @param {HTMLElement} ctx - The context DOM element\n * @param {DOMIterator~waitForIframesDoneCallback} done - Done callback\n */\n waitForIframes(ctx, done) {\n let eachCalled = 0;\n this.forEachIframe(ctx, () => true, ifr => {\n eachCalled++;\n this.waitForIframes(ifr.querySelector('html'), () => {\n if (!(--eachCalled)) {\n done();\n }\n });\n }, handled => {\n if (!handled) {\n done();\n }\n });\n }\n\n /**\n * Callback allowing to filter an iframe. Must return true when the element\n * should remain, otherwise false\n * @callback DOMIterator~forEachIframeFilterCallback\n * @param {HTMLElement} iframe - The iframe DOM element\n */\n /**\n * Callback for each iframe content\n * @callback DOMIterator~forEachIframeEachCallback\n * @param {HTMLElement} content - The iframe document\n */\n /**\n * Callback if all iframes inside the context were handled\n * @callback DOMIterator~forEachIframeEndCallback\n * @param {number} handled - The number of handled iframes (those who\n * wheren't filtered)\n */\n /**\n * Iterates over all iframes inside the specified context and calls the\n * callbacks when they're ready. Filters iframes based on the instance\n * exclusion selectors\n * @param {HTMLElement} ctx - The context DOM element\n * @param {DOMIterator~forEachIframeFilterCallback} filter - Filter callback\n * @param {DOMIterator~forEachIframeEachCallback} each - Each callback\n * @param {DOMIterator~forEachIframeEndCallback} [end] - End callback\n * @access protected\n */\n forEachIframe(ctx, filter, each, end = () => {}) {\n let ifr = ctx.querySelectorAll('iframe'),\n open = ifr.length,\n handled = 0;\n ifr = Array.prototype.slice.call(ifr);\n const checkEnd = () => {\n if (--open <= 0) {\n end(handled);\n }\n };\n if (!open) {\n checkEnd();\n }\n ifr.forEach(ifr => {\n if (DOMIterator.matches(ifr, this.exclude)) {\n checkEnd();\n } else {\n this.onIframeReady(ifr, con => {\n if (filter(ifr)) {\n handled++;\n each(con);\n }\n checkEnd();\n }, checkEnd);\n }\n });\n }\n\n /**\n * Creates a NodeIterator on the specified context\n * @see {@link https://developer.mozilla.org/en/docs/Web/API/NodeIterator}\n * @param {HTMLElement} ctx - The context DOM element\n * @param {DOMIterator~whatToShow} whatToShow\n * @param {DOMIterator~filterCb} filter\n * @return {NodeIterator}\n * @access protected\n */\n createIterator(ctx, whatToShow, filter) {\n return document.createNodeIterator(ctx, whatToShow, filter, false);\n }\n\n /**\n * Creates an instance of DOMIterator in an iframe\n * @param {HTMLDocument} contents - Iframe document\n * @return {DOMIterator}\n * @access protected\n */\n createInstanceOnIframe(contents) {\n return new DOMIterator(contents.querySelector('html'), this.iframes);\n }\n\n /**\n * Checks if an iframe occurs between two nodes, more specifically if an\n * iframe occurs before the specified node and after the specified prevNode\n * @param {HTMLElement} node - The node that should occur after the iframe\n * @param {HTMLElement} prevNode - The node that should occur before the\n * iframe\n * @param {HTMLElement} ifr - The iframe to check against\n * @return {boolean}\n * @access protected\n */\n compareNodeIframe(node, prevNode, ifr) {\n const compCurr = node.compareDocumentPosition(ifr),\n prev = Node.DOCUMENT_POSITION_PRECEDING;\n if (compCurr & prev) {\n if (prevNode !== null) {\n const compPrev = prevNode.compareDocumentPosition(ifr),\n after = Node.DOCUMENT_POSITION_FOLLOWING;\n if (compPrev & after) {\n return true;\n }\n } else {\n return true;\n }\n }\n return false;\n }\n\n /**\n * @typedef {DOMIterator~getIteratorNodeReturn}\n * @type {object.<string>}\n * @property {HTMLElement} prevNode - The previous node or null if there is\n * no\n * @property {HTMLElement} node - The current node\n */\n /**\n * Returns the previous and current node of the specified iterator\n * @param {NodeIterator} itr - The iterator\n * @return {DOMIterator~getIteratorNodeReturn}\n * @access protected\n */\n getIteratorNode(itr) {\n const prevNode = itr.previousNode();\n let node;\n if (prevNode === null) {\n node = itr.nextNode();\n } else {\n node = itr.nextNode() && itr.nextNode();\n }\n return {\n prevNode,\n node\n };\n }\n\n /**\n * An array containing objects. The object key \"val\" contains an iframe\n * DOM element. The object key \"handled\" contains a boolean indicating if\n * the iframe was handled already.\n * It wouldn't be enough to save all open or all already handled iframes.\n * The information of open iframes is necessary because they may occur after\n * all other text nodes (and compareNodeIframe would never be true). The\n * information of already handled iframes is necessary as otherwise they may\n * be handled multiple times\n * @typedef DOMIterator~checkIframeFilterIfr\n * @type {object[]}\n */\n /**\n * Checks if an iframe wasn't handled already and if so, calls\n * {@link DOMIterator#compareNodeIframe} to check if it should be handled.\n * Information wheter an iframe was or wasn't handled is given within the\n * <code>ifr</code> dictionary\n * @param {HTMLElement} node - The node that should occur after the iframe\n * @param {HTMLElement} prevNode - The node that should occur before the\n * iframe\n * @param {HTMLElement} currIfr - The iframe to check\n * @param {DOMIterator~checkIframeFilterIfr} ifr - The iframe dictionary.\n * Will be manipulated (by reference)\n * @return {boolean} Returns true when it should be handled, otherwise false\n * @access protected\n */\n checkIframeFilter(node, prevNode, currIfr, ifr) {\n let key = false, // false === doesn't exist\n handled = false;\n ifr.forEach((ifrDict, i) => {\n if (ifrDict.val === currIfr) {\n key = i;\n handled = ifrDict.handled;\n }\n });\n if (this.compareNodeIframe(node, prevNode, currIfr)) {\n if (key === false && !handled) {\n ifr.push({\n val: currIfr,\n handled: true\n });\n } else if (key !== false && !handled) {\n ifr[key].handled = true;\n }\n return true;\n }\n if (key === false) {\n ifr.push({\n val: currIfr,\n handled: false\n });\n }\n return false;\n }\n\n /**\n * Creates an iterator on all open iframes in the specified array and calls\n * the end callback when finished\n * @param {DOMIterator~checkIframeFilterIfr} ifr\n * @param {DOMIterator~whatToShow} whatToShow\n * @param {DOMIterator~forEachNodeCallback} eCb - Each callback\n * @param {DOMIterator~filterCb} fCb\n * @access protected\n */\n handleOpenIframes(ifr, whatToShow, eCb, fCb) {\n ifr.forEach(ifrDict => {\n if (!ifrDict.handled) {\n this.getIframeContents(ifrDict.val, con => {\n this.createInstanceOnIframe(con).forEachNode(\n whatToShow, eCb, fCb\n );\n });\n }\n });\n }\n\n /**\n * Iterates through all nodes in the specified context and handles iframe\n * nodes at the correct position\n * @param {DOMIterator~whatToShow} whatToShow\n * @param {HTMLElement} ctx - The context\n * @param {DOMIterator~forEachNodeCallback} eachCb - Each callback\n * @param {DOMIterator~filterCb} filterCb - Filter callback\n * @param {DOMIterator~forEachNodeEndCallback} doneCb - End callback\n * @access protected\n */\n iterateThroughNodes(whatToShow, ctx, eachCb, filterCb, doneCb) {\n const itr = this.createIterator(ctx, whatToShow, filterCb);\n let ifr = [],\n elements = [],\n node, prevNode, retrieveNodes = () => {\n ({\n prevNode,\n node\n } = this.getIteratorNode(itr));\n return node;\n };\n while (retrieveNodes()) {\n if (this.iframes) {\n this.forEachIframe(ctx, currIfr => {\n // note that ifr will be manipulated here\n return this.checkIframeFilter(node, prevNode, currIfr, ifr);\n }, con => {\n this.createInstanceOnIframe(con).forEachNode(\n whatToShow, ifrNode => elements.push(ifrNode), filterCb\n );\n });\n }\n // it's faster to call the each callback in an array loop\n // than in this while loop\n elements.push(node);\n }\n elements.forEach(node => {\n eachCb(node);\n });\n if (this.iframes) {\n this.handleOpenIframes(ifr, whatToShow, eachCb, filterCb);\n }\n doneCb();\n }\n\n /**\n * Callback for each node\n * @callback DOMIterator~forEachNodeCallback\n * @param {HTMLElement} node - The DOM text node element\n */\n /**\n * Callback if all contexts were handled\n * @callback DOMIterator~forEachNodeEndCallback\n */\n /**\n * Iterates over all contexts and initializes\n * {@link DOMIterator#iterateThroughNodes iterateThroughNodes} on them\n * @param {DOMIterator~whatToShow} whatToShow\n * @param {DOMIterator~forEachNodeCallback} each - Each callback\n * @param {DOMIterator~filterCb} filter - Filter callback\n * @param {DOMIterator~forEachNodeEndCallback} done - End callback\n * @access public\n */\n forEachNode(whatToShow, each, filter, done = () => {}) {\n const contexts = this.getContexts();\n let open = contexts.length;\n if (!open) {\n done();\n }\n contexts.forEach(ctx => {\n const ready = () => {\n this.iterateThroughNodes(whatToShow, ctx, each, filter, () => {\n if (--open <= 0) { // call end all contexts were handled\n done();\n }\n });\n };\n // wait for iframes to avoid recursive calls, otherwise this would\n // perhaps reach the recursive function call limit with many nodes\n if (this.iframes) {\n this.waitForIframes(ctx, ready);\n } else {\n ready();\n }\n });\n }\n\n /**\n * Callback to filter nodes. Can return e.g. NodeFilter.FILTER_ACCEPT or\n * NodeFilter.FILTER_REJECT\n * @see {@link http://tinyurl.com/zdczmm2}\n * @callback DOMIterator~filterCb\n * @param {HTMLElement} node - The node to filter\n */\n /**\n * @typedef DOMIterator~whatToShow\n * @see {@link http://tinyurl.com/zfqqkx2}\n * @type {number}\n */\n}\n", "import DOMIterator from './domiterator';\n\n/**\n * Marks search terms in DOM elements\n * @example\n * new Mark(document.querySelector(\".context\")).mark(\"lorem ipsum\");\n * @example\n * new Mark(document.querySelector(\".context\")).markRegExp(/lorem/gmi);\n */\nexport default class Mark { // eslint-disable-line no-unused-vars\n\n /**\n * @param {HTMLElement|HTMLElement[]|NodeList|string} ctx - The context DOM\n * element, an array of DOM elements, a NodeList or a selector\n */\n constructor(ctx) {\n /**\n * The context of the instance. Either a DOM element, an array of DOM\n * elements, a NodeList or a selector\n * @type {HTMLElement|HTMLElement[]|NodeList|string}\n * @access protected\n */\n this.ctx = ctx;\n /**\n * Specifies if the current browser is a IE (necessary for the node\n * normalization bug workaround). See {@link Mark#unwrapMatches}\n * @type {boolean}\n * @access protected\n */\n this.ie = false;\n const ua = window.navigator.userAgent;\n if (ua.indexOf('MSIE') > -1 || ua.indexOf('Trident') > -1) {\n this.ie = true;\n }\n }\n\n /**\n * Options defined by the user. They will be initialized from one of the\n * public methods. See {@link Mark#mark}, {@link Mark#markRegExp},\n * {@link Mark#markRanges} and {@link Mark#unmark} for option properties.\n * @type {object}\n * @param {object} [val] - An object that will be merged with defaults\n * @access protected\n */\n set opt(val) {\n this._opt = Object.assign({}, {\n 'element': '',\n 'className': '',\n 'exclude': [],\n 'iframes': false,\n 'iframesTimeout': 5000,\n 'separateWordSearch': true,\n 'diacritics': true,\n 'synonyms': {},\n 'accuracy': 'partially',\n 'acrossElements': false,\n 'caseSensitive': false,\n 'ignoreJoiners': false,\n 'ignoreGroups': 0,\n 'ignorePunctuation': [],\n 'wildcards': 'disabled',\n 'each': () => {},\n 'noMatch': () => {},\n 'filter': () => true,\n 'done': () => {},\n 'debug': false,\n 'log': window.console\n }, val);\n }\n\n get opt() {\n return this._opt;\n }\n\n /**\n * An instance of DOMIterator\n * @type {DOMIterator}\n * @access protected\n */\n get iterator() {\n // always return new instance in case there were option changes\n return new DOMIterator(\n this.ctx,\n this.opt.iframes,\n this.opt.exclude,\n this.opt.iframesTimeout\n );\n }\n\n /**\n * Logs a message if log is enabled\n * @param {string} msg - The message to log\n * @param {string} [level=\"debug\"] - The log level, e.g. <code>warn</code>\n * <code>error</code>, <code>debug</code>\n * @access protected\n */\n log(msg, level = 'debug') {\n const log = this.opt.log;\n if (!this.opt.debug) {\n return;\n }\n if (typeof log === 'object' && typeof log[level] === 'function') {\n log[level](`mark.js: ${msg}`);\n }\n }\n\n /**\n * Escapes a string for usage within a regular expression\n * @param {string} str - The string to escape\n * @return {string}\n * @access protected\n */\n escapeStr(str) {\n // eslint-disable-next-line no-useless-escape\n return str.replace(/[\\-\\[\\]\\/\\{\\}\\(\\)\\*\\+\\?\\.\\\\\\^\\$\\|]/g, '\\\\$&');\n }\n\n /**\n * Creates a regular expression string to match the specified search\n * term including synonyms, diacritics and accuracy if defined\n * @param {string} str - The search term to be used\n * @return {string}\n * @access protected\n */\n createRegExp(str) {\n if (this.opt.wildcards !== 'disabled') {\n str = this.setupWildcardsRegExp(str);\n }\n str = this.escapeStr(str);\n if (Object.keys(this.opt.synonyms).length) {\n str = this.createSynonymsRegExp(str);\n }\n if (this.opt.ignoreJoiners || this.opt.ignorePunctuation.length) {\n str = this.setupIgnoreJoinersRegExp(str);\n }\n if (this.opt.diacritics) {\n str = this.createDiacriticsRegExp(str);\n }\n str = this.createMergedBlanksRegExp(str);\n if (this.opt.ignoreJoiners || this.opt.ignorePunctuation.length) {\n str = this.createJoinersRegExp(str);\n }\n if (this.opt.wildcards !== 'disabled') {\n str = this.createWildcardsRegExp(str);\n }\n str = this.createAccuracyRegExp(str);\n return str;\n }\n\n /**\n * Creates a regular expression string to match the defined synonyms\n * @param {string} str - The search term to be used\n * @return {string}\n * @access protected\n */\n createSynonymsRegExp(str) {\n const syn = this.opt.synonyms,\n sens = this.opt.caseSensitive ? '' : 'i',\n // add replacement character placeholder before and after the\n // synonym group\n joinerPlaceholder = this.opt.ignoreJoiners ||\n this.opt.ignorePunctuation.length ? '\\u0000' : '';\n for (let index in syn) {\n if (syn.hasOwnProperty(index)) {\n const value = syn[index],\n k1 = this.opt.wildcards !== 'disabled' ?\n this.setupWildcardsRegExp(index) :\n this.escapeStr(index),\n k2 = this.opt.wildcards !== 'disabled' ?\n this.setupWildcardsRegExp(value) :\n this.escapeStr(value);\n if (k1 !== '' && k2 !== '') {\n str = str.replace(\n new RegExp(\n `(${this.escapeStr(k1)}|${this.escapeStr(k2)})`,\n `gm${sens}`\n ),\n joinerPlaceholder +\n `(${this.processSynomyms(k1)}|` +\n `${this.processSynomyms(k2)})` +\n joinerPlaceholder\n );\n }\n }\n }\n return str;\n }\n\n /**\n * Setup synonyms to work with ignoreJoiners and or ignorePunctuation\n * @param {string} str - synonym key or value to process\n * @return {string} - processed synonym string\n */\n processSynomyms(str) {\n if (this.opt.ignoreJoiners || this.opt.ignorePunctuation.length) {\n str = this.setupIgnoreJoinersRegExp(str);\n }\n return str;\n }\n\n /**\n * Sets up the regular expression string to allow later insertion of\n * wildcard regular expression matches\n * @param {string} str - The search term to be used\n * @return {string}\n * @access protected\n */\n setupWildcardsRegExp(str) {\n // replace single character wildcard with unicode 0001\n str = str.replace(/(?:\\\\)*\\?/g, val => {\n return val.charAt(0) === '\\\\' ? '?' : '\\u0001';\n });\n // replace multiple character wildcard with unicode 0002\n return str.replace(/(?:\\\\)*\\*/g, val => {\n return val.charAt(0) === '\\\\' ? '*' : '\\u0002';\n });\n }\n\n /**\n * Sets up the regular expression string to allow later insertion of\n * wildcard regular expression matches\n * @param {string} str - The search term to be used\n * @return {string}\n * @access protected\n */\n createWildcardsRegExp(str) {\n // default to \"enable\" (i.e. to not include spaces)\n // \"withSpaces\" uses `[\\\\S\\\\s]` instead of `.` because the latter\n // does not match new line characters\n let spaces = this.opt.wildcards === 'withSpaces';\n return str\n // replace unicode 0001 with a RegExp class to match any single\n // character, or any single non-whitespace character depending\n // on the setting\n .replace(/\\u0001/g, spaces ? '[\\\\S\\\\s]?' : '\\\\S?')\n // replace unicode 0002 with a RegExp class to match zero or\n // more characters, or zero or more non-whitespace characters\n // depending on the setting\n .replace(/\\u0002/g, spaces ? '[\\\\S\\\\s]*?' : '\\\\S*');\n }\n\n /**\n * Sets up the regular expression string to allow later insertion of\n * designated characters (soft hyphens & zero width characters)\n * @param {string} str - The search term to be used\n * @return {string}\n * @access protected\n */\n setupIgnoreJoinersRegExp(str) {\n // adding a \"null\" unicode character as it will not be modified by the\n // other \"create\" regular expression functions\n return str.replace(/[^(|)\\\\]/g, (val, indx, original) => {\n // don't add a null after an opening \"(\", around a \"|\" or before\n // a closing \"(\", or between an escapement (e.g. \\+)\n let nextChar = original.charAt(indx + 1);\n if (/[(|)\\\\]/.test(nextChar) || nextChar === '') {\n return val;\n } else {\n return val + '\\u0000';\n }\n });\n }\n\n /**\n * Creates a regular expression string to allow ignoring of designated\n * characters (soft hyphens, zero width characters & punctuation) based on\n * the specified option values of <code>ignorePunctuation</code> and\n * <code>ignoreJoiners</code>\n * @param {string} str - The search term to be used\n * @return {string}\n * @access protected\n */\n createJoinersRegExp(str) {\n let joiner = [];\n const ignorePunctuation = this.opt.ignorePunctuation;\n if (Array.isArray(ignorePunctuation) && ignorePunctuation.length) {\n joiner.push(this.escapeStr(ignorePunctuation.join('')));\n }\n if (this.opt.ignoreJoiners) {\n // u+00ad = soft hyphen\n // u+200b = zero-width space\n // u+200c = zero-width non-joiner\n // u+200d = zero-width joiner\n joiner.push('\\\\u00ad\\\\u200b\\\\u200c\\\\u200d');\n }\n return joiner.length ?\n str.split(/\\u0000+/).join(`[${joiner.join('')}]*`) :\n str;\n }\n\n /**\n * Creates a regular expression string to match diacritics\n * @param {string} str - The search term to be used\n * @return {string}\n * @access protected\n */\n createDiacriticsRegExp(str) {\n const sens = this.opt.caseSensitive ? '' : 'i',\n dct = this.opt.caseSensitive ? [\n 'a\u00E0\u00E1\u1EA3\u00E3\u1EA1\u0103\u1EB1\u1EAF\u1EB3\u1EB5\u1EB7\u00E2\u1EA7\u1EA5\u1EA9\u1EAB\u1EAD\u00E4\u00E5\u0101\u0105', 'A\u00C0\u00C1\u1EA2\u00C3\u1EA0\u0102\u1EB0\u1EAE\u1EB2\u1EB4\u1EB6\u00C2\u1EA6\u1EA4\u1EA8\u1EAA\u1EAC\u00C4\u00C5\u0100\u0104',\n 'c\u00E7\u0107\u010D', 'C\u00C7\u0106\u010C', 'd\u0111\u010F', 'D\u0110\u010E',\n 'e\u00E8\u00E9\u1EBB\u1EBD\u1EB9\u00EA\u1EC1\u1EBF\u1EC3\u1EC5\u1EC7\u00EB\u011B\u0113\u0119', 'E\u00C8\u00C9\u1EBA\u1EBC\u1EB8\u00CA\u1EC0\u1EBE\u1EC2\u1EC4\u1EC6\u00CB\u011A\u0112\u0118',\n 'i\u00EC\u00ED\u1EC9\u0129\u1ECB\u00EE\u00EF\u012B', 'I\u00CC\u00CD\u1EC8\u0128\u1ECA\u00CE\u00CF\u012A', 'l\u0142', 'L\u0141', 'n\u00F1\u0148\u0144',\n 'N\u00D1\u0147\u0143', 'o\u00F2\u00F3\u1ECF\u00F5\u1ECD\u00F4\u1ED3\u1ED1\u1ED5\u1ED7\u1ED9\u01A1\u1EDF\u1EE1\u1EDB\u1EDD\u1EE3\u00F6\u00F8\u014D', 'O\u00D2\u00D3\u1ECE\u00D5\u1ECC\u00D4\u1ED2\u1ED0\u1ED4\u1ED6\u1ED8\u01A0\u1EDE\u1EE0\u1EDA\u1EDC\u1EE2\u00D6\u00D8\u014C',\n 'r\u0159', 'R\u0158', 's\u0161\u015B\u0219\u015F', 'S\u0160\u015A\u0218\u015E',\n 't\u0165\u021B\u0163', 'T\u0164\u021A\u0162', 'u\u00F9\u00FA\u1EE7\u0169\u1EE5\u01B0\u1EEB\u1EE9\u1EED\u1EEF\u1EF1\u00FB\u00FC\u016F\u016B', 'U\u00D9\u00DA\u1EE6\u0168\u1EE4\u01AF\u1EEA\u1EE8\u1EEC\u1EEE\u1EF0\u00DB\u00DC\u016E\u016A',\n 'y\u00FD\u1EF3\u1EF7\u1EF9\u1EF5\u00FF', 'Y\u00DD\u1EF2\u1EF6\u1EF8\u1EF4\u0178', 'z\u017E\u017C\u017A', 'Z\u017D\u017B\u0179'\n ] : [\n 'a\u00E0\u00E1\u1EA3\u00E3\u1EA1\u0103\u1EB1\u1EAF\u1EB3\u1EB5\u1EB7\u00E2\u1EA7\u1EA5\u1EA9\u1EAB\u1EAD\u00E4\u00E5\u0101\u0105A\u00C0\u00C1\u1EA2\u00C3\u1EA0\u0102\u1EB0\u1EAE\u1EB2\u1EB4\u1EB6\u00C2\u1EA6\u1EA4\u1EA8\u1EAA\u1EAC\u00C4\u00C5\u0100\u0104', 'c\u00E7\u0107\u010DC\u00C7\u0106\u010C',\n 'd\u0111\u010FD\u0110\u010E', 'e\u00E8\u00E9\u1EBB\u1EBD\u1EB9\u00EA\u1EC1\u1EBF\u1EC3\u1EC5\u1EC7\u00EB\u011B\u0113\u0119E\u00C8\u00C9\u1EBA\u1EBC\u1EB8\u00CA\u1EC0\u1EBE\u1EC2\u1EC4\u1EC6\u00CB\u011A\u0112\u0118',\n 'i\u00EC\u00ED\u1EC9\u0129\u1ECB\u00EE\u00EF\u012BI\u00CC\u00CD\u1EC8\u0128\u1ECA\u00CE\u00CF\u012A', 'l\u0142L\u0141', 'n\u00F1\u0148\u0144N\u00D1\u0147\u0143',\n 'o\u00F2\u00F3\u1ECF\u00F5\u1ECD\u00F4\u1ED3\u1ED1\u1ED5\u1ED7\u1ED9\u01A1\u1EDF\u1EE1\u1EDB\u1EDD\u1EE3\u00F6\u00F8\u014DO\u00D2\u00D3\u1ECE\u00D5\u1ECC\u00D4\u1ED2\u1ED0\u1ED4\u1ED6\u1ED8\u01A0\u1EDE\u1EE0\u1EDA\u1EDC\u1EE2\u00D6\u00D8\u014C', 'r\u0159R\u0158',\n 's\u0161\u015B\u0219\u015FS\u0160\u015A\u0218\u015E', 't\u0165\u021B\u0163T\u0164\u021A\u0162',\n 'u\u00F9\u00FA\u1EE7\u0169\u1EE5\u01B0\u1EEB\u1EE9\u1EED\u1EEF\u1EF1\u00FB\u00FC\u016F\u016BU\u00D9\u00DA\u1EE6\u0168\u1EE4\u01AF\u1EEA\u1EE8\u1EEC\u1EEE\u1EF0\u00DB\u00DC\u016E\u016A', 'y\u00FD\u1EF3\u1EF7\u1EF9\u1EF5\u00FFY\u00DD\u1EF2\u1EF6\u1EF8\u1EF4\u0178', 'z\u017E\u017C\u017AZ\u017D\u017B\u0179'\n ];\n let handled = [];\n str.split('').forEach(ch => {\n dct.every(dct => {\n // Check if the character is inside a diacritics list\n if (dct.indexOf(ch) !== -1) {\n // Check if the related diacritics list was not\n // handled yet\n if (handled.indexOf(dct) > -1) {\n return false;\n }\n // Make sure that the character OR any other\n // character in the diacritics list will be matched\n str = str.replace(\n new RegExp(`[${dct}]`, `gm${sens}`), `[${dct}]`\n );\n handled.push(dct);\n }\n return true;\n });\n });\n return str;\n }\n\n /**\n * Creates a regular expression string that merges whitespace characters\n * including subsequent ones into a single pattern, one or multiple\n * whitespaces\n * @param {string} str - The search term to be used\n * @return {string}\n * @access protected\n */\n createMergedBlanksRegExp(str) {\n return str.replace(/[\\s]+/gmi, '[\\\\s]+');\n }\n\n /**\n * Creates a regular expression string to match the specified string with\n * the defined accuracy. As in the regular expression of \"exactly\" can be\n * a group containing a blank at the beginning, all regular expressions will\n * be created with two groups. The first group can be ignored (may contain\n * the said blank), the second contains the actual match\n * @param {string} str - The searm term to be used\n * @return {str}\n * @access protected\n */\n createAccuracyRegExp(str) {\n const chars = '!\"#$%&\\'()*+,-./:;<=>?@[\\\\]^_`{|}~\u00A1\u00BF';\n let acc = this.opt.accuracy,\n val = typeof acc === 'string' ? acc : acc.value,\n ls = typeof acc === 'string' ? [] : acc.limiters,\n lsJoin = '';\n ls.forEach(limiter => {\n lsJoin += `|${this.escapeStr(limiter)}`;\n });\n switch (val) {\n case 'partially':\n default:\n return `()(${str})`;\n case 'complementary':\n lsJoin = '\\\\s' + (lsJoin ? lsJoin : this.escapeStr(chars));\n return `()([^${lsJoin}]*${str}[^${lsJoin}]*)`;\n case 'exactly':\n return `(^|\\\\s${lsJoin})(${str})(?=$|\\\\s${lsJoin})`;\n }\n }\n\n /**\n * @typedef Mark~separatedKeywords\n * @type {object.<string>}\n * @property {array.<string>} keywords - The list of keywords\n * @property {number} length - The length\n */\n /**\n * Returns a list of keywords dependent on whether separate word search\n * was defined. Also it filters empty keywords\n * @param {array} sv - The array of keywords\n * @return {Mark~separatedKeywords}\n * @access protected\n */\n getSeparatedKeywords(sv) {\n let stack = [];\n sv.forEach(kw => {\n if (!this.opt.separateWordSearch) {\n if (kw.trim() && stack.indexOf(kw) === -1) {\n stack.push(kw);\n }\n } else {\n kw.split(' ').forEach(kwSplitted => {\n if (kwSplitted.trim() && stack.indexOf(kwSplitted) === -1) {\n stack.push(kwSplitted);\n }\n });\n }\n });\n return {\n // sort because of https://git.io/v6USg\n 'keywords': stack.sort((a, b) => {\n return b.length - a.length;\n }),\n 'length': stack.length\n };\n }\n\n /**\n * Check if a value is a number\n * @param {number|string} value - the value to check;\n * numeric strings allowed\n * @return {boolean}\n * @access protected\n */\n isNumeric(value) {\n // http://stackoverflow.com/a/16655847/145346\n // eslint-disable-next-line eqeqeq\n return Number(parseFloat(value)) == value;\n }\n\n /**\n * @typedef Mark~rangeObject\n * @type {object}\n * @property {number} start - The start position within the composite value\n * @property {number} length - The length of the string to mark within the\n * composite value.\n */\n /**\n * @typedef Mark~setOfRanges\n * @type {object[]}\n * @property {Mark~rangeObject}\n */\n /**\n * Returns a processed list of integer offset indexes that do not overlap\n * each other, and remove any string values or additional elements\n * @param {Mark~setOfRanges} array - unprocessed raw array\n * @return {Mark~setOfRanges} - processed array with any invalid entries\n * removed\n * @throws Will throw an error if an array of objects is not passed\n * @access protected\n */\n checkRanges(array) {\n // start and length indexes are included in an array of objects\n // [{start: 0, length: 1}, {start: 4, length: 5}]\n // quick validity check of the first entry only\n if (\n !Array.isArray(array) ||\n Object.prototype.toString.call( array[0] ) !== '[object Object]'\n ) {\n this.log('markRanges() will only accept an array of objects');\n this.opt.noMatch(array);\n return [];\n }\n const stack = [];\n let last = 0;\n array\n // acending sort to ensure there is no overlap in start & end\n // offsets\n .sort((a, b) => {\n return a.start - b.start;\n })\n .forEach(item => {\n let {start, end, valid} = this.callNoMatchOnInvalidRanges(item, last);\n if (valid) {\n // preserve item in case there are extra key:values within\n item.start = start;\n item.length = end - start;\n stack.push(item);\n last = end;\n }\n });\n return stack;\n }\n\n /**\n * @typedef Mark~validObject\n * @type {object}\n * @property {number} start - The start position within the composite value\n * @property {number} end - The calculated end position within the composite\n * value.\n * @property {boolean} valid - boolean value indicating that the start and\n * calculated end range is valid\n */\n /**\n * Initial validation of ranges for markRanges. Preliminary checks are done\n * to ensure the start and length values exist and are not zero or non-\n * numeric\n * @param {Mark~rangeObject} range - the current range object\n * @param {number} last - last index of range\n * @return {Mark~validObject}\n * @access protected\n */\n callNoMatchOnInvalidRanges(range, last) {\n let start, end,\n valid = false;\n if (range && typeof range.start !== 'undefined') {\n start = parseInt(range.start, 10);\n end = start + parseInt(range.length, 10);\n // ignore overlapping values & non-numeric entries\n if (\n this.isNumeric(range.start) &&\n this.isNumeric(range.length) &&\n end - last > 0 &&\n end - start > 0\n ) {\n valid = true;\n } else {\n this.log(\n 'Ignoring invalid or overlapping range: ' +\n `${JSON.stringify(range)}`\n );\n this.opt.noMatch(range);\n }\n } else {\n this.log(`Ignoring invalid range: ${JSON.stringify(range)}`);\n this.opt.noMatch(range);\n }\n return {\n start: start,\n end: end,\n valid: valid\n };\n }\n\n /**\n * Check valid range for markRanges. Check ranges with access to the context\n * string. Range values are double checked, lengths that extend the mark\n * beyond the string length are limitied and ranges containing only\n * whitespace are ignored\n * @param {Mark~rangeObject} range - the current range object\n * @param {number} originalLength - original length of the context string\n * @param {string} string - current content string\n * @return {Mark~validObject}\n * @access protected\n */\n checkWhitespaceRanges(range, originalLength, string) {\n let end,\n valid = true,\n // the max value changes after the DOM is manipulated\n max = string.length,\n // adjust offset to account for wrapped text node\n offset = originalLength - max,\n start = parseInt(range.start, 10) - offset;\n // make sure to stop at max\n start = start > max ? max : start;\n end = start + parseInt(range.length, 10);\n if (end > max) {\n end = max;\n this.log(`End range automatically set to the max value of ${max}`);\n }\n if (start < 0 || end - start < 0 || start > max || end > max) {\n valid = false;\n this.log(`Invalid range: ${JSON.stringify(range)}`);\n this.opt.noMatch(range);\n } else if (string.substring(start, end).replace(/\\s+/g, '') === '') {\n valid = false;\n // whitespace only; even if wrapped it is not visible\n this.log('Skipping whitespace only range: ' +JSON.stringify(range));\n this.opt.noMatch(range);\n }\n return {\n start: start,\n end: end,\n valid: valid\n };\n }\n\n /**\n * @typedef Mark~getTextNodesDict\n * @type {object.<string>}\n * @property {string} value - The composite value of all text nodes\n * @property {object[]} nodes - An array of objects\n * @property {number} nodes.start - The start position within the composite\n * value\n * @property {number} nodes.end - The end position within the composite\n * value\n * @property {HTMLElement} nodes.node - The DOM text node element\n */\n /**\n * Callback\n * @callback Mark~getTextNodesCallback\n * @param {Mark~getTextNodesDict}\n */\n /**\n * Calls the callback with an object containing all text nodes (including\n * iframe text nodes) with start and end positions and the composite value\n * of them (string)\n * @param {Mark~getTextNodesCallback} cb - Callback\n * @access protected\n */\n getTextNodes(cb) {\n let val = '',\n nodes = [];\n this.iterator.forEachNode(NodeFilter.SHOW_TEXT, node => {\n nodes.push({\n start: val.length,\n end: (val += node.textContent).length,\n node\n });\n }, node => {\n if (this.matchesExclude(node.parentNode)) {\n return NodeFilter.FILTER_REJECT;\n } else {\n return NodeFilter.FILTER_ACCEPT;\n }\n }, () => {\n cb({\n value: val,\n nodes: nodes\n });\n });\n }\n\n /**\n * Checks if an element matches any of the specified exclude selectors. Also\n * it checks for elements in which no marks should be performed (e.g.\n * script and style tags) and optionally already marked elements\n * @param {HTMLElement} el - The element to check\n * @return {boolean}\n * @access protected\n */\n matchesExclude(el) {\n return DOMIterator.matches(el, this.opt.exclude.concat([\n // ignores the elements itself, not their childrens (selector *)\n 'script', 'style', 'title', 'head', 'html'\n ]));\n }\n\n /**\n * Wraps the instance element and class around matches that fit the start\n * and end positions within the node\n * @param {HTMLElement} node - The DOM text node\n * @param {number} start - The position where to start wrapping\n * @param {number} end - The position where to end wrapping\n * @return {HTMLElement} Returns the splitted text node that will appear\n * after the wrapped text node\n * @access protected\n */\n wrapRangeInTextNode(node, start, end) {\n const hEl = !this.opt.element ? 'mark' : this.opt.element,\n startNode = node.splitText(start),\n ret = startNode.splitText(end - start);\n let repl = document.createElement(hEl);\n repl.setAttribute('data-markjs', 'true');\n if (this.opt.className) {\n repl.setAttribute('class', this.opt.className);\n }\n repl.textContent = startNode.textContent;\n startNode.parentNode.replaceChild(repl, startNode);\n return ret;\n }\n\n /**\n * @typedef Mark~wrapRangeInMappedTextNodeDict\n * @type {object.<string>}\n * @property {string} value - The composite value of all text nodes\n * @property {object[]} nodes - An array of objects\n * @property {number} nodes.start - The start position within the composite\n * value\n * @property {number} nodes.end - The end position within the composite\n * value\n * @property {HTMLElement} nodes.node - The DOM text node element\n */\n /**\n * Each callback\n * @callback Mark~wrapMatchesEachCallback\n * @param {HTMLElement} node - The wrapped DOM element\n * @param {number} lastIndex - The last matching position within the\n * composite value of text nodes\n */\n /**\n * Filter callback\n * @callback Mark~wrapMatchesFilterCallback\n * @param {HTMLElement} node - The matching text node DOM element\n */\n /**\n * Determines matches by start and end positions using the text node\n * dictionary even across text nodes and calls\n * {@link Mark#wrapRangeInTextNode} to wrap them\n * @param {Mark~wrapRangeInMappedTextNodeDict} dict - The dictionary\n * @param {number} start - The start position of the match\n * @param {number} end - The end position of the match\n * @param {Mark~wrapMatchesFilterCallback} filterCb - Filter callback\n * @param {Mark~wrapMatchesEachCallback} eachCb - Each callback\n * @access protected\n */\n wrapRangeInMappedTextNode(dict, start, end, filterCb, eachCb) {\n // iterate over all text nodes to find the one matching the positions\n dict.nodes.every((n, i) => {\n const sibl = dict.nodes[i + 1];\n if (typeof sibl === 'undefined' || sibl.start > start) {\n if (!filterCb(n.node)) {\n return false;\n }\n // map range from dict.value to text node\n const s = start - n.start,\n e = (end > n.end ? n.end : end) - n.start,\n startStr = dict.value.substr(0, n.start),\n endStr = dict.value.substr(e + n.start);\n n.node = this.wrapRangeInTextNode(n.node, s, e);\n // recalculate positions to also find subsequent matches in the\n // same text node. Necessary as the text node in dict now only\n // contains the splitted part after the wrapped one\n dict.value = startStr + endStr;\n dict.nodes.forEach((k, j) => {\n if (j >= i) {\n if (dict.nodes[j].start > 0 && j !== i) {\n dict.nodes[j].start -= e;\n }\n dict.nodes[j].end -= e;\n }\n });\n end -= e;\n eachCb(n.node.previousSibling, n.start);\n if (end > n.end) {\n start = n.end;\n } else {\n return false;\n }\n }\n return true;\n });\n }\n\n /**\n * Filter callback before each wrapping\n * @callback Mark~wrapMatchesFilterCallback\n * @param {string} match - The matching string\n * @param {HTMLElement} node - The text node where the match occurs\n */\n /**\n * Callback for each wrapped element\n * @callback Mark~wrapMatchesEachCallback\n * @param {HTMLElement} element - The marked DOM element\n */\n /**\n * Callback on end\n * @callback Mark~wrapMatchesEndCallback\n */\n /**\n * Wraps the instance element and class around matches within single HTML\n * elements in all contexts\n * @param {RegExp} regex - The regular expression to be searched for\n * @param {number} ignoreGroups - A number indicating the amount of RegExp\n * matching groups to ignore\n * @param {Mark~wrapMatchesFilterCallback} filterCb\n * @param {Mark~wrapMatchesEachCallback} eachCb\n * @param {Mark~wrapMatchesEndCallback} endCb\n * @access protected\n */\n wrapMatches(regex, ignoreGroups, filterCb, eachCb, endCb) {\n const matchIdx = ignoreGroups === 0 ? 0 : ignoreGroups + 1;\n this.getTextNodes(dict => {\n dict.nodes.forEach(node => {\n node = node.node;\n let match;\n while (\n (match = regex.exec(node.textContent)) !== null &&\n match[matchIdx] !== ''\n ) {\n if (!filterCb(match[matchIdx], node)) {\n continue;\n }\n let pos = match.index;\n if (matchIdx !== 0) {\n for (let i = 1; i < matchIdx; i++) {\n pos += match[i].length;\n }\n }\n node = this.wrapRangeInTextNode(\n node,\n pos,\n pos + match[matchIdx].length\n );\n eachCb(node.previousSibling);\n // reset index of last match as the node changed and the\n // index isn't valid anymore http://tinyurl.com/htsudjd\n regex.lastIndex = 0;\n }\n });\n endCb();\n });\n }\n\n /**\n * Callback for each wrapped element\n * @callback Mark~wrapMatchesAcrossElementsEachCallback\n * @param {HTMLElement} element - The marked DOM element\n */\n /**\n * Filter callback before each wrapping\n * @callback Mark~wrapMatchesAcrossElementsFilterCallback\n * @param {string} match - The matching string\n * @param {HTMLElement} node - The text node where the match occurs\n */\n /**\n * Callback on end\n * @callback Mark~wrapMatchesAcrossElementsEndCallback\n */\n /**\n * Wraps the instance element and class around matches across all HTML\n * elements in all contexts\n * @param {RegExp} regex - The regular expression to be searched for\n * @param {number} ignoreGroups - A number indicating the amount of RegExp\n * matching groups to ignore\n * @param {Mark~wrapMatchesAcrossElementsFilterCallback} filterCb\n * @param {Mark~wrapMatchesAcrossElementsEachCallback} eachCb\n * @param {Mark~wrapMatchesAcrossElementsEndCallback} endCb\n * @access protected\n */\n wrapMatchesAcrossElements(regex, ignoreGroups, filterCb, eachCb, endCb) {\n const matchIdx = ignoreGroups === 0 ? 0 : ignoreGroups + 1;\n this.getTextNodes(dict => {\n let match;\n while (\n (match = regex.exec(dict.value)) !== null &&\n match[matchIdx] !== ''\n ) {\n // calculate range inside dict.value\n let start = match.index;\n if (matchIdx !== 0) {\n for (let i = 1; i < matchIdx; i++) {\n start += match[i].length;\n }\n }\n const end = start + match[matchIdx].length;\n // note that dict will be updated automatically, as it'll change\n // in the wrapping process, due to the fact that text\n // nodes will be splitted\n this.wrapRangeInMappedTextNode(dict, start, end, node => {\n return filterCb(match[matchIdx], node);\n }, (node, lastIndex) => {\n regex.lastIndex = lastIndex;\n eachCb(node);\n });\n }\n endCb();\n });\n }\n\n /**\n * Callback for each wrapped element\n * @callback Mark~wrapRangeFromIndexEachCallback\n * @param {HTMLElement} element - The marked DOM element\n * @param {Mark~rangeObject} range - the current range object; provided\n * start and length values will be numeric integers modified from the\n * provided original ranges.\n */\n /**\n * Filter callback before each wrapping\n * @callback Mark~wrapRangeFromIndexFilterCallback\n * @param {HTMLElement} node - The text node which includes the range\n * @param {Mark~rangeObject} range - the current range object\n * @param {string} match - string extracted from the matching range\n * @param {number} counter - A counter indicating the number of all marks\n */\n /**\n * Callback on end\n * @callback Mark~wrapRangeFromIndexEndCallback\n */\n /**\n * Wraps the indicated ranges across all HTML elements in all contexts\n * @param {Mark~setOfRanges} ranges\n * @param {Mark~wrapRangeFromIndexFilterCallback} filterCb\n * @param {Mark~wrapRangeFromIndexEachCallback} eachCb\n * @param {Mark~wrapRangeFromIndexEndCallback} endCb\n * @access protected\n */\n wrapRangeFromIndex(ranges, filterCb, eachCb, endCb) {\n this.getTextNodes(dict => {\n const originalLength = dict.value.length;\n ranges.forEach((range, counter) => {\n let {start, end, valid} = this.checkWhitespaceRanges(\n range,\n originalLength,\n dict.value\n );\n if (valid) {\n this.wrapRangeInMappedTextNode(dict, start, end, node => {\n return filterCb(\n node,\n range,\n dict.value.substring(start, end),\n counter\n );\n }, node => {\n eachCb(node, range);\n });\n }\n });\n endCb();\n });\n }\n\n /**\n * Unwraps the specified DOM node with its content (text nodes or HTML)\n * without destroying possibly present events (using innerHTML) and\n * normalizes the parent at the end (merge splitted text nodes)\n * @param {HTMLElement} node - The DOM node to unwrap\n * @access protected\n */\n unwrapMatches(node) {\n const parent = node.parentNode;\n let docFrag = document.createDocumentFragment();\n while (node.firstChild) {\n docFrag.appendChild(node.removeChild(node.firstChild));\n }\n parent.replaceChild(docFrag, node);\n if (!this.ie) { // use browser's normalize method\n parent.normalize();\n } else { // custom method (needs more time)\n this.normalizeTextNode(parent);\n }\n }\n\n /**\n * Normalizes text nodes. It's a workaround for the native normalize method\n * that has a bug in IE (see attached link). Should only be used in IE\n * browsers as it's slower than the native method.\n * @see {@link http://tinyurl.com/z5asa8c}\n * @param {HTMLElement} node - The DOM node to normalize\n * @access protected\n */\n normalizeTextNode(node) {\n if (!node) {\n return;\n }\n if (node.nodeType === 3) {\n while (node.nextSibling && node.nextSibling.nodeType === 3) {\n node.nodeValue += node.nextSibling.nodeValue;\n node.parentNode.removeChild(node.nextSibling);\n }\n } else {\n this.normalizeTextNode(node.firstChild);\n }\n this.normalizeTextNode(node.nextSibling);\n }\n\n /**\n * Callback when finished\n * @callback Mark~commonDoneCallback\n * @param {number} totalMatches - The number of marked elements\n */\n /**\n * @typedef Mark~commonOptions\n * @type {object.<string>}\n * @property {string} [element=\"mark\"] - HTML element tag name\n * @property {string} [className] - An optional class name\n * @property {string[]} [exclude] - An array with exclusion selectors.\n * Elements matching those selectors will be ignored\n * @property {boolean} [iframes=false] - Whether to search inside iframes\n * @property {Mark~commonDoneCallback} [done]\n * @property {boolean} [debug=false] - Wheter to log messages\n * @property {object} [log=window.console] - Where to log messages (only if\n * debug is true)\n */\n /**\n * Callback for each marked element\n * @callback Mark~markRegExpEachCallback\n * @param {HTMLElement} element - The marked DOM element\n */\n /**\n * Callback if there were no matches\n * @callback Mark~markRegExpNoMatchCallback\n * @param {RegExp} regexp - The regular expression\n */\n /**\n * Callback to filter matches\n * @callback Mark~markRegExpFilterCallback\n * @param {HTMLElement} textNode - The text node which includes the match\n * @param {string} match - The matching string for the RegExp\n * @param {number} counter - A counter indicating the number of all marks\n */\n /**\n * These options also include the common options from\n * {@link Mark~commonOptions}\n * @typedef Mark~markRegExpOptions\n * @type {object.<string>}\n * @property {Mark~markRegExpEachCallback} [each]\n * @property {Mark~markRegExpNoMatchCallback} [noMatch]\n * @property {Mark~markRegExpFilterCallback} [filter]\n */\n /**\n * Marks a custom regular expression\n * @param {RegExp} regexp - The regular expression\n * @param {Mark~markRegExpOptions} [opt] - Optional options object\n * @access public\n */\n markRegExp(regexp, opt) {\n this.opt = opt;\n this.log(`Searching with expression \"${regexp}\"`);\n let totalMatches = 0,\n fn = 'wrapMatches';\n const eachCb = element => {\n totalMatches++;\n this.opt.each(element);\n };\n if (this.opt.acrossElements) {\n fn = 'wrapMatchesAcrossElements';\n }\n this[fn](regexp, this.opt.ignoreGroups, (match, node) => {\n return this.opt.filter(node, match, totalMatches);\n }, eachCb, () => {\n if (totalMatches === 0) {\n this.opt.noMatch(regexp);\n }\n this.opt.done(totalMatches);\n });\n }\n\n /**\n * Callback for each marked element\n * @callback Mark~markEachCallback\n * @param {HTMLElement} element - The marked DOM element\n */\n /**\n * Callback if there were no matches\n * @callback Mark~markNoMatchCallback\n * @param {RegExp} term - The search term that was not found\n */\n /**\n * Callback to filter matches\n * @callback Mark~markFilterCallback\n * @param {HTMLElement} textNode - The text node which includes the match\n * @param {string} match - The matching term\n * @param {number} totalCounter - A counter indicating the number of all\n * marks\n * @param {number} termCounter - A counter indicating the number of marks\n * for the specific match\n */\n /**\n * @typedef Mark~markAccuracyObject\n * @type {object.<string>}\n * @property {string} value - A accuracy string value\n * @property {string[]} limiters - A custom array of limiters. For example\n * <code>[\"-\", \",\"]</code>\n */\n /**\n * @typedef Mark~markAccuracySetting\n * @type {string}\n * @property {\"partially\"|\"complementary\"|\"exactly\"|Mark~markAccuracyObject}\n * [accuracy=\"partially\"] - Either one of the following string values:\n * <ul>\n * <li><i>partially</i>: When searching for \"lor\" only \"lor\" inside\n * \"lorem\" will be marked</li>\n * <li><i>complementary</i>: When searching for \"lor\" the whole word\n * \"lorem\" will be marked</li>\n * <li><i>exactly</i>: When searching for \"lor\" only those exact words\n * will be marked. In this example nothing inside \"lorem\". This value\n * is equivalent to the previous option <i>wordBoundary</i></li>\n * </ul>\n * Or an object containing two properties:\n * <ul>\n * <li><i>value</i>: One of the above named string values</li>\n * <li><i>limiters</i>: A custom array of string limiters for accuracy\n * \"exactly\" or \"complementary\"</li>\n * </ul>\n */\n /**\n * @typedef Mark~markWildcardsSetting\n * @type {string}\n * @property {\"disabled\"|\"enabled\"|\"withSpaces\"}\n * [wildcards=\"disabled\"] - Set to any of the following string values:\n * <ul>\n * <li><i>disabled</i>: Disable wildcard usage</li>\n * <li><i>enabled</i>: When searching for \"lor?m\", the \"?\" will match zero\n * or one non-space character (e.g. \"lorm\", \"loram\", \"lor3m\", etc). When\n * searching for \"lor*m\", the \"*\" will match zero or more non-space\n * characters (e.g. \"lorm\", \"loram\", \"lor123m\", etc).</li>\n * <li><i>withSpaces</i>: When searching for \"lor?m\", the \"?\" will\n * match zero or one space or non-space character (e.g. \"lor m\", \"loram\",\n * etc). When searching for \"lor*m\", the \"*\" will match zero or more space\n * or non-space characters (e.g. \"lorm\", \"lore et dolor ipsum\", \"lor: m\",\n * etc).</li>\n * </ul>\n */\n /**\n * @typedef Mark~markIgnorePunctuationSetting\n * @type {string[]}\n * @property {string} The strings in this setting will contain punctuation\n * marks that will be ignored:\n * <ul>\n * <li>These punctuation marks can be between any characters, e.g. setting\n * this option to <code>[\"'\"]</code> would match \"Worlds\", \"World's\" and\n * \"Wo'rlds\"</li>\n * <li>One or more apostrophes between the letters would still produce a\n * match (e.g. \"W'o''r'l'd's\").</li>\n * <li>A typical setting for this option could be as follows:\n * <pre>ignorePunctuation: \":;.,-\u2013\u2014\u2012_(){}[]!'\\\"+=\".split(\"\"),</pre> This\n * setting includes common punctuation as well as a minus, en-dash,\n * em-dash and figure-dash\n * ({@link https://en.wikipedia.org/wiki/Dash#Figure_dash ref}), as well\n * as an underscore.</li>\n * </ul>\n */\n /**\n * These options also include the common options from\n * {@link Mark~commonOptions}\n * @typedef Mark~markOptions\n * @type {object.<string>}\n * @property {boolean} [separateWordSearch=true] - Whether to search for\n * each word separated by a blank instead of the complete term\n * @property {boolean} [diacritics=true] - If diacritic characters should be\n * matched. ({@link https://en.wikipedia.org/wiki/Diacritic Diacritics})\n * @property {object} [synonyms] - An object with synonyms. The key will be\n * a synonym for the value and the value for the key\n * @property {Mark~markAccuracySetting} [accuracy]\n * @property {Mark~markWildcardsSetting} [wildcards]\n * @property {boolean} [acrossElements=false] - Whether to find matches\n * across HTML elements. By default, only matches within single HTML\n * elements will be found\n * @property {boolean} [ignoreJoiners=false] - Whether to ignore word\n * joiners inside of key words. These include soft-hyphens, zero-width\n * space, zero-width non-joiners and zero-width joiners.\n * @property {Mark~markIgnorePunctuationSetting} [ignorePunctuation]\n * @property {Mark~markEachCallback} [each]\n * @property {Mark~markNoMatchCallback} [noMatch]\n * @property {Mark~markFilterCallback} [filter]\n */\n /**\n * Marks the specified search terms\n * @param {string|string[]} [sv] - Search value, either a search string or\n * an array containing multiple search strings\n * @param {Mark~markOptions} [opt] - Optional options object\n * @access public\n */\n mark(sv, opt) {\n this.opt = opt;\n let totalMatches = 0,\n fn = 'wrapMatches';\n\n const {\n keywords: kwArr,\n length: kwArrLen\n } = this.getSeparatedKeywords(typeof sv === 'string' ? [sv] : sv),\n sens = this.opt.caseSensitive ? '' : 'i',\n handler = kw => { // async function calls as iframes are async too\n let regex = new RegExp(this.createRegExp(kw), `gm${sens}`),\n matches = 0;\n this.log(`Searching with expression \"${regex}\"`);\n this[fn](regex, 1, (term, node) => {\n return this.opt.filter(node, kw, totalMatches, matches);\n }, element => {\n matches++;\n totalMatches++;\n this.opt.each(element);\n }, () => {\n if (matches === 0) {\n this.opt.noMatch(kw);\n }\n if (kwArr[kwArrLen - 1] === kw) {\n this.opt.done(totalMatches);\n } else {\n handler(kwArr[kwArr.indexOf(kw) + 1]);\n }\n });\n };\n if (this.opt.acrossElements) {\n fn = 'wrapMatchesAcrossElements';\n }\n if (kwArrLen === 0) {\n this.opt.done(totalMatches);\n } else {\n handler(kwArr[0]);\n }\n }\n\n /**\n * Callback for each marked element\n * @callback Mark~markRangesEachCallback\n * @param {HTMLElement} element - The marked DOM element\n * @param {array} range - array of range start and end points\n */\n /**\n * Callback if a processed range is invalid, out-of-bounds, overlaps another\n * range, or only matches whitespace\n * @callback Mark~markRangesNoMatchCallback\n * @param {Mark~rangeObject} range - a range object\n */\n /**\n * Callback to filter matches\n * @callback Mark~markRangesFilterCallback\n * @param {HTMLElement} node - The text node which includes the range\n * @param {array} range - array of range start and end points\n * @param {string} match - string extracted from the matching range\n * @param {number} counter - A counter indicating the number of all marks\n */\n /**\n * These options also include the common options from\n * {@link Mark~commonOptions}\n * @typedef Mark~markRangesOptions\n * @type {object.<string>}\n * @property {Mark~markRangesEachCallback} [each]\n * @property {Mark~markRangesNoMatchCallback} [noMatch]\n * @property {Mark~markRangesFilterCallback} [filter]\n */\n /**\n * Marks an array of objects containing a start with an end or length of the\n * string to mark\n * @param {Mark~setOfRanges} rawRanges - The original (preprocessed)\n * array of objects\n * @param {Mark~markRangesOptions} [opt] - Optional options object\n * @access public\n */\n markRanges(rawRanges, opt) {\n this.opt = opt;\n let totalMatches = 0,\n ranges = this.checkRanges(rawRanges);\n if (ranges && ranges.length) {\n this.log(\n 'Starting to mark with the following ranges: ' +\n JSON.stringify(ranges)\n );\n this.wrapRangeFromIndex(\n ranges, (node, range, match, counter) => {\n return this.opt.filter(node, range, match, counter);\n }, (element, range) => {\n totalMatches++;\n this.opt.each(element, range);\n }, () => {\n this.opt.done(totalMatches);\n }\n );\n } else {\n this.opt.done(totalMatches);\n }\n }\n\n /**\n * Removes all marked elements inside the context with their HTML and\n * normalizes the parent at the end\n * @param {Mark~commonOptions} [opt] - Optional options object\n * @access public\n */\n unmark(opt) {\n this.opt = opt;\n let sel = this.opt.element ? this.opt.element : '*';\n sel += '[data-markjs]';\n if (this.opt.className) {\n sel += `.${this.opt.className}`;\n }\n this.log(`Removal selector \"${sel}\"`);\n this.iterator.forEachNode(NodeFilter.SHOW_ELEMENT, node => {\n this.unwrapMatches(node);\n }, node => {\n const matchesSel = DOMIterator.matches(node, sel),\n matchesExclude = this.matchesExclude(node);\n if (!matchesSel || matchesExclude) {\n return NodeFilter.FILTER_REJECT;\n } else {\n return NodeFilter.FILTER_ACCEPT;\n }\n }, this.opt.done);\n }\n}\n", "import Mark from './lib/mark';\nimport $ from 'jquery';\n\n$.fn.mark = function(sv, opt) {\n new Mark(this.get()).mark(sv, opt);\n return this;\n};\n$.fn.markRegExp = function(regexp, opt) {\n new Mark(this.get()).markRegExp(regexp, opt);\n return this;\n};\n$.fn.markRanges = function(ranges, opt) {\n new Mark(this.get()).markRanges(ranges, opt);\n return this;\n};\n$.fn.unmark = function(opt) {\n new Mark(this.get()).unmark(opt);\n return this;\n};\n\nexport default $;", "/* eslint-env amd */\n/* globals module:false */\n\n// https://github.com/umdjs/umd/blob/master/templates/returnExports.js\n(function(root, factory) {\n 'use strict';\n\n if (typeof define === 'function' && define.amd) {\n // AMD. Register as an anonymous module.\n define([], factory);\n } else if (typeof module === 'object' && module.exports) {\n // Node. Does not work with strict CommonJS, but\n // only CommonJS-like environments that support module.exports,\n // like Node.\n module.exports = factory();\n } else {\n // Browser globals (root is window)\n root.AnchorJS = factory();\n root.anchors = new root.AnchorJS();\n }\n}(globalThis, function() {\n 'use strict';\n\n function AnchorJS(options) {\n this.options = options || {};\n this.elements = [];\n\n /**\n * Assigns options to the internal options object, and provides defaults.\n * @param {Object} opts - Options object\n */\n function _applyRemainingDefaultOptions(opts) {\n opts.icon = Object.prototype.hasOwnProperty.call(opts, 'icon') ? opts.icon : '\\uE9CB'; // Accepts characters (and also URLs?), like '#', '\u00B6', '\u2761', or '\u00A7'.\n opts.visible = Object.prototype.hasOwnProperty.call(opts, 'visible') ? opts.visible : 'hover'; // Also accepts 'always'\n opts.placement = Object.prototype.hasOwnProperty.call(opts, 'placement') ? opts.placement : 'right'; // Also accepts 'left'\n opts.ariaLabel = Object.prototype.hasOwnProperty.call(opts, 'ariaLabel') ? opts.ariaLabel : 'Anchor'; // Accepts any text.\n opts.class = Object.prototype.hasOwnProperty.call(opts, 'class') ? opts.class : ''; // Accepts any class name.\n opts.base = Object.prototype.hasOwnProperty.call(opts, 'base') ? opts.base : ''; // Accepts any base URI.\n // Using Math.floor here will ensure the value is Number-cast and an integer.\n opts.truncate = Object.prototype.hasOwnProperty.call(opts, 'truncate') ? Math.floor(opts.truncate) : 64; // Accepts any value that can be typecast to a number.\n opts.titleText = Object.prototype.hasOwnProperty.call(opts, 'titleText') ? opts.titleText : ''; // Accepts any text.\n }\n\n _applyRemainingDefaultOptions(this.options);\n\n /**\n * Add anchor links to page elements.\n * @param {String|Array|Nodelist} selector - A CSS selector for targeting the elements you wish to add anchor links\n * to. Also accepts an array or nodeList containing the relavant elements.\n * @return {this} - The AnchorJS object\n */\n this.add = function(selector) {\n var elements,\n elsWithIds,\n idList,\n elementID,\n i,\n index,\n count,\n tidyText,\n newTidyText,\n anchor,\n hrefBase,\n indexesToDrop = [];\n\n // We reapply options here because somebody may have overwritten the default options object when setting options.\n // For example, this overwrites all options but visible:\n //\n // anchors.options = { visible: 'always'; }\n _applyRemainingDefaultOptions(this.options);\n\n // Provide a sensible default selector, if none is given.\n if (!selector) {\n selector = 'h2, h3, h4, h5, h6';\n }\n\n elements = _getElements(selector);\n\n if (elements.length === 0) {\n return this;\n }\n\n _addBaselineStyles();\n\n // We produce a list of existing IDs so we don't generate a duplicate.\n elsWithIds = document.querySelectorAll('[id]');\n idList = [].map.call(elsWithIds, function(el) {\n return el.id;\n });\n\n for (i = 0; i < elements.length; i++) {\n if (this.hasAnchorJSLink(elements[i])) {\n indexesToDrop.push(i);\n continue;\n }\n\n if (elements[i].hasAttribute('id')) {\n elementID = elements[i].getAttribute('id');\n } else if (elements[i].hasAttribute('data-anchor-id')) {\n elementID = elements[i].getAttribute('data-anchor-id');\n } else {\n tidyText = this.urlify(elements[i].textContent);\n\n // Compare our generated ID to existing IDs (and increment it if needed)\n // before we add it to the page.\n newTidyText = tidyText;\n count = 0;\n do {\n if (index !== undefined) {\n newTidyText = tidyText + '-' + count;\n }\n\n index = idList.indexOf(newTidyText);\n count += 1;\n } while (index !== -1);\n\n index = undefined;\n idList.push(newTidyText);\n\n elements[i].setAttribute('id', newTidyText);\n elementID = newTidyText;\n }\n\n // The following code efficiently builds this DOM structure:\n // `<a class=\"anchorjs-link ${this.options.class}\"\n // aria-label=\"${this.options.ariaLabel}\"\n // data-anchorjs-icon=\"${this.options.icon}\"\n // title=\"${this.options.titleText}\"\n // href=\"this.options.base#${elementID}\">\n // </a>;`\n anchor = document.createElement('a');\n anchor.className = 'anchorjs-link ' + this.options.class;\n anchor.setAttribute('aria-label', this.options.ariaLabel);\n anchor.setAttribute('data-anchorjs-icon', this.options.icon);\n if (this.options.titleText) {\n anchor.title = this.options.titleText;\n }\n\n // Adjust the href if there's a <base> tag. See https://github.com/bryanbraun/anchorjs/issues/98\n hrefBase = document.querySelector('base') ? window.location.pathname + window.location.search : '';\n hrefBase = this.options.base || hrefBase;\n anchor.href = hrefBase + '#' + elementID;\n\n if (this.options.visible === 'always') {\n anchor.style.opacity = '1';\n }\n\n if (this.options.icon === '\\uE9CB') {\n anchor.style.font = '1em/1 anchorjs-icons';\n\n // We set lineHeight = 1 here because the `anchorjs-icons` font family could otherwise affect the\n // height of the heading. This isn't the case for icons with `placement: left`, so we restore\n // line-height: inherit in that case, ensuring they remain positioned correctly. For more info,\n // see https://github.com/bryanbraun/anchorjs/issues/39.\n if (this.options.placement === 'left') {\n anchor.style.lineHeight = 'inherit';\n }\n }\n\n if (this.options.placement === 'left') {\n anchor.style.position = 'absolute';\n anchor.style.marginLeft = '-1.25em';\n anchor.style.paddingRight = '.25em';\n anchor.style.paddingLeft = '.25em';\n elements[i].insertBefore(anchor, elements[i].firstChild);\n } else { // if the option provided is `right` (or anything else).\n anchor.style.marginLeft = '.1875em';\n anchor.style.paddingRight = '.1875em';\n anchor.style.paddingLeft = '.1875em';\n elements[i].appendChild(anchor);\n }\n }\n\n for (i = 0; i < indexesToDrop.length; i++) {\n elements.splice(indexesToDrop[i] - i, 1);\n }\n\n this.elements = this.elements.concat(elements);\n\n return this;\n };\n\n /**\n * Removes all anchorjs-links from elements targeted by the selector.\n * @param {String|Array|Nodelist} selector - A CSS selector string targeting elements with anchor links,\n * OR a nodeList / array containing the DOM elements.\n * @return {this} - The AnchorJS object\n */\n this.remove = function(selector) {\n var index,\n domAnchor,\n elements = _getElements(selector);\n\n for (var i = 0; i < elements.length; i++) {\n domAnchor = elements[i].querySelector('.anchorjs-link');\n if (domAnchor) {\n // Drop the element from our main list, if it's in there.\n index = this.elements.indexOf(elements[i]);\n if (index !== -1) {\n this.elements.splice(index, 1);\n }\n\n // Remove the anchor from the DOM.\n elements[i].removeChild(domAnchor);\n }\n }\n\n return this;\n };\n\n /**\n * Removes all anchorjs links. Mostly used for tests.\n */\n this.removeAll = function() {\n this.remove(this.elements);\n };\n\n /**\n * Urlify - Refine text so it makes a good ID.\n *\n * To do this, we remove apostrophes, replace non-safe characters with hyphens,\n * remove extra hyphens, truncate, trim hyphens, and make lowercase.\n *\n * @param {String} text - Any text. Usually pulled from the webpage element we are linking to.\n * @return {String} - hyphen-delimited text for use in IDs and URLs.\n */\n this.urlify = function(text) {\n // Decode HTML characters such as ' ' first.\n var textareaElement = document.createElement('textarea');\n textareaElement.innerHTML = text;\n text = textareaElement.value;\n\n // Regex for finding the non-safe URL characters (many need escaping):\n // & +$,:;=?@\"#{}|^~[`%!'<>]./()*\\ (newlines, tabs, backspace, vertical tabs, and non-breaking space)\n var nonsafeChars = /[& +$,:;=?@\"#{}|^~[`%!'<>\\]./()*\\\\\\n\\t\\b\\v\\u00A0]/g;\n\n // The reason we include this _applyRemainingDefaultOptions is so urlify can be called independently,\n // even after setting options. This can be useful for tests or other applications.\n if (!this.options.truncate) {\n _applyRemainingDefaultOptions(this.options);\n }\n\n // Note: we trim hyphens after truncating because truncating can cause dangling hyphens.\n // Example string: // \" \u26A1\u26A1 Don't forget: URL fragments should be i18n-friendly, hyphenated, short, and clean.\"\n return text.trim() // \"\u26A1\u26A1 Don't forget: URL fragments should be i18n-friendly, hyphenated, short, and clean.\"\n .replace(/'/gi, '') // \"\u26A1\u26A1 Dont forget: URL fragments should be i18n-friendly, hyphenated, short, and clean.\"\n .replace(nonsafeChars, '-') // \"\u26A1\u26A1-Dont-forget--URL-fragments-should-be-i18n-friendly--hyphenated--short--and-clean-\"\n .replace(/-{2,}/g, '-') // \"\u26A1\u26A1-Dont-forget-URL-fragments-should-be-i18n-friendly-hyphenated-short-and-clean-\"\n .substring(0, this.options.truncate) // \"\u26A1\u26A1-Dont-forget-URL-fragments-should-be-i18n-friendly-hyphenated-\"\n .replace(/^-+|-+$/gm, '') // \"\u26A1\u26A1-Dont-forget-URL-fragments-should-be-i18n-friendly-hyphenated\"\n .toLowerCase(); // \"\u26A1\u26A1-dont-forget-url-fragments-should-be-i18n-friendly-hyphenated\"\n };\n\n /**\n * Determines if this element already has an AnchorJS link on it.\n * Uses this technique: https://stackoverflow.com/a/5898748/1154642\n * @param {HTMLElement} el - a DOM node\n * @return {Boolean} true/false\n */\n this.hasAnchorJSLink = function(el) {\n var hasLeftAnchor = el.firstChild && (' ' + el.firstChild.className + ' ').indexOf(' anchorjs-link ') > -1,\n hasRightAnchor = el.lastChild && (' ' + el.lastChild.className + ' ').indexOf(' anchorjs-link ') > -1;\n\n return hasLeftAnchor || hasRightAnchor || false;\n };\n\n /**\n * Turns a selector, nodeList, or array of elements into an array of elements (so we can use array methods).\n * It also throws errors on any other inputs. Used to handle inputs to .add and .remove.\n * @param {String|Array|Nodelist} input - A CSS selector string targeting elements with anchor links,\n * OR a nodeList / array containing the DOM elements.\n * @return {Array} - An array containing the elements we want.\n */\n function _getElements(input) {\n var elements;\n if (typeof input === 'string' || input instanceof String) {\n // See https://davidwalsh.name/nodelist-array for the technique transforming nodeList -> Array.\n elements = [].slice.call(document.querySelectorAll(input));\n } else if (Array.isArray(input) || input instanceof NodeList) {\n elements = [].slice.call(input);\n } else {\n throw new TypeError('The selector provided to AnchorJS was invalid.');\n }\n\n return elements;\n }\n\n /**\n * _addBaselineStyles\n * Adds baseline styles to the page, used by all AnchorJS links irregardless of configuration.\n */\n function _addBaselineStyles() {\n // We don't want to add global baseline styles if they've been added before.\n if (document.head.querySelector('style.anchorjs') !== null) {\n return;\n }\n\n var style = document.createElement('style'),\n linkRule =\n '.anchorjs-link{' +\n 'opacity:0;' +\n 'text-decoration:none;' +\n '-webkit-font-smoothing:antialiased;' +\n '-moz-osx-font-smoothing:grayscale' +\n '}',\n hoverRule =\n ':hover>.anchorjs-link,' +\n '.anchorjs-link:focus{' +\n 'opacity:1' +\n '}',\n anchorjsLinkFontFace =\n '@font-face{' +\n 'font-family:anchorjs-icons;' + // Icon from icomoon; 10px wide & 10px tall; 2 empty below & 4 above\n 'src:url(data:n/a;base64,AAEAAAALAIAAAwAwT1MvMg8yG2cAAAE4AAAAYGNtYXDp3gC3AAABpAAAAExnYXNwAAAAEAAAA9wAAAAIZ2x5ZlQCcfwAAAH4AAABCGhlYWQHFvHyAAAAvAAAADZoaGVhBnACFwAAAPQAAAAkaG10eASAADEAAAGYAAAADGxvY2EACACEAAAB8AAAAAhtYXhwAAYAVwAAARgAAAAgbmFtZQGOH9cAAAMAAAAAunBvc3QAAwAAAAADvAAAACAAAQAAAAEAAHzE2p9fDzz1AAkEAAAAAADRecUWAAAAANQA6R8AAAAAAoACwAAAAAgAAgAAAAAAAAABAAADwP/AAAACgAAA/9MCrQABAAAAAAAAAAAAAAAAAAAAAwABAAAAAwBVAAIAAAAAAAIAAAAAAAAAAAAAAAAAAAAAAAMCQAGQAAUAAAKZAswAAACPApkCzAAAAesAMwEJAAAAAAAAAAAAAAAAAAAAARAAAAAAAAAAAAAAAAAAAAAAQAAg//0DwP/AAEADwABAAAAAAQAAAAAAAAAAAAAAIAAAAAAAAAIAAAACgAAxAAAAAwAAAAMAAAAcAAEAAwAAABwAAwABAAAAHAAEADAAAAAIAAgAAgAAACDpy//9//8AAAAg6cv//f///+EWNwADAAEAAAAAAAAAAAAAAAAACACEAAEAAAAAAAAAAAAAAAAxAAACAAQARAKAAsAAKwBUAAABIiYnJjQ3NzY2MzIWFxYUBwcGIicmNDc3NjQnJiYjIgYHBwYUFxYUBwYGIwciJicmNDc3NjIXFhQHBwYUFxYWMzI2Nzc2NCcmNDc2MhcWFAcHBgYjARQGDAUtLXoWOR8fORYtLTgKGwoKCjgaGg0gEhIgDXoaGgkJBQwHdR85Fi0tOAobCgoKOBoaDSASEiANehoaCQkKGwotLXoWOR8BMwUFLYEuehYXFxYugC44CQkKGwo4GkoaDQ0NDXoaShoKGwoFBe8XFi6ALjgJCQobCjgaShoNDQ0NehpKGgobCgoKLYEuehYXAAAADACWAAEAAAAAAAEACAAAAAEAAAAAAAIAAwAIAAEAAAAAAAMACAAAAAEAAAAAAAQACAAAAAEAAAAAAAUAAQALAAEAAAAAAAYACAAAAAMAAQQJAAEAEAAMAAMAAQQJAAIABgAcAAMAAQQJAAMAEAAMAAMAAQQJAAQAEAAMAAMAAQQJAAUAAgAiAAMAAQQJAAYAEAAMYW5jaG9yanM0MDBAAGEAbgBjAGgAbwByAGoAcwA0ADAAMABAAAAAAwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABAAH//wAP) format(\"truetype\")' +\n '}',\n pseudoElContent =\n '[data-anchorjs-icon]::after{' +\n 'content:attr(data-anchorjs-icon)' +\n '}',\n firstStyleEl;\n\n style.className = 'anchorjs';\n style.appendChild(document.createTextNode('')); // Necessary for Webkit.\n\n // We place it in the head with the other style tags, if possible, so as to\n // not look out of place. We insert before the others so these styles can be\n // overridden if necessary.\n firstStyleEl = document.head.querySelector('[rel=\"stylesheet\"],style');\n if (firstStyleEl === undefined) {\n document.head.appendChild(style);\n } else {\n document.head.insertBefore(style, firstStyleEl);\n }\n\n style.sheet.insertRule(linkRule, style.sheet.cssRules.length);\n style.sheet.insertRule(hoverRule, style.sheet.cssRules.length);\n style.sheet.insertRule(pseudoElContent, style.sheet.cssRules.length);\n style.sheet.insertRule(anchorjsLinkFontFace, style.sheet.cssRules.length);\n }\n }\n\n return AnchorJS;\n}));\n", "/* eslint-disable no-multi-assign */\n\nfunction deepFreeze(obj) {\n if (obj instanceof Map) {\n obj.clear =\n obj.delete =\n obj.set =\n function () {\n throw new Error('map is read-only');\n };\n } else if (obj instanceof Set) {\n obj.add =\n obj.clear =\n obj.delete =\n function () {\n throw new Error('set is read-only');\n };\n }\n\n // Freeze self\n Object.freeze(obj);\n\n Object.getOwnPropertyNames(obj).forEach((name) => {\n const prop = obj[name];\n const type = typeof prop;\n\n // Freeze prop if it is an object or function and also not already frozen\n if ((type === 'object' || type === 'function') && !Object.isFrozen(prop)) {\n deepFreeze(prop);\n }\n });\n\n return obj;\n}\n\n/** @typedef {import('highlight.js').CallbackResponse} CallbackResponse */\n/** @typedef {import('highlight.js').CompiledMode} CompiledMode */\n/** @implements CallbackResponse */\n\nclass Response {\n /**\n * @param {CompiledMode} mode\n */\n constructor(mode) {\n // eslint-disable-next-line no-undefined\n if (mode.data === undefined) mode.data = {};\n\n this.data = mode.data;\n this.isMatchIgnored = false;\n }\n\n ignoreMatch() {\n this.isMatchIgnored = true;\n }\n}\n\n/**\n * @param {string} value\n * @returns {string}\n */\nfunction escapeHTML(value) {\n return value\n .replace(/&/g, '&')\n .replace(/</g, '<')\n .replace(/>/g, '>')\n .replace(/\"/g, '"')\n .replace(/'/g, ''');\n}\n\n/**\n * performs a shallow merge of multiple objects into one\n *\n * @template T\n * @param {T} original\n * @param {Record<string,any>[]} objects\n * @returns {T} a single new object\n */\nfunction inherit$1(original, ...objects) {\n /** @type Record<string,any> */\n const result = Object.create(null);\n\n for (const key in original) {\n result[key] = original[key];\n }\n objects.forEach(function(obj) {\n for (const key in obj) {\n result[key] = obj[key];\n }\n });\n return /** @type {T} */ (result);\n}\n\n/**\n * @typedef {object} Renderer\n * @property {(text: string) => void} addText\n * @property {(node: Node) => void} openNode\n * @property {(node: Node) => void} closeNode\n * @property {() => string} value\n */\n\n/** @typedef {{scope?: string, language?: string, sublanguage?: boolean}} Node */\n/** @typedef {{walk: (r: Renderer) => void}} Tree */\n/** */\n\nconst SPAN_CLOSE = '</span>';\n\n/**\n * Determines if a node needs to be wrapped in <span>\n *\n * @param {Node} node */\nconst emitsWrappingTags = (node) => {\n // rarely we can have a sublanguage where language is undefined\n // TODO: track down why\n return !!node.scope;\n};\n\n/**\n *\n * @param {string} name\n * @param {{prefix:string}} options\n */\nconst scopeToCSSClass = (name, { prefix }) => {\n // sub-language\n if (name.startsWith(\"language:\")) {\n return name.replace(\"language:\", \"language-\");\n }\n // tiered scope: comment.line\n if (name.includes(\".\")) {\n const pieces = name.split(\".\");\n return [\n `${prefix}${pieces.shift()}`,\n ...(pieces.map((x, i) => `${x}${\"_\".repeat(i + 1)}`))\n ].join(\" \");\n }\n // simple scope\n return `${prefix}${name}`;\n};\n\n/** @type {Renderer} */\nclass HTMLRenderer {\n /**\n * Creates a new HTMLRenderer\n *\n * @param {Tree} parseTree - the parse tree (must support `walk` API)\n * @param {{classPrefix: string}} options\n */\n constructor(parseTree, options) {\n this.buffer = \"\";\n this.classPrefix = options.classPrefix;\n parseTree.walk(this);\n }\n\n /**\n * Adds texts to the output stream\n *\n * @param {string} text */\n addText(text) {\n this.buffer += escapeHTML(text);\n }\n\n /**\n * Adds a node open to the output stream (if needed)\n *\n * @param {Node} node */\n openNode(node) {\n if (!emitsWrappingTags(node)) return;\n\n const className = scopeToCSSClass(node.scope,\n { prefix: this.classPrefix });\n this.span(className);\n }\n\n /**\n * Adds a node close to the output stream (if needed)\n *\n * @param {Node} node */\n closeNode(node) {\n if (!emitsWrappingTags(node)) return;\n\n this.buffer += SPAN_CLOSE;\n }\n\n /**\n * returns the accumulated buffer\n */\n value() {\n return this.buffer;\n }\n\n // helpers\n\n /**\n * Builds a span element\n *\n * @param {string} className */\n span(className) {\n this.buffer += `<span class=\"${className}\">`;\n }\n}\n\n/** @typedef {{scope?: string, language?: string, sublanguage?: boolean, children: Node[]} | string} Node */\n/** @typedef {{scope?: string, language?: string, sublanguage?: boolean, children: Node[]} } DataNode */\n/** @typedef {import('highlight.js').Emitter} Emitter */\n/** */\n\n/** @returns {DataNode} */\nconst newNode = (opts = {}) => {\n /** @type DataNode */\n const result = { children: [] };\n Object.assign(result, opts);\n return result;\n};\n\nclass TokenTree {\n constructor() {\n /** @type DataNode */\n this.rootNode = newNode();\n this.stack = [this.rootNode];\n }\n\n get top() {\n return this.stack[this.stack.length - 1];\n }\n\n get root() { return this.rootNode; }\n\n /** @param {Node} node */\n add(node) {\n this.top.children.push(node);\n }\n\n /** @param {string} scope */\n openNode(scope) {\n /** @type Node */\n const node = newNode({ scope });\n this.add(node);\n this.stack.push(node);\n }\n\n closeNode() {\n if (this.stack.length > 1) {\n return this.stack.pop();\n }\n // eslint-disable-next-line no-undefined\n return undefined;\n }\n\n closeAllNodes() {\n while (this.closeNode());\n }\n\n toJSON() {\n return JSON.stringify(this.rootNode, null, 4);\n }\n\n /**\n * @typedef { import(\"./html_renderer\").Renderer } Renderer\n * @param {Renderer} builder\n */\n walk(builder) {\n // this does not\n return this.constructor._walk(builder, this.rootNode);\n // this works\n // return TokenTree._walk(builder, this.rootNode);\n }\n\n /**\n * @param {Renderer} builder\n * @param {Node} node\n */\n static _walk(builder, node) {\n if (typeof node === \"string\") {\n builder.addText(node);\n } else if (node.children) {\n builder.openNode(node);\n node.children.forEach((child) => this._walk(builder, child));\n builder.closeNode(node);\n }\n return builder;\n }\n\n /**\n * @param {Node} node\n */\n static _collapse(node) {\n if (typeof node === \"string\") return;\n if (!node.children) return;\n\n if (node.children.every(el => typeof el === \"string\")) {\n // node.text = node.children.join(\"\");\n // delete node.children;\n node.children = [node.children.join(\"\")];\n } else {\n node.children.forEach((child) => {\n TokenTree._collapse(child);\n });\n }\n }\n}\n\n/**\n Currently this is all private API, but this is the minimal API necessary\n that an Emitter must implement to fully support the parser.\n\n Minimal interface:\n\n - addText(text)\n - __addSublanguage(emitter, subLanguageName)\n - startScope(scope)\n - endScope()\n - finalize()\n - toHTML()\n\n*/\n\n/**\n * @implements {Emitter}\n */\nclass TokenTreeEmitter extends TokenTree {\n /**\n * @param {*} options\n */\n constructor(options) {\n super();\n this.options = options;\n }\n\n /**\n * @param {string} text\n */\n addText(text) {\n if (text === \"\") { return; }\n\n this.add(text);\n }\n\n /** @param {string} scope */\n startScope(scope) {\n this.openNode(scope);\n }\n\n endScope() {\n this.closeNode();\n }\n\n /**\n * @param {Emitter & {root: DataNode}} emitter\n * @param {string} name\n */\n __addSublanguage(emitter, name) {\n /** @type DataNode */\n const node = emitter.root;\n if (name) node.scope = `language:${name}`;\n\n this.add(node);\n }\n\n toHTML() {\n const renderer = new HTMLRenderer(this, this.options);\n return renderer.value();\n }\n\n finalize() {\n this.closeAllNodes();\n return true;\n }\n}\n\n/**\n * @param {string} value\n * @returns {RegExp}\n * */\n\n/**\n * @param {RegExp | string } re\n * @returns {string}\n */\nfunction source(re) {\n if (!re) return null;\n if (typeof re === \"string\") return re;\n\n return re.source;\n}\n\n/**\n * @param {RegExp | string } re\n * @returns {string}\n */\nfunction lookahead(re) {\n return concat('(?=', re, ')');\n}\n\n/**\n * @param {RegExp | string } re\n * @returns {string}\n */\nfunction anyNumberOfTimes(re) {\n return concat('(?:', re, ')*');\n}\n\n/**\n * @param {RegExp | string } re\n * @returns {string}\n */\nfunction optional(re) {\n return concat('(?:', re, ')?');\n}\n\n/**\n * @param {...(RegExp | string) } args\n * @returns {string}\n */\nfunction concat(...args) {\n const joined = args.map((x) => source(x)).join(\"\");\n return joined;\n}\n\n/**\n * @param { Array<string | RegExp | Object> } args\n * @returns {object}\n */\nfunction stripOptionsFromArgs(args) {\n const opts = args[args.length - 1];\n\n if (typeof opts === 'object' && opts.constructor === Object) {\n args.splice(args.length - 1, 1);\n return opts;\n } else {\n return {};\n }\n}\n\n/** @typedef { {capture?: boolean} } RegexEitherOptions */\n\n/**\n * Any of the passed expresssions may match\n *\n * Creates a huge this | this | that | that match\n * @param {(RegExp | string)[] | [...(RegExp | string)[], RegexEitherOptions]} args\n * @returns {string}\n */\nfunction either(...args) {\n /** @type { object & {capture?: boolean} } */\n const opts = stripOptionsFromArgs(args);\n const joined = '('\n + (opts.capture ? \"\" : \"?:\")\n + args.map((x) => source(x)).join(\"|\") + \")\";\n return joined;\n}\n\n/**\n * @param {RegExp | string} re\n * @returns {number}\n */\nfunction countMatchGroups(re) {\n return (new RegExp(re.toString() + '|')).exec('').length - 1;\n}\n\n/**\n * Does lexeme start with a regular expression match at the beginning\n * @param {RegExp} re\n * @param {string} lexeme\n */\nfunction startsWith(re, lexeme) {\n const match = re && re.exec(lexeme);\n return match && match.index === 0;\n}\n\n// BACKREF_RE matches an open parenthesis or backreference. To avoid\n// an incorrect parse, it additionally matches the following:\n// - [...] elements, where the meaning of parentheses and escapes change\n// - other escape sequences, so we do not misparse escape sequences as\n// interesting elements\n// - non-matching or lookahead parentheses, which do not capture. These\n// follow the '(' with a '?'.\nconst BACKREF_RE = /\\[(?:[^\\\\\\]]|\\\\.)*\\]|\\(\\??|\\\\([1-9][0-9]*)|\\\\./;\n\n// **INTERNAL** Not intended for outside usage\n// join logically computes regexps.join(separator), but fixes the\n// backreferences so they continue to match.\n// it also places each individual regular expression into it's own\n// match group, keeping track of the sequencing of those match groups\n// is currently an exercise for the caller. :-)\n/**\n * @param {(string | RegExp)[]} regexps\n * @param {{joinWith: string}} opts\n * @returns {string}\n */\nfunction _rewriteBackreferences(regexps, { joinWith }) {\n let numCaptures = 0;\n\n return regexps.map((regex) => {\n numCaptures += 1;\n const offset = numCaptures;\n let re = source(regex);\n let out = '';\n\n while (re.length > 0) {\n const match = BACKREF_RE.exec(re);\n if (!match) {\n out += re;\n break;\n }\n out += re.substring(0, match.index);\n re = re.substring(match.index + match[0].length);\n if (match[0][0] === '\\\\' && match[1]) {\n // Adjust the backreference.\n out += '\\\\' + String(Number(match[1]) + offset);\n } else {\n out += match[0];\n if (match[0] === '(') {\n numCaptures++;\n }\n }\n }\n return out;\n }).map(re => `(${re})`).join(joinWith);\n}\n\n/** @typedef {import('highlight.js').Mode} Mode */\n/** @typedef {import('highlight.js').ModeCallback} ModeCallback */\n\n// Common regexps\nconst MATCH_NOTHING_RE = /\\b\\B/;\nconst IDENT_RE = '[a-zA-Z]\\\\w*';\nconst UNDERSCORE_IDENT_RE = '[a-zA-Z_]\\\\w*';\nconst NUMBER_RE = '\\\\b\\\\d+(\\\\.\\\\d+)?';\nconst C_NUMBER_RE = '(-?)(\\\\b0[xX][a-fA-F0-9]+|(\\\\b\\\\d+(\\\\.\\\\d*)?|\\\\.\\\\d+)([eE][-+]?\\\\d+)?)'; // 0x..., 0..., decimal, float\nconst BINARY_NUMBER_RE = '\\\\b(0b[01]+)'; // 0b...\nconst RE_STARTERS_RE = '!|!=|!==|%|%=|&|&&|&=|\\\\*|\\\\*=|\\\\+|\\\\+=|,|-|-=|/=|/|:|;|<<|<<=|<=|<|===|==|=|>>>=|>>=|>=|>>>|>>|>|\\\\?|\\\\[|\\\\{|\\\\(|\\\\^|\\\\^=|\\\\||\\\\|=|\\\\|\\\\||~';\n\n/**\n* @param { Partial<Mode> & {binary?: string | RegExp} } opts\n*/\nconst SHEBANG = (opts = {}) => {\n const beginShebang = /^#![ ]*\\//;\n if (opts.binary) {\n opts.begin = concat(\n beginShebang,\n /.*\\b/,\n opts.binary,\n /\\b.*/);\n }\n return inherit$1({\n scope: 'meta',\n begin: beginShebang,\n end: /$/,\n relevance: 0,\n /** @type {ModeCallback} */\n \"on:begin\": (m, resp) => {\n if (m.index !== 0) resp.ignoreMatch();\n }\n }, opts);\n};\n\n// Common modes\nconst BACKSLASH_ESCAPE = {\n begin: '\\\\\\\\[\\\\s\\\\S]', relevance: 0\n};\nconst APOS_STRING_MODE = {\n scope: 'string',\n begin: '\\'',\n end: '\\'',\n illegal: '\\\\n',\n contains: [BACKSLASH_ESCAPE]\n};\nconst QUOTE_STRING_MODE = {\n scope: 'string',\n begin: '\"',\n end: '\"',\n illegal: '\\\\n',\n contains: [BACKSLASH_ESCAPE]\n};\nconst PHRASAL_WORDS_MODE = {\n begin: /\\b(a|an|the|are|I'm|isn't|don't|doesn't|won't|but|just|should|pretty|simply|enough|gonna|going|wtf|so|such|will|you|your|they|like|more)\\b/\n};\n/**\n * Creates a comment mode\n *\n * @param {string | RegExp} begin\n * @param {string | RegExp} end\n * @param {Mode | {}} [modeOptions]\n * @returns {Partial<Mode>}\n */\nconst COMMENT = function(begin, end, modeOptions = {}) {\n const mode = inherit$1(\n {\n scope: 'comment',\n begin,\n end,\n contains: []\n },\n modeOptions\n );\n mode.contains.push({\n scope: 'doctag',\n // hack to avoid the space from being included. the space is necessary to\n // match here to prevent the plain text rule below from gobbling up doctags\n begin: '[ ]*(?=(TODO|FIXME|NOTE|BUG|OPTIMIZE|HACK|XXX):)',\n end: /(TODO|FIXME|NOTE|BUG|OPTIMIZE|HACK|XXX):/,\n excludeBegin: true,\n relevance: 0\n });\n const ENGLISH_WORD = either(\n // list of common 1 and 2 letter words in English\n \"I\",\n \"a\",\n \"is\",\n \"so\",\n \"us\",\n \"to\",\n \"at\",\n \"if\",\n \"in\",\n \"it\",\n \"on\",\n // note: this is not an exhaustive list of contractions, just popular ones\n /[A-Za-z]+['](d|ve|re|ll|t|s|n)/, // contractions - can't we'd they're let's, etc\n /[A-Za-z]+[-][a-z]+/, // `no-way`, etc.\n /[A-Za-z][a-z]{2,}/ // allow capitalized words at beginning of sentences\n );\n // looking like plain text, more likely to be a comment\n mode.contains.push(\n {\n // TODO: how to include \", (, ) without breaking grammars that use these for\n // comment delimiters?\n // begin: /[ ]+([()\"]?([A-Za-z'-]{3,}|is|a|I|so|us|[tT][oO]|at|if|in|it|on)[.]?[()\":]?([.][ ]|[ ]|\\))){3}/\n // ---\n\n // this tries to find sequences of 3 english words in a row (without any\n // \"programming\" type syntax) this gives us a strong signal that we've\n // TRULY found a comment - vs perhaps scanning with the wrong language.\n // It's possible to find something that LOOKS like the start of the\n // comment - but then if there is no readable text - good chance it is a\n // false match and not a comment.\n //\n // for a visual example please see:\n // https://github.com/highlightjs/highlight.js/issues/2827\n\n begin: concat(\n /[ ]+/, // necessary to prevent us gobbling up doctags like /* @author Bob Mcgill */\n '(',\n ENGLISH_WORD,\n /[.]?[:]?([.][ ]|[ ])/,\n '){3}') // look for 3 words in a row\n }\n );\n return mode;\n};\nconst C_LINE_COMMENT_MODE = COMMENT('//', '$');\nconst C_BLOCK_COMMENT_MODE = COMMENT('/\\\\*', '\\\\*/');\nconst HASH_COMMENT_MODE = COMMENT('#', '$');\nconst NUMBER_MODE = {\n scope: 'number',\n begin: NUMBER_RE,\n relevance: 0\n};\nconst C_NUMBER_MODE = {\n scope: 'number',\n begin: C_NUMBER_RE,\n relevance: 0\n};\nconst BINARY_NUMBER_MODE = {\n scope: 'number',\n begin: BINARY_NUMBER_RE,\n relevance: 0\n};\nconst REGEXP_MODE = {\n // this outer rule makes sure we actually have a WHOLE regex and not simply\n // an expression such as:\n //\n // 3 / something\n //\n // (which will then blow up when regex's `illegal` sees the newline)\n begin: /(?=\\/[^/\\n]*\\/)/,\n contains: [{\n scope: 'regexp',\n begin: /\\//,\n end: /\\/[gimuy]*/,\n illegal: /\\n/,\n contains: [\n BACKSLASH_ESCAPE,\n {\n begin: /\\[/,\n end: /\\]/,\n relevance: 0,\n contains: [BACKSLASH_ESCAPE]\n }\n ]\n }]\n};\nconst TITLE_MODE = {\n scope: 'title',\n begin: IDENT_RE,\n relevance: 0\n};\nconst UNDERSCORE_TITLE_MODE = {\n scope: 'title',\n begin: UNDERSCORE_IDENT_RE,\n relevance: 0\n};\nconst METHOD_GUARD = {\n // excludes method names from keyword processing\n begin: '\\\\.\\\\s*' + UNDERSCORE_IDENT_RE,\n relevance: 0\n};\n\n/**\n * Adds end same as begin mechanics to a mode\n *\n * Your mode must include at least a single () match group as that first match\n * group is what is used for comparison\n * @param {Partial<Mode>} mode\n */\nconst END_SAME_AS_BEGIN = function(mode) {\n return Object.assign(mode,\n {\n /** @type {ModeCallback} */\n 'on:begin': (m, resp) => { resp.data._beginMatch = m[1]; },\n /** @type {ModeCallback} */\n 'on:end': (m, resp) => { if (resp.data._beginMatch !== m[1]) resp.ignoreMatch(); }\n });\n};\n\nvar MODES = /*#__PURE__*/Object.freeze({\n __proto__: null,\n MATCH_NOTHING_RE: MATCH_NOTHING_RE,\n IDENT_RE: IDENT_RE,\n UNDERSCORE_IDENT_RE: UNDERSCORE_IDENT_RE,\n NUMBER_RE: NUMBER_RE,\n C_NUMBER_RE: C_NUMBER_RE,\n BINARY_NUMBER_RE: BINARY_NUMBER_RE,\n RE_STARTERS_RE: RE_STARTERS_RE,\n SHEBANG: SHEBANG,\n BACKSLASH_ESCAPE: BACKSLASH_ESCAPE,\n APOS_STRING_MODE: APOS_STRING_MODE,\n QUOTE_STRING_MODE: QUOTE_STRING_MODE,\n PHRASAL_WORDS_MODE: PHRASAL_WORDS_MODE,\n COMMENT: COMMENT,\n C_LINE_COMMENT_MODE: C_LINE_COMMENT_MODE,\n C_BLOCK_COMMENT_MODE: C_BLOCK_COMMENT_MODE,\n HASH_COMMENT_MODE: HASH_COMMENT_MODE,\n NUMBER_MODE: NUMBER_MODE,\n C_NUMBER_MODE: C_NUMBER_MODE,\n BINARY_NUMBER_MODE: BINARY_NUMBER_MODE,\n REGEXP_MODE: REGEXP_MODE,\n TITLE_MODE: TITLE_MODE,\n UNDERSCORE_TITLE_MODE: UNDERSCORE_TITLE_MODE,\n METHOD_GUARD: METHOD_GUARD,\n END_SAME_AS_BEGIN: END_SAME_AS_BEGIN\n});\n\n/**\n@typedef {import('highlight.js').CallbackResponse} CallbackResponse\n@typedef {import('highlight.js').CompilerExt} CompilerExt\n*/\n\n// Grammar extensions / plugins\n// See: https://github.com/highlightjs/highlight.js/issues/2833\n\n// Grammar extensions allow \"syntactic sugar\" to be added to the grammar modes\n// without requiring any underlying changes to the compiler internals.\n\n// `compileMatch` being the perfect small example of now allowing a grammar\n// author to write `match` when they desire to match a single expression rather\n// than being forced to use `begin`. The extension then just moves `match` into\n// `begin` when it runs. Ie, no features have been added, but we've just made\n// the experience of writing (and reading grammars) a little bit nicer.\n\n// ------\n\n// TODO: We need negative look-behind support to do this properly\n/**\n * Skip a match if it has a preceding dot\n *\n * This is used for `beginKeywords` to prevent matching expressions such as\n * `bob.keyword.do()`. The mode compiler automatically wires this up as a\n * special _internal_ 'on:begin' callback for modes with `beginKeywords`\n * @param {RegExpMatchArray} match\n * @param {CallbackResponse} response\n */\nfunction skipIfHasPrecedingDot(match, response) {\n const before = match.input[match.index - 1];\n if (before === \".\") {\n response.ignoreMatch();\n }\n}\n\n/**\n *\n * @type {CompilerExt}\n */\nfunction scopeClassName(mode, _parent) {\n // eslint-disable-next-line no-undefined\n if (mode.className !== undefined) {\n mode.scope = mode.className;\n delete mode.className;\n }\n}\n\n/**\n * `beginKeywords` syntactic sugar\n * @type {CompilerExt}\n */\nfunction beginKeywords(mode, parent) {\n if (!parent) return;\n if (!mode.beginKeywords) return;\n\n // for languages with keywords that include non-word characters checking for\n // a word boundary is not sufficient, so instead we check for a word boundary\n // or whitespace - this does no harm in any case since our keyword engine\n // doesn't allow spaces in keywords anyways and we still check for the boundary\n // first\n mode.begin = '\\\\b(' + mode.beginKeywords.split(' ').join('|') + ')(?!\\\\.)(?=\\\\b|\\\\s)';\n mode.__beforeBegin = skipIfHasPrecedingDot;\n mode.keywords = mode.keywords || mode.beginKeywords;\n delete mode.beginKeywords;\n\n // prevents double relevance, the keywords themselves provide\n // relevance, the mode doesn't need to double it\n // eslint-disable-next-line no-undefined\n if (mode.relevance === undefined) mode.relevance = 0;\n}\n\n/**\n * Allow `illegal` to contain an array of illegal values\n * @type {CompilerExt}\n */\nfunction compileIllegal(mode, _parent) {\n if (!Array.isArray(mode.illegal)) return;\n\n mode.illegal = either(...mode.illegal);\n}\n\n/**\n * `match` to match a single expression for readability\n * @type {CompilerExt}\n */\nfunction compileMatch(mode, _parent) {\n if (!mode.match) return;\n if (mode.begin || mode.end) throw new Error(\"begin & end are not supported with match\");\n\n mode.begin = mode.match;\n delete mode.match;\n}\n\n/**\n * provides the default 1 relevance to all modes\n * @type {CompilerExt}\n */\nfunction compileRelevance(mode, _parent) {\n // eslint-disable-next-line no-undefined\n if (mode.relevance === undefined) mode.relevance = 1;\n}\n\n// allow beforeMatch to act as a \"qualifier\" for the match\n// the full match begin must be [beforeMatch][begin]\nconst beforeMatchExt = (mode, parent) => {\n if (!mode.beforeMatch) return;\n // starts conflicts with endsParent which we need to make sure the child\n // rule is not matched multiple times\n if (mode.starts) throw new Error(\"beforeMatch cannot be used with starts\");\n\n const originalMode = Object.assign({}, mode);\n Object.keys(mode).forEach((key) => { delete mode[key]; });\n\n mode.keywords = originalMode.keywords;\n mode.begin = concat(originalMode.beforeMatch, lookahead(originalMode.begin));\n mode.starts = {\n relevance: 0,\n contains: [\n Object.assign(originalMode, { endsParent: true })\n ]\n };\n mode.relevance = 0;\n\n delete originalMode.beforeMatch;\n};\n\n// keywords that should have no default relevance value\nconst COMMON_KEYWORDS = [\n 'of',\n 'and',\n 'for',\n 'in',\n 'not',\n 'or',\n 'if',\n 'then',\n 'parent', // common variable name\n 'list', // common variable name\n 'value' // common variable name\n];\n\nconst DEFAULT_KEYWORD_SCOPE = \"keyword\";\n\n/**\n * Given raw keywords from a language definition, compile them.\n *\n * @param {string | Record<string,string|string[]> | Array<string>} rawKeywords\n * @param {boolean} caseInsensitive\n */\nfunction compileKeywords(rawKeywords, caseInsensitive, scopeName = DEFAULT_KEYWORD_SCOPE) {\n /** @type {import(\"highlight.js/private\").KeywordDict} */\n const compiledKeywords = Object.create(null);\n\n // input can be a string of keywords, an array of keywords, or a object with\n // named keys representing scopeName (which can then point to a string or array)\n if (typeof rawKeywords === 'string') {\n compileList(scopeName, rawKeywords.split(\" \"));\n } else if (Array.isArray(rawKeywords)) {\n compileList(scopeName, rawKeywords);\n } else {\n Object.keys(rawKeywords).forEach(function(scopeName) {\n // collapse all our objects back into the parent object\n Object.assign(\n compiledKeywords,\n compileKeywords(rawKeywords[scopeName], caseInsensitive, scopeName)\n );\n });\n }\n return compiledKeywords;\n\n // ---\n\n /**\n * Compiles an individual list of keywords\n *\n * Ex: \"for if when while|5\"\n *\n * @param {string} scopeName\n * @param {Array<string>} keywordList\n */\n function compileList(scopeName, keywordList) {\n if (caseInsensitive) {\n keywordList = keywordList.map(x => x.toLowerCase());\n }\n keywordList.forEach(function(keyword) {\n const pair = keyword.split('|');\n compiledKeywords[pair[0]] = [scopeName, scoreForKeyword(pair[0], pair[1])];\n });\n }\n}\n\n/**\n * Returns the proper score for a given keyword\n *\n * Also takes into account comment keywords, which will be scored 0 UNLESS\n * another score has been manually assigned.\n * @param {string} keyword\n * @param {string} [providedScore]\n */\nfunction scoreForKeyword(keyword, providedScore) {\n // manual scores always win over common keywords\n // so you can force a score of 1 if you really insist\n if (providedScore) {\n return Number(providedScore);\n }\n\n return commonKeyword(keyword) ? 0 : 1;\n}\n\n/**\n * Determines if a given keyword is common or not\n *\n * @param {string} keyword */\nfunction commonKeyword(keyword) {\n return COMMON_KEYWORDS.includes(keyword.toLowerCase());\n}\n\n/*\n\nFor the reasoning behind this please see:\nhttps://github.com/highlightjs/highlight.js/issues/2880#issuecomment-747275419\n\n*/\n\n/**\n * @type {Record<string, boolean>}\n */\nconst seenDeprecations = {};\n\n/**\n * @param {string} message\n */\nconst error = (message) => {\n console.error(message);\n};\n\n/**\n * @param {string} message\n * @param {any} args\n */\nconst warn = (message, ...args) => {\n console.log(`WARN: ${message}`, ...args);\n};\n\n/**\n * @param {string} version\n * @param {string} message\n */\nconst deprecated = (version, message) => {\n if (seenDeprecations[`${version}/${message}`]) return;\n\n console.log(`Deprecated as of ${version}. ${message}`);\n seenDeprecations[`${version}/${message}`] = true;\n};\n\n/* eslint-disable no-throw-literal */\n\n/**\n@typedef {import('highlight.js').CompiledMode} CompiledMode\n*/\n\nconst MultiClassError = new Error();\n\n/**\n * Renumbers labeled scope names to account for additional inner match\n * groups that otherwise would break everything.\n *\n * Lets say we 3 match scopes:\n *\n * { 1 => ..., 2 => ..., 3 => ... }\n *\n * So what we need is a clean match like this:\n *\n * (a)(b)(c) => [ \"a\", \"b\", \"c\" ]\n *\n * But this falls apart with inner match groups:\n *\n * (a)(((b)))(c) => [\"a\", \"b\", \"b\", \"b\", \"c\" ]\n *\n * Our scopes are now \"out of alignment\" and we're repeating `b` 3 times.\n * What needs to happen is the numbers are remapped:\n *\n * { 1 => ..., 2 => ..., 5 => ... }\n *\n * We also need to know that the ONLY groups that should be output\n * are 1, 2, and 5. This function handles this behavior.\n *\n * @param {CompiledMode} mode\n * @param {Array<RegExp | string>} regexes\n * @param {{key: \"beginScope\"|\"endScope\"}} opts\n */\nfunction remapScopeNames(mode, regexes, { key }) {\n let offset = 0;\n const scopeNames = mode[key];\n /** @type Record<number,boolean> */\n const emit = {};\n /** @type Record<number,string> */\n const positions = {};\n\n for (let i = 1; i <= regexes.length; i++) {\n positions[i + offset] = scopeNames[i];\n emit[i + offset] = true;\n offset += countMatchGroups(regexes[i - 1]);\n }\n // we use _emit to keep track of which match groups are \"top-level\" to avoid double\n // output from inside match groups\n mode[key] = positions;\n mode[key]._emit = emit;\n mode[key]._multi = true;\n}\n\n/**\n * @param {CompiledMode} mode\n */\nfunction beginMultiClass(mode) {\n if (!Array.isArray(mode.begin)) return;\n\n if (mode.skip || mode.excludeBegin || mode.returnBegin) {\n error(\"skip, excludeBegin, returnBegin not compatible with beginScope: {}\");\n throw MultiClassError;\n }\n\n if (typeof mode.beginScope !== \"object\" || mode.beginScope === null) {\n error(\"beginScope must be object\");\n throw MultiClassError;\n }\n\n remapScopeNames(mode, mode.begin, { key: \"beginScope\" });\n mode.begin = _rewriteBackreferences(mode.begin, { joinWith: \"\" });\n}\n\n/**\n * @param {CompiledMode} mode\n */\nfunction endMultiClass(mode) {\n if (!Array.isArray(mode.end)) return;\n\n if (mode.skip || mode.excludeEnd || mode.returnEnd) {\n error(\"skip, excludeEnd, returnEnd not compatible with endScope: {}\");\n throw MultiClassError;\n }\n\n if (typeof mode.endScope !== \"object\" || mode.endScope === null) {\n error(\"endScope must be object\");\n throw MultiClassError;\n }\n\n remapScopeNames(mode, mode.end, { key: \"endScope\" });\n mode.end = _rewriteBackreferences(mode.end, { joinWith: \"\" });\n}\n\n/**\n * this exists only to allow `scope: {}` to be used beside `match:`\n * Otherwise `beginScope` would necessary and that would look weird\n\n {\n match: [ /def/, /\\w+/ ]\n scope: { 1: \"keyword\" , 2: \"title\" }\n }\n\n * @param {CompiledMode} mode\n */\nfunction scopeSugar(mode) {\n if (mode.scope && typeof mode.scope === \"object\" && mode.scope !== null) {\n mode.beginScope = mode.scope;\n delete mode.scope;\n }\n}\n\n/**\n * @param {CompiledMode} mode\n */\nfunction MultiClass(mode) {\n scopeSugar(mode);\n\n if (typeof mode.beginScope === \"string\") {\n mode.beginScope = { _wrap: mode.beginScope };\n }\n if (typeof mode.endScope === \"string\") {\n mode.endScope = { _wrap: mode.endScope };\n }\n\n beginMultiClass(mode);\n endMultiClass(mode);\n}\n\n/**\n@typedef {import('highlight.js').Mode} Mode\n@typedef {import('highlight.js').CompiledMode} CompiledMode\n@typedef {import('highlight.js').Language} Language\n@typedef {import('highlight.js').HLJSPlugin} HLJSPlugin\n@typedef {import('highlight.js').CompiledLanguage} CompiledLanguage\n*/\n\n// compilation\n\n/**\n * Compiles a language definition result\n *\n * Given the raw result of a language definition (Language), compiles this so\n * that it is ready for highlighting code.\n * @param {Language} language\n * @returns {CompiledLanguage}\n */\nfunction compileLanguage(language) {\n /**\n * Builds a regex with the case sensitivity of the current language\n *\n * @param {RegExp | string} value\n * @param {boolean} [global]\n */\n function langRe(value, global) {\n return new RegExp(\n source(value),\n 'm'\n + (language.case_insensitive ? 'i' : '')\n + (language.unicodeRegex ? 'u' : '')\n + (global ? 'g' : '')\n );\n }\n\n /**\n Stores multiple regular expressions and allows you to quickly search for\n them all in a string simultaneously - returning the first match. It does\n this by creating a huge (a|b|c) regex - each individual item wrapped with ()\n and joined by `|` - using match groups to track position. When a match is\n found checking which position in the array has content allows us to figure\n out which of the original regexes / match groups triggered the match.\n\n The match object itself (the result of `Regex.exec`) is returned but also\n enhanced by merging in any meta-data that was registered with the regex.\n This is how we keep track of which mode matched, and what type of rule\n (`illegal`, `begin`, end, etc).\n */\n class MultiRegex {\n constructor() {\n this.matchIndexes = {};\n // @ts-ignore\n this.regexes = [];\n this.matchAt = 1;\n this.position = 0;\n }\n\n // @ts-ignore\n addRule(re, opts) {\n opts.position = this.position++;\n // @ts-ignore\n this.matchIndexes[this.matchAt] = opts;\n this.regexes.push([opts, re]);\n this.matchAt += countMatchGroups(re) + 1;\n }\n\n compile() {\n if (this.regexes.length === 0) {\n // avoids the need to check length every time exec is called\n // @ts-ignore\n this.exec = () => null;\n }\n const terminators = this.regexes.map(el => el[1]);\n this.matcherRe = langRe(_rewriteBackreferences(terminators, { joinWith: '|' }), true);\n this.lastIndex = 0;\n }\n\n /** @param {string} s */\n exec(s) {\n this.matcherRe.lastIndex = this.lastIndex;\n const match = this.matcherRe.exec(s);\n if (!match) { return null; }\n\n // eslint-disable-next-line no-undefined\n const i = match.findIndex((el, i) => i > 0 && el !== undefined);\n // @ts-ignore\n const matchData = this.matchIndexes[i];\n // trim off any earlier non-relevant match groups (ie, the other regex\n // match groups that make up the multi-matcher)\n match.splice(0, i);\n\n return Object.assign(match, matchData);\n }\n }\n\n /*\n Created to solve the key deficiently with MultiRegex - there is no way to\n test for multiple matches at a single location. Why would we need to do\n that? In the future a more dynamic engine will allow certain matches to be\n ignored. An example: if we matched say the 3rd regex in a large group but\n decided to ignore it - we'd need to started testing again at the 4th\n regex... but MultiRegex itself gives us no real way to do that.\n\n So what this class creates MultiRegexs on the fly for whatever search\n position they are needed.\n\n NOTE: These additional MultiRegex objects are created dynamically. For most\n grammars most of the time we will never actually need anything more than the\n first MultiRegex - so this shouldn't have too much overhead.\n\n Say this is our search group, and we match regex3, but wish to ignore it.\n\n regex1 | regex2 | regex3 | regex4 | regex5 ' ie, startAt = 0\n\n What we need is a new MultiRegex that only includes the remaining\n possibilities:\n\n regex4 | regex5 ' ie, startAt = 3\n\n This class wraps all that complexity up in a simple API... `startAt` decides\n where in the array of expressions to start doing the matching. It\n auto-increments, so if a match is found at position 2, then startAt will be\n set to 3. If the end is reached startAt will return to 0.\n\n MOST of the time the parser will be setting startAt manually to 0.\n */\n class ResumableMultiRegex {\n constructor() {\n // @ts-ignore\n this.rules = [];\n // @ts-ignore\n this.multiRegexes = [];\n this.count = 0;\n\n this.lastIndex = 0;\n this.regexIndex = 0;\n }\n\n // @ts-ignore\n getMatcher(index) {\n if (this.multiRegexes[index]) return this.multiRegexes[index];\n\n const matcher = new MultiRegex();\n this.rules.slice(index).forEach(([re, opts]) => matcher.addRule(re, opts));\n matcher.compile();\n this.multiRegexes[index] = matcher;\n return matcher;\n }\n\n resumingScanAtSamePosition() {\n return this.regexIndex !== 0;\n }\n\n considerAll() {\n this.regexIndex = 0;\n }\n\n // @ts-ignore\n addRule(re, opts) {\n this.rules.push([re, opts]);\n if (opts.type === \"begin\") this.count++;\n }\n\n /** @param {string} s */\n exec(s) {\n const m = this.getMatcher(this.regexIndex);\n m.lastIndex = this.lastIndex;\n let result = m.exec(s);\n\n // The following is because we have no easy way to say \"resume scanning at the\n // existing position but also skip the current rule ONLY\". What happens is\n // all prior rules are also skipped which can result in matching the wrong\n // thing. Example of matching \"booger\":\n\n // our matcher is [string, \"booger\", number]\n //\n // ....booger....\n\n // if \"booger\" is ignored then we'd really need a regex to scan from the\n // SAME position for only: [string, number] but ignoring \"booger\" (if it\n // was the first match), a simple resume would scan ahead who knows how\n // far looking only for \"number\", ignoring potential string matches (or\n // future \"booger\" matches that might be valid.)\n\n // So what we do: We execute two matchers, one resuming at the same\n // position, but the second full matcher starting at the position after:\n\n // /--- resume first regex match here (for [number])\n // |/---- full match here for [string, \"booger\", number]\n // vv\n // ....booger....\n\n // Which ever results in a match first is then used. So this 3-4 step\n // process essentially allows us to say \"match at this position, excluding\n // a prior rule that was ignored\".\n //\n // 1. Match \"booger\" first, ignore. Also proves that [string] does non match.\n // 2. Resume matching for [number]\n // 3. Match at index + 1 for [string, \"booger\", number]\n // 4. If #2 and #3 result in matches, which came first?\n if (this.resumingScanAtSamePosition()) {\n if (result && result.index === this.lastIndex) ; else { // use the second matcher result\n const m2 = this.getMatcher(0);\n m2.lastIndex = this.lastIndex + 1;\n result = m2.exec(s);\n }\n }\n\n if (result) {\n this.regexIndex += result.position + 1;\n if (this.regexIndex === this.count) {\n // wrap-around to considering all matches again\n this.considerAll();\n }\n }\n\n return result;\n }\n }\n\n /**\n * Given a mode, builds a huge ResumableMultiRegex that can be used to walk\n * the content and find matches.\n *\n * @param {CompiledMode} mode\n * @returns {ResumableMultiRegex}\n */\n function buildModeRegex(mode) {\n const mm = new ResumableMultiRegex();\n\n mode.contains.forEach(term => mm.addRule(term.begin, { rule: term, type: \"begin\" }));\n\n if (mode.terminatorEnd) {\n mm.addRule(mode.terminatorEnd, { type: \"end\" });\n }\n if (mode.illegal) {\n mm.addRule(mode.illegal, { type: \"illegal\" });\n }\n\n return mm;\n }\n\n /** skip vs abort vs ignore\n *\n * @skip - The mode is still entered and exited normally (and contains rules apply),\n * but all content is held and added to the parent buffer rather than being\n * output when the mode ends. Mostly used with `sublanguage` to build up\n * a single large buffer than can be parsed by sublanguage.\n *\n * - The mode begin ands ends normally.\n * - Content matched is added to the parent mode buffer.\n * - The parser cursor is moved forward normally.\n *\n * @abort - A hack placeholder until we have ignore. Aborts the mode (as if it\n * never matched) but DOES NOT continue to match subsequent `contains`\n * modes. Abort is bad/suboptimal because it can result in modes\n * farther down not getting applied because an earlier rule eats the\n * content but then aborts.\n *\n * - The mode does not begin.\n * - Content matched by `begin` is added to the mode buffer.\n * - The parser cursor is moved forward accordingly.\n *\n * @ignore - Ignores the mode (as if it never matched) and continues to match any\n * subsequent `contains` modes. Ignore isn't technically possible with\n * the current parser implementation.\n *\n * - The mode does not begin.\n * - Content matched by `begin` is ignored.\n * - The parser cursor is not moved forward.\n */\n\n /**\n * Compiles an individual mode\n *\n * This can raise an error if the mode contains certain detectable known logic\n * issues.\n * @param {Mode} mode\n * @param {CompiledMode | null} [parent]\n * @returns {CompiledMode | never}\n */\n function compileMode(mode, parent) {\n const cmode = /** @type CompiledMode */ (mode);\n if (mode.isCompiled) return cmode;\n\n [\n scopeClassName,\n // do this early so compiler extensions generally don't have to worry about\n // the distinction between match/begin\n compileMatch,\n MultiClass,\n beforeMatchExt\n ].forEach(ext => ext(mode, parent));\n\n language.compilerExtensions.forEach(ext => ext(mode, parent));\n\n // __beforeBegin is considered private API, internal use only\n mode.__beforeBegin = null;\n\n [\n beginKeywords,\n // do this later so compiler extensions that come earlier have access to the\n // raw array if they wanted to perhaps manipulate it, etc.\n compileIllegal,\n // default to 1 relevance if not specified\n compileRelevance\n ].forEach(ext => ext(mode, parent));\n\n mode.isCompiled = true;\n\n let keywordPattern = null;\n if (typeof mode.keywords === \"object\" && mode.keywords.$pattern) {\n // we need a copy because keywords might be compiled multiple times\n // so we can't go deleting $pattern from the original on the first\n // pass\n mode.keywords = Object.assign({}, mode.keywords);\n keywordPattern = mode.keywords.$pattern;\n delete mode.keywords.$pattern;\n }\n keywordPattern = keywordPattern || /\\w+/;\n\n if (mode.keywords) {\n mode.keywords = compileKeywords(mode.keywords, language.case_insensitive);\n }\n\n cmode.keywordPatternRe = langRe(keywordPattern, true);\n\n if (parent) {\n if (!mode.begin) mode.begin = /\\B|\\b/;\n cmode.beginRe = langRe(cmode.begin);\n if (!mode.end && !mode.endsWithParent) mode.end = /\\B|\\b/;\n if (mode.end) cmode.endRe = langRe(cmode.end);\n cmode.terminatorEnd = source(cmode.end) || '';\n if (mode.endsWithParent && parent.terminatorEnd) {\n cmode.terminatorEnd += (mode.end ? '|' : '') + parent.terminatorEnd;\n }\n }\n if (mode.illegal) cmode.illegalRe = langRe(/** @type {RegExp | string} */ (mode.illegal));\n if (!mode.contains) mode.contains = [];\n\n mode.contains = [].concat(...mode.contains.map(function(c) {\n return expandOrCloneMode(c === 'self' ? mode : c);\n }));\n mode.contains.forEach(function(c) { compileMode(/** @type Mode */ (c), cmode); });\n\n if (mode.starts) {\n compileMode(mode.starts, parent);\n }\n\n cmode.matcher = buildModeRegex(cmode);\n return cmode;\n }\n\n if (!language.compilerExtensions) language.compilerExtensions = [];\n\n // self is not valid at the top-level\n if (language.contains && language.contains.includes('self')) {\n throw new Error(\"ERR: contains `self` is not supported at the top-level of a language. See documentation.\");\n }\n\n // we need a null object, which inherit will guarantee\n language.classNameAliases = inherit$1(language.classNameAliases || {});\n\n return compileMode(/** @type Mode */ (language));\n}\n\n/**\n * Determines if a mode has a dependency on it's parent or not\n *\n * If a mode does have a parent dependency then often we need to clone it if\n * it's used in multiple places so that each copy points to the correct parent,\n * where-as modes without a parent can often safely be re-used at the bottom of\n * a mode chain.\n *\n * @param {Mode | null} mode\n * @returns {boolean} - is there a dependency on the parent?\n * */\nfunction dependencyOnParent(mode) {\n if (!mode) return false;\n\n return mode.endsWithParent || dependencyOnParent(mode.starts);\n}\n\n/**\n * Expands a mode or clones it if necessary\n *\n * This is necessary for modes with parental dependenceis (see notes on\n * `dependencyOnParent`) and for nodes that have `variants` - which must then be\n * exploded into their own individual modes at compile time.\n *\n * @param {Mode} mode\n * @returns {Mode | Mode[]}\n * */\nfunction expandOrCloneMode(mode) {\n if (mode.variants && !mode.cachedVariants) {\n mode.cachedVariants = mode.variants.map(function(variant) {\n return inherit$1(mode, { variants: null }, variant);\n });\n }\n\n // EXPAND\n // if we have variants then essentially \"replace\" the mode with the variants\n // this happens in compileMode, where this function is called from\n if (mode.cachedVariants) {\n return mode.cachedVariants;\n }\n\n // CLONE\n // if we have dependencies on parents then we need a unique\n // instance of ourselves, so we can be reused with many\n // different parents without issue\n if (dependencyOnParent(mode)) {\n return inherit$1(mode, { starts: mode.starts ? inherit$1(mode.starts) : null });\n }\n\n if (Object.isFrozen(mode)) {\n return inherit$1(mode);\n }\n\n // no special dependency issues, just return ourselves\n return mode;\n}\n\nvar version = \"11.8.0\";\n\nclass HTMLInjectionError extends Error {\n constructor(reason, html) {\n super(reason);\n this.name = \"HTMLInjectionError\";\n this.html = html;\n }\n}\n\n/*\nSyntax highlighting with language autodetection.\nhttps://highlightjs.org/\n*/\n\n\n/**\n@typedef {import('highlight.js').Mode} Mode\n@typedef {import('highlight.js').CompiledMode} CompiledMode\n@typedef {import('highlight.js').CompiledScope} CompiledScope\n@typedef {import('highlight.js').Language} Language\n@typedef {import('highlight.js').HLJSApi} HLJSApi\n@typedef {import('highlight.js').HLJSPlugin} HLJSPlugin\n@typedef {import('highlight.js').PluginEvent} PluginEvent\n@typedef {import('highlight.js').HLJSOptions} HLJSOptions\n@typedef {import('highlight.js').LanguageFn} LanguageFn\n@typedef {import('highlight.js').HighlightedHTMLElement} HighlightedHTMLElement\n@typedef {import('highlight.js').BeforeHighlightContext} BeforeHighlightContext\n@typedef {import('highlight.js/private').MatchType} MatchType\n@typedef {import('highlight.js/private').KeywordData} KeywordData\n@typedef {import('highlight.js/private').EnhancedMatch} EnhancedMatch\n@typedef {import('highlight.js/private').AnnotatedError} AnnotatedError\n@typedef {import('highlight.js').AutoHighlightResult} AutoHighlightResult\n@typedef {import('highlight.js').HighlightOptions} HighlightOptions\n@typedef {import('highlight.js').HighlightResult} HighlightResult\n*/\n\n\nconst escape = escapeHTML;\nconst inherit = inherit$1;\nconst NO_MATCH = Symbol(\"nomatch\");\nconst MAX_KEYWORD_HITS = 7;\n\n/**\n * @param {any} hljs - object that is extended (legacy)\n * @returns {HLJSApi}\n */\nconst HLJS = function(hljs) {\n // Global internal variables used within the highlight.js library.\n /** @type {Record<string, Language>} */\n const languages = Object.create(null);\n /** @type {Record<string, string>} */\n const aliases = Object.create(null);\n /** @type {HLJSPlugin[]} */\n const plugins = [];\n\n // safe/production mode - swallows more errors, tries to keep running\n // even if a single syntax or parse hits a fatal error\n let SAFE_MODE = true;\n const LANGUAGE_NOT_FOUND = \"Could not find the language '{}', did you forget to load/include a language module?\";\n /** @type {Language} */\n const PLAINTEXT_LANGUAGE = { disableAutodetect: true, name: 'Plain text', contains: [] };\n\n // Global options used when within external APIs. This is modified when\n // calling the `hljs.configure` function.\n /** @type HLJSOptions */\n let options = {\n ignoreUnescapedHTML: false,\n throwUnescapedHTML: false,\n noHighlightRe: /^(no-?highlight)$/i,\n languageDetectRe: /\\blang(?:uage)?-([\\w-]+)\\b/i,\n classPrefix: 'hljs-',\n cssSelector: 'pre code',\n languages: null,\n // beta configuration options, subject to change, welcome to discuss\n // https://github.com/highlightjs/highlight.js/issues/1086\n __emitter: TokenTreeEmitter\n };\n\n /* Utility functions */\n\n /**\n * Tests a language name to see if highlighting should be skipped\n * @param {string} languageName\n */\n function shouldNotHighlight(languageName) {\n return options.noHighlightRe.test(languageName);\n }\n\n /**\n * @param {HighlightedHTMLElement} block - the HTML element to determine language for\n */\n function blockLanguage(block) {\n let classes = block.className + ' ';\n\n classes += block.parentNode ? block.parentNode.className : '';\n\n // language-* takes precedence over non-prefixed class names.\n const match = options.languageDetectRe.exec(classes);\n if (match) {\n const language = getLanguage(match[1]);\n if (!language) {\n warn(LANGUAGE_NOT_FOUND.replace(\"{}\", match[1]));\n warn(\"Falling back to no-highlight mode for this block.\", block);\n }\n return language ? match[1] : 'no-highlight';\n }\n\n return classes\n .split(/\\s+/)\n .find((_class) => shouldNotHighlight(_class) || getLanguage(_class));\n }\n\n /**\n * Core highlighting function.\n *\n * OLD API\n * highlight(lang, code, ignoreIllegals, continuation)\n *\n * NEW API\n * highlight(code, {lang, ignoreIllegals})\n *\n * @param {string} codeOrLanguageName - the language to use for highlighting\n * @param {string | HighlightOptions} optionsOrCode - the code to highlight\n * @param {boolean} [ignoreIllegals] - whether to ignore illegal matches, default is to bail\n *\n * @returns {HighlightResult} Result - an object that represents the result\n * @property {string} language - the language name\n * @property {number} relevance - the relevance score\n * @property {string} value - the highlighted HTML code\n * @property {string} code - the original raw code\n * @property {CompiledMode} top - top of the current mode stack\n * @property {boolean} illegal - indicates whether any illegal matches were found\n */\n function highlight(codeOrLanguageName, optionsOrCode, ignoreIllegals) {\n let code = \"\";\n let languageName = \"\";\n if (typeof optionsOrCode === \"object\") {\n code = codeOrLanguageName;\n ignoreIllegals = optionsOrCode.ignoreIllegals;\n languageName = optionsOrCode.language;\n } else {\n // old API\n deprecated(\"10.7.0\", \"highlight(lang, code, ...args) has been deprecated.\");\n deprecated(\"10.7.0\", \"Please use highlight(code, options) instead.\\nhttps://github.com/highlightjs/highlight.js/issues/2277\");\n languageName = codeOrLanguageName;\n code = optionsOrCode;\n }\n\n // https://github.com/highlightjs/highlight.js/issues/3149\n // eslint-disable-next-line no-undefined\n if (ignoreIllegals === undefined) { ignoreIllegals = true; }\n\n /** @type {BeforeHighlightContext} */\n const context = {\n code,\n language: languageName\n };\n // the plugin can change the desired language or the code to be highlighted\n // just be changing the object it was passed\n fire(\"before:highlight\", context);\n\n // a before plugin can usurp the result completely by providing it's own\n // in which case we don't even need to call highlight\n const result = context.result\n ? context.result\n : _highlight(context.language, context.code, ignoreIllegals);\n\n result.code = context.code;\n // the plugin can change anything in result to suite it\n fire(\"after:highlight\", result);\n\n return result;\n }\n\n /**\n * private highlight that's used internally and does not fire callbacks\n *\n * @param {string} languageName - the language to use for highlighting\n * @param {string} codeToHighlight - the code to highlight\n * @param {boolean?} [ignoreIllegals] - whether to ignore illegal matches, default is to bail\n * @param {CompiledMode?} [continuation] - current continuation mode, if any\n * @returns {HighlightResult} - result of the highlight operation\n */\n function _highlight(languageName, codeToHighlight, ignoreIllegals, continuation) {\n const keywordHits = Object.create(null);\n\n /**\n * Return keyword data if a match is a keyword\n * @param {CompiledMode} mode - current mode\n * @param {string} matchText - the textual match\n * @returns {KeywordData | false}\n */\n function keywordData(mode, matchText) {\n return mode.keywords[matchText];\n }\n\n function processKeywords() {\n if (!top.keywords) {\n emitter.addText(modeBuffer);\n return;\n }\n\n let lastIndex = 0;\n top.keywordPatternRe.lastIndex = 0;\n let match = top.keywordPatternRe.exec(modeBuffer);\n let buf = \"\";\n\n while (match) {\n buf += modeBuffer.substring(lastIndex, match.index);\n const word = language.case_insensitive ? match[0].toLowerCase() : match[0];\n const data = keywordData(top, word);\n if (data) {\n const [kind, keywordRelevance] = data;\n emitter.addText(buf);\n buf = \"\";\n\n keywordHits[word] = (keywordHits[word] || 0) + 1;\n if (keywordHits[word] <= MAX_KEYWORD_HITS) relevance += keywordRelevance;\n if (kind.startsWith(\"_\")) {\n // _ implied for relevance only, do not highlight\n // by applying a class name\n buf += match[0];\n } else {\n const cssClass = language.classNameAliases[kind] || kind;\n emitKeyword(match[0], cssClass);\n }\n } else {\n buf += match[0];\n }\n lastIndex = top.keywordPatternRe.lastIndex;\n match = top.keywordPatternRe.exec(modeBuffer);\n }\n buf += modeBuffer.substring(lastIndex);\n emitter.addText(buf);\n }\n\n function processSubLanguage() {\n if (modeBuffer === \"\") return;\n /** @type HighlightResult */\n let result = null;\n\n if (typeof top.subLanguage === 'string') {\n if (!languages[top.subLanguage]) {\n emitter.addText(modeBuffer);\n return;\n }\n result = _highlight(top.subLanguage, modeBuffer, true, continuations[top.subLanguage]);\n continuations[top.subLanguage] = /** @type {CompiledMode} */ (result._top);\n } else {\n result = highlightAuto(modeBuffer, top.subLanguage.length ? top.subLanguage : null);\n }\n\n // Counting embedded language score towards the host language may be disabled\n // with zeroing the containing mode relevance. Use case in point is Markdown that\n // allows XML everywhere and makes every XML snippet to have a much larger Markdown\n // score.\n if (top.relevance > 0) {\n relevance += result.relevance;\n }\n emitter.__addSublanguage(result._emitter, result.language);\n }\n\n function processBuffer() {\n if (top.subLanguage != null) {\n processSubLanguage();\n } else {\n processKeywords();\n }\n modeBuffer = '';\n }\n\n /**\n * @param {string} text\n * @param {string} scope\n */\n function emitKeyword(keyword, scope) {\n if (keyword === \"\") return;\n\n emitter.startScope(scope);\n emitter.addText(keyword);\n emitter.endScope();\n }\n\n /**\n * @param {CompiledScope} scope\n * @param {RegExpMatchArray} match\n */\n function emitMultiClass(scope, match) {\n let i = 1;\n const max = match.length - 1;\n while (i <= max) {\n if (!scope._emit[i]) { i++; continue; }\n const klass = language.classNameAliases[scope[i]] || scope[i];\n const text = match[i];\n if (klass) {\n emitKeyword(text, klass);\n } else {\n modeBuffer = text;\n processKeywords();\n modeBuffer = \"\";\n }\n i++;\n }\n }\n\n /**\n * @param {CompiledMode} mode - new mode to start\n * @param {RegExpMatchArray} match\n */\n function startNewMode(mode, match) {\n if (mode.scope && typeof mode.scope === \"string\") {\n emitter.openNode(language.classNameAliases[mode.scope] || mode.scope);\n }\n if (mode.beginScope) {\n // beginScope just wraps the begin match itself in a scope\n if (mode.beginScope._wrap) {\n emitKeyword(modeBuffer, language.classNameAliases[mode.beginScope._wrap] || mode.beginScope._wrap);\n modeBuffer = \"\";\n } else if (mode.beginScope._multi) {\n // at this point modeBuffer should just be the match\n emitMultiClass(mode.beginScope, match);\n modeBuffer = \"\";\n }\n }\n\n top = Object.create(mode, { parent: { value: top } });\n return top;\n }\n\n /**\n * @param {CompiledMode } mode - the mode to potentially end\n * @param {RegExpMatchArray} match - the latest match\n * @param {string} matchPlusRemainder - match plus remainder of content\n * @returns {CompiledMode | void} - the next mode, or if void continue on in current mode\n */\n function endOfMode(mode, match, matchPlusRemainder) {\n let matched = startsWith(mode.endRe, matchPlusRemainder);\n\n if (matched) {\n if (mode[\"on:end\"]) {\n const resp = new Response(mode);\n mode[\"on:end\"](match, resp);\n if (resp.isMatchIgnored) matched = false;\n }\n\n if (matched) {\n while (mode.endsParent && mode.parent) {\n mode = mode.parent;\n }\n return mode;\n }\n }\n // even if on:end fires an `ignore` it's still possible\n // that we might trigger the end node because of a parent mode\n if (mode.endsWithParent) {\n return endOfMode(mode.parent, match, matchPlusRemainder);\n }\n }\n\n /**\n * Handle matching but then ignoring a sequence of text\n *\n * @param {string} lexeme - string containing full match text\n */\n function doIgnore(lexeme) {\n if (top.matcher.regexIndex === 0) {\n // no more regexes to potentially match here, so we move the cursor forward one\n // space\n modeBuffer += lexeme[0];\n return 1;\n } else {\n // no need to move the cursor, we still have additional regexes to try and\n // match at this very spot\n resumeScanAtSamePosition = true;\n return 0;\n }\n }\n\n /**\n * Handle the start of a new potential mode match\n *\n * @param {EnhancedMatch} match - the current match\n * @returns {number} how far to advance the parse cursor\n */\n function doBeginMatch(match) {\n const lexeme = match[0];\n const newMode = match.rule;\n\n const resp = new Response(newMode);\n // first internal before callbacks, then the public ones\n const beforeCallbacks = [newMode.__beforeBegin, newMode[\"on:begin\"]];\n for (const cb of beforeCallbacks) {\n if (!cb) continue;\n cb(match, resp);\n if (resp.isMatchIgnored) return doIgnore(lexeme);\n }\n\n if (newMode.skip) {\n modeBuffer += lexeme;\n } else {\n if (newMode.excludeBegin) {\n modeBuffer += lexeme;\n }\n processBuffer();\n if (!newMode.returnBegin && !newMode.excludeBegin) {\n modeBuffer = lexeme;\n }\n }\n startNewMode(newMode, match);\n return newMode.returnBegin ? 0 : lexeme.length;\n }\n\n /**\n * Handle the potential end of mode\n *\n * @param {RegExpMatchArray} match - the current match\n */\n function doEndMatch(match) {\n const lexeme = match[0];\n const matchPlusRemainder = codeToHighlight.substring(match.index);\n\n const endMode = endOfMode(top, match, matchPlusRemainder);\n if (!endMode) { return NO_MATCH; }\n\n const origin = top;\n if (top.endScope && top.endScope._wrap) {\n processBuffer();\n emitKeyword(lexeme, top.endScope._wrap);\n } else if (top.endScope && top.endScope._multi) {\n processBuffer();\n emitMultiClass(top.endScope, match);\n } else if (origin.skip) {\n modeBuffer += lexeme;\n } else {\n if (!(origin.returnEnd || origin.excludeEnd)) {\n modeBuffer += lexeme;\n }\n processBuffer();\n if (origin.excludeEnd) {\n modeBuffer = lexeme;\n }\n }\n do {\n if (top.scope) {\n emitter.closeNode();\n }\n if (!top.skip && !top.subLanguage) {\n relevance += top.relevance;\n }\n top = top.parent;\n } while (top !== endMode.parent);\n if (endMode.starts) {\n startNewMode(endMode.starts, match);\n }\n return origin.returnEnd ? 0 : lexeme.length;\n }\n\n function processContinuations() {\n const list = [];\n for (let current = top; current !== language; current = current.parent) {\n if (current.scope) {\n list.unshift(current.scope);\n }\n }\n list.forEach(item => emitter.openNode(item));\n }\n\n /** @type {{type?: MatchType, index?: number, rule?: Mode}}} */\n let lastMatch = {};\n\n /**\n * Process an individual match\n *\n * @param {string} textBeforeMatch - text preceding the match (since the last match)\n * @param {EnhancedMatch} [match] - the match itself\n */\n function processLexeme(textBeforeMatch, match) {\n const lexeme = match && match[0];\n\n // add non-matched text to the current mode buffer\n modeBuffer += textBeforeMatch;\n\n if (lexeme == null) {\n processBuffer();\n return 0;\n }\n\n // we've found a 0 width match and we're stuck, so we need to advance\n // this happens when we have badly behaved rules that have optional matchers to the degree that\n // sometimes they can end up matching nothing at all\n // Ref: https://github.com/highlightjs/highlight.js/issues/2140\n if (lastMatch.type === \"begin\" && match.type === \"end\" && lastMatch.index === match.index && lexeme === \"\") {\n // spit the \"skipped\" character that our regex choked on back into the output sequence\n modeBuffer += codeToHighlight.slice(match.index, match.index + 1);\n if (!SAFE_MODE) {\n /** @type {AnnotatedError} */\n const err = new Error(`0 width match regex (${languageName})`);\n err.languageName = languageName;\n err.badRule = lastMatch.rule;\n throw err;\n }\n return 1;\n }\n lastMatch = match;\n\n if (match.type === \"begin\") {\n return doBeginMatch(match);\n } else if (match.type === \"illegal\" && !ignoreIllegals) {\n // illegal match, we do not continue processing\n /** @type {AnnotatedError} */\n const err = new Error('Illegal lexeme \"' + lexeme + '\" for mode \"' + (top.scope || '<unnamed>') + '\"');\n err.mode = top;\n throw err;\n } else if (match.type === \"end\") {\n const processed = doEndMatch(match);\n if (processed !== NO_MATCH) {\n return processed;\n }\n }\n\n // edge case for when illegal matches $ (end of line) which is technically\n // a 0 width match but not a begin/end match so it's not caught by the\n // first handler (when ignoreIllegals is true)\n if (match.type === \"illegal\" && lexeme === \"\") {\n // advance so we aren't stuck in an infinite loop\n return 1;\n }\n\n // infinite loops are BAD, this is a last ditch catch all. if we have a\n // decent number of iterations yet our index (cursor position in our\n // parsing) still 3x behind our index then something is very wrong\n // so we bail\n if (iterations > 100000 && iterations > match.index * 3) {\n const err = new Error('potential infinite loop, way more iterations than matches');\n throw err;\n }\n\n /*\n Why might be find ourselves here? An potential end match that was\n triggered but could not be completed. IE, `doEndMatch` returned NO_MATCH.\n (this could be because a callback requests the match be ignored, etc)\n\n This causes no real harm other than stopping a few times too many.\n */\n\n modeBuffer += lexeme;\n return lexeme.length;\n }\n\n const language = getLanguage(languageName);\n if (!language) {\n error(LANGUAGE_NOT_FOUND.replace(\"{}\", languageName));\n throw new Error('Unknown language: \"' + languageName + '\"');\n }\n\n const md = compileLanguage(language);\n let result = '';\n /** @type {CompiledMode} */\n let top = continuation || md;\n /** @type Record<string,CompiledMode> */\n const continuations = {}; // keep continuations for sub-languages\n const emitter = new options.__emitter(options);\n processContinuations();\n let modeBuffer = '';\n let relevance = 0;\n let index = 0;\n let iterations = 0;\n let resumeScanAtSamePosition = false;\n\n try {\n if (!language.__emitTokens) {\n top.matcher.considerAll();\n\n for (;;) {\n iterations++;\n if (resumeScanAtSamePosition) {\n // only regexes not matched previously will now be\n // considered for a potential match\n resumeScanAtSamePosition = false;\n } else {\n top.matcher.considerAll();\n }\n top.matcher.lastIndex = index;\n\n const match = top.matcher.exec(codeToHighlight);\n // console.log(\"match\", match[0], match.rule && match.rule.begin)\n\n if (!match) break;\n\n const beforeMatch = codeToHighlight.substring(index, match.index);\n const processedCount = processLexeme(beforeMatch, match);\n index = match.index + processedCount;\n }\n processLexeme(codeToHighlight.substring(index));\n } else {\n language.__emitTokens(codeToHighlight, emitter);\n }\n\n emitter.finalize();\n result = emitter.toHTML();\n\n return {\n language: languageName,\n value: result,\n relevance,\n illegal: false,\n _emitter: emitter,\n _top: top\n };\n } catch (err) {\n if (err.message && err.message.includes('Illegal')) {\n return {\n language: languageName,\n value: escape(codeToHighlight),\n illegal: true,\n relevance: 0,\n _illegalBy: {\n message: err.message,\n index,\n context: codeToHighlight.slice(index - 100, index + 100),\n mode: err.mode,\n resultSoFar: result\n },\n _emitter: emitter\n };\n } else if (SAFE_MODE) {\n return {\n language: languageName,\n value: escape(codeToHighlight),\n illegal: false,\n relevance: 0,\n errorRaised: err,\n _emitter: emitter,\n _top: top\n };\n } else {\n throw err;\n }\n }\n }\n\n /**\n * returns a valid highlight result, without actually doing any actual work,\n * auto highlight starts with this and it's possible for small snippets that\n * auto-detection may not find a better match\n * @param {string} code\n * @returns {HighlightResult}\n */\n function justTextHighlightResult(code) {\n const result = {\n value: escape(code),\n illegal: false,\n relevance: 0,\n _top: PLAINTEXT_LANGUAGE,\n _emitter: new options.__emitter(options)\n };\n result._emitter.addText(code);\n return result;\n }\n\n /**\n Highlighting with language detection. Accepts a string with the code to\n highlight. Returns an object with the following properties:\n\n - language (detected language)\n - relevance (int)\n - value (an HTML string with highlighting markup)\n - secondBest (object with the same structure for second-best heuristically\n detected language, may be absent)\n\n @param {string} code\n @param {Array<string>} [languageSubset]\n @returns {AutoHighlightResult}\n */\n function highlightAuto(code, languageSubset) {\n languageSubset = languageSubset || options.languages || Object.keys(languages);\n const plaintext = justTextHighlightResult(code);\n\n const results = languageSubset.filter(getLanguage).filter(autoDetection).map(name =>\n _highlight(name, code, false)\n );\n results.unshift(plaintext); // plaintext is always an option\n\n const sorted = results.sort((a, b) => {\n // sort base on relevance\n if (a.relevance !== b.relevance) return b.relevance - a.relevance;\n\n // always award the tie to the base language\n // ie if C++ and Arduino are tied, it's more likely to be C++\n if (a.language && b.language) {\n if (getLanguage(a.language).supersetOf === b.language) {\n return 1;\n } else if (getLanguage(b.language).supersetOf === a.language) {\n return -1;\n }\n }\n\n // otherwise say they are equal, which has the effect of sorting on\n // relevance while preserving the original ordering - which is how ties\n // have historically been settled, ie the language that comes first always\n // wins in the case of a tie\n return 0;\n });\n\n const [best, secondBest] = sorted;\n\n /** @type {AutoHighlightResult} */\n const result = best;\n result.secondBest = secondBest;\n\n return result;\n }\n\n /**\n * Builds new class name for block given the language name\n *\n * @param {HTMLElement} element\n * @param {string} [currentLang]\n * @param {string} [resultLang]\n */\n function updateClassName(element, currentLang, resultLang) {\n const language = (currentLang && aliases[currentLang]) || resultLang;\n\n element.classList.add(\"hljs\");\n element.classList.add(`language-${language}`);\n }\n\n /**\n * Applies highlighting to a DOM node containing code.\n *\n * @param {HighlightedHTMLElement} element - the HTML element to highlight\n */\n function highlightElement(element) {\n /** @type HTMLElement */\n let node = null;\n const language = blockLanguage(element);\n\n if (shouldNotHighlight(language)) return;\n\n fire(\"before:highlightElement\",\n { el: element, language });\n\n // we should be all text, no child nodes (unescaped HTML) - this is possibly\n // an HTML injection attack - it's likely too late if this is already in\n // production (the code has likely already done its damage by the time\n // we're seeing it)... but we yell loudly about this so that hopefully it's\n // more likely to be caught in development before making it to production\n if (element.children.length > 0) {\n if (!options.ignoreUnescapedHTML) {\n console.warn(\"One of your code blocks includes unescaped HTML. This is a potentially serious security risk.\");\n console.warn(\"https://github.com/highlightjs/highlight.js/wiki/security\");\n console.warn(\"The element with unescaped HTML:\");\n console.warn(element);\n }\n if (options.throwUnescapedHTML) {\n const err = new HTMLInjectionError(\n \"One of your code blocks includes unescaped HTML.\",\n element.innerHTML\n );\n throw err;\n }\n }\n\n node = element;\n const text = node.textContent;\n const result = language ? highlight(text, { language, ignoreIllegals: true }) : highlightAuto(text);\n\n element.innerHTML = result.value;\n updateClassName(element, language, result.language);\n element.result = {\n language: result.language,\n // TODO: remove with version 11.0\n re: result.relevance,\n relevance: result.relevance\n };\n if (result.secondBest) {\n element.secondBest = {\n language: result.secondBest.language,\n relevance: result.secondBest.relevance\n };\n }\n\n fire(\"after:highlightElement\", { el: element, result, text });\n }\n\n /**\n * Updates highlight.js global options with the passed options\n *\n * @param {Partial<HLJSOptions>} userOptions\n */\n function configure(userOptions) {\n options = inherit(options, userOptions);\n }\n\n // TODO: remove v12, deprecated\n const initHighlighting = () => {\n highlightAll();\n deprecated(\"10.6.0\", \"initHighlighting() deprecated. Use highlightAll() now.\");\n };\n\n // TODO: remove v12, deprecated\n function initHighlightingOnLoad() {\n highlightAll();\n deprecated(\"10.6.0\", \"initHighlightingOnLoad() deprecated. Use highlightAll() now.\");\n }\n\n let wantsHighlight = false;\n\n /**\n * auto-highlights all pre>code elements on the page\n */\n function highlightAll() {\n // if we are called too early in the loading process\n if (document.readyState === \"loading\") {\n wantsHighlight = true;\n return;\n }\n\n const blocks = document.querySelectorAll(options.cssSelector);\n blocks.forEach(highlightElement);\n }\n\n function boot() {\n // if a highlight was requested before DOM was loaded, do now\n if (wantsHighlight) highlightAll();\n }\n\n // make sure we are in the browser environment\n if (typeof window !== 'undefined' && window.addEventListener) {\n window.addEventListener('DOMContentLoaded', boot, false);\n }\n\n /**\n * Register a language grammar module\n *\n * @param {string} languageName\n * @param {LanguageFn} languageDefinition\n */\n function registerLanguage(languageName, languageDefinition) {\n let lang = null;\n try {\n lang = languageDefinition(hljs);\n } catch (error$1) {\n error(\"Language definition for '{}' could not be registered.\".replace(\"{}\", languageName));\n // hard or soft error\n if (!SAFE_MODE) { throw error$1; } else { error(error$1); }\n // languages that have serious errors are replaced with essentially a\n // \"plaintext\" stand-in so that the code blocks will still get normal\n // css classes applied to them - and one bad language won't break the\n // entire highlighter\n lang = PLAINTEXT_LANGUAGE;\n }\n // give it a temporary name if it doesn't have one in the meta-data\n if (!lang.name) lang.name = languageName;\n languages[languageName] = lang;\n lang.rawDefinition = languageDefinition.bind(null, hljs);\n\n if (lang.aliases) {\n registerAliases(lang.aliases, { languageName });\n }\n }\n\n /**\n * Remove a language grammar module\n *\n * @param {string} languageName\n */\n function unregisterLanguage(languageName) {\n delete languages[languageName];\n for (const alias of Object.keys(aliases)) {\n if (aliases[alias] === languageName) {\n delete aliases[alias];\n }\n }\n }\n\n /**\n * @returns {string[]} List of language internal names\n */\n function listLanguages() {\n return Object.keys(languages);\n }\n\n /**\n * @param {string} name - name of the language to retrieve\n * @returns {Language | undefined}\n */\n function getLanguage(name) {\n name = (name || '').toLowerCase();\n return languages[name] || languages[aliases[name]];\n }\n\n /**\n *\n * @param {string|string[]} aliasList - single alias or list of aliases\n * @param {{languageName: string}} opts\n */\n function registerAliases(aliasList, { languageName }) {\n if (typeof aliasList === 'string') {\n aliasList = [aliasList];\n }\n aliasList.forEach(alias => { aliases[alias.toLowerCase()] = languageName; });\n }\n\n /**\n * Determines if a given language has auto-detection enabled\n * @param {string} name - name of the language\n */\n function autoDetection(name) {\n const lang = getLanguage(name);\n return lang && !lang.disableAutodetect;\n }\n\n /**\n * Upgrades the old highlightBlock plugins to the new\n * highlightElement API\n * @param {HLJSPlugin} plugin\n */\n function upgradePluginAPI(plugin) {\n // TODO: remove with v12\n if (plugin[\"before:highlightBlock\"] && !plugin[\"before:highlightElement\"]) {\n plugin[\"before:highlightElement\"] = (data) => {\n plugin[\"before:highlightBlock\"](\n Object.assign({ block: data.el }, data)\n );\n };\n }\n if (plugin[\"after:highlightBlock\"] && !plugin[\"after:highlightElement\"]) {\n plugin[\"after:highlightElement\"] = (data) => {\n plugin[\"after:highlightBlock\"](\n Object.assign({ block: data.el }, data)\n );\n };\n }\n }\n\n /**\n * @param {HLJSPlugin} plugin\n */\n function addPlugin(plugin) {\n upgradePluginAPI(plugin);\n plugins.push(plugin);\n }\n\n /**\n * @param {HLJSPlugin} plugin\n */\n function removePlugin(plugin) {\n const index = plugins.indexOf(plugin);\n if (index !== -1) {\n plugins.splice(index, 1);\n }\n }\n\n /**\n *\n * @param {PluginEvent} event\n * @param {any} args\n */\n function fire(event, args) {\n const cb = event;\n plugins.forEach(function(plugin) {\n if (plugin[cb]) {\n plugin[cb](args);\n }\n });\n }\n\n /**\n * DEPRECATED\n * @param {HighlightedHTMLElement} el\n */\n function deprecateHighlightBlock(el) {\n deprecated(\"10.7.0\", \"highlightBlock will be removed entirely in v12.0\");\n deprecated(\"10.7.0\", \"Please use highlightElement now.\");\n\n return highlightElement(el);\n }\n\n /* Interface definition */\n Object.assign(hljs, {\n highlight,\n highlightAuto,\n highlightAll,\n highlightElement,\n // TODO: Remove with v12 API\n highlightBlock: deprecateHighlightBlock,\n configure,\n initHighlighting,\n initHighlightingOnLoad,\n registerLanguage,\n unregisterLanguage,\n listLanguages,\n getLanguage,\n registerAliases,\n autoDetection,\n inherit,\n addPlugin,\n removePlugin\n });\n\n hljs.debugMode = function() { SAFE_MODE = false; };\n hljs.safeMode = function() { SAFE_MODE = true; };\n hljs.versionString = version;\n\n hljs.regex = {\n concat: concat,\n lookahead: lookahead,\n either: either,\n optional: optional,\n anyNumberOfTimes: anyNumberOfTimes\n };\n\n for (const key in MODES) {\n // @ts-ignore\n if (typeof MODES[key] === \"object\") {\n // @ts-ignore\n deepFreeze(MODES[key]);\n }\n }\n\n // merge all the modes/regexes into our main object\n Object.assign(hljs, MODES);\n\n return hljs;\n};\n\n// Other names for the variable may break build script\nconst highlight = HLJS({});\n\n// returns a new instance of the highlighter to be used for extensions\n// check https://github.com/wooorm/lowlight/issues/47\nhighlight.newInstance = () => HLJS({});\n\nmodule.exports = highlight;\nhighlight.HighlightJS = highlight;\nhighlight.default = highlight;\n", "/*\nLanguage: 1C:Enterprise\nAuthor: Stanislav Belov <stbelov@gmail.com>\nDescription: built-in language 1C:Enterprise (v7, v8)\nCategory: enterprise\n*/\n\nfunction _1c(hljs) {\n // \u043E\u0431\u0449\u0438\u0439 \u043F\u0430\u0442\u0442\u0435\u0440\u043D \u0434\u043B\u044F \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044F \u0438\u0434\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u043E\u0432\n const UNDERSCORE_IDENT_RE = '[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]+';\n\n // v7 \u0443\u043D\u0438\u043A\u0430\u043B\u044C\u043D\u044B\u0435 \u043A\u043B\u044E\u0447\u0435\u0432\u044B\u0435 \u0441\u043B\u043E\u0432\u0430, \u043E\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u044E\u0449\u0438\u0435 \u0432 v8 ==> keyword\n const v7_keywords =\n '\u0434\u0430\u043B\u0435\u0435 ';\n\n // v8 \u043A\u043B\u044E\u0447\u0435\u0432\u044B\u0435 \u0441\u043B\u043E\u0432\u0430 ==> keyword\n const v8_keywords =\n '\u0432\u043E\u0437\u0432\u0440\u0430\u0442 \u0432\u044B\u0437\u0432\u0430\u0442\u044C\u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C \u0434\u043B\u044F \u0435\u0441\u043B\u0438 \u0438 \u0438\u0437 \u0438\u043B\u0438 \u0438\u043D\u0430\u0447\u0435 \u0438\u043D\u0430\u0447\u0435\u0435\u0441\u043B\u0438 \u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \u043A\u0430\u0436\u0434\u043E\u0433\u043E \u043A\u043E\u043D\u0435\u0446\u0435\u0441\u043B\u0438 '\n + '\u043A\u043E\u043D\u0435\u0446\u043F\u043E\u043F\u044B\u0442\u043A\u0438 \u043A\u043E\u043D\u0435\u0446\u0446\u0438\u043A\u043B\u0430 \u043D\u0435 \u043D\u043E\u0432\u044B\u0439 \u043F\u0435\u0440\u0435\u0439\u0442\u0438 \u043F\u0435\u0440\u0435\u043C \u043F\u043E \u043F\u043E\u043A\u0430 \u043F\u043E\u043F\u044B\u0442\u043A\u0430 \u043F\u0440\u0435\u0440\u0432\u0430\u0442\u044C \u043F\u0440\u043E\u0434\u043E\u043B\u0436\u0438\u0442\u044C \u0442\u043E\u0433\u0434\u0430 \u0446\u0438\u043A\u043B \u044D\u043A\u0441\u043F\u043E\u0440\u0442 ';\n\n // keyword : \u043A\u043B\u044E\u0447\u0435\u0432\u044B\u0435 \u0441\u043B\u043E\u0432\u0430\n const KEYWORD = v7_keywords + v8_keywords;\n\n // v7 \u0443\u043D\u0438\u043A\u0430\u043B\u044C\u043D\u044B\u0435 \u0434\u0438\u0440\u0435\u043A\u0442\u0438\u0432\u044B, \u043E\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u044E\u0449\u0438\u0435 \u0432 v8 ==> meta-keyword\n const v7_meta_keywords =\n '\u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0438\u0437\u0444\u0430\u0439\u043B\u0430 ';\n\n // v8 \u043A\u043B\u044E\u0447\u0435\u0432\u044B\u0435 \u0441\u043B\u043E\u0432\u0430 \u0432 \u0438\u043D\u0441\u0442\u0440\u0443\u043A\u0446\u0438\u044F\u0445 \u043F\u0440\u0435\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u0430, \u0434\u0438\u0440\u0435\u043A\u0442\u0438\u0432\u0430\u0445 \u043A\u043E\u043C\u043F\u0438\u043B\u044F\u0446\u0438\u0438, \u0430\u043D\u043D\u043E\u0442\u0430\u0446\u0438\u044F\u0445 ==> meta-keyword\n const v8_meta_keywords =\n '\u0432\u0435\u0431\u043A\u043B\u0438\u0435\u043D\u0442 \u0432\u043C\u0435\u0441\u0442\u043E \u0432\u043D\u0435\u0448\u043D\u0435\u0435\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \u043A\u043B\u0438\u0435\u043D\u0442 \u043A\u043E\u043D\u0435\u0446\u043E\u0431\u043B\u0430\u0441\u0442\u0438 \u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043B\u0438\u0435\u043D\u0442 \u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u0435\u0440\u0432\u0435\u0440 '\n + '\u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435 \u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435\u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435\u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435\u0431\u0435\u0437\u043A\u043E\u043D\u0442\u0435\u043A\u0441\u0442\u0430 \u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435\u0431\u0435\u0437\u043A\u043E\u043D\u0442\u0435\u043A\u0441\u0442\u0430 \u043E\u0431\u043B\u0430\u0441\u0442\u044C \u043F\u0435\u0440\u0435\u0434 '\n + '\u043F\u043E\u0441\u043B\u0435 \u0441\u0435\u0440\u0432\u0435\u0440 \u0442\u043E\u043B\u0441\u0442\u044B\u0439\u043A\u043B\u0438\u0435\u043D\u0442\u043E\u0431\u044B\u0447\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u043E\u043B\u0441\u0442\u044B\u0439\u043A\u043B\u0438\u0435\u043D\u0442\u0443\u043F\u0440\u0430\u0432\u043B\u044F\u0435\u043C\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u043E\u043D\u043A\u0438\u0439\u043A\u043B\u0438\u0435\u043D\u0442 ';\n\n // meta-keyword : \u043A\u043B\u044E\u0447\u0435\u0432\u044B\u0435 \u0441\u043B\u043E\u0432\u0430 \u0432 \u0438\u043D\u0441\u0442\u0440\u0443\u043A\u0446\u0438\u044F\u0445 \u043F\u0440\u0435\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u0430, \u0434\u0438\u0440\u0435\u043A\u0442\u0438\u0432\u0430\u0445 \u043A\u043E\u043C\u043F\u0438\u043B\u044F\u0446\u0438\u0438, \u0430\u043D\u043D\u043E\u0442\u0430\u0446\u0438\u044F\u0445\n const METAKEYWORD = v7_meta_keywords + v8_meta_keywords;\n\n // v7 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043A\u043E\u043D\u0441\u0442\u0430\u043D\u0442\u044B ==> built_in\n const v7_system_constants =\n '\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u0441\u0442\u0440\u0430\u043D\u0438\u0446 \u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u0441\u0442\u0440\u043E\u043A \u0441\u0438\u043C\u0432\u043E\u043B\u0442\u0430\u0431\u0443\u043B\u044F\u0446\u0438\u0438 ';\n\n // v7 \u0443\u043D\u0438\u043A\u0430\u043B\u044C\u043D\u044B\u0435 \u043C\u0435\u0442\u043E\u0434\u044B \u0433\u043B\u043E\u0431\u0430\u043B\u044C\u043D\u043E\u0433\u043E \u043A\u043E\u043D\u0442\u0435\u043A\u0441\u0442\u0430, \u043E\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u044E\u0449\u0438\u0435 \u0432 v8 ==> built_in\n const v7_global_context_methods =\n 'ansitooem oemtoansi \u0432\u0432\u0435\u0441\u0442\u0438\u0432\u0438\u0434\u0441\u0443\u0431\u043A\u043E\u043D\u0442\u043E \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u0435 \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u0435\u0440\u0438\u043E\u0434 \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 \u0432\u044B\u0431\u0440\u0430\u043D\u043D\u044B\u0439\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 '\n + '\u0434\u0430\u0442\u0430\u0433\u043E\u0434 \u0434\u0430\u0442\u0430\u043C\u0435\u0441\u044F\u0446 \u0434\u0430\u0442\u0430\u0447\u0438\u0441\u043B\u043E \u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0441\u0442\u0440\u043E\u043A\u0443 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043E\u043A\u0438 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0438\u0431 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F '\n + '\u043A\u043E\u0434\u0441\u0438\u043C\u0432 \u043A\u043E\u043D\u0433\u043E\u0434\u0430 \u043A\u043E\u043D\u0435\u0446\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043A\u043E\u043D\u0435\u0446\u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u043D\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043A\u043E\u043D\u0435\u0446\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430 \u043A\u043E\u043D\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043A\u043E\u043D\u043C\u0435\u0441\u044F\u0446\u0430 '\n + '\u043A\u043E\u043D\u043D\u0435\u0434\u0435\u043B\u0438 \u043B\u043E\u0433 \u043B\u043E\u043310 \u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0435\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u043E\u0441\u0443\u0431\u043A\u043E\u043D\u0442\u043E \u043D\u0430\u0437\u0432\u0430\u043D\u0438\u0435\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043D\u0430\u0437\u0432\u0430\u043D\u0438\u0435\u043D\u0430\u0431\u043E\u0440\u0430\u043F\u0440\u0430\u0432 \u043D\u0430\u0437\u043D\u0430\u0447\u0438\u0442\u044C\u0432\u0438\u0434 '\n + '\u043D\u0430\u0437\u043D\u0430\u0447\u0438\u0442\u044C\u0441\u0447\u0435\u0442 \u043D\u0430\u0439\u0442\u0438\u0441\u0441\u044B\u043B\u043A\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430 \u043D\u0430\u0447\u0433\u043E\u0434\u0430 \u043D\u0430\u0447\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043D\u0430\u0447\u043C\u0435\u0441\u044F\u0446\u0430 '\n + '\u043D\u0430\u0447\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u043E\u043C\u0435\u0440\u0434\u043D\u044F\u0433\u043E\u0434\u0430 \u043D\u043E\u043C\u0435\u0440\u0434\u043D\u044F\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u043E\u043C\u0435\u0440\u043D\u0435\u0434\u0435\u043B\u0438\u0433\u043E\u0434\u0430 \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0430\u0441\u0447\u0435\u0442\u043E\u0432 '\n + '\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u044F\u0437\u044B\u043A \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u043E\u043A\u043D\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0439 \u043F\u0435\u0440\u0438\u043E\u0434\u0441\u0442\u0440 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u0430\u0442\u0443\u0442\u0430 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0443\u0441\u0442\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0442\u0430 '\n + '\u043F\u0440\u0435\u0444\u0438\u043A\u0441\u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u0438 \u043F\u0440\u043E\u043F\u0438\u0441\u044C \u043F\u0443\u0441\u0442\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0440\u0430\u0437\u043C \u0440\u0430\u0437\u043E\u0431\u0440\u0430\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043D\u0430 '\n + '\u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043F\u043E \u0441\u0438\u043C\u0432 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442 \u0441\u0442\u0430\u0442\u0443\u0441\u0432\u043E\u0437\u0432\u0440\u0430\u0442\u0430 \u0441\u0442\u0440\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u043E\u0441\u0442\u0440\u043E\u043A \u0441\u0444\u043E\u0440\u043C\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 '\n + '\u0441\u0447\u0435\u0442\u043F\u043E\u043A\u043E\u0434\u0443 \u0442\u0435\u043A\u0443\u0449\u0435\u0435\u0432\u0440\u0435\u043C\u044F \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0441\u0442\u0440 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0442\u0430\u043D\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0442\u0430\u043F\u043E \u0444\u0438\u043A\u0441\u0448\u0430\u0431\u043B\u043E\u043D \u0448\u0430\u0431\u043B\u043E\u043D ';\n\n // v8 \u043C\u0435\u0442\u043E\u0434\u044B \u0433\u043B\u043E\u0431\u0430\u043B\u044C\u043D\u043E\u0433\u043E \u043A\u043E\u043D\u0442\u0435\u043A\u0441\u0442\u0430 ==> built_in\n const v8_global_context_methods =\n 'acos asin atan base64\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 base64\u0441\u0442\u0440\u043E\u043A\u0430 cos exp log log10 pow sin sqrt tan xml\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 xml\u0441\u0442\u0440\u043E\u043A\u0430 '\n + 'xml\u0442\u0438\u043F xml\u0442\u0438\u043F\u0437\u043D\u0447 \u0430\u043A\u0442\u0438\u0432\u043D\u043E\u0435\u043E\u043A\u043D\u043E \u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0443\u043B\u0435\u0432\u043E \u0432\u0432\u0435\u0441\u0442\u0438\u0434\u0430\u0442\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 '\n + '\u0432\u0432\u0435\u0441\u0442\u0438\u0441\u0442\u0440\u043E\u043A\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0447\u0438\u0441\u043B\u043E \u0432\u043E\u0437\u043C\u043E\u0436\u043D\u043E\u0441\u0442\u044C\u0447\u0442\u0435\u043D\u0438\u044Fxml \u0432\u043E\u043F\u0440\u043E\u0441 \u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0432\u0440\u0435\u0433 \u0432\u044B\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 '\n + '\u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0443\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F \u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u043F\u0440\u0430\u0432\u0434\u043E\u0441\u0442\u0443\u043F\u0430 \u0432\u044B\u0447\u0438\u0441\u043B\u0438\u0442\u044C \u0433\u043E\u0434 \u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B\u0432\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0434\u0430\u0442\u0430 \u0434\u0435\u043D\u044C \u0434\u0435\u043D\u044C\u0433\u043E\u0434\u0430 '\n + '\u0434\u0435\u043D\u044C\u043D\u0435\u0434\u0435\u043B\u0438 \u0434\u043E\u0431\u0430\u0432\u0438\u0442\u044C\u043C\u0435\u0441\u044F\u0446 \u0437\u0430\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0434\u043B\u044F\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0437\u0430\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0437\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u0441\u0438\u0441\u0442\u0435\u043C\u044B '\n + '\u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 \u0437\u0430\u043A\u0440\u044B\u0442\u044C\u0441\u043F\u0440\u0430\u0432\u043A\u0443 \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044Cjson \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044Cxml \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044C\u0434\u0430\u0442\u0443json \u0437\u0430\u043F\u0438\u0441\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 '\n + '\u0437\u0430\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0441\u0432\u043E\u0439\u0441\u0442\u0432 \u0437\u0430\u043F\u0440\u043E\u0441\u0438\u0442\u044C\u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0437\u0430\u043F\u0443\u0441\u0442\u0438\u0442\u044C\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0437\u0430\u043F\u0443\u0441\u0442\u0438\u0442\u044C\u0441\u0438\u0441\u0442\u0435\u043C\u0443 \u0437\u0430\u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E '\n + '\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0441\u0442\u0440\u043E\u043A\u0443\u0432\u043D\u0443\u0442\u0440 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0444\u0430\u0439\u043B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u043E \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043E\u043A\u0438\u0432\u043D\u0443\u0442\u0440 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0444\u0430\u0439\u043B\u0430 '\n + '\u0438\u0437xml\u0442\u0438\u043F\u0430 \u0438\u043C\u043F\u043E\u0440\u0442\u043C\u043E\u0434\u0435\u043B\u0438xdto \u0438\u043C\u044F\u043A\u043E\u043C\u043F\u044C\u044E\u0442\u0435\u0440\u0430 \u0438\u043C\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0438\u043D\u0438\u0446\u0438\u0430\u043B\u0438\u0437\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0435\u0434\u0430\u043D\u043D\u044B\u0435 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u043E\u0431\u043E\u0448\u0438\u0431\u043A\u0435 '\n + '\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0438\u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0433\u043E\u0443\u0441\u0442\u0440\u043E\u0439\u0441\u0442\u0432\u0430 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0445\u0444\u0430\u0439\u043B\u043E\u0432 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043F\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 '\n + '\u043A\u043E\u0434\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043A\u043E\u0434\u0441\u0438\u043C\u0432\u043E\u043B\u0430 \u043A\u043E\u043C\u0430\u043D\u0434\u0430\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043A\u043E\u043D\u0435\u0446\u0433\u043E\u0434\u0430 \u043A\u043E\u043D\u0435\u0446\u0434\u043D\u044F \u043A\u043E\u043D\u0435\u0446\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043A\u043E\u043D\u0435\u0446\u043C\u0435\u0441\u044F\u0446\u0430 \u043A\u043E\u043D\u0435\u0446\u043C\u0438\u043D\u0443\u0442\u044B '\n + '\u043A\u043E\u043D\u0435\u0446\u043D\u0435\u0434\u0435\u043B\u0438 \u043A\u043E\u043D\u0435\u0446\u0447\u0430\u0441\u0430 \u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044F\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0430\u0434\u0438\u043D\u0430\u043C\u0438\u0447\u0435\u0441\u043A\u0438 \u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044F\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0430 \u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B '\n + '\u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0444\u0430\u0439\u043B \u043A\u0440\u0430\u0442\u043A\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 \u043B\u0435\u0432 \u043C\u0430\u043A\u0441 \u043C\u0435\u0441\u0442\u043D\u043E\u0435\u0432\u0440\u0435\u043C\u044F \u043C\u0435\u0441\u044F\u0446 \u043C\u0438\u043D \u043C\u0438\u043D\u0443\u0442\u0430 \u043C\u043E\u043D\u043E\u043F\u043E\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u043D\u0430\u0439\u0442\u0438 '\n + '\u043D\u0430\u0439\u0442\u0438\u043D\u0435\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u044Bxml \u043D\u0430\u0439\u0442\u0438\u043E\u043A\u043D\u043E\u043F\u043E\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0441\u0441\u044B\u043B\u043A\u0435 \u043D\u0430\u0439\u0442\u0438\u043F\u043E\u043C\u0435\u0447\u0435\u043D\u043D\u044B\u0435\u043D\u0430\u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435 \u043D\u0430\u0439\u0442\u0438\u043F\u043E\u0441\u0441\u044B\u043B\u043A\u0430\u043C \u043D\u0430\u0439\u0442\u0438\u0444\u0430\u0439\u043B\u044B '\n + '\u043D\u0430\u0447\u0430\u043B\u043E\u0433\u043E\u0434\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u0434\u043D\u044F \u043D\u0430\u0447\u0430\u043B\u043E\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u043C\u0435\u0441\u044F\u0446\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u043C\u0438\u043D\u0443\u0442\u044B \u043D\u0430\u0447\u0430\u043B\u043E\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u0447\u0430\u0441\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u0437\u0430\u043F\u0440\u043E\u0441\u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F '\n + '\u043D\u0430\u0447\u0430\u0442\u044C\u0437\u0430\u043F\u0443\u0441\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043D\u0430\u0447\u0430\u0442\u044C\u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u0435\u0440\u0435\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B '\n + '\u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0438\u0441\u043A\u0444\u0430\u0439\u043B\u043E\u0432 '\n + '\u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0445\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0447\u0435\u0433\u043E\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F '\n + '\u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u0437\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430 '\n + '\u043D\u0430\u0447\u0430\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 '\n + '\u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043D\u0435\u0434\u0435\u043B\u044F\u0433\u043E\u0434\u0430 \u043D\u0435\u043E\u0431\u0445\u043E\u0434\u0438\u043C\u043E\u0441\u0442\u044C\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u043D\u043E\u043C\u0435\u0440\u0441\u0435\u0430\u043D\u0441\u0430\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B '\n + '\u043D\u043E\u043C\u0435\u0440\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043D\u0440\u0435\u0433 \u043D\u0441\u0442\u0440 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u044E\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u0443\u0435\u043C\u044B\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F '\n + '\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043F\u0440\u0435\u0440\u044B\u0432\u0430\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043E\u0431\u044A\u0435\u0434\u0438\u043D\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043E\u043A\u0440 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 \u043E\u043F\u043E\u0432\u0435\u0441\u0442\u0438\u0442\u044C \u043E\u043F\u043E\u0432\u0435\u0441\u0442\u0438\u0442\u044C\u043E\u0431\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0438 '\n + '\u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u0437\u0430\u043F\u0440\u043E\u0441\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F '\n + '\u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0438\u043D\u0434\u0435\u043A\u0441\u0441\u043F\u0440\u0430\u0432\u043A\u0438 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0441\u043E\u0434\u0435\u0440\u0436\u0430\u043D\u0438\u0435\u0441\u043F\u0440\u0430\u0432\u043A\u0438 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0441\u043F\u0440\u0430\u0432\u043A\u0443 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0444\u043E\u0440\u043C\u0443 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0444\u043E\u0440\u043C\u0443\u043C\u043E\u0434\u0430\u043B\u044C\u043D\u043E '\n + '\u043E\u0442\u043C\u0435\u043D\u0438\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0434\u043E\u0441\u0442\u0443\u043F\u0430 '\n + '\u043F\u0435\u0440\u0435\u0439\u0442\u0438\u043F\u043E\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0441\u0441\u044B\u043B\u043A\u0435 \u043F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 '\n + '\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u0437\u0430\u043F\u0440\u043E\u0441\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F '\n + '\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043F\u043E\u0434\u0440\u043E\u0431\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 '\n + '\u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0434\u0430\u0442\u044B \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0441\u0442\u0440\u043E\u043A\u0438 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0447\u0438\u0441\u043B\u0430 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u043E\u043F\u0440\u043E\u0441 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 '\n + '\u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044E\u043E\u0431\u043E\u0448\u0438\u0431\u043A\u0435 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043D\u0430\u043A\u0430\u0440\u0442\u0435 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u0435 \u043F\u043E\u043B\u043D\u043E\u0435\u0438\u043C\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044Ccom\u043E\u0431\u044A\u0435\u043A\u0442 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044Cxml\u0442\u0438\u043F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0430\u0434\u0440\u0435\u0441\u043F\u043E\u043C\u0435\u0441\u0442\u043E\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u044E \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0443\u0441\u0435\u0430\u043D\u0441\u043E\u0432 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043F\u044F\u0449\u0435\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0441\u044B\u043F\u0430\u043D\u0438\u044F\u043F\u0430\u0441\u0441\u0438\u0432\u043D\u043E\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0432\u044B\u0431\u043E\u0440\u0430 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u044B\u0439\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u043A\u043E\u0434\u044B\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0447\u0430\u0441\u043E\u0432\u044B\u0435\u043F\u043E\u044F\u0441\u0430 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0434\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0437\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043C\u044F\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0444\u0430\u0439\u043B\u0430 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043C\u044F\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044E\u044D\u043A\u0440\u0430\u043D\u043E\u0432\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043A\u0440\u0430\u0442\u043A\u0438\u0439\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u043A\u0435\u0442\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B\u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0435\u0441\u0442\u043E\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0430\u0434\u0440\u0435\u0441\u0443 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u0443\u044E\u0434\u043B\u0438\u043D\u0443\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u0443\u044E\u0441\u0441\u044B\u043B\u043A\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u0443\u044E\u0441\u0441\u044B\u043B\u043A\u0443\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u0449\u0438\u0439\u043C\u0430\u043A\u0435\u0442 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u0449\u0443\u044E\u0444\u043E\u0440\u043C\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u043A\u043D\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u043F\u0435\u0440\u0430\u0442\u0438\u0432\u043D\u0443\u044E\u043E\u0442\u043C\u0435\u0442\u043A\u0443\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0442\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u043E\u0433\u043E\u0440\u0435\u0436\u0438\u043C\u0430 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u044B\u0445\u043E\u043F\u0446\u0438\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u043E\u043B\u043D\u043E\u0435\u0438\u043C\u044F\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u044B\u0445\u0441\u0441\u044B\u043B\u043E\u043A \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u0441\u043B\u043E\u0436\u043D\u043E\u0441\u0442\u0438\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438\u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0435\u0430\u043D\u0441\u044B\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043A\u043E\u0440\u043E\u0441\u0442\u044C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044E '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0438\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430odata \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0443\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0441\u0435\u0430\u043D\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u043E\u0440\u043C\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u0443\u044E\u043E\u043F\u0446\u0438\u044E '\n + '\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u0443\u044E\u043E\u043F\u0446\u0438\u044E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0438\u043E\u0441 \u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0432\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0435\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435 '\n + '\u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043F\u0440\u0430\u0432 \u043F\u0440\u0430\u0432\u043E\u0434\u043E\u0441\u0442\u0443\u043F\u0430 \u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043A\u043E\u0434\u0430\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0438\u043E\u0434\u0430 '\n + '\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0430\u0432\u0430 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0447\u0430\u0441\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u044F\u0441\u0430 \u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u0435 '\n + '\u043F\u0440\u0435\u043A\u0440\u0430\u0442\u0438\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043F\u0440\u0438\u0432\u0438\u043B\u0435\u0433\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u043F\u0440\u043E\u0434\u043E\u043B\u0436\u0438\u0442\u044C\u0432\u044B\u0437\u043E\u0432 \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044Cjson \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044Cxml \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044C\u0434\u0430\u0442\u0443json \u043F\u0443\u0441\u0442\u0430\u044F\u0441\u0442\u0440\u043E\u043A\u0430 '\n + '\u0440\u0430\u0431\u043E\u0447\u0438\u0439\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0440\u0430\u0437\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0434\u043B\u044F\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u0440\u0430\u0437\u043E\u0440\u0432\u0430\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0441\u0432\u043D\u0435\u0448\u043D\u0438\u043C\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u043E\u043C\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0440\u0430\u0441\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 \u0440\u043E\u043B\u044C\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u0430 \u0441\u0435\u043A\u0443\u043D\u0434\u0430 \u0441\u0438\u0433\u043D\u0430\u043B \u0441\u0438\u043C\u0432\u043E\u043B \u0441\u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0441\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u043B\u0435\u0442\u043D\u0435\u0433\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u0438 '\n + '\u0441\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u044C\u0431\u0443\u0444\u0435\u0440\u044B\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u043A\u0430\u0442\u0430\u043B\u043E\u0433 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u0444\u0430\u0431\u0440\u0438\u043A\u0443xdto \u0441\u043E\u043A\u0440\u043B \u0441\u043E\u043A\u0440\u043B\u043F \u0441\u043E\u043A\u0440\u043F \u0441\u043E\u043E\u0431\u0449\u0438\u0442\u044C '\n + '\u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435 \u0441\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0441\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0441\u0440\u0435\u0434 \u0441\u0442\u0440\u0434\u043B\u0438\u043D\u0430 \u0441\u0442\u0440\u0437\u0430\u043A\u0430\u043D\u0447\u0438\u0432\u0430\u0435\u0442\u0441\u044F\u043D\u0430 \u0441\u0442\u0440\u0437\u0430\u043C\u0435\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u043D\u0430\u0439\u0442\u0438 \u0441\u0442\u0440\u043D\u0430\u0447\u0438\u043D\u0430\u0435\u0442\u0441\u044F\u0441 '\n + '\u0441\u0442\u0440\u043E\u043A\u0430 \u0441\u0442\u0440\u043E\u043A\u0430\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0441\u0442\u0440\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 \u0441\u0442\u0440\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u044C \u0441\u0442\u0440\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u0441\u0440\u0430\u0432\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u0447\u0438\u0441\u043B\u043E\u0432\u0445\u043E\u0436\u0434\u0435\u043D\u0438\u0439 '\n + '\u0441\u0442\u0440\u0447\u0438\u0441\u043B\u043E\u0441\u0442\u0440\u043E\u043A \u0441\u0442\u0440\u0448\u0430\u0431\u043B\u043E\u043D \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0434\u0430\u0442\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0434\u0430\u0442\u0430\u0441\u0435\u0430\u043D\u0441\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u0430\u044F\u0434\u0430\u0442\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u0430\u044F\u0434\u0430\u0442\u0430\u0432\u043C\u0438\u043B\u043B\u0438\u0441\u0435\u043A\u0443\u043D\u0434\u0430\u0445 '\n + '\u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u0448\u0440\u0438\u0444\u0442\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u043A\u043E\u0434\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 '\n + '\u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0443\u0441\u043A\u0430 \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u044F\u0437\u044B\u043A \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u044F\u0437\u044B\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0442\u0438\u043F \u0442\u0438\u043F\u0437\u043D\u0447 \u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044F\u0430\u043A\u0442\u0438\u0432\u043D\u0430 \u0442\u0440\u0435\u0433 \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B '\n + '\u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0438\u0437\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442\u044B \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u043E\u0435\u0432\u0440\u0435\u043C\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C '\n + '\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0443\u0441\u0435\u0430\u043D\u0441\u043E\u0432 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 '\n + '\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043F\u044F\u0449\u0435\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0441\u044B\u043F\u0430\u043D\u0438\u044F\u043F\u0430\u0441\u0441\u0438\u0432\u043D\u043E\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 '\n + '\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043A\u0440\u0430\u0442\u043A\u0438\u0439\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F '\n + '\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u0443\u044E\u0434\u043B\u0438\u043D\u0443\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043C\u043E\u043D\u043E\u043F\u043E\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F '\n + '\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043E\u0442\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u043E\u0433\u043E\u0440\u0435\u0436\u0438\u043C\u0430 '\n + '\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u044B\u0445\u043E\u043F\u0446\u0438\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0440\u0438\u0432\u0438\u043B\u0435\u0433\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C '\n + '\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u0441\u043B\u043E\u0436\u043D\u043E\u0441\u0442\u0438\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 '\n + '\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0441\u0432\u043D\u0435\u0448\u043D\u0438\u043C\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u043E\u043C\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0438\u0444\u043E\u0440\u043C\u044B '\n + '\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430odata \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0441\u0435\u0430\u043D\u0441\u0430 '\n + '\u0444\u043E\u0440\u043C\u0430\u0442 \u0446\u0435\u043B \u0447\u0430\u0441 \u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441 \u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0441\u0435\u0430\u043D\u0441\u0430 \u0447\u0438\u0441\u043B\u043E \u0447\u0438\u0441\u043B\u043E\u043F\u0440\u043E\u043F\u0438\u0441\u044C\u044E \u044D\u0442\u043E\u0430\u0434\u0440\u0435\u0441\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 ';\n\n // v8 \u0441\u0432\u043E\u0439\u0441\u0442\u0432\u0430 \u0433\u043B\u043E\u0431\u0430\u043B\u044C\u043D\u043E\u0433\u043E \u043A\u043E\u043D\u0442\u0435\u043A\u0441\u0442\u0430 ==> built_in\n const v8_global_context_property =\n 'ws\u0441\u0441\u044B\u043B\u043A\u0438 \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043C\u0430\u043A\u0435\u0442\u043E\u0432\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u0441\u0442\u0438\u043B\u0435\u0439 \u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u044B '\n + '\u0432\u043D\u0435\u0448\u043D\u0438\u0435\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u043D\u0435\u0448\u043D\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438 \u0432\u043D\u0435\u0448\u043D\u0438\u0435\u043E\u0442\u0447\u0435\u0442\u044B \u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0435\u043F\u043E\u043A\u0443\u043F\u043A\u0438 \u0433\u043B\u0430\u0432\u043D\u044B\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441 \u0433\u043B\u0430\u0432\u043D\u044B\u0439\u0441\u0442\u0438\u043B\u044C '\n + '\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u044B \u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0435\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u044F \u0436\u0443\u0440\u043D\u0430\u043B\u044B\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u0437\u0430\u0434\u0430\u0447\u0438 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u043E\u0431\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0438 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0447\u0435\u0439\u0434\u0430\u0442\u044B '\n + '\u0438\u0441\u0442\u043E\u0440\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043A\u043E\u043D\u0441\u0442\u0430\u043D\u0442\u044B \u043A\u0440\u0438\u0442\u0435\u0440\u0438\u0438\u043E\u0442\u0431\u043E\u0440\u0430 \u043C\u0435\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0435 \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u043A\u043B\u0430\u043C\u044B \u043E\u0442\u043F\u0440\u0430\u0432\u043A\u0430\u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0445\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0439 '\n + '\u043E\u0442\u0447\u0435\u0442\u044B \u043F\u0430\u043D\u0435\u043B\u044C\u0437\u0430\u0434\u0430\u0447\u043E\u0441 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0437\u0430\u043F\u0443\u0441\u043A\u0430 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0441\u0435\u0430\u043D\u0441\u0430 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F \u043F\u043B\u0430\u043D\u044B\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043F\u043B\u0430\u043D\u044B\u0432\u0438\u0434\u043E\u0432\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A '\n + '\u043F\u043B\u0430\u043D\u044B\u043E\u0431\u043C\u0435\u043D\u0430 \u043F\u043B\u0430\u043D\u044B\u0441\u0447\u0435\u0442\u043E\u0432 \u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u043F\u043E\u0438\u0441\u043A \u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0438\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0438 \u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0430\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0445\u043F\u043E\u043A\u0443\u043F\u043E\u043A '\n + '\u0440\u0430\u0431\u043E\u0447\u0430\u044F\u0434\u0430\u0442\u0430 \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0438\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0441\u0432\u0435\u0434\u0435\u043D\u0438\u0439 '\n + '\u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u044B\u0435\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0442\u043E\u0440xdto \u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0438 \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u0433\u0435\u043E\u043F\u043E\u0437\u0438\u0446\u0438\u043E\u043D\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043C\u0443\u043B\u044C\u0442\u0438\u043C\u0435\u0434\u0438\u0430 '\n + '\u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0440\u0435\u043A\u043B\u0430\u043C\u044B \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043F\u043E\u0447\u0442\u044B \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u0442\u0435\u043B\u0435\u0444\u043E\u043D\u0438\u0438 \u0444\u0430\u0431\u0440\u0438\u043A\u0430xdto \u0444\u0430\u0439\u043B\u043E\u0432\u044B\u0435\u043F\u043E\u0442\u043E\u043A\u0438 \u0444\u043E\u043D\u043E\u0432\u044B\u0435\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A '\n + '\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0432\u043E\u0442\u0447\u0435\u0442\u043E\u0432 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043E\u0431\u0449\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0441\u043A\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u0434\u0438\u043D\u0430\u043C\u0438\u0447\u0435\u0441\u043A\u0438\u0445\u0441\u043F\u0438\u0441\u043A\u043E\u0432 '\n + '\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0441\u043A\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043E\u0442\u0447\u0435\u0442\u043E\u0432 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A ';\n\n // built_in : \u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0435 \u0438\u043B\u0438 \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u0447\u043D\u044B\u0435 \u043E\u0431\u044A\u0435\u043A\u0442\u044B (\u043A\u043E\u043D\u0441\u0442\u0430\u043D\u0442\u044B, \u043A\u043B\u0430\u0441\u0441\u044B, \u0444\u0443\u043D\u043A\u0446\u0438\u0438)\n const BUILTIN =\n v7_system_constants\n + v7_global_context_methods + v8_global_context_methods\n + v8_global_context_property;\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043D\u0430\u0431\u043E\u0440\u044B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 ==> class\n const v8_system_sets_of_values =\n 'web\u0446\u0432\u0435\u0442\u0430 windows\u0446\u0432\u0435\u0442\u0430 windows\u0448\u0440\u0438\u0444\u0442\u044B \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u0440\u0430\u043C\u043A\u0438\u0441\u0442\u0438\u043B\u044F \u0441\u0438\u043C\u0432\u043E\u043B\u044B \u0446\u0432\u0435\u0442\u0430\u0441\u0442\u0438\u043B\u044F \u0448\u0440\u0438\u0444\u0442\u044B\u0441\u0442\u0438\u043B\u044F ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u043D\u044B\u0435 ==> class\n const v8_system_enums_interface =\n '\u0430\u0432\u0442\u043E\u043C\u0430\u0442\u0438\u0447\u0435\u0441\u043A\u043E\u0435\u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C\u044B\u0432\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0430\u0445 \u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u044F\u0432\u0444\u043E\u0440\u043C\u0435 \u0430\u0432\u0442\u043E\u0440\u0430\u0437\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0435\u0441\u0435\u0440\u0438\u0439 '\n + '\u0430\u043D\u0438\u043C\u0430\u0446\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0432\u044B\u0440\u0430\u0432\u043D\u0438\u0432\u0430\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0438\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u043E\u0432 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0432\u044B\u0441\u043E\u0442\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B '\n + '\u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u0430\u044F\u043F\u0440\u043E\u043A\u0440\u0443\u0442\u043A\u0430\u0444\u043E\u0440\u043C\u044B \u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430 \u0432\u0438\u0434\u0433\u0440\u0443\u043F\u043F\u044B\u0444\u043E\u0440\u043C\u044B '\n + '\u0432\u0438\u0434\u0434\u0435\u043A\u043E\u0440\u0430\u0446\u0438\u0438\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u0438\u0434\u043A\u043D\u043E\u043F\u043A\u0438\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u043F\u0435\u0440\u0435\u043A\u043B\u044E\u0447\u0430\u0442\u0435\u043B\u044F '\n + '\u0432\u0438\u0434\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 \u0432\u0438\u0434\u043F\u043E\u043B\u044F\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0444\u043B\u0430\u0436\u043A\u0430 \u0432\u043B\u0438\u044F\u043D\u0438\u0435\u0440\u0430\u0437\u043C\u0435\u0440\u0430\u043D\u0430\u043F\u0443\u0437\u044B\u0440\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435 '\n + '\u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430 \u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0430\u043A\u043E\u043B\u043E\u043D\u043E\u043A \u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0430\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0444\u043E\u0440\u043C\u044B '\n + '\u0433\u0440\u0443\u043F\u043F\u044B\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u044B \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043F\u0435\u0440\u0435\u0442\u0430\u0441\u043A\u0438\u0432\u0430\u043D\u0438\u044F \u0434\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u044F\u043F\u0435\u0440\u0435\u0442\u0430\u0441\u043A\u0438\u0432\u0430\u043D\u0438\u044F '\n + '\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u043C\u0435\u0436\u0434\u0443\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043C\u0438\u0444\u043E\u0440\u043C\u044B \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0432\u044B\u0432\u043E\u0434\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u043B\u043E\u0441\u044B\u043F\u0440\u043E\u043A\u0440\u0443\u0442\u043A\u0438 '\n + '\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u0443\u0435\u043C\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0442\u043E\u0447\u043A\u0438\u0431\u0438\u0440\u0436\u0435\u0432\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0438\u0441\u0442\u043E\u0440\u0438\u044F\u0432\u044B\u0431\u043E\u0440\u0430\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043E\u0441\u0438\u0442\u043E\u0447\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0440\u0430\u0437\u043C\u0435\u0440\u0430\u043F\u0443\u0437\u044B\u0440\u044C\u043A\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u044B\u043A\u043E\u043C\u0430\u043D\u0434 \u043C\u0430\u043A\u0441\u0438\u043C\u0443\u043C\u0441\u0435\u0440\u0438\u0439 \u043D\u0430\u0447\u0430\u043B\u044C\u043D\u043E\u0435\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0434\u0435\u0440\u0435\u0432\u0430 '\n + '\u043D\u0430\u0447\u0430\u043B\u044C\u043D\u043E\u0435\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0441\u043F\u0438\u0441\u043A\u0430 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u043C\u0435\u0442\u043E\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u043C\u0435\u0442\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 '\n + '\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u043B\u0435\u0433\u0435\u043D\u0434\u0435\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u043A\u043D\u043E\u043F\u043E\u043A \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0438\u0437\u043C\u0435\u0440\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043D\u043E\u043F\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043D\u043E\u043F\u043A\u0438\u0432\u044B\u0431\u043E\u0440\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0431\u0441\u0443\u0436\u0434\u0435\u043D\u0438\u0439\u0444\u043E\u0440\u043C\u044B '\n + '\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0442\u0440\u0438\u0446\u0430\u0442\u0435\u043B\u044C\u043D\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043F\u0443\u0437\u044B\u0440\u044C\u043A\u043E\u0432\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0430\u043D\u0435\u043B\u0438\u043F\u043E\u0438\u0441\u043A\u0430 '\n + '\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u0441\u043A\u0430\u0437\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u044F\u043F\u0440\u0438\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0440\u0430\u0437\u043C\u0435\u0442\u043A\u0438\u043F\u043E\u043B\u043E\u0441\u044B\u0440\u0435\u0433\u0443\u043B\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F '\n + '\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u0444\u043E\u0440\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 '\n + '\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0444\u0438\u0433\u0443\u0440\u044B\u043A\u043D\u043E\u043F\u043A\u0438 \u043F\u0430\u043B\u0438\u0442\u0440\u0430\u0446\u0432\u0435\u0442\u043E\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B '\n + '\u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u043F\u043E\u0438\u0441\u043A\u0432\u0442\u0430\u0431\u043B\u0438\u0446\u0435\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438\u043A\u043D\u043E\u043F\u043A\u0438\u0444\u043E\u0440\u043C\u044B '\n + '\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u0430\u043D\u0434\u043D\u043E\u0439\u043F\u0430\u043D\u0435\u043B\u0438\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u0430\u043D\u0434\u043D\u043E\u0439\u043F\u0430\u043D\u0435\u043B\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B '\n + '\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043E\u043F\u043E\u0440\u043D\u043E\u0439\u0442\u043E\u0447\u043A\u0438\u043E\u0442\u0440\u0438\u0441\u043E\u0432\u043A\u0438 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u0448\u043A\u0430\u043B\u044B\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0438\u0437\u043C\u0435\u0440\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0430 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u0442\u0440\u043E\u043A\u0438\u043F\u043E\u0438\u0441\u043A\u0430 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u043B\u0438\u043D\u0438\u0438 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u043E\u0438\u0441\u043A\u043E\u043C '\n + '\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u043A\u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0439\u0433\u0438\u0441\u0442\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u0441\u0435\u0440\u0438\u0439\u0432\u043B\u0435\u0433\u0435\u043D\u0434\u0435\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u0440\u0430\u0437\u043C\u0435\u0440\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0430\u0441\u0442\u044F\u0433\u0438\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 '\n + '\u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0432\u0432\u043E\u0434\u0430\u0441\u0442\u0440\u043E\u043A\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0431\u043E\u0440\u0430\u043D\u0435\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u043D\u043E\u0433\u043E \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u0442\u044B '\n + '\u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0441\u0442\u0440\u043E\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0437\u043C\u0435\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0441\u0432\u044F\u0437\u0430\u043D\u043D\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F '\n + '\u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u043F\u0435\u0447\u0430\u0442\u0438 \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u043A\u043E\u043C\u0430\u043D\u0434\u044B \u0440\u0435\u0436\u0438\u043C\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0430 '\n + '\u0440\u0435\u0436\u0438\u043C\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u043E\u043A\u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u043E\u043A\u043D\u0430\u0444\u043E\u0440\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F '\n + '\u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0441\u0435\u0440\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u0440\u0438\u0441\u043E\u0432\u043A\u0438\u0441\u0435\u0442\u043A\u0438\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B '\n + '\u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u0443\u043F\u0440\u043E\u0437\u0440\u0430\u0447\u043D\u043E\u0441\u0442\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0431\u0435\u043B\u043E\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u0435 \u0440\u0435\u0436\u0438\u043C\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043A\u043E\u043B\u043E\u043D\u043A\u0438 '\n + '\u0440\u0435\u0436\u0438\u043C\u0441\u0433\u043B\u0430\u0436\u0438\u0432\u0430\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u0441\u0433\u043B\u0430\u0436\u0438\u0432\u0430\u043D\u0438\u044F\u0438\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0441\u043F\u0438\u0441\u043A\u0430\u0437\u0430\u0434\u0430\u0447 \u0441\u043A\u0432\u043E\u0437\u043D\u043E\u0435\u0432\u044B\u0440\u0430\u0432\u043D\u0438\u0432\u0430\u043D\u0438\u0435 '\n + '\u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C\u044B\u0432\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0430\u0445 \u0441\u043F\u043E\u0441\u043E\u0431\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u0441\u043F\u043E\u0441\u043E\u0431\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0438\u0432\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u0430\u044F\u0433\u0440\u0443\u043F\u043F\u0430\u043A\u043E\u043C\u0430\u043D\u0434 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0435\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u0435 '\n + '\u0441\u0442\u0430\u0442\u0443\u0441\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0441\u0442\u0438\u043B\u044C\u0441\u0442\u0440\u0435\u043B\u043A\u0438 \u0442\u0438\u043F\u0430\u043F\u043F\u0440\u043E\u043A\u0441\u0438\u043C\u0430\u0446\u0438\u0438\u043B\u0438\u043D\u0438\u0438\u0442\u0440\u0435\u043D\u0434\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u0442\u0438\u043F\u0435\u0434\u0438\u043D\u0438\u0446\u044B\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0442\u0438\u043F\u0438\u043C\u043F\u043E\u0440\u0442\u0430\u0441\u0435\u0440\u0438\u0439\u0441\u043B\u043E\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u0442\u0438\u043F\u043C\u0430\u0440\u043A\u0435\u0440\u0430\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043C\u0430\u0440\u043A\u0435\u0440\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F '\n + '\u0442\u0438\u043F\u043E\u0440\u0433\u0430\u043D\u0438\u0437\u0430\u0446\u0438\u0438\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0441\u0435\u0440\u0438\u0438\u0441\u043B\u043E\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B '\n + '\u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u0447\u043D\u043E\u0433\u043E\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0448\u043A\u0430\u043B\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043B\u0435\u0433\u0435\u043D\u0434\u044B\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B '\n + '\u0442\u0438\u043F\u043F\u043E\u0438\u0441\u043A\u0430\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043F\u0440\u043E\u0435\u043A\u0446\u0438\u0438\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439 '\n + '\u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u043E\u0432\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u0440\u0430\u043C\u043A\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u0442\u0438\u043F\u0441\u0432\u044F\u0437\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043F\u043E\u0441\u0435\u0440\u0438\u044F\u043C\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u043B\u0438\u043D\u0438\u0438 \u0442\u0438\u043F\u0441\u0442\u043E\u0440\u043E\u043D\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u0444\u043E\u0440\u043C\u044B\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0448\u043A\u0430\u043B\u044B\u0440\u0430\u0434\u0430\u0440\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B '\n + '\u0444\u0430\u043A\u0442\u043E\u0440\u043B\u0438\u043D\u0438\u0438\u0442\u0440\u0435\u043D\u0434\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0444\u0438\u0433\u0443\u0440\u0430\u043A\u043D\u043E\u043F\u043A\u0438 \u0444\u0438\u0433\u0443\u0440\u044B\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0444\u0438\u043A\u0441\u0430\u0446\u0438\u044F\u0432\u0442\u0430\u0431\u043B\u0438\u0446\u0435 \u0444\u043E\u0440\u043C\u0430\u0442\u0434\u043D\u044F\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 '\n + '\u0444\u043E\u0440\u043C\u0430\u0442\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0448\u0438\u0440\u0438\u043D\u0430\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0444\u043E\u0440\u043C\u044B ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0441\u0432\u043E\u0439\u0441\u0442\u0432\u0430 \u043F\u0440\u0438\u043A\u043B\u0430\u0434\u043D\u044B\u0445 \u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432 ==> class\n const v8_system_enums_objects_properties =\n '\u0432\u0438\u0434\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u044F\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0438\u0438 \u0432\u0438\u0434\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u044F\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0432\u0438\u0434\u0441\u0447\u0435\u0442\u0430 \u0432\u0438\u0434\u0442\u043E\u0447\u043A\u0438\u043C\u0430\u0440\u0448\u0440\u0443\u0442\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 '\n + '\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0430\u0433\u0440\u0435\u0433\u0430\u0442\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0435\u0436\u0438\u043C\u0430\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F '\n + '\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u0440\u0435\u0437\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0430\u0433\u0440\u0435\u0433\u0430\u0442\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u0432\u0440\u0435\u043C\u044F \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0438\u0441\u0438\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u043F\u043B\u0430\u043D\u044B \u043E\u0431\u043C\u0435\u043D\u0430 ==> class\n const v8_system_enums_exchange_plans =\n '\u0430\u0432\u0442\u043E\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u044F\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0439 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0439\u043D\u043E\u043C\u0435\u0440\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043E\u0442\u043F\u0440\u0430\u0432\u043A\u0430\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0442\u0430\u0431\u043B\u0438\u0447\u043D\u044B\u0439 \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 ==> class\n const v8_system_enums_tabular_document =\n '\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u043A\u043E\u043B\u043E\u043D\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B '\n + '\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u0441\u0442\u0440\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u043E\u0442\u043D\u043E\u0441\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 '\n + '\u0441\u043F\u043E\u0441\u043E\u0431\u0447\u0442\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0434\u0432\u0443\u0441\u0442\u043E\u0440\u043E\u043D\u043D\u0435\u0439\u043F\u0435\u0447\u0430\u0442\u0438 \u0442\u0438\u043F\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 '\n + '\u0442\u0438\u043F\u043A\u0443\u0440\u0441\u043E\u0440\u043E\u0432\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0440\u0438\u0441\u0443\u043D\u043A\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u044F\u0447\u0435\u0439\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 '\n + '\u0442\u0438\u043F\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0435\u0445\u043E\u0434\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043B\u0438\u043D\u0438\u0439\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B '\n + '\u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0440\u0438\u0441\u0443\u043D\u043A\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0441\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 '\n + '\u0442\u0438\u043F\u0443\u0437\u043E\u0440\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0444\u0430\u0439\u043B\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u043E\u0447\u043D\u043E\u0441\u0442\u044C\u043F\u0435\u0447\u0430\u0442\u0438 \u0447\u0435\u0440\u0435\u0434\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u044F\u0441\u0442\u0440\u0430\u043D\u0438\u0446 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u043F\u043B\u0430\u043D\u0438\u0440\u043E\u0432\u0449\u0438\u043A ==> class\n const v8_system_enums_sheduler =\n '\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u0440\u0435\u043C\u0435\u043D\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u043F\u043B\u0430\u043D\u0438\u0440\u043E\u0432\u0449\u0438\u043A\u0430 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439 \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 ==> class\n const v8_system_enums_formatted_document =\n '\u0442\u0438\u043F\u0444\u0430\u0439\u043B\u0430\u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0437\u0430\u043F\u0440\u043E\u0441 ==> class\n const v8_system_enums_query =\n '\u043E\u0431\u0445\u043E\u0434\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0437\u0430\u043F\u0438\u0441\u0438\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C \u043E\u0442\u0447\u0435\u0442\u0430 ==> class\n const v8_system_enums_report_builder =\n '\u0432\u0438\u0434\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0434\u043E\u0431\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u044F\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0438\u0442\u043E\u0433\u043E\u0432 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0440\u0430\u0431\u043E\u0442\u0430 \u0441 \u0444\u0430\u0439\u043B\u0430\u043C\u0438 ==> class\n const v8_system_enums_files =\n '\u0434\u043E\u0441\u0442\u0443\u043F\u043A\u0444\u0430\u0439\u043B\u0443 \u0440\u0435\u0436\u0438\u043C\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u0432\u044B\u0431\u043E\u0440\u0430\u0444\u0430\u0439\u043B\u0430 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0444\u0430\u0439\u043B\u0430 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C \u0437\u0430\u043F\u0440\u043E\u0441\u0430 ==> class\n const v8_system_enums_query_builder =\n '\u0442\u0438\u043F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u044F\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0430\u043D\u0430\u043B\u0438\u0437 \u0434\u0430\u043D\u043D\u044B\u0445 ==> class\n const v8_system_enums_data_analysis =\n '\u0432\u0438\u0434\u0434\u0430\u043D\u043D\u044B\u0445\u0430\u043D\u0430\u043B\u0438\u0437\u0430 \u043C\u0435\u0442\u043E\u0434\u043A\u043B\u0430\u0441\u0442\u0435\u0440\u0438\u0437\u0430\u0446\u0438\u0438 \u0442\u0438\u043F\u0435\u0434\u0438\u043D\u0438\u0446\u044B\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430\u0432\u0440\u0435\u043C\u0435\u043D\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0442\u0438\u043F\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0447\u0438\u0441\u043B\u043E\u0432\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u0430\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u0434\u0435\u0440\u0435\u0432\u043E\u0440\u0435\u0448\u0435\u043D\u0438\u0439 '\n + '\u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043A\u043B\u0430\u0441\u0442\u0435\u0440\u0438\u0437\u0430\u0446\u0438\u044F \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0430\u044F\u0441\u0442\u0430\u0442\u0438\u0441\u0442\u0438\u043A\u0430 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0439 '\n + '\u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u043C\u043E\u0434\u0435\u043B\u0438\u043F\u0440\u043E\u0433\u043D\u043E\u0437\u0430 \u0442\u0438\u043F\u043C\u0435\u0440\u044B\u0440\u0430\u0441\u0441\u0442\u043E\u044F\u043D\u0438\u044F\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0442\u0438\u043F\u043E\u0442\u0441\u0435\u0447\u0435\u043D\u0438\u044F\u043F\u0440\u0430\u0432\u0438\u043B\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0438 \u0442\u0438\u043F\u043F\u043E\u043B\u044F\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u0438\u0437\u0430\u0446\u0438\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0443\u043F\u043E\u0440\u044F\u0434\u043E\u0447\u0438\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u0430\u0432\u0438\u043B\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0442\u0438\u043F\u0443\u043F\u043E\u0440\u044F\u0434\u043E\u0447\u0438\u0432\u0430\u043D\u0438\u044F\u0448\u0430\u0431\u043B\u043E\u043D\u043E\u0432\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0443\u043F\u0440\u043E\u0449\u0435\u043D\u0438\u044F\u0434\u0435\u0440\u0435\u0432\u0430\u0440\u0435\u0448\u0435\u043D\u0438\u0439 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - xml, json, xs, dom, xdto, web-\u0441\u0435\u0440\u0432\u0438\u0441\u044B ==> class\n const v8_system_enums_xml_json_xs_dom_xdto_ws =\n 'ws\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430 \u0432\u0430\u0440\u0438\u0430\u043D\u0442xpathxs \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0437\u0430\u043F\u0438\u0441\u0438\u0434\u0430\u0442\u044Bjson \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0432\u0438\u0434\u0433\u0440\u0443\u043F\u043F\u044B\u043C\u043E\u0434\u0435\u043B\u0438xs \u0432\u0438\u0434\u0444\u0430\u0441\u0435\u0442\u0430xdto '\n + '\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044Fdom \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u043D\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u0441\u0445\u0435\u043C\u044Bxs \u0437\u0430\u043F\u0440\u0435\u0449\u0435\u043D\u043D\u044B\u0435\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs '\n + '\u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u0438\u0434\u0435\u043D\u0442\u0438\u0447\u043D\u043E\u0441\u0442\u0438xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u0442\u0440\u0430\u043D\u0441\u0442\u0432\u0438\u043C\u0435\u043Dxs '\n + '\u043C\u0435\u0442\u043E\u0434\u043D\u0430\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u043D\u0438\u044Fxs \u043C\u043E\u0434\u0435\u043B\u044C\u0441\u043E\u0434\u0435\u0440\u0436\u0438\u043C\u043E\u0433\u043Exs \u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0442\u0438\u043F\u0430xml \u043D\u0435\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0445\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432xs \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0441\u043E\u0434\u0435\u0440\u0436\u0438\u043C\u043E\u0433\u043Exs '\n + '\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u043E\u0442\u0431\u043E\u0440\u0430\u0443\u0437\u043B\u043E\u0432dom \u043F\u0435\u0440\u0435\u043D\u043E\u0441\u0441\u0442\u0440\u043E\u043Ajson \u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0432\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0435dom \u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u044Bxml \u0442\u0438\u043F\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xml \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fjson '\n + '\u0442\u0438\u043F\u043A\u0430\u043D\u043E\u043D\u0438\u0447\u0435\u0441\u043A\u043E\u0433\u043Exml \u0442\u0438\u043F\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044Bxs \u0442\u0438\u043F\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0438xml \u0442\u0438\u043F\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430domxpath \u0442\u0438\u043F\u0443\u0437\u043B\u0430dom \u0442\u0438\u043F\u0443\u0437\u043B\u0430xml \u0444\u043E\u0440\u043C\u0430xml \u0444\u043E\u0440\u043C\u0430\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u044Fxs '\n + '\u0444\u043E\u0440\u043C\u0430\u0442\u0434\u0430\u0442\u044Bjson \u044D\u043A\u0440\u0430\u043D\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432json ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0441\u0438\u0441\u0442\u0435\u043C\u0430 \u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438 \u0434\u0430\u043D\u043D\u044B\u0445 ==> class\n const v8_system_enums_data_composition_system =\n '\u0432\u0438\u0434\u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0440\u0442\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0432\u043B\u043E\u0436\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u0435\u0439\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0441\u043A\u043E\u0433\u043E\u043E\u0441\u0442\u0430\u0442\u043A\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0432\u044B\u0432\u043E\u0434\u0430\u0442\u0435\u043A\u0441\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0442\u0438\u043F\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0433\u0440\u0443\u043F\u043F\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u043E\u0442\u0431\u043E\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0442\u0438\u043F\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u043F\u043E\u043B\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043E\u0441\u0442\u0430\u0442\u043A\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0442\u0438\u043F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0441\u0432\u044F\u0437\u0438\u043D\u0430\u0431\u043E\u0440\u043E\u0432\u0434\u0430\u043D\u043D\u044B\u0445\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043B\u0435\u0433\u0435\u043D\u0434\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043F\u0440\u0438\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043F\u043E\u0441\u043E\u0431\u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0440\u0435\u0436\u0438\u043C\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0430\u0432\u0442\u043E\u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0444\u0438\u043A\u0441\u0430\u0446\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0443\u0441\u043B\u043E\u0432\u043D\u043E\u0433\u043E\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u043F\u043E\u0447\u0442\u0430 ==> class\n const v8_system_enums_email =\n '\u0432\u0430\u0436\u043D\u043E\u0441\u0442\u044C\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0442\u0435\u043A\u0441\u0442\u0430\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0432\u043B\u043E\u0436\u0435\u043D\u0438\u044F '\n + '\u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043D\u0435ascii\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0442\u0435\u043A\u0441\u0442\u0430\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043F\u0440\u043E\u0442\u043E\u043A\u043E\u043B\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u044B '\n + '\u0441\u0442\u0430\u0442\u0443\u0441\u0440\u0430\u0437\u0431\u043E\u0440\u0430\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0436\u0443\u0440\u043D\u0430\u043B \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 ==> class\n const v8_system_enums_logbook =\n '\u0440\u0435\u0436\u0438\u043C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0438\u0437\u0430\u043F\u0438\u0441\u0438\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0441\u0442\u0430\u0442\u0443\u0441\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0438\u0437\u0430\u043F\u0438\u0441\u0438\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u044F ==> class\n const v8_system_enums_cryptography =\n '\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u0432\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u044F\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0438\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0430\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 '\n + '\u0442\u0438\u043F\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - ZIP ==> class\n const v8_system_enums_zip =\n '\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430\u0438\u043C\u0435\u043D\u0444\u0430\u0439\u043B\u043E\u0432\u0432zip\u0444\u0430\u0439\u043B\u0435 \u043C\u0435\u0442\u043E\u0434\u0441\u0436\u0430\u0442\u0438\u044Fzip \u043C\u0435\u0442\u043E\u0434\u0448\u0438\u0444\u0440\u043E\u0432\u0430\u043D\u0438\u044Fzip \u0440\u0435\u0436\u0438\u043C\u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0443\u0442\u0435\u0439\u0444\u0430\u0439\u043B\u043E\u0432zip \u0440\u0435\u0436\u0438\u043C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u043F\u043E\u0434\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043E\u0432zip '\n + '\u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u043F\u0443\u0442\u0435\u0439zip \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0441\u0436\u0430\u0442\u0438\u044Fzip ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F -\n // \u0411\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0430 \u0434\u0430\u043D\u043D\u044B\u0445, \u0424\u043E\u043D\u043E\u0432\u044B\u0435 \u0437\u0430\u0434\u0430\u043D\u0438\u044F, \u0410\u0432\u0442\u043E\u043C\u0430\u0442\u0438\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u043E\u0435 \u0442\u0435\u0441\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435,\n // \u0414\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0435 \u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u044F, \u0412\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0435 \u043F\u043E\u043A\u0443\u043F\u043A\u0438, \u0418\u043D\u0442\u0435\u0440\u043D\u0435\u0442, \u0420\u0430\u0431\u043E\u0442\u0430 \u0441 \u0434\u0432\u043E\u0438\u0447\u043D\u044B\u043C\u0438 \u0434\u0430\u043D\u043D\u044B\u043C\u0438 ==> class\n const v8_system_enums_other =\n '\u0437\u0432\u0443\u043A\u043E\u0432\u043E\u0435\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u0435 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0445\u043E\u0434\u0430\u043A\u0441\u0442\u0440\u043E\u043A\u0435 \u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0432\u043F\u043E\u0442\u043E\u043A\u0435 \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u0431\u0430\u0439\u0442\u043E\u0432 \u0440\u0435\u0436\u0438\u043C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u043E\u0439\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0441\u0435\u0440\u0432\u0438\u0441\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0445\u043F\u043E\u043A\u0443\u043F\u043E\u043A \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u0444\u043E\u043D\u043E\u0432\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0442\u0438\u043F\u043F\u043E\u0434\u043F\u0438\u0441\u0447\u0438\u043A\u0430\u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0445\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0439 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0437\u0430\u0449\u0438\u0449\u0435\u043D\u043D\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044Fftp ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0441\u0445\u0435\u043C\u0430 \u0437\u0430\u043F\u0440\u043E\u0441\u0430 ==> class\n const v8_system_enums_request_schema =\n '\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043E\u0440\u044F\u0434\u043A\u0430\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043C\u0438\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u043A\u043E\u043D\u0442\u0440\u043E\u043B\u044C\u043D\u043E\u0439\u0442\u043E\u0447\u043A\u0438\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u043E\u0431\u044A\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 '\n + '\u0442\u0438\u043F\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0441\u0432\u043E\u0439\u0441\u0442\u0432\u0430 \u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432 \u043C\u0435\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445 ==> class\n const v8_system_enums_properties_of_metadata_objects =\n 'http\u043C\u0435\u0442\u043E\u0434 \u0430\u0432\u0442\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0430\u0432\u0442\u043E\u043F\u0440\u0435\u0444\u0438\u043A\u0441\u043D\u043E\u043C\u0435\u0440\u0430\u0437\u0430\u0434\u0430\u0447\u0438 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u043E\u0433\u043E\u044F\u0437\u044B\u043A\u0430 \u0432\u0438\u0434\u0438\u0435\u0440\u0430\u0440\u0445\u0438\u0438 \u0432\u0438\u0434\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F '\n + '\u0432\u0438\u0434\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0437\u0430\u043F\u0438\u0441\u044C\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0439\u043F\u0440\u0438\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0438 \u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u0435\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439 \u0438\u043D\u0434\u0435\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435 '\n + '\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0431\u0430\u0437\u044B\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0431\u044B\u0441\u0442\u0440\u043E\u0433\u043E\u0432\u044B\u0431\u043E\u0440\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u0438\u044F '\n + '\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0437\u0434\u0435\u043B\u044F\u0435\u043C\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 '\n + '\u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0434\u0430\u0447\u0438 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u043E\u043F\u0435\u0440\u0430\u0442\u0438\u0432\u043D\u043E\u0435\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0432\u0438\u0434\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0432\u0438\u0434\u0430\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A\u0438 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0437\u0430\u0434\u0430\u0447\u0438 '\n + '\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043B\u0430\u043D\u0430\u043E\u0431\u043C\u0435\u043D\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u0447\u0435\u0442\u0430 \u043F\u0435\u0440\u0435\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0433\u0440\u0430\u043D\u0438\u0446\u044B\u043F\u0440\u0438\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0438 '\n + '\u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u043D\u043E\u043C\u0435\u0440\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u043D\u043E\u043C\u0435\u0440\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0441\u0432\u0435\u0434\u0435\u043D\u0438\u0439 '\n + '\u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0432\u043E\u0437\u0432\u0440\u0430\u0449\u0430\u0435\u043C\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u043F\u043E\u0438\u0441\u043A\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u043F\u0440\u0438\u043D\u0430\u0434\u043B\u0435\u0436\u043D\u043E\u0441\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442\u0430 \u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435 '\n + '\u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0430\u0443\u0442\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0446\u0438\u0438\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 '\n + '\u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u0438\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432 \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0438\u0441\u0438\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043C\u043E\u0434\u0430\u043B\u044C\u043D\u043E\u0441\u0442\u0438 '\n + '\u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0438\u043D\u0445\u0440\u043E\u043D\u043D\u044B\u0445\u0432\u044B\u0437\u043E\u0432\u043E\u0432\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043F\u043B\u0430\u0442\u0444\u043E\u0440\u043C\u044B\u0438\u0432\u043D\u0435\u0448\u043D\u0438\u0445\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442 \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0433\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0435\u0430\u043D\u0441\u043E\u0432 '\n + '\u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u044B\u0431\u043E\u0440\u0430\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0432\u043C\u0435\u0441\u0442\u0438\u043C\u043E\u0441\u0442\u0438 \u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0432\u043C\u0435\u0441\u0442\u0438\u043C\u043E\u0441\u0442\u0438\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 '\n + '\u0440\u0435\u0436\u0438\u043C\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u043E\u0439\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0443\u043C\u043E\u043B\u0447\u0430\u043D\u0438\u044E \u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A \u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u043F\u043B\u0430\u043D\u0430\u0441\u0447\u0435\u0442\u043E\u0432 '\n + '\u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u0441\u043F\u043E\u0441\u043E\u0431\u0432\u044B\u0431\u043E\u0440\u0430 \u0441\u043F\u043E\u0441\u043E\u0431\u043F\u043E\u0438\u0441\u043A\u0430\u0441\u0442\u0440\u043E\u043A\u0438\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u0441\u043F\u043E\u0441\u043E\u0431\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F '\n + '\u0442\u0438\u043F\u0434\u0430\u043D\u043D\u044B\u0445\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043A\u043E\u0434\u0430\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u043A\u043E\u0434\u0430\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430 \u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 '\n + '\u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0437\u0430\u0434\u0430\u0447\u0438 \u0442\u0438\u043F\u0444\u043E\u0440\u043C\u044B \u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0439 ';\n\n // v8 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F - \u0440\u0430\u0437\u043D\u044B\u0435 ==> class\n const v8_system_enums_differents =\n '\u0432\u0430\u0436\u043D\u043E\u0441\u0442\u044C\u043F\u0440\u043E\u0431\u043B\u0435\u043C\u044B\u043F\u0440\u0438\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0444\u043E\u0440\u043C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F '\n + '\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u0448\u0440\u0438\u0444\u0442\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0439\u0434\u0430\u0442\u044B\u043D\u0430\u0447\u0430\u043B\u0430 \u0432\u0438\u0434\u0433\u0440\u0430\u043D\u0438\u0446\u044B \u0432\u0438\u0434\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 '\n + '\u0432\u0438\u0434\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0432\u0438\u0434\u0440\u0430\u043C\u043A\u0438 \u0432\u0438\u0434\u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u0446\u0432\u0435\u0442\u0430 \u0432\u0438\u0434\u0447\u0438\u0441\u043B\u043E\u0432\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u0448\u0440\u0438\u0444\u0442\u0430 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u0430\u044F\u0434\u043B\u0438\u043D\u0430 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0439\u0437\u043D\u0430\u043A '\n + '\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435byteordermark \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043C\u0435\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043A\u043B\u0430\u0432\u0438\u0448\u0430 \u043A\u043E\u0434\u0432\u043E\u0437\u0432\u0440\u0430\u0442\u0430\u0434\u0438\u0430\u043B\u043E\u0433\u0430 '\n + '\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430xbase \u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430\u0442\u0435\u043A\u0441\u0442\u0430 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043E\u0438\u0441\u043A\u0430 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0440\u0442\u0438\u0440\u043E\u0432\u043A\u0438 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0438\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0430\u043D\u0435\u043B\u0438\u0440\u0430\u0437\u0434\u0435\u043B\u043E\u0432 \u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0430\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u0432\u043E\u043F\u0440\u043E\u0441 \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0443\u0441\u043A\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u043A\u0440\u0443\u0433\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0444\u043E\u0440\u043C\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F '\n + '\u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0441\u043A\u043E\u0440\u043E\u0441\u0442\u044C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0441\u043F\u043E\u0441\u043E\u0431\u0432\u044B\u0431\u043E\u0440\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0430windows \u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0442\u0440\u043E\u043A\u0438 \u0441\u0442\u0430\u0442\u0443\u0441\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B \u0442\u0438\u043F\u043F\u043B\u0430\u0442\u0444\u043E\u0440\u043C\u044B \u0442\u0438\u043F\u043F\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F\u043A\u043B\u0430\u0432\u0438\u0448\u0438enter '\n + '\u0442\u0438\u043F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u0438\u043E\u0432\u044B\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u0438\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0438\u0437\u043E\u043B\u044F\u0446\u0438\u0438\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0439 \u0445\u0435\u0448\u0444\u0443\u043D\u043A\u0446\u0438\u044F \u0447\u0430\u0441\u0442\u0438\u0434\u0430\u0442\u044B';\n\n // class: \u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0435 \u043D\u0430\u0431\u043E\u0440\u044B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439, \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F (\u0441\u043E\u0434\u0435\u0440\u0436\u0430\u0442 \u0434\u043E\u0447\u0435\u0440\u043D\u0438\u0435 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F, \u043E\u0431\u0440\u0430\u0449\u0435\u043D\u0438\u044F \u043A \u043A\u043E\u0442\u043E\u0440\u044B\u043C \u0447\u0435\u0440\u0435\u0437 \u0440\u0430\u0437\u044B\u043C\u0435\u043D\u043E\u0432\u0430\u043D\u0438\u0435)\n const CLASS =\n v8_system_sets_of_values\n + v8_system_enums_interface\n + v8_system_enums_objects_properties\n + v8_system_enums_exchange_plans\n + v8_system_enums_tabular_document\n + v8_system_enums_sheduler\n + v8_system_enums_formatted_document\n + v8_system_enums_query\n + v8_system_enums_report_builder\n + v8_system_enums_files\n + v8_system_enums_query_builder\n + v8_system_enums_data_analysis\n + v8_system_enums_xml_json_xs_dom_xdto_ws\n + v8_system_enums_data_composition_system\n + v8_system_enums_email\n + v8_system_enums_logbook\n + v8_system_enums_cryptography\n + v8_system_enums_zip\n + v8_system_enums_other\n + v8_system_enums_request_schema\n + v8_system_enums_properties_of_metadata_objects\n + v8_system_enums_differents;\n\n // v8 \u043E\u0431\u0449\u0438\u0435 \u043E\u0431\u044A\u0435\u043A\u0442\u044B (\u0443 \u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432 \u0435\u0441\u0442\u044C \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440, \u044D\u043A\u0437\u0435\u043C\u043F\u043B\u044F\u0440\u044B \u0441\u043E\u0437\u0434\u0430\u044E\u0442\u0441\u044F \u043C\u0435\u0442\u043E\u0434\u043E\u043C \u041D\u041E\u0412\u042B\u0419) ==> type\n const v8_shared_object =\n 'com\u043E\u0431\u044A\u0435\u043A\u0442 ftp\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 http\u0437\u0430\u043F\u0440\u043E\u0441 http\u0441\u0435\u0440\u0432\u0438\u0441\u043E\u0442\u0432\u0435\u0442 http\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 ws\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044F ws\u043F\u0440\u043E\u043A\u0441\u0438 xbase \u0430\u043D\u0430\u043B\u0438\u0437\u0434\u0430\u043D\u043D\u044B\u0445 \u0430\u043D\u043D\u043E\u0442\u0430\u0446\u0438\u044Fxs '\n + '\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0443\u0444\u0435\u0440\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435xs \u0432\u044B\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0433\u0435\u043D\u0435\u0440\u0430\u0442\u043E\u0440\u0441\u043B\u0443\u0447\u0430\u0439\u043D\u044B\u0445\u0447\u0438\u0441\u0435\u043B \u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0430\u044F\u0441\u0445\u0435\u043C\u0430 '\n + '\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0438\u0435\u043A\u043E\u043E\u0440\u0434\u0438\u043D\u0430\u0442\u044B \u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0430\u044F\u0441\u0445\u0435\u043C\u0430 \u0433\u0440\u0443\u043F\u043F\u0430\u043C\u043E\u0434\u0435\u043B\u0438xs \u0434\u0430\u043D\u043D\u044B\u0435\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0435\u0434\u0430\u043D\u043D\u044B\u0435 \u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u0430 '\n + '\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430 \u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430\u0433\u0430\u043D\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0444\u0430\u0439\u043B\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0446\u0432\u0435\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0448\u0440\u0438\u0444\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0440\u0430\u0441\u043F\u0438\u0441\u0430\u043D\u0438\u044F\u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F '\n + '\u0434\u0438\u0430\u043B\u043E\u0433\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430 \u0434\u0438\u0430\u043F\u0430\u0437\u043E\u043D \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442dom \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442html \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430\u0446\u0438\u044Fxs \u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u043E\u0435\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0435 '\n + '\u0437\u0430\u043F\u0438\u0441\u044Cdom \u0437\u0430\u043F\u0438\u0441\u044Cfastinfoset \u0437\u0430\u043F\u0438\u0441\u044Chtml \u0437\u0430\u043F\u0438\u0441\u044Cjson \u0437\u0430\u043F\u0438\u0441\u044Cxml \u0437\u0430\u043F\u0438\u0441\u044Czip\u0444\u0430\u0439\u043B\u0430 \u0437\u0430\u043F\u0438\u0441\u044C\u0434\u0430\u043D\u043D\u044B\u0445 \u0437\u0430\u043F\u0438\u0441\u044C\u0442\u0435\u043A\u0441\u0442\u0430 \u0437\u0430\u043F\u0438\u0441\u044C\u0443\u0437\u043B\u043E\u0432dom '\n + '\u0437\u0430\u043F\u0440\u043E\u0441 \u0437\u0430\u0449\u0438\u0449\u0435\u043D\u043D\u043E\u0435\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435openssl \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u0435\u0439\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0438\u0437\u0432\u043B\u0435\u0447\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430 \u0438\u043C\u043F\u043E\u0440\u0442xs \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u0430 '\n + '\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0435\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435 \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u044B\u0439\u043F\u0440\u043E\u0444\u0438\u043B\u044C \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u0440\u043E\u043A\u0441\u0438 \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u0434\u043B\u044F\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044Fxs '\n + '\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u044B\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u0438\u0442\u0435\u0440\u0430\u0442\u043E\u0440\u0443\u0437\u043B\u043E\u0432dom \u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0430 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0434\u0430\u0442\u044B \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0441\u0442\u0440\u043E\u043A\u0438 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0447\u0438\u0441\u043B\u0430 '\n + '\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u0449\u0438\u043A\u043C\u0430\u043A\u0435\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u0449\u0438\u043A\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u043C\u0430\u043A\u0435\u0442\u0430\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u0444\u043E\u0440\u043C\u0430\u0442\u043D\u043E\u0439\u0441\u0442\u0440\u043E\u043A\u0438 \u043B\u0438\u043D\u0438\u044F \u043C\u0430\u043A\u0435\u0442\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043C\u0430\u043A\u0435\u0442\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u043C\u0430\u043A\u0435\u0442\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043C\u0430\u0441\u043A\u0430xs \u043C\u0435\u043D\u0435\u0434\u0436\u0435\u0440\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u043D\u0430\u0431\u043E\u0440\u0441\u0445\u0435\u043Cxml \u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438json '\n + '\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u0431\u0445\u043E\u0434\u0434\u0435\u0440\u0435\u0432\u0430dom \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u043D\u043E\u0442\u0430\u0446\u0438\u0438xs '\n + '\u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430xs \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0434\u043E\u0441\u0442\u0443\u043F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 '\n + '\u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u043E\u0442\u043A\u0430\u0437\u0432\u0434\u043E\u0441\u0442\u0443\u043F\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0434\u0430\u0432\u0430\u0435\u043C\u043E\u0433\u043E\u0444\u0430\u0439\u043B\u0430 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0442\u0438\u043F\u043E\u0432 \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u043E\u0432xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u043C\u043E\u0434\u0435\u043B\u0438xs '\n + '\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u0438\u0434\u0435\u043D\u0442\u0438\u0447\u043D\u043E\u0441\u0442\u0438xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0441\u0442\u0430\u0432\u043D\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0442\u0438\u043F\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430dom '\n + '\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044Fxpathxs \u043E\u0442\u0431\u043E\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u0430\u043A\u0435\u0442\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0430\u0435\u043C\u044B\u0445\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0432\u044B\u0431\u043E\u0440\u0430 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0437\u0430\u043F\u0438\u0441\u0438json \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0437\u0430\u043F\u0438\u0441\u0438xml \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0447\u0442\u0435\u043D\u0438\u044Fxml \u043F\u0435\u0440\u0435\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435xs \u043F\u043B\u0430\u043D\u0438\u0440\u043E\u0432\u0449\u0438\u043A \u043F\u043E\u043B\u0435\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u043F\u043E\u043B\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044Cdom \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u043E\u0442\u0447\u0435\u0442\u0430 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u043E\u0442\u0447\u0435\u0442\u0430\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 '\n + '\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u0441\u0445\u0435\u043Cxml \u043F\u043E\u0442\u043E\u043A \u043F\u043E\u0442\u043E\u043A\u0432\u043F\u0430\u043C\u044F\u0442\u0438 \u043F\u043E\u0447\u0442\u0430 \u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0435\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435 \u043F\u0440\u0435\u043E\u0431\u0440\u0430\u0437\u043E\u0432\u0430\u043D\u0438\u0435xsl \u043F\u0440\u0435\u043E\u0431\u0440\u0430\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043A\u043A\u0430\u043D\u043E\u043D\u0438\u0447\u0435\u0441\u043A\u043E\u043C\u0443xml '\n + '\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u0432\u044B\u0432\u043E\u0434\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u043A\u043E\u043B\u043B\u0435\u043A\u0446\u0438\u044E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u0432\u044B\u0432\u043E\u0434\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 '\n + '\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0437\u044B\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043F\u0440\u043E\u0441\u0442\u0440\u0430\u043D\u0441\u0442\u0432\u0438\u043C\u0435\u043Ddom \u0440\u0430\u043C\u043A\u0430 \u0440\u0430\u0441\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u043D\u043E\u0435\u0438\u043C\u044Fxml '\n + '\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0447\u0442\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0432\u043E\u0434\u043D\u0430\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430 \u0441\u0432\u044F\u0437\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u0432\u044B\u0431\u043E\u0440\u0430 \u0441\u0432\u044F\u0437\u044C\u043F\u043E\u0442\u0438\u043F\u0443 \u0441\u0432\u044F\u0437\u044C\u043F\u043E\u0442\u0438\u043F\u0443\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0442\u043E\u0440xdto '\n + '\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u043B\u0438\u0435\u043D\u0442\u0430windows \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u0444\u0430\u0439\u043B \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u044B\u0443\u0434\u043E\u0441\u0442\u043E\u0432\u0435\u0440\u044F\u044E\u0449\u0438\u0445\u0446\u0435\u043D\u0442\u0440\u043E\u0432windows '\n + '\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u044B\u0443\u0434\u043E\u0441\u0442\u043E\u0432\u0435\u0440\u044F\u044E\u0449\u0438\u0445\u0446\u0435\u043D\u0442\u0440\u043E\u0432\u0444\u0430\u0439\u043B \u0441\u0436\u0430\u0442\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u0430\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F \u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044E \u0441\u043E\u0447\u0435\u0442\u0430\u043D\u0438\u0435\u043A\u043B\u0430\u0432\u0438\u0448 '\n + '\u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u0430\u044F\u0434\u0430\u0442\u0430\u043D\u0430\u0447\u0430\u043B\u0430 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u044B\u0439\u043F\u0435\u0440\u0438\u043E\u0434 \u0441\u0445\u0435\u043C\u0430xml \u0441\u0445\u0435\u043C\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0430\u0431\u043B\u0438\u0447\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 '\n + '\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u0442\u0435\u0441\u0442\u0438\u0440\u0443\u0435\u043C\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u0438\u043F\u0434\u0430\u043D\u043D\u044B\u0445xml \u0443\u043D\u0438\u043A\u0430\u043B\u044C\u043D\u044B\u0439\u0438\u0434\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440 \u0444\u0430\u0431\u0440\u0438\u043A\u0430xdto \u0444\u0430\u0439\u043B \u0444\u0430\u0439\u043B\u043E\u0432\u044B\u0439\u043F\u043E\u0442\u043E\u043A '\n + '\u0444\u0430\u0441\u0435\u0442\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u0430\u0440\u0430\u0437\u0440\u044F\u0434\u043E\u0432\u0434\u0440\u043E\u0431\u043D\u043E\u0439\u0447\u0430\u0441\u0442\u0438xs \u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0432\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs '\n + '\u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0438\u0441\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0439\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0432\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs '\n + '\u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0438\u0441\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0439\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043E\u0431\u0440\u0430\u0437\u0446\u0430xs \u0444\u0430\u0441\u0435\u0442\u043E\u0431\u0449\u0435\u0433\u043E\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u0430\u0440\u0430\u0437\u0440\u044F\u0434\u043E\u0432xs '\n + '\u0444\u0430\u0441\u0435\u0442\u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0445\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432xs \u0444\u0438\u043B\u044C\u0442\u0440\u0443\u0437\u043B\u043E\u0432dom \u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u0430\u044F\u0441\u0442\u0440\u043E\u043A\u0430 \u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 '\n + '\u0444\u0440\u0430\u0433\u043C\u0435\u043D\u0442xs \u0445\u0435\u0448\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0446\u0432\u0435\u0442 \u0447\u0442\u0435\u043D\u0438\u0435fastinfoset \u0447\u0442\u0435\u043D\u0438\u0435html \u0447\u0442\u0435\u043D\u0438\u0435json \u0447\u0442\u0435\u043D\u0438\u0435xml \u0447\u0442\u0435\u043D\u0438\u0435zip\u0444\u0430\u0439\u043B\u0430 '\n + '\u0447\u0442\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0447\u0442\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430 \u0447\u0442\u0435\u043D\u0438\u0435\u0443\u0437\u043B\u043E\u0432dom \u0448\u0440\u0438\u0444\u0442 \u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 ';\n\n // v8 \u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u044B\u0435 \u043A\u043E\u043B\u043B\u0435\u043A\u0446\u0438\u0438 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 ==> type\n const v8_universal_collection =\n 'comsafearray \u0434\u0435\u0440\u0435\u0432\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043C\u0430\u0441\u0441\u0438\u0432 \u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435 \u0441\u043F\u0438\u0441\u043E\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0430 \u0442\u0430\u0431\u043B\u0438\u0446\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u0430\u044F\u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0430 '\n + '\u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u043E\u0435\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435 \u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u043C\u0430\u0441\u0441\u0438\u0432 ';\n\n // type : \u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0435 \u0442\u0438\u043F\u044B\n const TYPE =\n v8_shared_object\n + v8_universal_collection;\n\n // literal : \u043F\u0440\u0438\u043C\u0438\u0442\u0438\u0432\u043D\u044B\u0435 \u0442\u0438\u043F\u044B\n const LITERAL = 'null \u0438\u0441\u0442\u0438\u043D\u0430 \u043B\u043E\u0436\u044C \u043D\u0435\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043E';\n\n // number : \u0447\u0438\u0441\u043B\u0430\n const NUMBERS = hljs.inherit(hljs.NUMBER_MODE);\n\n // string : \u0441\u0442\u0440\u043E\u043A\u0438\n const STRINGS = {\n className: 'string',\n begin: '\"|\\\\|',\n end: '\"|$',\n contains: [ { begin: '\"\"' } ]\n };\n\n // number : \u0434\u0430\u0442\u044B\n const DATE = {\n begin: \"'\",\n end: \"'\",\n excludeBegin: true,\n excludeEnd: true,\n contains: [\n {\n className: 'number',\n begin: '\\\\d{4}([\\\\.\\\\\\\\/:-]?\\\\d{2}){0,5}'\n }\n ]\n };\n\n // comment : \u043A\u043E\u043C\u043C\u0435\u043D\u0442\u0430\u0440\u0438\u0438\n const COMMENTS = hljs.inherit(hljs.C_LINE_COMMENT_MODE);\n\n // meta : \u0438\u043D\u0441\u0442\u0440\u0443\u043A\u0446\u0438\u0438 \u043F\u0440\u0435\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u0430, \u0434\u0438\u0440\u0435\u043A\u0442\u0438\u0432\u044B \u043A\u043E\u043C\u043F\u0438\u043B\u044F\u0446\u0438\u0438\n const META = {\n className: 'meta',\n\n begin: '#|&',\n end: '$',\n keywords: {\n $pattern: UNDERSCORE_IDENT_RE,\n keyword: KEYWORD + METAKEYWORD\n },\n contains: [ COMMENTS ]\n };\n\n // symbol : \u043C\u0435\u0442\u043A\u0430 goto\n const SYMBOL = {\n className: 'symbol',\n begin: '~',\n end: ';|:',\n excludeEnd: true\n };\n\n // function : \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435 \u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440 \u0438 \u0444\u0443\u043D\u043A\u0446\u0438\u0439\n const FUNCTION = {\n className: 'function',\n variants: [\n {\n begin: '\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u0430|\u0444\u0443\u043D\u043A\u0446\u0438\u044F',\n end: '\\\\)',\n keywords: '\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u0430 \u0444\u0443\u043D\u043A\u0446\u0438\u044F'\n },\n {\n begin: '\u043A\u043E\u043D\u0435\u0446\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u044B|\u043A\u043E\u043D\u0435\u0446\u0444\u0443\u043D\u043A\u0446\u0438\u0438',\n keywords: '\u043A\u043E\u043D\u0435\u0446\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u044B \u043A\u043E\u043D\u0435\u0446\u0444\u0443\u043D\u043A\u0446\u0438\u0438'\n }\n ],\n contains: [\n {\n begin: '\\\\(',\n end: '\\\\)',\n endsParent: true,\n contains: [\n {\n className: 'params',\n begin: UNDERSCORE_IDENT_RE,\n end: ',',\n excludeEnd: true,\n endsWithParent: true,\n keywords: {\n $pattern: UNDERSCORE_IDENT_RE,\n keyword: '\u0437\u043D\u0430\u0447',\n literal: LITERAL\n },\n contains: [\n NUMBERS,\n STRINGS,\n DATE\n ]\n },\n COMMENTS\n ]\n },\n hljs.inherit(hljs.TITLE_MODE, { begin: UNDERSCORE_IDENT_RE })\n ]\n };\n\n return {\n name: '1C:Enterprise',\n case_insensitive: true,\n keywords: {\n $pattern: UNDERSCORE_IDENT_RE,\n keyword: KEYWORD,\n built_in: BUILTIN,\n class: CLASS,\n type: TYPE,\n literal: LITERAL\n },\n contains: [\n META,\n FUNCTION,\n COMMENTS,\n SYMBOL,\n NUMBERS,\n STRINGS,\n DATE\n ]\n };\n}\n\nmodule.exports = _1c;\n", "/*\nLanguage: Augmented Backus-Naur Form\nAuthor: Alex McKibben <alex@nullscope.net>\nWebsite: https://tools.ietf.org/html/rfc5234\nAudit: 2020\n*/\n\n/** @type LanguageFn */\nfunction abnf(hljs) {\n const regex = hljs.regex;\n const IDENT = /^[a-zA-Z][a-zA-Z0-9-]*/;\n\n const KEYWORDS = [\n \"ALPHA\",\n \"BIT\",\n \"CHAR\",\n \"CR\",\n \"CRLF\",\n \"CTL\",\n \"DIGIT\",\n \"DQUOTE\",\n \"HEXDIG\",\n \"HTAB\",\n \"LF\",\n \"LWSP\",\n \"OCTET\",\n \"SP\",\n \"VCHAR\",\n \"WSP\"\n ];\n\n const COMMENT = hljs.COMMENT(/;/, /$/);\n\n const TERMINAL_BINARY = {\n scope: \"symbol\",\n match: /%b[0-1]+(-[0-1]+|(\\.[0-1]+)+)?/\n };\n\n const TERMINAL_DECIMAL = {\n scope: \"symbol\",\n match: /%d[0-9]+(-[0-9]+|(\\.[0-9]+)+)?/\n };\n\n const TERMINAL_HEXADECIMAL = {\n scope: \"symbol\",\n match: /%x[0-9A-F]+(-[0-9A-F]+|(\\.[0-9A-F]+)+)?/\n };\n\n const CASE_SENSITIVITY = {\n scope: \"symbol\",\n match: /%[si](?=\".*\")/\n };\n\n const RULE_DECLARATION = {\n scope: \"attribute\",\n match: regex.concat(IDENT, /(?=\\s*=)/)\n };\n\n const ASSIGNMENT = {\n scope: \"operator\",\n match: /=\\/?/\n };\n\n return {\n name: 'Augmented Backus-Naur Form',\n illegal: /[!@#$^&',?+~`|:]/,\n keywords: KEYWORDS,\n contains: [\n ASSIGNMENT,\n RULE_DECLARATION,\n COMMENT,\n TERMINAL_BINARY,\n TERMINAL_DECIMAL,\n TERMINAL_HEXADECIMAL,\n CASE_SENSITIVITY,\n hljs.QUOTE_STRING_MODE,\n hljs.NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = abnf;\n", "/*\n Language: Apache Access Log\n Author: Oleg Efimov <efimovov@gmail.com>\n Description: Apache/Nginx Access Logs\n Website: https://httpd.apache.org/docs/2.4/logs.html#accesslog\n Category: web, logs\n Audit: 2020\n */\n\n/** @type LanguageFn */\nfunction accesslog(hljs) {\n const regex = hljs.regex;\n // https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods\n const HTTP_VERBS = [\n \"GET\",\n \"POST\",\n \"HEAD\",\n \"PUT\",\n \"DELETE\",\n \"CONNECT\",\n \"OPTIONS\",\n \"PATCH\",\n \"TRACE\"\n ];\n return {\n name: 'Apache Access Log',\n contains: [\n // IP\n {\n className: 'number',\n begin: /^\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}(:\\d{1,5})?\\b/,\n relevance: 5\n },\n // Other numbers\n {\n className: 'number',\n begin: /\\b\\d+\\b/,\n relevance: 0\n },\n // Requests\n {\n className: 'string',\n begin: regex.concat(/\"/, regex.either(...HTTP_VERBS)),\n end: /\"/,\n keywords: HTTP_VERBS,\n illegal: /\\n/,\n relevance: 5,\n contains: [\n {\n begin: /HTTP\\/[12]\\.\\d'/,\n relevance: 5\n }\n ]\n },\n // Dates\n {\n className: 'string',\n // dates must have a certain length, this prevents matching\n // simple array accesses a[123] and [] and other common patterns\n // found in other languages\n begin: /\\[\\d[^\\]\\n]{8,}\\]/,\n illegal: /\\n/,\n relevance: 1\n },\n {\n className: 'string',\n begin: /\\[/,\n end: /\\]/,\n illegal: /\\n/,\n relevance: 0\n },\n // User agent / relevance boost\n {\n className: 'string',\n begin: /\"Mozilla\\/\\d\\.\\d \\(/,\n end: /\"/,\n illegal: /\\n/,\n relevance: 3\n },\n // Strings\n {\n className: 'string',\n begin: /\"/,\n end: /\"/,\n illegal: /\\n/,\n relevance: 0\n }\n ]\n };\n}\n\nmodule.exports = accesslog;\n", "/*\nLanguage: ActionScript\nAuthor: Alexander Myadzel <myadzel@gmail.com>\nCategory: scripting\nAudit: 2020\n*/\n\n/** @type LanguageFn */\nfunction actionscript(hljs) {\n const regex = hljs.regex;\n const IDENT_RE = /[a-zA-Z_$][a-zA-Z0-9_$]*/;\n const PKG_NAME_RE = regex.concat(\n IDENT_RE,\n regex.concat(\"(\\\\.\", IDENT_RE, \")*\")\n );\n const IDENT_FUNC_RETURN_TYPE_RE = /([*]|[a-zA-Z_$][a-zA-Z0-9_$]*)/;\n\n const AS3_REST_ARG_MODE = {\n className: 'rest_arg',\n begin: /[.]{3}/,\n end: IDENT_RE,\n relevance: 10\n };\n\n const KEYWORDS = [\n \"as\",\n \"break\",\n \"case\",\n \"catch\",\n \"class\",\n \"const\",\n \"continue\",\n \"default\",\n \"delete\",\n \"do\",\n \"dynamic\",\n \"each\",\n \"else\",\n \"extends\",\n \"final\",\n \"finally\",\n \"for\",\n \"function\",\n \"get\",\n \"if\",\n \"implements\",\n \"import\",\n \"in\",\n \"include\",\n \"instanceof\",\n \"interface\",\n \"internal\",\n \"is\",\n \"namespace\",\n \"native\",\n \"new\",\n \"override\",\n \"package\",\n \"private\",\n \"protected\",\n \"public\",\n \"return\",\n \"set\",\n \"static\",\n \"super\",\n \"switch\",\n \"this\",\n \"throw\",\n \"try\",\n \"typeof\",\n \"use\",\n \"var\",\n \"void\",\n \"while\",\n \"with\"\n ];\n const LITERALS = [\n \"true\",\n \"false\",\n \"null\",\n \"undefined\"\n ];\n\n return {\n name: 'ActionScript',\n aliases: [ 'as' ],\n keywords: {\n keyword: KEYWORDS,\n literal: LITERALS\n },\n contains: [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.C_NUMBER_MODE,\n {\n match: [\n /\\bpackage/,\n /\\s+/,\n PKG_NAME_RE\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.class\"\n }\n },\n {\n match: [\n /\\b(?:class|interface|extends|implements)/,\n /\\s+/,\n IDENT_RE\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.class\"\n }\n },\n {\n className: 'meta',\n beginKeywords: 'import include',\n end: /;/,\n keywords: { keyword: 'import include' }\n },\n {\n beginKeywords: 'function',\n end: /[{;]/,\n excludeEnd: true,\n illegal: /\\S/,\n contains: [\n hljs.inherit(hljs.TITLE_MODE, { className: \"title.function\" }),\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n contains: [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n AS3_REST_ARG_MODE\n ]\n },\n { begin: regex.concat(/:\\s*/, IDENT_FUNC_RETURN_TYPE_RE) }\n ]\n },\n hljs.METHOD_GUARD\n ],\n illegal: /#/\n };\n}\n\nmodule.exports = actionscript;\n", "/*\nLanguage: Ada\nAuthor: Lars Schulna <kartoffelbrei.mit.muskatnuss@gmail.org>\nDescription: Ada is a general-purpose programming language that has great support for saftey critical and real-time applications.\n It has been developed by the DoD and thus has been used in military and safety-critical applications (like civil aviation).\n The first version appeared in the 80s, but it's still actively developed today with\n the newest standard being Ada2012.\n*/\n\n// We try to support full Ada2012\n//\n// We highlight all appearances of types, keywords, literals (string, char, number, bool)\n// and titles (user defined function/procedure/package)\n// CSS classes are set accordingly\n//\n// Languages causing problems for language detection:\n// xml (broken by Foo : Bar type), elm (broken by Foo : Bar type), vbscript-html (broken by body keyword)\n// sql (ada default.txt has a lot of sql keywords)\n\n/** @type LanguageFn */\nfunction ada(hljs) {\n // Regular expression for Ada numeric literals.\n // stolen form the VHDL highlighter\n\n // Decimal literal:\n const INTEGER_RE = '\\\\d(_|\\\\d)*';\n const EXPONENT_RE = '[eE][-+]?' + INTEGER_RE;\n const DECIMAL_LITERAL_RE = INTEGER_RE + '(\\\\.' + INTEGER_RE + ')?' + '(' + EXPONENT_RE + ')?';\n\n // Based literal:\n const BASED_INTEGER_RE = '\\\\w+';\n const BASED_LITERAL_RE = INTEGER_RE + '#' + BASED_INTEGER_RE + '(\\\\.' + BASED_INTEGER_RE + ')?' + '#' + '(' + EXPONENT_RE + ')?';\n\n const NUMBER_RE = '\\\\b(' + BASED_LITERAL_RE + '|' + DECIMAL_LITERAL_RE + ')';\n\n // Identifier regex\n const ID_REGEX = '[A-Za-z](_?[A-Za-z0-9.])*';\n\n // bad chars, only allowed in literals\n const BAD_CHARS = `[]\\\\{\\\\}%#'\"`;\n\n // Ada doesn't have block comments, only line comments\n const COMMENTS = hljs.COMMENT('--', '$');\n\n // variable declarations of the form\n // Foo : Bar := Baz;\n // where only Bar will be highlighted\n const VAR_DECLS = {\n // TODO: These spaces are not required by the Ada syntax\n // however, I have yet to see handwritten Ada code where\n // someone does not put spaces around :\n begin: '\\\\s+:\\\\s+',\n end: '\\\\s*(:=|;|\\\\)|=>|$)',\n // endsWithParent: true,\n // returnBegin: true,\n illegal: BAD_CHARS,\n contains: [\n {\n // workaround to avoid highlighting\n // named loops and declare blocks\n beginKeywords: 'loop for declare others',\n endsParent: true\n },\n {\n // properly highlight all modifiers\n className: 'keyword',\n beginKeywords: 'not null constant access function procedure in out aliased exception'\n },\n {\n className: 'type',\n begin: ID_REGEX,\n endsParent: true,\n relevance: 0\n }\n ]\n };\n\n const KEYWORDS = [\n \"abort\",\n \"else\",\n \"new\",\n \"return\",\n \"abs\",\n \"elsif\",\n \"not\",\n \"reverse\",\n \"abstract\",\n \"end\",\n \"accept\",\n \"entry\",\n \"select\",\n \"access\",\n \"exception\",\n \"of\",\n \"separate\",\n \"aliased\",\n \"exit\",\n \"or\",\n \"some\",\n \"all\",\n \"others\",\n \"subtype\",\n \"and\",\n \"for\",\n \"out\",\n \"synchronized\",\n \"array\",\n \"function\",\n \"overriding\",\n \"at\",\n \"tagged\",\n \"generic\",\n \"package\",\n \"task\",\n \"begin\",\n \"goto\",\n \"pragma\",\n \"terminate\",\n \"body\",\n \"private\",\n \"then\",\n \"if\",\n \"procedure\",\n \"type\",\n \"case\",\n \"in\",\n \"protected\",\n \"constant\",\n \"interface\",\n \"is\",\n \"raise\",\n \"use\",\n \"declare\",\n \"range\",\n \"delay\",\n \"limited\",\n \"record\",\n \"when\",\n \"delta\",\n \"loop\",\n \"rem\",\n \"while\",\n \"digits\",\n \"renames\",\n \"with\",\n \"do\",\n \"mod\",\n \"requeue\",\n \"xor\"\n ];\n\n return {\n name: 'Ada',\n case_insensitive: true,\n keywords: {\n keyword: KEYWORDS,\n literal: [\n \"True\",\n \"False\"\n ]\n },\n contains: [\n COMMENTS,\n // strings \"foobar\"\n {\n className: 'string',\n begin: /\"/,\n end: /\"/,\n contains: [\n {\n begin: /\"\"/,\n relevance: 0\n }\n ]\n },\n // characters ''\n {\n // character literals always contain one char\n className: 'string',\n begin: /'.'/\n },\n {\n // number literals\n className: 'number',\n begin: NUMBER_RE,\n relevance: 0\n },\n {\n // Attributes\n className: 'symbol',\n begin: \"'\" + ID_REGEX\n },\n {\n // package definition, maybe inside generic\n className: 'title',\n begin: '(\\\\bwith\\\\s+)?(\\\\bprivate\\\\s+)?\\\\bpackage\\\\s+(\\\\bbody\\\\s+)?',\n end: '(is|$)',\n keywords: 'package body',\n excludeBegin: true,\n excludeEnd: true,\n illegal: BAD_CHARS\n },\n {\n // function/procedure declaration/definition\n // maybe inside generic\n begin: '(\\\\b(with|overriding)\\\\s+)?\\\\b(function|procedure)\\\\s+',\n end: '(\\\\bis|\\\\bwith|\\\\brenames|\\\\)\\\\s*;)',\n keywords: 'overriding function procedure with is renames return',\n // we need to re-match the 'function' keyword, so that\n // the title mode below matches only exactly once\n returnBegin: true,\n contains:\n [\n COMMENTS,\n {\n // name of the function/procedure\n className: 'title',\n begin: '(\\\\bwith\\\\s+)?\\\\b(function|procedure)\\\\s+',\n end: '(\\\\(|\\\\s+|$)',\n excludeBegin: true,\n excludeEnd: true,\n illegal: BAD_CHARS\n },\n // 'self'\n // // parameter types\n VAR_DECLS,\n {\n // return type\n className: 'type',\n begin: '\\\\breturn\\\\s+',\n end: '(\\\\s+|;|$)',\n keywords: 'return',\n excludeBegin: true,\n excludeEnd: true,\n // we are done with functions\n endsParent: true,\n illegal: BAD_CHARS\n\n }\n ]\n },\n {\n // new type declarations\n // maybe inside generic\n className: 'type',\n begin: '\\\\b(sub)?type\\\\s+',\n end: '\\\\s+',\n keywords: 'type',\n excludeBegin: true,\n illegal: BAD_CHARS\n },\n\n // see comment above the definition\n VAR_DECLS\n\n // no markup\n // relevance boosters for small snippets\n // {begin: '\\\\s*=>\\\\s*'},\n // {begin: '\\\\s*:=\\\\s*'},\n // {begin: '\\\\s+:=\\\\s+'},\n ]\n };\n}\n\nmodule.exports = ada;\n", "/*\nLanguage: AngelScript\nAuthor: Melissa Geels <melissa@nimble.tools>\nCategory: scripting\nWebsite: https://www.angelcode.com/angelscript/\n*/\n\n/** @type LanguageFn */\nfunction angelscript(hljs) {\n const builtInTypeMode = {\n className: 'built_in',\n begin: '\\\\b(void|bool|int8|int16|int32|int64|int|uint8|uint16|uint32|uint64|uint|string|ref|array|double|float|auto|dictionary)'\n };\n\n const objectHandleMode = {\n className: 'symbol',\n begin: '[a-zA-Z0-9_]+@'\n };\n\n const genericMode = {\n className: 'keyword',\n begin: '<',\n end: '>',\n contains: [\n builtInTypeMode,\n objectHandleMode\n ]\n };\n\n builtInTypeMode.contains = [ genericMode ];\n objectHandleMode.contains = [ genericMode ];\n\n const KEYWORDS = [\n \"for\",\n \"in|0\",\n \"break\",\n \"continue\",\n \"while\",\n \"do|0\",\n \"return\",\n \"if\",\n \"else\",\n \"case\",\n \"switch\",\n \"namespace\",\n \"is\",\n \"cast\",\n \"or\",\n \"and\",\n \"xor\",\n \"not\",\n \"get|0\",\n \"in\",\n \"inout|10\",\n \"out\",\n \"override\",\n \"set|0\",\n \"private\",\n \"public\",\n \"const\",\n \"default|0\",\n \"final\",\n \"shared\",\n \"external\",\n \"mixin|10\",\n \"enum\",\n \"typedef\",\n \"funcdef\",\n \"this\",\n \"super\",\n \"import\",\n \"from\",\n \"interface\",\n \"abstract|0\",\n \"try\",\n \"catch\",\n \"protected\",\n \"explicit\",\n \"property\"\n ];\n\n return {\n name: 'AngelScript',\n aliases: [ 'asc' ],\n\n keywords: KEYWORDS,\n\n // avoid close detection with C# and JS\n illegal: '(^using\\\\s+[A-Za-z0-9_\\\\.]+;$|\\\\bfunction\\\\s*[^\\\\(])',\n\n contains: [\n { // 'strings'\n className: 'string',\n begin: '\\'',\n end: '\\'',\n illegal: '\\\\n',\n contains: [ hljs.BACKSLASH_ESCAPE ],\n relevance: 0\n },\n\n // \"\"\"heredoc strings\"\"\"\n {\n className: 'string',\n begin: '\"\"\"',\n end: '\"\"\"'\n },\n\n { // \"strings\"\n className: 'string',\n begin: '\"',\n end: '\"',\n illegal: '\\\\n',\n contains: [ hljs.BACKSLASH_ESCAPE ],\n relevance: 0\n },\n\n hljs.C_LINE_COMMENT_MODE, // single-line comments\n hljs.C_BLOCK_COMMENT_MODE, // comment blocks\n\n { // metadata\n className: 'string',\n begin: '^\\\\s*\\\\[',\n end: '\\\\]'\n },\n\n { // interface or namespace declaration\n beginKeywords: 'interface namespace',\n end: /\\{/,\n illegal: '[;.\\\\-]',\n contains: [\n { // interface or namespace name\n className: 'symbol',\n begin: '[a-zA-Z0-9_]+'\n }\n ]\n },\n\n { // class declaration\n beginKeywords: 'class',\n end: /\\{/,\n illegal: '[;.\\\\-]',\n contains: [\n { // class name\n className: 'symbol',\n begin: '[a-zA-Z0-9_]+',\n contains: [\n {\n begin: '[:,]\\\\s*',\n contains: [\n {\n className: 'symbol',\n begin: '[a-zA-Z0-9_]+'\n }\n ]\n }\n ]\n }\n ]\n },\n\n builtInTypeMode, // built-in types\n objectHandleMode, // object handles\n\n { // literals\n className: 'literal',\n begin: '\\\\b(null|true|false)'\n },\n\n { // numbers\n className: 'number',\n relevance: 0,\n begin: '(-?)(\\\\b0[xXbBoOdD][a-fA-F0-9]+|(\\\\b\\\\d+(\\\\.\\\\d*)?f?|\\\\.\\\\d+f?)([eE][-+]?\\\\d+f?)?)'\n }\n ]\n };\n}\n\nmodule.exports = angelscript;\n", "/*\nLanguage: Apache config\nAuthor: Ruslan Keba <rukeba@gmail.com>\nContributors: Ivan Sagalaev <maniac@softwaremaniacs.org>\nWebsite: https://httpd.apache.org\nDescription: language definition for Apache configuration files (httpd.conf & .htaccess)\nCategory: config, web\nAudit: 2020\n*/\n\n/** @type LanguageFn */\nfunction apache(hljs) {\n const NUMBER_REF = {\n className: 'number',\n begin: /[$%]\\d+/\n };\n const NUMBER = {\n className: 'number',\n begin: /\\b\\d+/\n };\n const IP_ADDRESS = {\n className: \"number\",\n begin: /\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}(:\\d{1,5})?/\n };\n const PORT_NUMBER = {\n className: \"number\",\n begin: /:\\d{1,5}/\n };\n return {\n name: 'Apache config',\n aliases: [ 'apacheconf' ],\n case_insensitive: true,\n contains: [\n hljs.HASH_COMMENT_MODE,\n {\n className: 'section',\n begin: /<\\/?/,\n end: />/,\n contains: [\n IP_ADDRESS,\n PORT_NUMBER,\n // low relevance prevents us from claming XML/HTML where this rule would\n // match strings inside of XML tags\n hljs.inherit(hljs.QUOTE_STRING_MODE, { relevance: 0 })\n ]\n },\n {\n className: 'attribute',\n begin: /\\w+/,\n relevance: 0,\n // keywords aren\u2019t needed for highlighting per se, they only boost relevance\n // for a very generally defined mode (starts with a word, ends with line-end\n keywords: { _: [\n \"order\",\n \"deny\",\n \"allow\",\n \"setenv\",\n \"rewriterule\",\n \"rewriteengine\",\n \"rewritecond\",\n \"documentroot\",\n \"sethandler\",\n \"errordocument\",\n \"loadmodule\",\n \"options\",\n \"header\",\n \"listen\",\n \"serverroot\",\n \"servername\"\n ] },\n starts: {\n end: /$/,\n relevance: 0,\n keywords: { literal: 'on off all deny allow' },\n contains: [\n {\n className: 'meta',\n begin: /\\s\\[/,\n end: /\\]$/\n },\n {\n className: 'variable',\n begin: /[\\$%]\\{/,\n end: /\\}/,\n contains: [\n 'self',\n NUMBER_REF\n ]\n },\n IP_ADDRESS,\n NUMBER,\n hljs.QUOTE_STRING_MODE\n ]\n }\n }\n ],\n illegal: /\\S/\n };\n}\n\nmodule.exports = apache;\n", "/*\nLanguage: AppleScript\nAuthors: Nathan Grigg <nathan@nathanamy.org>, Dr. Drang <drdrang@gmail.com>\nCategory: scripting\nWebsite: https://developer.apple.com/library/archive/documentation/AppleScript/Conceptual/AppleScriptLangGuide/introduction/ASLR_intro.html\nAudit: 2020\n*/\n\n/** @type LanguageFn */\nfunction applescript(hljs) {\n const regex = hljs.regex;\n const STRING = hljs.inherit(\n hljs.QUOTE_STRING_MODE, { illegal: null });\n const PARAMS = {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n contains: [\n 'self',\n hljs.C_NUMBER_MODE,\n STRING\n ]\n };\n const COMMENT_MODE_1 = hljs.COMMENT(/--/, /$/);\n const COMMENT_MODE_2 = hljs.COMMENT(\n /\\(\\*/,\n /\\*\\)/,\n { contains: [\n 'self', // allow nesting\n COMMENT_MODE_1\n ] }\n );\n const COMMENTS = [\n COMMENT_MODE_1,\n COMMENT_MODE_2,\n hljs.HASH_COMMENT_MODE\n ];\n\n const KEYWORD_PATTERNS = [\n /apart from/,\n /aside from/,\n /instead of/,\n /out of/,\n /greater than/,\n /isn't|(doesn't|does not) (equal|come before|come after|contain)/,\n /(greater|less) than( or equal)?/,\n /(starts?|ends|begins?) with/,\n /contained by/,\n /comes (before|after)/,\n /a (ref|reference)/,\n /POSIX (file|path)/,\n /(date|time) string/,\n /quoted form/\n ];\n\n const BUILT_IN_PATTERNS = [\n /clipboard info/,\n /the clipboard/,\n /info for/,\n /list (disks|folder)/,\n /mount volume/,\n /path to/,\n /(close|open for) access/,\n /(get|set) eof/,\n /current date/,\n /do shell script/,\n /get volume settings/,\n /random number/,\n /set volume/,\n /system attribute/,\n /system info/,\n /time to GMT/,\n /(load|run|store) script/,\n /scripting components/,\n /ASCII (character|number)/,\n /localized string/,\n /choose (application|color|file|file name|folder|from list|remote application|URL)/,\n /display (alert|dialog)/\n ];\n\n return {\n name: 'AppleScript',\n aliases: [ 'osascript' ],\n keywords: {\n keyword:\n 'about above after against and around as at back before beginning '\n + 'behind below beneath beside between but by considering '\n + 'contain contains continue copy div does eighth else end equal '\n + 'equals error every exit fifth first for fourth from front '\n + 'get given global if ignoring in into is it its last local me '\n + 'middle mod my ninth not of on onto or over prop property put ref '\n + 'reference repeat returning script second set seventh since '\n + 'sixth some tell tenth that the|0 then third through thru '\n + 'timeout times to transaction try until where while whose with '\n + 'without',\n literal:\n 'AppleScript false linefeed return pi quote result space tab true',\n built_in:\n 'alias application boolean class constant date file integer list '\n + 'number real record string text '\n + 'activate beep count delay launch log offset read round '\n + 'run say summarize write '\n + 'character characters contents day frontmost id item length '\n + 'month name|0 paragraph paragraphs rest reverse running time version '\n + 'weekday word words year'\n },\n contains: [\n STRING,\n hljs.C_NUMBER_MODE,\n {\n className: 'built_in',\n begin: regex.concat(\n /\\b/,\n regex.either(...BUILT_IN_PATTERNS),\n /\\b/\n )\n },\n {\n className: 'built_in',\n begin: /^\\s*return\\b/\n },\n {\n className: 'literal',\n begin:\n /\\b(text item delimiters|current application|missing value)\\b/\n },\n {\n className: 'keyword',\n begin: regex.concat(\n /\\b/,\n regex.either(...KEYWORD_PATTERNS),\n /\\b/\n )\n },\n {\n beginKeywords: 'on',\n illegal: /[${=;\\n]/,\n contains: [\n hljs.UNDERSCORE_TITLE_MODE,\n PARAMS\n ]\n },\n ...COMMENTS\n ],\n illegal: /\\/\\/|->|=>|\\[\\[/\n };\n}\n\nmodule.exports = applescript;\n", "/*\n Language: ArcGIS Arcade\n Category: scripting\n Author: John Foster <jfoster@esri.com>\n Website: https://developers.arcgis.com/arcade/\n Description: ArcGIS Arcade is an expression language used in many Esri ArcGIS products such as Pro, Online, Server, Runtime, JavaScript, and Python\n*/\n\n/** @type LanguageFn */\nfunction arcade(hljs) {\n const IDENT_RE = '[A-Za-z_][0-9A-Za-z_]*';\n const KEYWORDS = {\n keyword: [\n \"if\",\n \"for\",\n \"while\",\n \"var\",\n \"new\",\n \"function\",\n \"do\",\n \"return\",\n \"void\",\n \"else\",\n \"break\"\n ],\n literal: [\n \"BackSlash\",\n \"DoubleQuote\",\n \"false\",\n \"ForwardSlash\",\n \"Infinity\",\n \"NaN\",\n \"NewLine\",\n \"null\",\n \"PI\",\n \"SingleQuote\",\n \"Tab\",\n \"TextFormatting\",\n \"true\",\n \"undefined\"\n ],\n built_in: [\n \"Abs\",\n \"Acos\",\n \"All\",\n \"Angle\",\n \"Any\",\n \"Area\",\n \"AreaGeodetic\",\n \"Array\",\n \"Asin\",\n \"Atan\",\n \"Atan2\",\n \"Attachments\",\n \"Average\",\n \"Back\",\n \"Bearing\",\n \"Boolean\",\n \"Buffer\",\n \"BufferGeodetic\",\n \"Ceil\",\n \"Centroid\",\n \"Clip\",\n \"Concatenate\",\n \"Console\",\n \"Constrain\",\n \"Contains\",\n \"ConvertDirection\",\n \"Cos\",\n \"Count\",\n \"Crosses\",\n \"Cut\",\n \"Date\",\n \"DateAdd\",\n \"DateDiff\",\n \"Day\",\n \"Decode\",\n \"DefaultValue\",\n \"Densify\",\n \"DensifyGeodetic\",\n \"Dictionary\",\n \"Difference\",\n \"Disjoint\",\n \"Distance\",\n \"DistanceGeodetic\",\n \"Distinct\",\n \"Domain\",\n \"DomainCode\",\n \"DomainName\",\n \"EnvelopeIntersects\",\n \"Equals\",\n \"Erase\",\n \"Exp\",\n \"Expects\",\n \"Extent\",\n \"Feature\",\n \"FeatureSet\",\n \"FeatureSetByAssociation\",\n \"FeatureSetById\",\n \"FeatureSetByName\",\n \"FeatureSetByPortalItem\",\n \"FeatureSetByRelationshipName\",\n \"Filter\",\n \"Find\",\n \"First\",\n \"Floor\",\n \"FromCharCode\",\n \"FromCodePoint\",\n \"FromJSON\",\n \"GdbVersion\",\n \"Generalize\",\n \"Geometry\",\n \"GetFeatureSet\",\n \"GetUser\",\n \"GroupBy\",\n \"Guid\",\n \"Hash\",\n \"HasKey\",\n \"Hour\",\n \"IIf\",\n \"Includes\",\n \"IndexOf\",\n \"Insert\",\n \"Intersection\",\n \"Intersects\",\n \"IsEmpty\",\n \"IsNan\",\n \"ISOMonth\",\n \"ISOWeek\",\n \"ISOWeekday\",\n \"ISOYear\",\n \"IsSelfIntersecting\",\n \"IsSimple\",\n \"Left|0\",\n \"Length\",\n \"Length3D\",\n \"LengthGeodetic\",\n \"Log\",\n \"Lower\",\n \"Map\",\n \"Max\",\n \"Mean\",\n \"Mid\",\n \"Millisecond\",\n \"Min\",\n \"Minute\",\n \"Month\",\n \"MultiPartToSinglePart\",\n \"Multipoint\",\n \"NextSequenceValue\",\n \"None\",\n \"Now\",\n \"Number\",\n \"Offset|0\",\n \"OrderBy\",\n \"Overlaps\",\n \"Point\",\n \"Polygon\",\n \"Polyline\",\n \"Pop\",\n \"Portal\",\n \"Pow\",\n \"Proper\",\n \"Push\",\n \"Random\",\n \"Reduce\",\n \"Relate\",\n \"Replace\",\n \"Resize\",\n \"Reverse\",\n \"Right|0\",\n \"RingIsClockwise\",\n \"Rotate\",\n \"Round\",\n \"Schema\",\n \"Second\",\n \"SetGeometry\",\n \"Simplify\",\n \"Sin\",\n \"Slice\",\n \"Sort\",\n \"Splice\",\n \"Split\",\n \"Sqrt\",\n \"Stdev\",\n \"SubtypeCode\",\n \"SubtypeName\",\n \"Subtypes\",\n \"Sum\",\n \"SymmetricDifference\",\n \"Tan\",\n \"Text\",\n \"Timestamp\",\n \"ToCharCode\",\n \"ToCodePoint\",\n \"Today\",\n \"ToHex\",\n \"ToLocal\",\n \"Top|0\",\n \"Touches\",\n \"ToUTC\",\n \"TrackAccelerationAt\",\n \"TrackAccelerationWindow\",\n \"TrackCurrentAcceleration\",\n \"TrackCurrentDistance\",\n \"TrackCurrentSpeed\",\n \"TrackCurrentTime\",\n \"TrackDistanceAt\",\n \"TrackDistanceWindow\",\n \"TrackDuration\",\n \"TrackFieldWindow\",\n \"TrackGeometryWindow\",\n \"TrackIndex\",\n \"TrackSpeedAt\",\n \"TrackSpeedWindow\",\n \"TrackStartTime\",\n \"TrackWindow\",\n \"Trim\",\n \"TypeOf\",\n \"Union\",\n \"Upper\",\n \"UrlEncode\",\n \"Variance\",\n \"Week\",\n \"Weekday\",\n \"When\",\n \"Within\",\n \"Year\"\n ]\n };\n const SYMBOL = {\n className: 'symbol',\n begin: '\\\\$[datastore|feature|layer|map|measure|sourcefeature|sourcelayer|targetfeature|targetlayer|value|view]+'\n };\n const NUMBER = {\n className: 'number',\n variants: [\n { begin: '\\\\b(0[bB][01]+)' },\n { begin: '\\\\b(0[oO][0-7]+)' },\n { begin: hljs.C_NUMBER_RE }\n ],\n relevance: 0\n };\n const SUBST = {\n className: 'subst',\n begin: '\\\\$\\\\{',\n end: '\\\\}',\n keywords: KEYWORDS,\n contains: [] // defined later\n };\n const TEMPLATE_STRING = {\n className: 'string',\n begin: '`',\n end: '`',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ]\n };\n SUBST.contains = [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n TEMPLATE_STRING,\n NUMBER,\n hljs.REGEXP_MODE\n ];\n const PARAMS_CONTAINS = SUBST.contains.concat([\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.C_LINE_COMMENT_MODE\n ]);\n\n return {\n name: 'ArcGIS Arcade',\n case_insensitive: true,\n keywords: KEYWORDS,\n contains: [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n TEMPLATE_STRING,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n SYMBOL,\n NUMBER,\n { // object attr container\n begin: /[{,]\\s*/,\n relevance: 0,\n contains: [\n {\n begin: IDENT_RE + '\\\\s*:',\n returnBegin: true,\n relevance: 0,\n contains: [\n {\n className: 'attr',\n begin: IDENT_RE,\n relevance: 0\n }\n ]\n }\n ]\n },\n { // \"value\" container\n begin: '(' + hljs.RE_STARTERS_RE + '|\\\\b(return)\\\\b)\\\\s*',\n keywords: 'return',\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.REGEXP_MODE,\n {\n className: 'function',\n begin: '(\\\\(.*?\\\\)|' + IDENT_RE + ')\\\\s*=>',\n returnBegin: true,\n end: '\\\\s*=>',\n contains: [\n {\n className: 'params',\n variants: [\n { begin: IDENT_RE },\n { begin: /\\(\\s*\\)/ },\n {\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n keywords: KEYWORDS,\n contains: PARAMS_CONTAINS\n }\n ]\n }\n ]\n }\n ],\n relevance: 0\n },\n {\n beginKeywords: 'function',\n end: /\\{/,\n excludeEnd: true,\n contains: [\n hljs.inherit(hljs.TITLE_MODE, {\n className: \"title.function\",\n begin: IDENT_RE\n }),\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n contains: PARAMS_CONTAINS\n }\n ],\n illegal: /\\[|%/\n },\n { begin: /\\$[(.]/ }\n ],\n illegal: /#(?!!)/\n };\n}\n\nmodule.exports = arcade;\n", "/*\nLanguage: C++\nCategory: common, system\nWebsite: https://isocpp.org\n*/\n\n/** @type LanguageFn */\nfunction cPlusPlus(hljs) {\n const regex = hljs.regex;\n // added for historic reasons because `hljs.C_LINE_COMMENT_MODE` does\n // not include such support nor can we be sure all the grammars depending\n // on it would desire this behavior\n const C_LINE_COMMENT_MODE = hljs.COMMENT('//', '$', { contains: [ { begin: /\\\\\\n/ } ] });\n const DECLTYPE_AUTO_RE = 'decltype\\\\(auto\\\\)';\n const NAMESPACE_RE = '[a-zA-Z_]\\\\w*::';\n const TEMPLATE_ARGUMENT_RE = '<[^<>]+>';\n const FUNCTION_TYPE_RE = '(?!struct)('\n + DECLTYPE_AUTO_RE + '|'\n + regex.optional(NAMESPACE_RE)\n + '[a-zA-Z_]\\\\w*' + regex.optional(TEMPLATE_ARGUMENT_RE)\n + ')';\n\n const CPP_PRIMITIVE_TYPES = {\n className: 'type',\n begin: '\\\\b[a-z\\\\d_]*_t\\\\b'\n };\n\n // https://en.cppreference.com/w/cpp/language/escape\n // \\\\ \\x \\xFF \\u2837 \\u00323747 \\374\n const CHARACTER_ESCAPES = '\\\\\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\\\S)';\n const STRINGS = {\n className: 'string',\n variants: [\n {\n begin: '(u8?|U|L)?\"',\n end: '\"',\n illegal: '\\\\n',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: '(u8?|U|L)?\\'(' + CHARACTER_ESCAPES + '|.)',\n end: '\\'',\n illegal: '.'\n },\n hljs.END_SAME_AS_BEGIN({\n begin: /(?:u8?|U|L)?R\"([^()\\\\ ]{0,16})\\(/,\n end: /\\)([^()\\\\ ]{0,16})\"/\n })\n ]\n };\n\n const NUMBERS = {\n className: 'number',\n variants: [\n { begin: '\\\\b(0b[01\\']+)' },\n { begin: '(-?)\\\\b([\\\\d\\']+(\\\\.[\\\\d\\']*)?|\\\\.[\\\\d\\']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)' },\n { begin: '(-?)(\\\\b0[xX][a-fA-F0-9\\']+|(\\\\b[\\\\d\\']+(\\\\.[\\\\d\\']*)?|\\\\.[\\\\d\\']+)([eE][-+]?[\\\\d\\']+)?)' }\n ],\n relevance: 0\n };\n\n const PREPROCESSOR = {\n className: 'meta',\n begin: /#\\s*[a-z]+\\b/,\n end: /$/,\n keywords: { keyword:\n 'if else elif endif define undef warning error line '\n + 'pragma _Pragma ifdef ifndef include' },\n contains: [\n {\n begin: /\\\\\\n/,\n relevance: 0\n },\n hljs.inherit(STRINGS, { className: 'string' }),\n {\n className: 'string',\n begin: /<.*?>/\n },\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n };\n\n const TITLE_MODE = {\n className: 'title',\n begin: regex.optional(NAMESPACE_RE) + hljs.IDENT_RE,\n relevance: 0\n };\n\n const FUNCTION_TITLE = regex.optional(NAMESPACE_RE) + hljs.IDENT_RE + '\\\\s*\\\\(';\n\n // https://en.cppreference.com/w/cpp/keyword\n const RESERVED_KEYWORDS = [\n 'alignas',\n 'alignof',\n 'and',\n 'and_eq',\n 'asm',\n 'atomic_cancel',\n 'atomic_commit',\n 'atomic_noexcept',\n 'auto',\n 'bitand',\n 'bitor',\n 'break',\n 'case',\n 'catch',\n 'class',\n 'co_await',\n 'co_return',\n 'co_yield',\n 'compl',\n 'concept',\n 'const_cast|10',\n 'consteval',\n 'constexpr',\n 'constinit',\n 'continue',\n 'decltype',\n 'default',\n 'delete',\n 'do',\n 'dynamic_cast|10',\n 'else',\n 'enum',\n 'explicit',\n 'export',\n 'extern',\n 'false',\n 'final',\n 'for',\n 'friend',\n 'goto',\n 'if',\n 'import',\n 'inline',\n 'module',\n 'mutable',\n 'namespace',\n 'new',\n 'noexcept',\n 'not',\n 'not_eq',\n 'nullptr',\n 'operator',\n 'or',\n 'or_eq',\n 'override',\n 'private',\n 'protected',\n 'public',\n 'reflexpr',\n 'register',\n 'reinterpret_cast|10',\n 'requires',\n 'return',\n 'sizeof',\n 'static_assert',\n 'static_cast|10',\n 'struct',\n 'switch',\n 'synchronized',\n 'template',\n 'this',\n 'thread_local',\n 'throw',\n 'transaction_safe',\n 'transaction_safe_dynamic',\n 'true',\n 'try',\n 'typedef',\n 'typeid',\n 'typename',\n 'union',\n 'using',\n 'virtual',\n 'volatile',\n 'while',\n 'xor',\n 'xor_eq'\n ];\n\n // https://en.cppreference.com/w/cpp/keyword\n const RESERVED_TYPES = [\n 'bool',\n 'char',\n 'char16_t',\n 'char32_t',\n 'char8_t',\n 'double',\n 'float',\n 'int',\n 'long',\n 'short',\n 'void',\n 'wchar_t',\n 'unsigned',\n 'signed',\n 'const',\n 'static'\n ];\n\n const TYPE_HINTS = [\n 'any',\n 'auto_ptr',\n 'barrier',\n 'binary_semaphore',\n 'bitset',\n 'complex',\n 'condition_variable',\n 'condition_variable_any',\n 'counting_semaphore',\n 'deque',\n 'false_type',\n 'future',\n 'imaginary',\n 'initializer_list',\n 'istringstream',\n 'jthread',\n 'latch',\n 'lock_guard',\n 'multimap',\n 'multiset',\n 'mutex',\n 'optional',\n 'ostringstream',\n 'packaged_task',\n 'pair',\n 'promise',\n 'priority_queue',\n 'queue',\n 'recursive_mutex',\n 'recursive_timed_mutex',\n 'scoped_lock',\n 'set',\n 'shared_future',\n 'shared_lock',\n 'shared_mutex',\n 'shared_timed_mutex',\n 'shared_ptr',\n 'stack',\n 'string_view',\n 'stringstream',\n 'timed_mutex',\n 'thread',\n 'true_type',\n 'tuple',\n 'unique_lock',\n 'unique_ptr',\n 'unordered_map',\n 'unordered_multimap',\n 'unordered_multiset',\n 'unordered_set',\n 'variant',\n 'vector',\n 'weak_ptr',\n 'wstring',\n 'wstring_view'\n ];\n\n const FUNCTION_HINTS = [\n 'abort',\n 'abs',\n 'acos',\n 'apply',\n 'as_const',\n 'asin',\n 'atan',\n 'atan2',\n 'calloc',\n 'ceil',\n 'cerr',\n 'cin',\n 'clog',\n 'cos',\n 'cosh',\n 'cout',\n 'declval',\n 'endl',\n 'exchange',\n 'exit',\n 'exp',\n 'fabs',\n 'floor',\n 'fmod',\n 'forward',\n 'fprintf',\n 'fputs',\n 'free',\n 'frexp',\n 'fscanf',\n 'future',\n 'invoke',\n 'isalnum',\n 'isalpha',\n 'iscntrl',\n 'isdigit',\n 'isgraph',\n 'islower',\n 'isprint',\n 'ispunct',\n 'isspace',\n 'isupper',\n 'isxdigit',\n 'labs',\n 'launder',\n 'ldexp',\n 'log',\n 'log10',\n 'make_pair',\n 'make_shared',\n 'make_shared_for_overwrite',\n 'make_tuple',\n 'make_unique',\n 'malloc',\n 'memchr',\n 'memcmp',\n 'memcpy',\n 'memset',\n 'modf',\n 'move',\n 'pow',\n 'printf',\n 'putchar',\n 'puts',\n 'realloc',\n 'scanf',\n 'sin',\n 'sinh',\n 'snprintf',\n 'sprintf',\n 'sqrt',\n 'sscanf',\n 'std',\n 'stderr',\n 'stdin',\n 'stdout',\n 'strcat',\n 'strchr',\n 'strcmp',\n 'strcpy',\n 'strcspn',\n 'strlen',\n 'strncat',\n 'strncmp',\n 'strncpy',\n 'strpbrk',\n 'strrchr',\n 'strspn',\n 'strstr',\n 'swap',\n 'tan',\n 'tanh',\n 'terminate',\n 'to_underlying',\n 'tolower',\n 'toupper',\n 'vfprintf',\n 'visit',\n 'vprintf',\n 'vsprintf'\n ];\n\n const LITERALS = [\n 'NULL',\n 'false',\n 'nullopt',\n 'nullptr',\n 'true'\n ];\n\n // https://en.cppreference.com/w/cpp/keyword\n const BUILT_IN = [ '_Pragma' ];\n\n const CPP_KEYWORDS = {\n type: RESERVED_TYPES,\n keyword: RESERVED_KEYWORDS,\n literal: LITERALS,\n built_in: BUILT_IN,\n _type_hints: TYPE_HINTS\n };\n\n const FUNCTION_DISPATCH = {\n className: 'function.dispatch',\n relevance: 0,\n keywords: {\n // Only for relevance, not highlighting.\n _hint: FUNCTION_HINTS },\n begin: regex.concat(\n /\\b/,\n /(?!decltype)/,\n /(?!if)/,\n /(?!for)/,\n /(?!switch)/,\n /(?!while)/,\n hljs.IDENT_RE,\n regex.lookahead(/(<[^<>]+>|)\\s*\\(/))\n };\n\n const EXPRESSION_CONTAINS = [\n FUNCTION_DISPATCH,\n PREPROCESSOR,\n CPP_PRIMITIVE_TYPES,\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n NUMBERS,\n STRINGS\n ];\n\n const EXPRESSION_CONTEXT = {\n // This mode covers expression context where we can't expect a function\n // definition and shouldn't highlight anything that looks like one:\n // `return some()`, `else if()`, `(x*sum(1, 2))`\n variants: [\n {\n begin: /=/,\n end: /;/\n },\n {\n begin: /\\(/,\n end: /\\)/\n },\n {\n beginKeywords: 'new throw return else',\n end: /;/\n }\n ],\n keywords: CPP_KEYWORDS,\n contains: EXPRESSION_CONTAINS.concat([\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: CPP_KEYWORDS,\n contains: EXPRESSION_CONTAINS.concat([ 'self' ]),\n relevance: 0\n }\n ]),\n relevance: 0\n };\n\n const FUNCTION_DECLARATION = {\n className: 'function',\n begin: '(' + FUNCTION_TYPE_RE + '[\\\\*&\\\\s]+)+' + FUNCTION_TITLE,\n returnBegin: true,\n end: /[{;=]/,\n excludeEnd: true,\n keywords: CPP_KEYWORDS,\n illegal: /[^\\w\\s\\*&:<>.]/,\n contains: [\n { // to prevent it from being confused as the function title\n begin: DECLTYPE_AUTO_RE,\n keywords: CPP_KEYWORDS,\n relevance: 0\n },\n {\n begin: FUNCTION_TITLE,\n returnBegin: true,\n contains: [ TITLE_MODE ],\n relevance: 0\n },\n // needed because we do not have look-behind on the below rule\n // to prevent it from grabbing the final : in a :: pair\n {\n begin: /::/,\n relevance: 0\n },\n // initializers\n {\n begin: /:/,\n endsWithParent: true,\n contains: [\n STRINGS,\n NUMBERS\n ]\n },\n // allow for multiple declarations, e.g.:\n // extern void f(int), g(char);\n {\n relevance: 0,\n match: /,/\n },\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n keywords: CPP_KEYWORDS,\n relevance: 0,\n contains: [\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n STRINGS,\n NUMBERS,\n CPP_PRIMITIVE_TYPES,\n // Count matching parentheses.\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: CPP_KEYWORDS,\n relevance: 0,\n contains: [\n 'self',\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n STRINGS,\n NUMBERS,\n CPP_PRIMITIVE_TYPES\n ]\n }\n ]\n },\n CPP_PRIMITIVE_TYPES,\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n PREPROCESSOR\n ]\n };\n\n return {\n name: 'C++',\n aliases: [\n 'cc',\n 'c++',\n 'h++',\n 'hpp',\n 'hh',\n 'hxx',\n 'cxx'\n ],\n keywords: CPP_KEYWORDS,\n illegal: '</',\n classNameAliases: { 'function.dispatch': 'built_in' },\n contains: [].concat(\n EXPRESSION_CONTEXT,\n FUNCTION_DECLARATION,\n FUNCTION_DISPATCH,\n EXPRESSION_CONTAINS,\n [\n PREPROCESSOR,\n { // containers: ie, `vector <int> rooms (9);`\n begin: '\\\\b(deque|list|queue|priority_queue|pair|stack|vector|map|set|bitset|multiset|multimap|unordered_map|unordered_set|unordered_multiset|unordered_multimap|array|tuple|optional|variant|function)\\\\s*<(?!<)',\n end: '>',\n keywords: CPP_KEYWORDS,\n contains: [\n 'self',\n CPP_PRIMITIVE_TYPES\n ]\n },\n {\n begin: hljs.IDENT_RE + '::',\n keywords: CPP_KEYWORDS\n },\n {\n match: [\n // extra complexity to deal with `enum class` and `enum struct`\n /\\b(?:enum(?:\\s+(?:class|struct))?|class|struct|union)/,\n /\\s+/,\n /\\w+/\n ],\n className: {\n 1: 'keyword',\n 3: 'title.class'\n }\n }\n ])\n };\n}\n\n/*\nLanguage: Arduino\nAuthor: Stefania Mellai <s.mellai@arduino.cc>\nDescription: The Arduino\u00AE Language is a superset of C++. This rules are designed to highlight the Arduino\u00AE source code. For info about language see http://www.arduino.cc.\nWebsite: https://www.arduino.cc\n*/\n\n/** @type LanguageFn */\nfunction arduino(hljs) {\n const ARDUINO_KW = {\n type: [\n \"boolean\",\n \"byte\",\n \"word\",\n \"String\"\n ],\n built_in: [\n \"KeyboardController\",\n \"MouseController\",\n \"SoftwareSerial\",\n \"EthernetServer\",\n \"EthernetClient\",\n \"LiquidCrystal\",\n \"RobotControl\",\n \"GSMVoiceCall\",\n \"EthernetUDP\",\n \"EsploraTFT\",\n \"HttpClient\",\n \"RobotMotor\",\n \"WiFiClient\",\n \"GSMScanner\",\n \"FileSystem\",\n \"Scheduler\",\n \"GSMServer\",\n \"YunClient\",\n \"YunServer\",\n \"IPAddress\",\n \"GSMClient\",\n \"GSMModem\",\n \"Keyboard\",\n \"Ethernet\",\n \"Console\",\n \"GSMBand\",\n \"Esplora\",\n \"Stepper\",\n \"Process\",\n \"WiFiUDP\",\n \"GSM_SMS\",\n \"Mailbox\",\n \"USBHost\",\n \"Firmata\",\n \"PImage\",\n \"Client\",\n \"Server\",\n \"GSMPIN\",\n \"FileIO\",\n \"Bridge\",\n \"Serial\",\n \"EEPROM\",\n \"Stream\",\n \"Mouse\",\n \"Audio\",\n \"Servo\",\n \"File\",\n \"Task\",\n \"GPRS\",\n \"WiFi\",\n \"Wire\",\n \"TFT\",\n \"GSM\",\n \"SPI\",\n \"SD\"\n ],\n _hints: [\n \"setup\",\n \"loop\",\n \"runShellCommandAsynchronously\",\n \"analogWriteResolution\",\n \"retrieveCallingNumber\",\n \"printFirmwareVersion\",\n \"analogReadResolution\",\n \"sendDigitalPortPair\",\n \"noListenOnLocalhost\",\n \"readJoystickButton\",\n \"setFirmwareVersion\",\n \"readJoystickSwitch\",\n \"scrollDisplayRight\",\n \"getVoiceCallStatus\",\n \"scrollDisplayLeft\",\n \"writeMicroseconds\",\n \"delayMicroseconds\",\n \"beginTransmission\",\n \"getSignalStrength\",\n \"runAsynchronously\",\n \"getAsynchronously\",\n \"listenOnLocalhost\",\n \"getCurrentCarrier\",\n \"readAccelerometer\",\n \"messageAvailable\",\n \"sendDigitalPorts\",\n \"lineFollowConfig\",\n \"countryNameWrite\",\n \"runShellCommand\",\n \"readStringUntil\",\n \"rewindDirectory\",\n \"readTemperature\",\n \"setClockDivider\",\n \"readLightSensor\",\n \"endTransmission\",\n \"analogReference\",\n \"detachInterrupt\",\n \"countryNameRead\",\n \"attachInterrupt\",\n \"encryptionType\",\n \"readBytesUntil\",\n \"robotNameWrite\",\n \"readMicrophone\",\n \"robotNameRead\",\n \"cityNameWrite\",\n \"userNameWrite\",\n \"readJoystickY\",\n \"readJoystickX\",\n \"mouseReleased\",\n \"openNextFile\",\n \"scanNetworks\",\n \"noInterrupts\",\n \"digitalWrite\",\n \"beginSpeaker\",\n \"mousePressed\",\n \"isActionDone\",\n \"mouseDragged\",\n \"displayLogos\",\n \"noAutoscroll\",\n \"addParameter\",\n \"remoteNumber\",\n \"getModifiers\",\n \"keyboardRead\",\n \"userNameRead\",\n \"waitContinue\",\n \"processInput\",\n \"parseCommand\",\n \"printVersion\",\n \"readNetworks\",\n \"writeMessage\",\n \"blinkVersion\",\n \"cityNameRead\",\n \"readMessage\",\n \"setDataMode\",\n \"parsePacket\",\n \"isListening\",\n \"setBitOrder\",\n \"beginPacket\",\n \"isDirectory\",\n \"motorsWrite\",\n \"drawCompass\",\n \"digitalRead\",\n \"clearScreen\",\n \"serialEvent\",\n \"rightToLeft\",\n \"setTextSize\",\n \"leftToRight\",\n \"requestFrom\",\n \"keyReleased\",\n \"compassRead\",\n \"analogWrite\",\n \"interrupts\",\n \"WiFiServer\",\n \"disconnect\",\n \"playMelody\",\n \"parseFloat\",\n \"autoscroll\",\n \"getPINUsed\",\n \"setPINUsed\",\n \"setTimeout\",\n \"sendAnalog\",\n \"readSlider\",\n \"analogRead\",\n \"beginWrite\",\n \"createChar\",\n \"motorsStop\",\n \"keyPressed\",\n \"tempoWrite\",\n \"readButton\",\n \"subnetMask\",\n \"debugPrint\",\n \"macAddress\",\n \"writeGreen\",\n \"randomSeed\",\n \"attachGPRS\",\n \"readString\",\n \"sendString\",\n \"remotePort\",\n \"releaseAll\",\n \"mouseMoved\",\n \"background\",\n \"getXChange\",\n \"getYChange\",\n \"answerCall\",\n \"getResult\",\n \"voiceCall\",\n \"endPacket\",\n \"constrain\",\n \"getSocket\",\n \"writeJSON\",\n \"getButton\",\n \"available\",\n \"connected\",\n \"findUntil\",\n \"readBytes\",\n \"exitValue\",\n \"readGreen\",\n \"writeBlue\",\n \"startLoop\",\n \"IPAddress\",\n \"isPressed\",\n \"sendSysex\",\n \"pauseMode\",\n \"gatewayIP\",\n \"setCursor\",\n \"getOemKey\",\n \"tuneWrite\",\n \"noDisplay\",\n \"loadImage\",\n \"switchPIN\",\n \"onRequest\",\n \"onReceive\",\n \"changePIN\",\n \"playFile\",\n \"noBuffer\",\n \"parseInt\",\n \"overflow\",\n \"checkPIN\",\n \"knobRead\",\n \"beginTFT\",\n \"bitClear\",\n \"updateIR\",\n \"bitWrite\",\n \"position\",\n \"writeRGB\",\n \"highByte\",\n \"writeRed\",\n \"setSpeed\",\n \"readBlue\",\n \"noStroke\",\n \"remoteIP\",\n \"transfer\",\n \"shutdown\",\n \"hangCall\",\n \"beginSMS\",\n \"endWrite\",\n \"attached\",\n \"maintain\",\n \"noCursor\",\n \"checkReg\",\n \"checkPUK\",\n \"shiftOut\",\n \"isValid\",\n \"shiftIn\",\n \"pulseIn\",\n \"connect\",\n \"println\",\n \"localIP\",\n \"pinMode\",\n \"getIMEI\",\n \"display\",\n \"noBlink\",\n \"process\",\n \"getBand\",\n \"running\",\n \"beginSD\",\n \"drawBMP\",\n \"lowByte\",\n \"setBand\",\n \"release\",\n \"bitRead\",\n \"prepare\",\n \"pointTo\",\n \"readRed\",\n \"setMode\",\n \"noFill\",\n \"remove\",\n \"listen\",\n \"stroke\",\n \"detach\",\n \"attach\",\n \"noTone\",\n \"exists\",\n \"buffer\",\n \"height\",\n \"bitSet\",\n \"circle\",\n \"config\",\n \"cursor\",\n \"random\",\n \"IRread\",\n \"setDNS\",\n \"endSMS\",\n \"getKey\",\n \"micros\",\n \"millis\",\n \"begin\",\n \"print\",\n \"write\",\n \"ready\",\n \"flush\",\n \"width\",\n \"isPIN\",\n \"blink\",\n \"clear\",\n \"press\",\n \"mkdir\",\n \"rmdir\",\n \"close\",\n \"point\",\n \"yield\",\n \"image\",\n \"BSSID\",\n \"click\",\n \"delay\",\n \"read\",\n \"text\",\n \"move\",\n \"peek\",\n \"beep\",\n \"rect\",\n \"line\",\n \"open\",\n \"seek\",\n \"fill\",\n \"size\",\n \"turn\",\n \"stop\",\n \"home\",\n \"find\",\n \"step\",\n \"tone\",\n \"sqrt\",\n \"RSSI\",\n \"SSID\",\n \"end\",\n \"bit\",\n \"tan\",\n \"cos\",\n \"sin\",\n \"pow\",\n \"map\",\n \"abs\",\n \"max\",\n \"min\",\n \"get\",\n \"run\",\n \"put\"\n ],\n literal: [\n \"DIGITAL_MESSAGE\",\n \"FIRMATA_STRING\",\n \"ANALOG_MESSAGE\",\n \"REPORT_DIGITAL\",\n \"REPORT_ANALOG\",\n \"INPUT_PULLUP\",\n \"SET_PIN_MODE\",\n \"INTERNAL2V56\",\n \"SYSTEM_RESET\",\n \"LED_BUILTIN\",\n \"INTERNAL1V1\",\n \"SYSEX_START\",\n \"INTERNAL\",\n \"EXTERNAL\",\n \"DEFAULT\",\n \"OUTPUT\",\n \"INPUT\",\n \"HIGH\",\n \"LOW\"\n ]\n };\n\n const ARDUINO = cPlusPlus(hljs);\n\n const kws = /** @type {Record<string,any>} */ (ARDUINO.keywords);\n\n kws.type = [\n ...kws.type,\n ...ARDUINO_KW.type\n ];\n kws.literal = [\n ...kws.literal,\n ...ARDUINO_KW.literal\n ];\n kws.built_in = [\n ...kws.built_in,\n ...ARDUINO_KW.built_in\n ];\n kws._hints = ARDUINO_KW._hints;\n\n ARDUINO.name = 'Arduino';\n ARDUINO.aliases = [ 'ino' ];\n ARDUINO.supersetOf = \"cpp\";\n\n return ARDUINO;\n}\n\nmodule.exports = arduino;\n", "/*\nLanguage: ARM Assembly\nAuthor: Dan Panzarella <alsoelp@gmail.com>\nDescription: ARM Assembly including Thumb and Thumb2 instructions\nCategory: assembler\n*/\n\n/** @type LanguageFn */\nfunction armasm(hljs) {\n // local labels: %?[FB]?[AT]?\\d{1,2}\\w+\n\n const COMMENT = { variants: [\n hljs.COMMENT('^[ \\\\t]*(?=#)', '$', {\n relevance: 0,\n excludeBegin: true\n }),\n hljs.COMMENT('[;@]', '$', { relevance: 0 }),\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ] };\n\n return {\n name: 'ARM Assembly',\n case_insensitive: true,\n aliases: [ 'arm' ],\n keywords: {\n $pattern: '\\\\.?' + hljs.IDENT_RE,\n meta:\n // GNU preprocs\n '.2byte .4byte .align .ascii .asciz .balign .byte .code .data .else .end .endif .endm .endr .equ .err .exitm .extern .global .hword .if .ifdef .ifndef .include .irp .long .macro .rept .req .section .set .skip .space .text .word .arm .thumb .code16 .code32 .force_thumb .thumb_func .ltorg '\n // ARM directives\n + 'ALIAS ALIGN ARM AREA ASSERT ATTR CN CODE CODE16 CODE32 COMMON CP DATA DCB DCD DCDU DCDO DCFD DCFDU DCI DCQ DCQU DCW DCWU DN ELIF ELSE END ENDFUNC ENDIF ENDP ENTRY EQU EXPORT EXPORTAS EXTERN FIELD FILL FUNCTION GBLA GBLL GBLS GET GLOBAL IF IMPORT INCBIN INCLUDE INFO KEEP LCLA LCLL LCLS LTORG MACRO MAP MEND MEXIT NOFP OPT PRESERVE8 PROC QN READONLY RELOC REQUIRE REQUIRE8 RLIST FN ROUT SETA SETL SETS SN SPACE SUBT THUMB THUMBX TTL WHILE WEND ',\n built_in:\n 'r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 ' // standard registers\n + 'pc lr sp ip sl sb fp ' // typical regs plus backward compatibility\n + 'a1 a2 a3 a4 v1 v2 v3 v4 v5 v6 v7 v8 f0 f1 f2 f3 f4 f5 f6 f7 ' // more regs and fp\n + 'p0 p1 p2 p3 p4 p5 p6 p7 p8 p9 p10 p11 p12 p13 p14 p15 ' // coprocessor regs\n + 'c0 c1 c2 c3 c4 c5 c6 c7 c8 c9 c10 c11 c12 c13 c14 c15 ' // more coproc\n + 'q0 q1 q2 q3 q4 q5 q6 q7 q8 q9 q10 q11 q12 q13 q14 q15 ' // advanced SIMD NEON regs\n\n // program status registers\n + 'cpsr_c cpsr_x cpsr_s cpsr_f cpsr_cx cpsr_cxs cpsr_xs cpsr_xsf cpsr_sf cpsr_cxsf '\n + 'spsr_c spsr_x spsr_s spsr_f spsr_cx spsr_cxs spsr_xs spsr_xsf spsr_sf spsr_cxsf '\n\n // NEON and VFP registers\n + 's0 s1 s2 s3 s4 s5 s6 s7 s8 s9 s10 s11 s12 s13 s14 s15 '\n + 's16 s17 s18 s19 s20 s21 s22 s23 s24 s25 s26 s27 s28 s29 s30 s31 '\n + 'd0 d1 d2 d3 d4 d5 d6 d7 d8 d9 d10 d11 d12 d13 d14 d15 '\n + 'd16 d17 d18 d19 d20 d21 d22 d23 d24 d25 d26 d27 d28 d29 d30 d31 '\n\n + '{PC} {VAR} {TRUE} {FALSE} {OPT} {CONFIG} {ENDIAN} {CODESIZE} {CPU} {FPU} {ARCHITECTURE} {PCSTOREOFFSET} {ARMASM_VERSION} {INTER} {ROPI} {RWPI} {SWST} {NOSWST} . @'\n },\n contains: [\n {\n className: 'keyword',\n begin: '\\\\b(' // mnemonics\n + 'adc|'\n + '(qd?|sh?|u[qh]?)?add(8|16)?|usada?8|(q|sh?|u[qh]?)?(as|sa)x|'\n + 'and|adrl?|sbc|rs[bc]|asr|b[lx]?|blx|bxj|cbn?z|tb[bh]|bic|'\n + 'bfc|bfi|[su]bfx|bkpt|cdp2?|clz|clrex|cmp|cmn|cpsi[ed]|cps|'\n + 'setend|dbg|dmb|dsb|eor|isb|it[te]{0,3}|lsl|lsr|ror|rrx|'\n + 'ldm(([id][ab])|f[ds])?|ldr((s|ex)?[bhd])?|movt?|mvn|mra|mar|'\n + 'mul|[us]mull|smul[bwt][bt]|smu[as]d|smmul|smmla|'\n + 'mla|umlaal|smlal?([wbt][bt]|d)|mls|smlsl?[ds]|smc|svc|sev|'\n + 'mia([bt]{2}|ph)?|mrr?c2?|mcrr2?|mrs|msr|orr|orn|pkh(tb|bt)|rbit|'\n + 'rev(16|sh)?|sel|[su]sat(16)?|nop|pop|push|rfe([id][ab])?|'\n + 'stm([id][ab])?|str(ex)?[bhd]?|(qd?)?sub|(sh?|q|u[qh]?)?sub(8|16)|'\n + '[su]xt(a?h|a?b(16)?)|srs([id][ab])?|swpb?|swi|smi|tst|teq|'\n + 'wfe|wfi|yield'\n + ')'\n + '(eq|ne|cs|cc|mi|pl|vs|vc|hi|ls|ge|lt|gt|le|al|hs|lo)?' // condition codes\n + '[sptrx]?' // legal postfixes\n + '(?=\\\\s)' // followed by space\n },\n COMMENT,\n hljs.QUOTE_STRING_MODE,\n {\n className: 'string',\n begin: '\\'',\n end: '[^\\\\\\\\]\\'',\n relevance: 0\n },\n {\n className: 'title',\n begin: '\\\\|',\n end: '\\\\|',\n illegal: '\\\\n',\n relevance: 0\n },\n {\n className: 'number',\n variants: [\n { // hex\n begin: '[#$=]?0x[0-9a-f]+' },\n { // bin\n begin: '[#$=]?0b[01]+' },\n { // literal\n begin: '[#$=]\\\\d+' },\n { // bare number\n begin: '\\\\b\\\\d+' }\n ],\n relevance: 0\n },\n {\n className: 'symbol',\n variants: [\n { // GNU ARM syntax\n begin: '^[ \\\\t]*[a-z_\\\\.\\\\$][a-z0-9_\\\\.\\\\$]+:' },\n { // ARM syntax\n begin: '^[a-z_\\\\.\\\\$][a-z0-9_\\\\.\\\\$]+' },\n { // label reference\n begin: '[=#]\\\\w+' }\n ],\n relevance: 0\n }\n ]\n };\n}\n\nmodule.exports = armasm;\n", "/*\nLanguage: HTML, XML\nWebsite: https://www.w3.org/XML/\nCategory: common, web\nAudit: 2020\n*/\n\n/** @type LanguageFn */\nfunction xml(hljs) {\n const regex = hljs.regex;\n // XML names can have the following additional letters: https://www.w3.org/TR/xml/#NT-NameChar\n // OTHER_NAME_CHARS = /[:\\-.0-9\\u00B7\\u0300-\\u036F\\u203F-\\u2040]/;\n // Element names start with NAME_START_CHAR followed by optional other Unicode letters, ASCII digits, hyphens, underscores, and periods\n // const TAG_NAME_RE = regex.concat(/[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]/, regex.optional(/[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\\-.0-9\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*:/), /[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\\-.0-9\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*/);;\n // const XML_IDENT_RE = /[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\\-.0-9\\u00B7\\u0300-\\u036F\\u203F-\\u2040]+/;\n // const TAG_NAME_RE = regex.concat(/[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]/, regex.optional(/[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\\-.0-9\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*:/), /[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\\-.0-9\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*/);\n // however, to cater for performance and more Unicode support rely simply on the Unicode letter class\n const TAG_NAME_RE = regex.concat(/[\\p{L}_]/u, regex.optional(/[\\p{L}0-9_.-]*:/u), /[\\p{L}0-9_.-]*/u);\n const XML_IDENT_RE = /[\\p{L}0-9._:-]+/u;\n const XML_ENTITIES = {\n className: 'symbol',\n begin: /&[a-z]+;|&#[0-9]+;|&#x[a-f0-9]+;/\n };\n const XML_META_KEYWORDS = {\n begin: /\\s/,\n contains: [\n {\n className: 'keyword',\n begin: /#?[a-z_][a-z1-9_-]+/,\n illegal: /\\n/\n }\n ]\n };\n const XML_META_PAR_KEYWORDS = hljs.inherit(XML_META_KEYWORDS, {\n begin: /\\(/,\n end: /\\)/\n });\n const APOS_META_STRING_MODE = hljs.inherit(hljs.APOS_STRING_MODE, { className: 'string' });\n const QUOTE_META_STRING_MODE = hljs.inherit(hljs.QUOTE_STRING_MODE, { className: 'string' });\n const TAG_INTERNALS = {\n endsWithParent: true,\n illegal: /</,\n relevance: 0,\n contains: [\n {\n className: 'attr',\n begin: XML_IDENT_RE,\n relevance: 0\n },\n {\n begin: /=\\s*/,\n relevance: 0,\n contains: [\n {\n className: 'string',\n endsParent: true,\n variants: [\n {\n begin: /\"/,\n end: /\"/,\n contains: [ XML_ENTITIES ]\n },\n {\n begin: /'/,\n end: /'/,\n contains: [ XML_ENTITIES ]\n },\n { begin: /[^\\s\"'=<>`]+/ }\n ]\n }\n ]\n }\n ]\n };\n return {\n name: 'HTML, XML',\n aliases: [\n 'html',\n 'xhtml',\n 'rss',\n 'atom',\n 'xjb',\n 'xsd',\n 'xsl',\n 'plist',\n 'wsf',\n 'svg'\n ],\n case_insensitive: true,\n unicodeRegex: true,\n contains: [\n {\n className: 'meta',\n begin: /<![a-z]/,\n end: />/,\n relevance: 10,\n contains: [\n XML_META_KEYWORDS,\n QUOTE_META_STRING_MODE,\n APOS_META_STRING_MODE,\n XML_META_PAR_KEYWORDS,\n {\n begin: /\\[/,\n end: /\\]/,\n contains: [\n {\n className: 'meta',\n begin: /<![a-z]/,\n end: />/,\n contains: [\n XML_META_KEYWORDS,\n XML_META_PAR_KEYWORDS,\n QUOTE_META_STRING_MODE,\n APOS_META_STRING_MODE\n ]\n }\n ]\n }\n ]\n },\n hljs.COMMENT(\n /<!--/,\n /-->/,\n { relevance: 10 }\n ),\n {\n begin: /<!\\[CDATA\\[/,\n end: /\\]\\]>/,\n relevance: 10\n },\n XML_ENTITIES,\n // xml processing instructions\n {\n className: 'meta',\n end: /\\?>/,\n variants: [\n {\n begin: /<\\?xml/,\n relevance: 10,\n contains: [\n QUOTE_META_STRING_MODE\n ]\n },\n {\n begin: /<\\?[a-z][a-z0-9]+/,\n }\n ]\n\n },\n {\n className: 'tag',\n /*\n The lookahead pattern (?=...) ensures that 'begin' only matches\n '<style' as a single word, followed by a whitespace or an\n ending bracket.\n */\n begin: /<style(?=\\s|>)/,\n end: />/,\n keywords: { name: 'style' },\n contains: [ TAG_INTERNALS ],\n starts: {\n end: /<\\/style>/,\n returnEnd: true,\n subLanguage: [\n 'css',\n 'xml'\n ]\n }\n },\n {\n className: 'tag',\n // See the comment in the <style tag about the lookahead pattern\n begin: /<script(?=\\s|>)/,\n end: />/,\n keywords: { name: 'script' },\n contains: [ TAG_INTERNALS ],\n starts: {\n end: /<\\/script>/,\n returnEnd: true,\n subLanguage: [\n 'javascript',\n 'handlebars',\n 'xml'\n ]\n }\n },\n // we need this for now for jSX\n {\n className: 'tag',\n begin: /<>|<\\/>/\n },\n // open tag\n {\n className: 'tag',\n begin: regex.concat(\n /</,\n regex.lookahead(regex.concat(\n TAG_NAME_RE,\n // <tag/>\n // <tag>\n // <tag ...\n regex.either(/\\/>/, />/, /\\s/)\n ))\n ),\n end: /\\/?>/,\n contains: [\n {\n className: 'name',\n begin: TAG_NAME_RE,\n relevance: 0,\n starts: TAG_INTERNALS\n }\n ]\n },\n // close tag\n {\n className: 'tag',\n begin: regex.concat(\n /<\\//,\n regex.lookahead(regex.concat(\n TAG_NAME_RE, />/\n ))\n ),\n contains: [\n {\n className: 'name',\n begin: TAG_NAME_RE,\n relevance: 0\n },\n {\n begin: />/,\n relevance: 0,\n endsParent: true\n }\n ]\n }\n ]\n };\n}\n\nmodule.exports = xml;\n", "/*\nLanguage: AsciiDoc\nRequires: xml.js\nAuthor: Dan Allen <dan.j.allen@gmail.com>\nWebsite: http://asciidoc.org\nDescription: A semantic, text-based document format that can be exported to HTML, DocBook and other backends.\nCategory: markup\n*/\n\n/** @type LanguageFn */\nfunction asciidoc(hljs) {\n const regex = hljs.regex;\n const HORIZONTAL_RULE = {\n begin: '^\\'{3,}[ \\\\t]*$',\n relevance: 10\n };\n const ESCAPED_FORMATTING = [\n // escaped constrained formatting marks (i.e., \\* \\_ or \\`)\n { begin: /\\\\[*_`]/ },\n // escaped unconstrained formatting marks (i.e., \\\\** \\\\__ or \\\\``)\n // must ignore until the next formatting marks\n // this rule might not be 100% compliant with Asciidoctor 2.0 but we are entering undefined behavior territory...\n { begin: /\\\\\\\\\\*{2}[^\\n]*?\\*{2}/ },\n { begin: /\\\\\\\\_{2}[^\\n]*_{2}/ },\n { begin: /\\\\\\\\`{2}[^\\n]*`{2}/ },\n // guard: constrained formatting mark may not be preceded by \":\", \";\" or\n // \"}\". match these so the constrained rule doesn't see them\n { begin: /[:;}][*_`](?![*_`])/ }\n ];\n const STRONG = [\n // inline unconstrained strong (single line)\n {\n className: 'strong',\n begin: /\\*{2}([^\\n]+?)\\*{2}/\n },\n // inline unconstrained strong (multi-line)\n {\n className: 'strong',\n begin: regex.concat(\n /\\*\\*/,\n /((\\*(?!\\*)|\\\\[^\\n]|[^*\\n\\\\])+\\n)+/,\n /(\\*(?!\\*)|\\\\[^\\n]|[^*\\n\\\\])*/,\n /\\*\\*/\n ),\n relevance: 0\n },\n // inline constrained strong (single line)\n {\n className: 'strong',\n // must not precede or follow a word character\n begin: /\\B\\*(\\S|\\S[^\\n]*?\\S)\\*(?!\\w)/\n },\n // inline constrained strong (multi-line)\n {\n className: 'strong',\n // must not precede or follow a word character\n begin: /\\*[^\\s]([^\\n]+\\n)+([^\\n]+)\\*/\n }\n ];\n const EMPHASIS = [\n // inline unconstrained emphasis (single line)\n {\n className: 'emphasis',\n begin: /_{2}([^\\n]+?)_{2}/\n },\n // inline unconstrained emphasis (multi-line)\n {\n className: 'emphasis',\n begin: regex.concat(\n /__/,\n /((_(?!_)|\\\\[^\\n]|[^_\\n\\\\])+\\n)+/,\n /(_(?!_)|\\\\[^\\n]|[^_\\n\\\\])*/,\n /__/\n ),\n relevance: 0\n },\n // inline constrained emphasis (single line)\n {\n className: 'emphasis',\n // must not precede or follow a word character\n begin: /\\b_(\\S|\\S[^\\n]*?\\S)_(?!\\w)/\n },\n // inline constrained emphasis (multi-line)\n {\n className: 'emphasis',\n // must not precede or follow a word character\n begin: /_[^\\s]([^\\n]+\\n)+([^\\n]+)_/\n },\n // inline constrained emphasis using single quote (legacy)\n {\n className: 'emphasis',\n // must not follow a word character or be followed by a single quote or space\n begin: '\\\\B\\'(?![\\'\\\\s])',\n end: '(\\\\n{2}|\\')',\n // allow escaped single quote followed by word char\n contains: [\n {\n begin: '\\\\\\\\\\'\\\\w',\n relevance: 0\n }\n ],\n relevance: 0\n }\n ];\n const ADMONITION = {\n className: 'symbol',\n begin: '^(NOTE|TIP|IMPORTANT|WARNING|CAUTION):\\\\s+',\n relevance: 10\n };\n const BULLET_LIST = {\n className: 'bullet',\n begin: '^(\\\\*+|-+|\\\\.+|[^\\\\n]+?::)\\\\s+'\n };\n\n return {\n name: 'AsciiDoc',\n aliases: [ 'adoc' ],\n contains: [\n // block comment\n hljs.COMMENT(\n '^/{4,}\\\\n',\n '\\\\n/{4,}$',\n // can also be done as...\n // '^/{4,}$',\n // '^/{4,}$',\n { relevance: 10 }\n ),\n // line comment\n hljs.COMMENT(\n '^//',\n '$',\n { relevance: 0 }\n ),\n // title\n {\n className: 'title',\n begin: '^\\\\.\\\\w.*$'\n },\n // example, admonition & sidebar blocks\n {\n begin: '^[=\\\\*]{4,}\\\\n',\n end: '\\\\n^[=\\\\*]{4,}$',\n relevance: 10\n },\n // headings\n {\n className: 'section',\n relevance: 10,\n variants: [\n { begin: '^(={1,6})[ \\t].+?([ \\t]\\\\1)?$' },\n { begin: '^[^\\\\[\\\\]\\\\n]+?\\\\n[=\\\\-~\\\\^\\\\+]{2,}$' }\n ]\n },\n // document attributes\n {\n className: 'meta',\n begin: '^:.+?:',\n end: '\\\\s',\n excludeEnd: true,\n relevance: 10\n },\n // block attributes\n {\n className: 'meta',\n begin: '^\\\\[.+?\\\\]$',\n relevance: 0\n },\n // quoteblocks\n {\n className: 'quote',\n begin: '^_{4,}\\\\n',\n end: '\\\\n_{4,}$',\n relevance: 10\n },\n // listing and literal blocks\n {\n className: 'code',\n begin: '^[\\\\-\\\\.]{4,}\\\\n',\n end: '\\\\n[\\\\-\\\\.]{4,}$',\n relevance: 10\n },\n // passthrough blocks\n {\n begin: '^\\\\+{4,}\\\\n',\n end: '\\\\n\\\\+{4,}$',\n contains: [\n {\n begin: '<',\n end: '>',\n subLanguage: 'xml',\n relevance: 0\n }\n ],\n relevance: 10\n },\n\n BULLET_LIST,\n ADMONITION,\n ...ESCAPED_FORMATTING,\n ...STRONG,\n ...EMPHASIS,\n\n // inline smart quotes\n {\n className: 'string',\n variants: [\n { begin: \"``.+?''\" },\n { begin: \"`.+?'\" }\n ]\n },\n // inline unconstrained emphasis\n {\n className: 'code',\n begin: /`{2}/,\n end: /(\\n{2}|`{2})/\n },\n // inline code snippets (TODO should get same treatment as strong and emphasis)\n {\n className: 'code',\n begin: '(`.+?`|\\\\+.+?\\\\+)',\n relevance: 0\n },\n // indented literal block\n {\n className: 'code',\n begin: '^[ \\\\t]',\n end: '$',\n relevance: 0\n },\n HORIZONTAL_RULE,\n // images and links\n {\n begin: '(link:)?(http|https|ftp|file|irc|image:?):\\\\S+?\\\\[[^[]*?\\\\]',\n returnBegin: true,\n contains: [\n {\n begin: '(link|image:?):',\n relevance: 0\n },\n {\n className: 'link',\n begin: '\\\\w',\n end: '[^\\\\[]+',\n relevance: 0\n },\n {\n className: 'string',\n begin: '\\\\[',\n end: '\\\\]',\n excludeBegin: true,\n excludeEnd: true,\n relevance: 0\n }\n ],\n relevance: 10\n }\n ]\n };\n}\n\nmodule.exports = asciidoc;\n", "/*\nLanguage: AspectJ\nAuthor: Hakan Ozler <ozler.hakan@gmail.com>\nWebsite: https://www.eclipse.org/aspectj/\nDescription: Syntax Highlighting for the AspectJ Language which is a general-purpose aspect-oriented extension to the Java programming language.\nAudit: 2020\n*/\n\n/** @type LanguageFn */\nfunction aspectj(hljs) {\n const regex = hljs.regex;\n const KEYWORDS = [\n \"false\",\n \"synchronized\",\n \"int\",\n \"abstract\",\n \"float\",\n \"private\",\n \"char\",\n \"boolean\",\n \"static\",\n \"null\",\n \"if\",\n \"const\",\n \"for\",\n \"true\",\n \"while\",\n \"long\",\n \"throw\",\n \"strictfp\",\n \"finally\",\n \"protected\",\n \"import\",\n \"native\",\n \"final\",\n \"return\",\n \"void\",\n \"enum\",\n \"else\",\n \"extends\",\n \"implements\",\n \"break\",\n \"transient\",\n \"new\",\n \"catch\",\n \"instanceof\",\n \"byte\",\n \"super\",\n \"volatile\",\n \"case\",\n \"assert\",\n \"short\",\n \"package\",\n \"default\",\n \"double\",\n \"public\",\n \"try\",\n \"this\",\n \"switch\",\n \"continue\",\n \"throws\",\n \"privileged\",\n \"aspectOf\",\n \"adviceexecution\",\n \"proceed\",\n \"cflowbelow\",\n \"cflow\",\n \"initialization\",\n \"preinitialization\",\n \"staticinitialization\",\n \"withincode\",\n \"target\",\n \"within\",\n \"execution\",\n \"getWithinTypeName\",\n \"handler\",\n \"thisJoinPoint\",\n \"thisJoinPointStaticPart\",\n \"thisEnclosingJoinPointStaticPart\",\n \"declare\",\n \"parents\",\n \"warning\",\n \"error\",\n \"soft\",\n \"precedence\",\n \"thisAspectInstance\"\n ];\n const SHORTKEYS = [\n \"get\",\n \"set\",\n \"args\",\n \"call\"\n ];\n\n return {\n name: 'AspectJ',\n keywords: KEYWORDS,\n illegal: /<\\/|#/,\n contains: [\n hljs.COMMENT(\n /\\/\\*\\*/,\n /\\*\\//,\n {\n relevance: 0,\n contains: [\n {\n // eat up @'s in emails to prevent them to be recognized as doctags\n begin: /\\w+@/,\n relevance: 0\n },\n {\n className: 'doctag',\n begin: /@[A-Za-z]+/\n }\n ]\n }\n ),\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n {\n className: 'class',\n beginKeywords: 'aspect',\n end: /[{;=]/,\n excludeEnd: true,\n illegal: /[:;\"\\[\\]]/,\n contains: [\n { beginKeywords: 'extends implements pertypewithin perthis pertarget percflowbelow percflow issingleton' },\n hljs.UNDERSCORE_TITLE_MODE,\n {\n begin: /\\([^\\)]*/,\n end: /[)]+/,\n keywords: KEYWORDS.concat(SHORTKEYS),\n excludeEnd: false\n }\n ]\n },\n {\n className: 'class',\n beginKeywords: 'class interface',\n end: /[{;=]/,\n excludeEnd: true,\n relevance: 0,\n keywords: 'class interface',\n illegal: /[:\"\\[\\]]/,\n contains: [\n { beginKeywords: 'extends implements' },\n hljs.UNDERSCORE_TITLE_MODE\n ]\n },\n {\n // AspectJ Constructs\n beginKeywords: 'pointcut after before around throwing returning',\n end: /[)]/,\n excludeEnd: false,\n illegal: /[\"\\[\\]]/,\n contains: [\n {\n begin: regex.concat(hljs.UNDERSCORE_IDENT_RE, /\\s*\\(/),\n returnBegin: true,\n contains: [ hljs.UNDERSCORE_TITLE_MODE ]\n }\n ]\n },\n {\n begin: /[:]/,\n returnBegin: true,\n end: /[{;]/,\n relevance: 0,\n excludeEnd: false,\n keywords: KEYWORDS,\n illegal: /[\"\\[\\]]/,\n contains: [\n {\n begin: regex.concat(hljs.UNDERSCORE_IDENT_RE, /\\s*\\(/),\n keywords: KEYWORDS.concat(SHORTKEYS),\n relevance: 0\n },\n hljs.QUOTE_STRING_MODE\n ]\n },\n {\n // this prevents 'new Name(...), or throw ...' from being recognized as a function definition\n beginKeywords: 'new throw',\n relevance: 0\n },\n {\n // the function class is a bit different for AspectJ compared to the Java language\n className: 'function',\n begin: /\\w+ +\\w+(\\.\\w+)?\\s*\\([^\\)]*\\)\\s*((throws)[\\w\\s,]+)?[\\{;]/,\n returnBegin: true,\n end: /[{;=]/,\n keywords: KEYWORDS,\n excludeEnd: true,\n contains: [\n {\n begin: regex.concat(hljs.UNDERSCORE_IDENT_RE, /\\s*\\(/),\n returnBegin: true,\n relevance: 0,\n contains: [ hljs.UNDERSCORE_TITLE_MODE ]\n },\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n relevance: 0,\n keywords: KEYWORDS,\n contains: [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.C_NUMBER_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n hljs.C_NUMBER_MODE,\n {\n // annotation is also used in this language\n className: 'meta',\n begin: /@[A-Za-z]+/\n }\n ]\n };\n}\n\nmodule.exports = aspectj;\n", "/*\nLanguage: AutoHotkey\nAuthor: Seongwon Lee <dlimpid@gmail.com>\nDescription: AutoHotkey language definition\nCategory: scripting\n*/\n\n/** @type LanguageFn */\nfunction autohotkey(hljs) {\n const BACKTICK_ESCAPE = { begin: '`[\\\\s\\\\S]' };\n\n return {\n name: 'AutoHotkey',\n case_insensitive: true,\n aliases: [ 'ahk' ],\n keywords: {\n keyword: 'Break Continue Critical Exit ExitApp Gosub Goto New OnExit Pause return SetBatchLines SetTimer Suspend Thread Throw Until ahk_id ahk_class ahk_pid ahk_exe ahk_group',\n literal: 'true false NOT AND OR',\n built_in: 'ComSpec Clipboard ClipboardAll ErrorLevel'\n },\n contains: [\n BACKTICK_ESCAPE,\n hljs.inherit(hljs.QUOTE_STRING_MODE, { contains: [ BACKTICK_ESCAPE ] }),\n hljs.COMMENT(';', '$', { relevance: 0 }),\n hljs.C_BLOCK_COMMENT_MODE,\n {\n className: 'number',\n begin: hljs.NUMBER_RE,\n relevance: 0\n },\n {\n // subst would be the most accurate however fails the point of\n // highlighting. variable is comparably the most accurate that actually\n // has some effect\n className: 'variable',\n begin: '%[a-zA-Z0-9#_$@]+%'\n },\n {\n className: 'built_in',\n begin: '^\\\\s*\\\\w+\\\\s*(,|%)'\n // I don't really know if this is totally relevant\n },\n {\n // symbol would be most accurate however is highlighted just like\n // built_in and that makes up a lot of AutoHotkey code meaning that it\n // would fail to highlight anything\n className: 'title',\n variants: [\n { begin: '^[^\\\\n\";]+::(?!=)' },\n {\n begin: '^[^\\\\n\";]+:(?!=)',\n // zero relevance as it catches a lot of things\n // followed by a single ':' in many languages\n relevance: 0\n }\n ]\n },\n {\n className: 'meta',\n begin: '^\\\\s*#\\\\w+',\n end: '$',\n relevance: 0\n },\n {\n className: 'built_in',\n begin: 'A_[a-zA-Z0-9]+'\n },\n {\n // consecutive commas, not for highlighting but just for relevance\n begin: ',\\\\s*,' }\n ]\n };\n}\n\nmodule.exports = autohotkey;\n", "/*\nLanguage: AutoIt\nAuthor: Manh Tuan <junookyo@gmail.com>\nDescription: AutoIt language definition\nCategory: scripting\n*/\n\n/** @type LanguageFn */\nfunction autoit(hljs) {\n const KEYWORDS = 'ByRef Case Const ContinueCase ContinueLoop '\n + 'Dim Do Else ElseIf EndFunc EndIf EndSelect '\n + 'EndSwitch EndWith Enum Exit ExitLoop For Func '\n + 'Global If In Local Next ReDim Return Select Static '\n + 'Step Switch Then To Until Volatile WEnd While With';\n\n const DIRECTIVES = [\n \"EndRegion\",\n \"forcedef\",\n \"forceref\",\n \"ignorefunc\",\n \"include\",\n \"include-once\",\n \"NoTrayIcon\",\n \"OnAutoItStartRegister\",\n \"pragma\",\n \"Region\",\n \"RequireAdmin\",\n \"Tidy_Off\",\n \"Tidy_On\",\n \"Tidy_Parameters\"\n ];\n\n const LITERAL = 'True False And Null Not Or Default';\n\n const BUILT_IN =\n 'Abs ACos AdlibRegister AdlibUnRegister Asc AscW ASin Assign ATan AutoItSetOption AutoItWinGetTitle AutoItWinSetTitle Beep Binary BinaryLen BinaryMid BinaryToString BitAND BitNOT BitOR BitRotate BitShift BitXOR BlockInput Break Call CDTray Ceiling Chr ChrW ClipGet ClipPut ConsoleRead ConsoleWrite ConsoleWriteError ControlClick ControlCommand ControlDisable ControlEnable ControlFocus ControlGetFocus ControlGetHandle ControlGetPos ControlGetText ControlHide ControlListView ControlMove ControlSend ControlSetText ControlShow ControlTreeView Cos Dec DirCopy DirCreate DirGetSize DirMove DirRemove DllCall DllCallAddress DllCallbackFree DllCallbackGetPtr DllCallbackRegister DllClose DllOpen DllStructCreate DllStructGetData DllStructGetPtr DllStructGetSize DllStructSetData DriveGetDrive DriveGetFileSystem DriveGetLabel DriveGetSerial DriveGetType DriveMapAdd DriveMapDel DriveMapGet DriveSetLabel DriveSpaceFree DriveSpaceTotal DriveStatus EnvGet EnvSet EnvUpdate Eval Execute Exp FileChangeDir FileClose FileCopy FileCreateNTFSLink FileCreateShortcut FileDelete FileExists FileFindFirstFile FileFindNextFile FileFlush FileGetAttrib FileGetEncoding FileGetLongName FileGetPos FileGetShortcut FileGetShortName FileGetSize FileGetTime FileGetVersion FileInstall FileMove FileOpen FileOpenDialog FileRead FileReadLine FileReadToArray FileRecycle FileRecycleEmpty FileSaveDialog FileSelectFolder FileSetAttrib FileSetEnd FileSetPos FileSetTime FileWrite FileWriteLine Floor FtpSetProxy FuncName GUICreate GUICtrlCreateAvi GUICtrlCreateButton GUICtrlCreateCheckbox GUICtrlCreateCombo GUICtrlCreateContextMenu GUICtrlCreateDate GUICtrlCreateDummy GUICtrlCreateEdit GUICtrlCreateGraphic GUICtrlCreateGroup GUICtrlCreateIcon GUICtrlCreateInput GUICtrlCreateLabel GUICtrlCreateList GUICtrlCreateListView GUICtrlCreateListViewItem GUICtrlCreateMenu GUICtrlCreateMenuItem GUICtrlCreateMonthCal GUICtrlCreateObj GUICtrlCreatePic GUICtrlCreateProgress GUICtrlCreateRadio GUICtrlCreateSlider GUICtrlCreateTab GUICtrlCreateTabItem GUICtrlCreateTreeView GUICtrlCreateTreeViewItem GUICtrlCreateUpdown GUICtrlDelete GUICtrlGetHandle GUICtrlGetState GUICtrlRead GUICtrlRecvMsg GUICtrlRegisterListViewSort GUICtrlSendMsg GUICtrlSendToDummy GUICtrlSetBkColor GUICtrlSetColor GUICtrlSetCursor GUICtrlSetData GUICtrlSetDefBkColor GUICtrlSetDefColor GUICtrlSetFont GUICtrlSetGraphic GUICtrlSetImage GUICtrlSetLimit GUICtrlSetOnEvent GUICtrlSetPos GUICtrlSetResizing GUICtrlSetState GUICtrlSetStyle GUICtrlSetTip GUIDelete GUIGetCursorInfo GUIGetMsg GUIGetStyle GUIRegisterMsg GUISetAccelerators GUISetBkColor GUISetCoord GUISetCursor GUISetFont GUISetHelp GUISetIcon GUISetOnEvent GUISetState GUISetStyle GUIStartGroup GUISwitch Hex HotKeySet HttpSetProxy HttpSetUserAgent HWnd InetClose InetGet InetGetInfo InetGetSize InetRead IniDelete IniRead IniReadSection IniReadSectionNames IniRenameSection IniWrite IniWriteSection InputBox Int IsAdmin IsArray IsBinary IsBool IsDeclared IsDllStruct IsFloat IsFunc IsHWnd IsInt IsKeyword IsNumber IsObj IsPtr IsString Log MemGetStats Mod MouseClick MouseClickDrag MouseDown MouseGetCursor MouseGetPos MouseMove MouseUp MouseWheel MsgBox Number ObjCreate ObjCreateInterface ObjEvent ObjGet ObjName OnAutoItExitRegister OnAutoItExitUnRegister Ping PixelChecksum PixelGetColor PixelSearch ProcessClose ProcessExists ProcessGetStats ProcessList ProcessSetPriority ProcessWait ProcessWaitClose ProgressOff ProgressOn ProgressSet Ptr Random RegDelete RegEnumKey RegEnumVal RegRead RegWrite Round Run RunAs RunAsWait RunWait Send SendKeepActive SetError SetExtended ShellExecute ShellExecuteWait Shutdown Sin Sleep SoundPlay SoundSetWaveVolume SplashImageOn SplashOff SplashTextOn Sqrt SRandom StatusbarGetText StderrRead StdinWrite StdioClose StdoutRead String StringAddCR StringCompare StringFormat StringFromASCIIArray StringInStr StringIsAlNum StringIsAlpha StringIsASCII StringIsDigit StringIsFloat StringIsInt StringIsLower StringIsSpace StringIsUpper StringIsXDigit StringLeft StringLen StringLower StringMid StringRegExp StringRegExpReplace StringReplace StringReverse StringRight StringSplit StringStripCR StringStripWS StringToASCIIArray StringToBinary StringTrimLeft StringTrimRight StringUpper Tan TCPAccept TCPCloseSocket TCPConnect TCPListen TCPNameToIP TCPRecv TCPSend TCPShutdown, UDPShutdown TCPStartup, UDPStartup TimerDiff TimerInit ToolTip TrayCreateItem TrayCreateMenu TrayGetMsg TrayItemDelete TrayItemGetHandle TrayItemGetState TrayItemGetText TrayItemSetOnEvent TrayItemSetState TrayItemSetText TraySetClick TraySetIcon TraySetOnEvent TraySetPauseIcon TraySetState TraySetToolTip TrayTip UBound UDPBind UDPCloseSocket UDPOpen UDPRecv UDPSend VarGetType WinActivate WinActive WinClose WinExists WinFlash WinGetCaretPos WinGetClassList WinGetClientSize WinGetHandle WinGetPos WinGetProcess WinGetState WinGetText WinGetTitle WinKill WinList WinMenuSelectItem WinMinimizeAll WinMinimizeAllUndo WinMove WinSetOnTop WinSetState WinSetTitle WinSetTrans WinWait WinWaitActive WinWaitClose WinWaitNotActive';\n\n const COMMENT = { variants: [\n hljs.COMMENT(';', '$', { relevance: 0 }),\n hljs.COMMENT('#cs', '#ce'),\n hljs.COMMENT('#comments-start', '#comments-end')\n ] };\n\n const VARIABLE = { begin: '\\\\$[A-z0-9_]+' };\n\n const STRING = {\n className: 'string',\n variants: [\n {\n begin: /\"/,\n end: /\"/,\n contains: [\n {\n begin: /\"\"/,\n relevance: 0\n }\n ]\n },\n {\n begin: /'/,\n end: /'/,\n contains: [\n {\n begin: /''/,\n relevance: 0\n }\n ]\n }\n ]\n };\n\n const NUMBER = { variants: [\n hljs.BINARY_NUMBER_MODE,\n hljs.C_NUMBER_MODE\n ] };\n\n const PREPROCESSOR = {\n className: 'meta',\n begin: '#',\n end: '$',\n keywords: { keyword: DIRECTIVES },\n contains: [\n {\n begin: /\\\\\\n/,\n relevance: 0\n },\n {\n beginKeywords: 'include',\n keywords: { keyword: 'include' },\n end: '$',\n contains: [\n STRING,\n {\n className: 'string',\n variants: [\n {\n begin: '<',\n end: '>'\n },\n {\n begin: /\"/,\n end: /\"/,\n contains: [\n {\n begin: /\"\"/,\n relevance: 0\n }\n ]\n },\n {\n begin: /'/,\n end: /'/,\n contains: [\n {\n begin: /''/,\n relevance: 0\n }\n ]\n }\n ]\n }\n ]\n },\n STRING,\n COMMENT\n ]\n };\n\n const CONSTANT = {\n className: 'symbol',\n // begin: '@',\n // end: '$',\n // keywords: 'AppDataCommonDir AppDataDir AutoItExe AutoItPID AutoItVersion AutoItX64 COM_EventObj CommonFilesDir Compiled ComputerName ComSpec CPUArch CR CRLF DesktopCommonDir DesktopDepth DesktopDir DesktopHeight DesktopRefresh DesktopWidth DocumentsCommonDir error exitCode exitMethod extended FavoritesCommonDir FavoritesDir GUI_CtrlHandle GUI_CtrlId GUI_DragFile GUI_DragId GUI_DropId GUI_WinHandle HomeDrive HomePath HomeShare HotKeyPressed HOUR IPAddress1 IPAddress2 IPAddress3 IPAddress4 KBLayout LF LocalAppDataDir LogonDNSDomain LogonDomain LogonServer MDAY MIN MON MSEC MUILang MyDocumentsDir NumParams OSArch OSBuild OSLang OSServicePack OSType OSVersion ProgramFilesDir ProgramsCommonDir ProgramsDir ScriptDir ScriptFullPath ScriptLineNumber ScriptName SEC StartMenuCommonDir StartMenuDir StartupCommonDir StartupDir SW_DISABLE SW_ENABLE SW_HIDE SW_LOCK SW_MAXIMIZE SW_MINIMIZE SW_RESTORE SW_SHOW SW_SHOWDEFAULT SW_SHOWMAXIMIZED SW_SHOWMINIMIZED SW_SHOWMINNOACTIVE SW_SHOWNA SW_SHOWNOACTIVATE SW_SHOWNORMAL SW_UNLOCK SystemDir TAB TempDir TRAY_ID TrayIconFlashing TrayIconVisible UserName UserProfileDir WDAY WindowsDir WorkingDir YDAY YEAR',\n // relevance: 5\n begin: '@[A-z0-9_]+'\n };\n\n const FUNCTION = {\n beginKeywords: 'Func',\n end: '$',\n illegal: '\\\\$|\\\\[|%',\n contains: [\n hljs.inherit(hljs.UNDERSCORE_TITLE_MODE, { className: \"title.function\" }),\n {\n className: 'params',\n begin: '\\\\(',\n end: '\\\\)',\n contains: [\n VARIABLE,\n STRING,\n NUMBER\n ]\n }\n ]\n };\n\n return {\n name: 'AutoIt',\n case_insensitive: true,\n illegal: /\\/\\*/,\n keywords: {\n keyword: KEYWORDS,\n built_in: BUILT_IN,\n literal: LITERAL\n },\n contains: [\n COMMENT,\n VARIABLE,\n STRING,\n NUMBER,\n PREPROCESSOR,\n CONSTANT,\n FUNCTION\n ]\n };\n}\n\nmodule.exports = autoit;\n", "/*\nLanguage: AVR Assembly\nAuthor: Vladimir Ermakov <vooon341@gmail.com>\nCategory: assembler\nWebsite: https://www.microchip.com/webdoc/avrassembler/avrassembler.wb_instruction_list.html\n*/\n\n/** @type LanguageFn */\nfunction avrasm(hljs) {\n return {\n name: 'AVR Assembly',\n case_insensitive: true,\n keywords: {\n $pattern: '\\\\.?' + hljs.IDENT_RE,\n keyword:\n /* mnemonic */\n 'adc add adiw and andi asr bclr bld brbc brbs brcc brcs break breq brge brhc brhs '\n + 'brid brie brlo brlt brmi brne brpl brsh brtc brts brvc brvs bset bst call cbi cbr '\n + 'clc clh cli cln clr cls clt clv clz com cp cpc cpi cpse dec eicall eijmp elpm eor '\n + 'fmul fmuls fmulsu icall ijmp in inc jmp ld ldd ldi lds lpm lsl lsr mov movw mul '\n + 'muls mulsu neg nop or ori out pop push rcall ret reti rjmp rol ror sbc sbr sbrc sbrs '\n + 'sec seh sbi sbci sbic sbis sbiw sei sen ser ses set sev sez sleep spm st std sts sub '\n + 'subi swap tst wdr',\n built_in:\n /* general purpose registers */\n 'r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 r16 r17 r18 r19 r20 r21 r22 '\n + 'r23 r24 r25 r26 r27 r28 r29 r30 r31 x|0 xh xl y|0 yh yl z|0 zh zl '\n /* IO Registers (ATMega128) */\n + 'ucsr1c udr1 ucsr1a ucsr1b ubrr1l ubrr1h ucsr0c ubrr0h tccr3c tccr3a tccr3b tcnt3h '\n + 'tcnt3l ocr3ah ocr3al ocr3bh ocr3bl ocr3ch ocr3cl icr3h icr3l etimsk etifr tccr1c '\n + 'ocr1ch ocr1cl twcr twdr twar twsr twbr osccal xmcra xmcrb eicra spmcsr spmcr portg '\n + 'ddrg ping portf ddrf sreg sph spl xdiv rampz eicrb eimsk gimsk gicr eifr gifr timsk '\n + 'tifr mcucr mcucsr tccr0 tcnt0 ocr0 assr tccr1a tccr1b tcnt1h tcnt1l ocr1ah ocr1al '\n + 'ocr1bh ocr1bl icr1h icr1l tccr2 tcnt2 ocr2 ocdr wdtcr sfior eearh eearl eedr eecr '\n + 'porta ddra pina portb ddrb pinb portc ddrc pinc portd ddrd pind spdr spsr spcr udr0 '\n + 'ucsr0a ucsr0b ubrr0l acsr admux adcsr adch adcl porte ddre pine pinf',\n meta:\n '.byte .cseg .db .def .device .dseg .dw .endmacro .equ .eseg .exit .include .list '\n + '.listmac .macro .nolist .org .set'\n },\n contains: [\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.COMMENT(\n ';',\n '$',\n { relevance: 0 }\n ),\n hljs.C_NUMBER_MODE, // 0x..., decimal, float\n hljs.BINARY_NUMBER_MODE, // 0b...\n {\n className: 'number',\n begin: '\\\\b(\\\\$[a-zA-Z0-9]+|0o[0-7]+)' // $..., 0o...\n },\n hljs.QUOTE_STRING_MODE,\n {\n className: 'string',\n begin: '\\'',\n end: '[^\\\\\\\\]\\'',\n illegal: '[^\\\\\\\\][^\\']'\n },\n {\n className: 'symbol',\n begin: '^[A-Za-z0-9_.$]+:'\n },\n {\n className: 'meta',\n begin: '#',\n end: '$'\n },\n { // substitution within a macro\n className: 'subst',\n begin: '@[0-9]+'\n }\n ]\n };\n}\n\nmodule.exports = avrasm;\n", "/*\nLanguage: Awk\nAuthor: Matthew Daly <matthewbdaly@gmail.com>\nWebsite: https://www.gnu.org/software/gawk/manual/gawk.html\nDescription: language definition for Awk scripts\n*/\n\n/** @type LanguageFn */\nfunction awk(hljs) {\n const VARIABLE = {\n className: 'variable',\n variants: [\n { begin: /\\$[\\w\\d#@][\\w\\d_]*/ },\n { begin: /\\$\\{(.*?)\\}/ }\n ]\n };\n const KEYWORDS = 'BEGIN END if else while do for in break continue delete next nextfile function func exit|10';\n const STRING = {\n className: 'string',\n contains: [ hljs.BACKSLASH_ESCAPE ],\n variants: [\n {\n begin: /(u|b)?r?'''/,\n end: /'''/,\n relevance: 10\n },\n {\n begin: /(u|b)?r?\"\"\"/,\n end: /\"\"\"/,\n relevance: 10\n },\n {\n begin: /(u|r|ur)'/,\n end: /'/,\n relevance: 10\n },\n {\n begin: /(u|r|ur)\"/,\n end: /\"/,\n relevance: 10\n },\n {\n begin: /(b|br)'/,\n end: /'/\n },\n {\n begin: /(b|br)\"/,\n end: /\"/\n },\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ]\n };\n return {\n name: 'Awk',\n keywords: { keyword: KEYWORDS },\n contains: [\n VARIABLE,\n STRING,\n hljs.REGEXP_MODE,\n hljs.HASH_COMMENT_MODE,\n hljs.NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = awk;\n", "/*\nLanguage: Microsoft X++\nDescription: X++ is a language used in Microsoft Dynamics 365, Dynamics AX, and Axapta.\nAuthor: Dmitri Roudakov <dmitri@roudakov.ru>\nWebsite: https://dynamics.microsoft.com/en-us/ax-overview/\nCategory: enterprise\n*/\n\n/** @type LanguageFn */\nfunction axapta(hljs) {\n const IDENT_RE = hljs.UNDERSCORE_IDENT_RE;\n const BUILT_IN_KEYWORDS = [\n 'anytype',\n 'boolean',\n 'byte',\n 'char',\n 'container',\n 'date',\n 'double',\n 'enum',\n 'guid',\n 'int',\n 'int64',\n 'long',\n 'real',\n 'short',\n 'str',\n 'utcdatetime',\n 'var'\n ];\n\n const LITERAL_KEYWORDS = [\n 'default',\n 'false',\n 'null',\n 'true'\n ];\n\n const NORMAL_KEYWORDS = [\n 'abstract',\n 'as',\n 'asc',\n 'avg',\n 'break',\n 'breakpoint',\n 'by',\n 'byref',\n 'case',\n 'catch',\n 'changecompany',\n 'class',\n 'client',\n 'client',\n 'common',\n 'const',\n 'continue',\n 'count',\n 'crosscompany',\n 'delegate',\n 'delete_from',\n 'desc',\n 'display',\n 'div',\n 'do',\n 'edit',\n 'else',\n 'eventhandler',\n 'exists',\n 'extends',\n 'final',\n 'finally',\n 'firstfast',\n 'firstonly',\n 'firstonly1',\n 'firstonly10',\n 'firstonly100',\n 'firstonly1000',\n 'flush',\n 'for',\n 'forceliterals',\n 'forcenestedloop',\n 'forceplaceholders',\n 'forceselectorder',\n 'forupdate',\n 'from',\n 'generateonly',\n 'group',\n 'hint',\n 'if',\n 'implements',\n 'in',\n 'index',\n 'insert_recordset',\n 'interface',\n 'internal',\n 'is',\n 'join',\n 'like',\n 'maxof',\n 'minof',\n 'mod',\n 'namespace',\n 'new',\n 'next',\n 'nofetch',\n 'notexists',\n 'optimisticlock',\n 'order',\n 'outer',\n 'pessimisticlock',\n 'print',\n 'private',\n 'protected',\n 'public',\n 'readonly',\n 'repeatableread',\n 'retry',\n 'return',\n 'reverse',\n 'select',\n 'server',\n 'setting',\n 'static',\n 'sum',\n 'super',\n 'switch',\n 'this',\n 'throw',\n 'try',\n 'ttsabort',\n 'ttsbegin',\n 'ttscommit',\n 'unchecked',\n 'update_recordset',\n 'using',\n 'validtimestate',\n 'void',\n 'where',\n 'while'\n ];\n\n const KEYWORDS = {\n keyword: NORMAL_KEYWORDS,\n built_in: BUILT_IN_KEYWORDS,\n literal: LITERAL_KEYWORDS\n };\n\n const CLASS_DEFINITION = {\n variants: [\n { match: [\n /(class|interface)\\s+/,\n IDENT_RE,\n /\\s+(extends|implements)\\s+/,\n IDENT_RE\n ] },\n { match: [\n /class\\s+/,\n IDENT_RE\n ] }\n ],\n scope: {\n 2: \"title.class\",\n 4: \"title.class.inherited\"\n },\n keywords: KEYWORDS\n };\n\n return {\n name: 'X++',\n aliases: [ 'x++' ],\n keywords: KEYWORDS,\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.C_NUMBER_MODE,\n {\n className: 'meta',\n begin: '#',\n end: '$'\n },\n CLASS_DEFINITION\n ]\n };\n}\n\nmodule.exports = axapta;\n", "/*\nLanguage: Bash\nAuthor: vah <vahtenberg@gmail.com>\nContributrors: Benjamin Pannell <contact@sierrasoftworks.com>\nWebsite: https://www.gnu.org/software/bash/\nCategory: common\n*/\n\n/** @type LanguageFn */\nfunction bash(hljs) {\n const regex = hljs.regex;\n const VAR = {};\n const BRACED_VAR = {\n begin: /\\$\\{/,\n end: /\\}/,\n contains: [\n \"self\",\n {\n begin: /:-/,\n contains: [ VAR ]\n } // default values\n ]\n };\n Object.assign(VAR, {\n className: 'variable',\n variants: [\n { begin: regex.concat(/\\$[\\w\\d#@][\\w\\d_]*/,\n // negative look-ahead tries to avoid matching patterns that are not\n // Perl at all like $ident$, @ident@, etc.\n `(?![\\\\w\\\\d])(?![$])`) },\n BRACED_VAR\n ]\n });\n\n const SUBST = {\n className: 'subst',\n begin: /\\$\\(/,\n end: /\\)/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n };\n const HERE_DOC = {\n begin: /<<-?\\s*(?=\\w+)/,\n starts: { contains: [\n hljs.END_SAME_AS_BEGIN({\n begin: /(\\w+)/,\n end: /(\\w+)/,\n className: 'string'\n })\n ] }\n };\n const QUOTE_STRING = {\n className: 'string',\n begin: /\"/,\n end: /\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n VAR,\n SUBST\n ]\n };\n SUBST.contains.push(QUOTE_STRING);\n const ESCAPED_QUOTE = {\n className: '',\n begin: /\\\\\"/\n\n };\n const APOS_STRING = {\n className: 'string',\n begin: /'/,\n end: /'/\n };\n const ARITHMETIC = {\n begin: /\\$?\\(\\(/,\n end: /\\)\\)/,\n contains: [\n {\n begin: /\\d+#[0-9a-f]+/,\n className: \"number\"\n },\n hljs.NUMBER_MODE,\n VAR\n ]\n };\n const SH_LIKE_SHELLS = [\n \"fish\",\n \"bash\",\n \"zsh\",\n \"sh\",\n \"csh\",\n \"ksh\",\n \"tcsh\",\n \"dash\",\n \"scsh\",\n ];\n const KNOWN_SHEBANG = hljs.SHEBANG({\n binary: `(${SH_LIKE_SHELLS.join(\"|\")})`,\n relevance: 10\n });\n const FUNCTION = {\n className: 'function',\n begin: /\\w[\\w\\d_]*\\s*\\(\\s*\\)\\s*\\{/,\n returnBegin: true,\n contains: [ hljs.inherit(hljs.TITLE_MODE, { begin: /\\w[\\w\\d_]*/ }) ],\n relevance: 0\n };\n\n const KEYWORDS = [\n \"if\",\n \"then\",\n \"else\",\n \"elif\",\n \"fi\",\n \"for\",\n \"while\",\n \"until\",\n \"in\",\n \"do\",\n \"done\",\n \"case\",\n \"esac\",\n \"function\",\n \"select\"\n ];\n\n const LITERALS = [\n \"true\",\n \"false\"\n ];\n\n // to consume paths to prevent keyword matches inside them\n const PATH_MODE = { match: /(\\/[a-z._-]+)+/ };\n\n // http://www.gnu.org/software/bash/manual/html_node/Shell-Builtin-Commands.html\n const SHELL_BUILT_INS = [\n \"break\",\n \"cd\",\n \"continue\",\n \"eval\",\n \"exec\",\n \"exit\",\n \"export\",\n \"getopts\",\n \"hash\",\n \"pwd\",\n \"readonly\",\n \"return\",\n \"shift\",\n \"test\",\n \"times\",\n \"trap\",\n \"umask\",\n \"unset\"\n ];\n\n const BASH_BUILT_INS = [\n \"alias\",\n \"bind\",\n \"builtin\",\n \"caller\",\n \"command\",\n \"declare\",\n \"echo\",\n \"enable\",\n \"help\",\n \"let\",\n \"local\",\n \"logout\",\n \"mapfile\",\n \"printf\",\n \"read\",\n \"readarray\",\n \"source\",\n \"type\",\n \"typeset\",\n \"ulimit\",\n \"unalias\"\n ];\n\n const ZSH_BUILT_INS = [\n \"autoload\",\n \"bg\",\n \"bindkey\",\n \"bye\",\n \"cap\",\n \"chdir\",\n \"clone\",\n \"comparguments\",\n \"compcall\",\n \"compctl\",\n \"compdescribe\",\n \"compfiles\",\n \"compgroups\",\n \"compquote\",\n \"comptags\",\n \"comptry\",\n \"compvalues\",\n \"dirs\",\n \"disable\",\n \"disown\",\n \"echotc\",\n \"echoti\",\n \"emulate\",\n \"fc\",\n \"fg\",\n \"float\",\n \"functions\",\n \"getcap\",\n \"getln\",\n \"history\",\n \"integer\",\n \"jobs\",\n \"kill\",\n \"limit\",\n \"log\",\n \"noglob\",\n \"popd\",\n \"print\",\n \"pushd\",\n \"pushln\",\n \"rehash\",\n \"sched\",\n \"setcap\",\n \"setopt\",\n \"stat\",\n \"suspend\",\n \"ttyctl\",\n \"unfunction\",\n \"unhash\",\n \"unlimit\",\n \"unsetopt\",\n \"vared\",\n \"wait\",\n \"whence\",\n \"where\",\n \"which\",\n \"zcompile\",\n \"zformat\",\n \"zftp\",\n \"zle\",\n \"zmodload\",\n \"zparseopts\",\n \"zprof\",\n \"zpty\",\n \"zregexparse\",\n \"zsocket\",\n \"zstyle\",\n \"ztcp\"\n ];\n\n const GNU_CORE_UTILS = [\n \"chcon\",\n \"chgrp\",\n \"chown\",\n \"chmod\",\n \"cp\",\n \"dd\",\n \"df\",\n \"dir\",\n \"dircolors\",\n \"ln\",\n \"ls\",\n \"mkdir\",\n \"mkfifo\",\n \"mknod\",\n \"mktemp\",\n \"mv\",\n \"realpath\",\n \"rm\",\n \"rmdir\",\n \"shred\",\n \"sync\",\n \"touch\",\n \"truncate\",\n \"vdir\",\n \"b2sum\",\n \"base32\",\n \"base64\",\n \"cat\",\n \"cksum\",\n \"comm\",\n \"csplit\",\n \"cut\",\n \"expand\",\n \"fmt\",\n \"fold\",\n \"head\",\n \"join\",\n \"md5sum\",\n \"nl\",\n \"numfmt\",\n \"od\",\n \"paste\",\n \"ptx\",\n \"pr\",\n \"sha1sum\",\n \"sha224sum\",\n \"sha256sum\",\n \"sha384sum\",\n \"sha512sum\",\n \"shuf\",\n \"sort\",\n \"split\",\n \"sum\",\n \"tac\",\n \"tail\",\n \"tr\",\n \"tsort\",\n \"unexpand\",\n \"uniq\",\n \"wc\",\n \"arch\",\n \"basename\",\n \"chroot\",\n \"date\",\n \"dirname\",\n \"du\",\n \"echo\",\n \"env\",\n \"expr\",\n \"factor\",\n // \"false\", // keyword literal already\n \"groups\",\n \"hostid\",\n \"id\",\n \"link\",\n \"logname\",\n \"nice\",\n \"nohup\",\n \"nproc\",\n \"pathchk\",\n \"pinky\",\n \"printenv\",\n \"printf\",\n \"pwd\",\n \"readlink\",\n \"runcon\",\n \"seq\",\n \"sleep\",\n \"stat\",\n \"stdbuf\",\n \"stty\",\n \"tee\",\n \"test\",\n \"timeout\",\n // \"true\", // keyword literal already\n \"tty\",\n \"uname\",\n \"unlink\",\n \"uptime\",\n \"users\",\n \"who\",\n \"whoami\",\n \"yes\"\n ];\n\n return {\n name: 'Bash',\n aliases: [ 'sh' ],\n keywords: {\n $pattern: /\\b[a-z][a-z0-9._-]+\\b/,\n keyword: KEYWORDS,\n literal: LITERALS,\n built_in: [\n ...SHELL_BUILT_INS,\n ...BASH_BUILT_INS,\n // Shell modifiers\n \"set\",\n \"shopt\",\n ...ZSH_BUILT_INS,\n ...GNU_CORE_UTILS\n ]\n },\n contains: [\n KNOWN_SHEBANG, // to catch known shells and boost relevancy\n hljs.SHEBANG(), // to catch unknown shells but still highlight the shebang\n FUNCTION,\n ARITHMETIC,\n hljs.HASH_COMMENT_MODE,\n HERE_DOC,\n PATH_MODE,\n QUOTE_STRING,\n ESCAPED_QUOTE,\n APOS_STRING,\n VAR\n ]\n };\n}\n\nmodule.exports = bash;\n", "/*\nLanguage: BASIC\nAuthor: Rapha\u00EBl Ass\u00E9nat <raph@raphnet.net>\nDescription: Based on the BASIC reference from the Tandy 1000 guide\nWebsite: https://en.wikipedia.org/wiki/Tandy_1000\n*/\n\n/** @type LanguageFn */\nfunction basic(hljs) {\n const KEYWORDS = [\n \"ABS\",\n \"ASC\",\n \"AND\",\n \"ATN\",\n \"AUTO|0\",\n \"BEEP\",\n \"BLOAD|10\",\n \"BSAVE|10\",\n \"CALL\",\n \"CALLS\",\n \"CDBL\",\n \"CHAIN\",\n \"CHDIR\",\n \"CHR$|10\",\n \"CINT\",\n \"CIRCLE\",\n \"CLEAR\",\n \"CLOSE\",\n \"CLS\",\n \"COLOR\",\n \"COM\",\n \"COMMON\",\n \"CONT\",\n \"COS\",\n \"CSNG\",\n \"CSRLIN\",\n \"CVD\",\n \"CVI\",\n \"CVS\",\n \"DATA\",\n \"DATE$\",\n \"DEFDBL\",\n \"DEFINT\",\n \"DEFSNG\",\n \"DEFSTR\",\n \"DEF|0\",\n \"SEG\",\n \"USR\",\n \"DELETE\",\n \"DIM\",\n \"DRAW\",\n \"EDIT\",\n \"END\",\n \"ENVIRON\",\n \"ENVIRON$\",\n \"EOF\",\n \"EQV\",\n \"ERASE\",\n \"ERDEV\",\n \"ERDEV$\",\n \"ERL\",\n \"ERR\",\n \"ERROR\",\n \"EXP\",\n \"FIELD\",\n \"FILES\",\n \"FIX\",\n \"FOR|0\",\n \"FRE\",\n \"GET\",\n \"GOSUB|10\",\n \"GOTO\",\n \"HEX$\",\n \"IF\",\n \"THEN\",\n \"ELSE|0\",\n \"INKEY$\",\n \"INP\",\n \"INPUT\",\n \"INPUT#\",\n \"INPUT$\",\n \"INSTR\",\n \"IMP\",\n \"INT\",\n \"IOCTL\",\n \"IOCTL$\",\n \"KEY\",\n \"ON\",\n \"OFF\",\n \"LIST\",\n \"KILL\",\n \"LEFT$\",\n \"LEN\",\n \"LET\",\n \"LINE\",\n \"LLIST\",\n \"LOAD\",\n \"LOC\",\n \"LOCATE\",\n \"LOF\",\n \"LOG\",\n \"LPRINT\",\n \"USING\",\n \"LSET\",\n \"MERGE\",\n \"MID$\",\n \"MKDIR\",\n \"MKD$\",\n \"MKI$\",\n \"MKS$\",\n \"MOD\",\n \"NAME\",\n \"NEW\",\n \"NEXT\",\n \"NOISE\",\n \"NOT\",\n \"OCT$\",\n \"ON\",\n \"OR\",\n \"PEN\",\n \"PLAY\",\n \"STRIG\",\n \"OPEN\",\n \"OPTION\",\n \"BASE\",\n \"OUT\",\n \"PAINT\",\n \"PALETTE\",\n \"PCOPY\",\n \"PEEK\",\n \"PMAP\",\n \"POINT\",\n \"POKE\",\n \"POS\",\n \"PRINT\",\n \"PRINT]\",\n \"PSET\",\n \"PRESET\",\n \"PUT\",\n \"RANDOMIZE\",\n \"READ\",\n \"REM\",\n \"RENUM\",\n \"RESET|0\",\n \"RESTORE\",\n \"RESUME\",\n \"RETURN|0\",\n \"RIGHT$\",\n \"RMDIR\",\n \"RND\",\n \"RSET\",\n \"RUN\",\n \"SAVE\",\n \"SCREEN\",\n \"SGN\",\n \"SHELL\",\n \"SIN\",\n \"SOUND\",\n \"SPACE$\",\n \"SPC\",\n \"SQR\",\n \"STEP\",\n \"STICK\",\n \"STOP\",\n \"STR$\",\n \"STRING$\",\n \"SWAP\",\n \"SYSTEM\",\n \"TAB\",\n \"TAN\",\n \"TIME$\",\n \"TIMER\",\n \"TROFF\",\n \"TRON\",\n \"TO\",\n \"USR\",\n \"VAL\",\n \"VARPTR\",\n \"VARPTR$\",\n \"VIEW\",\n \"WAIT\",\n \"WHILE\",\n \"WEND\",\n \"WIDTH\",\n \"WINDOW\",\n \"WRITE\",\n \"XOR\"\n ];\n\n return {\n name: 'BASIC',\n case_insensitive: true,\n illegal: '^\\.',\n // Support explicitly typed variables that end with $%! or #.\n keywords: {\n $pattern: '[a-zA-Z][a-zA-Z0-9_$%!#]*',\n keyword: KEYWORDS\n },\n contains: [\n hljs.QUOTE_STRING_MODE,\n hljs.COMMENT('REM', '$', { relevance: 10 }),\n hljs.COMMENT('\\'', '$', { relevance: 0 }),\n {\n // Match line numbers\n className: 'symbol',\n begin: '^[0-9]+ ',\n relevance: 10\n },\n {\n // Match typed numeric constants (1000, 12.34!, 1.2e5, 1.5#, 1.2D2)\n className: 'number',\n begin: '\\\\b\\\\d+(\\\\.\\\\d+)?([edED]\\\\d+)?[#\\!]?',\n relevance: 0\n },\n {\n // Match hexadecimal numbers (&Hxxxx)\n className: 'number',\n begin: '(&[hH][0-9a-fA-F]{1,4})'\n },\n {\n // Match octal numbers (&Oxxxxxx)\n className: 'number',\n begin: '(&[oO][0-7]{1,6})'\n }\n ]\n };\n}\n\nmodule.exports = basic;\n", "/*\nLanguage: Backus\u2013Naur Form\nWebsite: https://en.wikipedia.org/wiki/Backus\u2013Naur_form\nAuthor: Oleg Efimov <efimovov@gmail.com>\n*/\n\n/** @type LanguageFn */\nfunction bnf(hljs) {\n return {\n name: 'Backus\u2013Naur Form',\n contains: [\n // Attribute\n {\n className: 'attribute',\n begin: /</,\n end: />/\n },\n // Specific\n {\n begin: /::=/,\n end: /$/,\n contains: [\n {\n begin: /</,\n end: />/\n },\n // Common\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ]\n }\n ]\n };\n}\n\nmodule.exports = bnf;\n", "/*\nLanguage: Brainfuck\nAuthor: Evgeny Stepanischev <imbolk@gmail.com>\nWebsite: https://esolangs.org/wiki/Brainfuck\n*/\n\n/** @type LanguageFn */\nfunction brainfuck(hljs) {\n const LITERAL = {\n className: 'literal',\n begin: /[+-]+/,\n relevance: 0\n };\n return {\n name: 'Brainfuck',\n aliases: [ 'bf' ],\n contains: [\n hljs.COMMENT(\n /[^\\[\\]\\.,\\+\\-<> \\r\\n]/,\n /[\\[\\]\\.,\\+\\-<> \\r\\n]/,\n {\n contains: [\n {\n match: /[ ]+[^\\[\\]\\.,\\+\\-<> \\r\\n]/,\n relevance: 0\n }\n ],\n returnEnd: true,\n relevance: 0\n }\n ),\n {\n className: 'title',\n begin: '[\\\\[\\\\]]',\n relevance: 0\n },\n {\n className: 'string',\n begin: '[\\\\.,]',\n relevance: 0\n },\n {\n // this mode works as the only relevance counter\n // it looks ahead to find the start of a run of literals\n // so only the runs are counted as relevant\n begin: /(?=\\+\\+|--)/,\n contains: [ LITERAL ]\n },\n LITERAL\n ]\n };\n}\n\nmodule.exports = brainfuck;\n", "/*\nLanguage: C\nCategory: common, system\nWebsite: https://en.wikipedia.org/wiki/C_(programming_language)\n*/\n\n/** @type LanguageFn */\nfunction c(hljs) {\n const regex = hljs.regex;\n // added for historic reasons because `hljs.C_LINE_COMMENT_MODE` does\n // not include such support nor can we be sure all the grammars depending\n // on it would desire this behavior\n const C_LINE_COMMENT_MODE = hljs.COMMENT('//', '$', { contains: [ { begin: /\\\\\\n/ } ] });\n const DECLTYPE_AUTO_RE = 'decltype\\\\(auto\\\\)';\n const NAMESPACE_RE = '[a-zA-Z_]\\\\w*::';\n const TEMPLATE_ARGUMENT_RE = '<[^<>]+>';\n const FUNCTION_TYPE_RE = '('\n + DECLTYPE_AUTO_RE + '|'\n + regex.optional(NAMESPACE_RE)\n + '[a-zA-Z_]\\\\w*' + regex.optional(TEMPLATE_ARGUMENT_RE)\n + ')';\n\n\n const TYPES = {\n className: 'type',\n variants: [\n { begin: '\\\\b[a-z\\\\d_]*_t\\\\b' },\n { match: /\\batomic_[a-z]{3,6}\\b/ }\n ]\n\n };\n\n // https://en.cppreference.com/w/cpp/language/escape\n // \\\\ \\x \\xFF \\u2837 \\u00323747 \\374\n const CHARACTER_ESCAPES = '\\\\\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\\\S)';\n const STRINGS = {\n className: 'string',\n variants: [\n {\n begin: '(u8?|U|L)?\"',\n end: '\"',\n illegal: '\\\\n',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: '(u8?|U|L)?\\'(' + CHARACTER_ESCAPES + \"|.)\",\n end: '\\'',\n illegal: '.'\n },\n hljs.END_SAME_AS_BEGIN({\n begin: /(?:u8?|U|L)?R\"([^()\\\\ ]{0,16})\\(/,\n end: /\\)([^()\\\\ ]{0,16})\"/\n })\n ]\n };\n\n const NUMBERS = {\n className: 'number',\n variants: [\n { begin: '\\\\b(0b[01\\']+)' },\n { begin: '(-?)\\\\b([\\\\d\\']+(\\\\.[\\\\d\\']*)?|\\\\.[\\\\d\\']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)' },\n { begin: '(-?)(\\\\b0[xX][a-fA-F0-9\\']+|(\\\\b[\\\\d\\']+(\\\\.[\\\\d\\']*)?|\\\\.[\\\\d\\']+)([eE][-+]?[\\\\d\\']+)?)' }\n ],\n relevance: 0\n };\n\n const PREPROCESSOR = {\n className: 'meta',\n begin: /#\\s*[a-z]+\\b/,\n end: /$/,\n keywords: { keyword:\n 'if else elif endif define undef warning error line '\n + 'pragma _Pragma ifdef ifndef include' },\n contains: [\n {\n begin: /\\\\\\n/,\n relevance: 0\n },\n hljs.inherit(STRINGS, { className: 'string' }),\n {\n className: 'string',\n begin: /<.*?>/\n },\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n };\n\n const TITLE_MODE = {\n className: 'title',\n begin: regex.optional(NAMESPACE_RE) + hljs.IDENT_RE,\n relevance: 0\n };\n\n const FUNCTION_TITLE = regex.optional(NAMESPACE_RE) + hljs.IDENT_RE + '\\\\s*\\\\(';\n\n const C_KEYWORDS = [\n \"asm\",\n \"auto\",\n \"break\",\n \"case\",\n \"continue\",\n \"default\",\n \"do\",\n \"else\",\n \"enum\",\n \"extern\",\n \"for\",\n \"fortran\",\n \"goto\",\n \"if\",\n \"inline\",\n \"register\",\n \"restrict\",\n \"return\",\n \"sizeof\",\n \"struct\",\n \"switch\",\n \"typedef\",\n \"union\",\n \"volatile\",\n \"while\",\n \"_Alignas\",\n \"_Alignof\",\n \"_Atomic\",\n \"_Generic\",\n \"_Noreturn\",\n \"_Static_assert\",\n \"_Thread_local\",\n // aliases\n \"alignas\",\n \"alignof\",\n \"noreturn\",\n \"static_assert\",\n \"thread_local\",\n // not a C keyword but is, for all intents and purposes, treated exactly like one.\n \"_Pragma\"\n ];\n\n const C_TYPES = [\n \"float\",\n \"double\",\n \"signed\",\n \"unsigned\",\n \"int\",\n \"short\",\n \"long\",\n \"char\",\n \"void\",\n \"_Bool\",\n \"_Complex\",\n \"_Imaginary\",\n \"_Decimal32\",\n \"_Decimal64\",\n \"_Decimal128\",\n // modifiers\n \"const\",\n \"static\",\n // aliases\n \"complex\",\n \"bool\",\n \"imaginary\"\n ];\n\n const KEYWORDS = {\n keyword: C_KEYWORDS,\n type: C_TYPES,\n literal: 'true false NULL',\n // TODO: apply hinting work similar to what was done in cpp.js\n built_in: 'std string wstring cin cout cerr clog stdin stdout stderr stringstream istringstream ostringstream '\n + 'auto_ptr deque list queue stack vector map set pair bitset multiset multimap unordered_set '\n + 'unordered_map unordered_multiset unordered_multimap priority_queue make_pair array shared_ptr abort terminate abs acos '\n + 'asin atan2 atan calloc ceil cosh cos exit exp fabs floor fmod fprintf fputs free frexp '\n + 'fscanf future isalnum isalpha iscntrl isdigit isgraph islower isprint ispunct isspace isupper '\n + 'isxdigit tolower toupper labs ldexp log10 log malloc realloc memchr memcmp memcpy memset modf pow '\n + 'printf putchar puts scanf sinh sin snprintf sprintf sqrt sscanf strcat strchr strcmp '\n + 'strcpy strcspn strlen strncat strncmp strncpy strpbrk strrchr strspn strstr tanh tan '\n + 'vfprintf vprintf vsprintf endl initializer_list unique_ptr',\n };\n\n const EXPRESSION_CONTAINS = [\n PREPROCESSOR,\n TYPES,\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n NUMBERS,\n STRINGS\n ];\n\n const EXPRESSION_CONTEXT = {\n // This mode covers expression context where we can't expect a function\n // definition and shouldn't highlight anything that looks like one:\n // `return some()`, `else if()`, `(x*sum(1, 2))`\n variants: [\n {\n begin: /=/,\n end: /;/\n },\n {\n begin: /\\(/,\n end: /\\)/\n },\n {\n beginKeywords: 'new throw return else',\n end: /;/\n }\n ],\n keywords: KEYWORDS,\n contains: EXPRESSION_CONTAINS.concat([\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS,\n contains: EXPRESSION_CONTAINS.concat([ 'self' ]),\n relevance: 0\n }\n ]),\n relevance: 0\n };\n\n const FUNCTION_DECLARATION = {\n begin: '(' + FUNCTION_TYPE_RE + '[\\\\*&\\\\s]+)+' + FUNCTION_TITLE,\n returnBegin: true,\n end: /[{;=]/,\n excludeEnd: true,\n keywords: KEYWORDS,\n illegal: /[^\\w\\s\\*&:<>.]/,\n contains: [\n { // to prevent it from being confused as the function title\n begin: DECLTYPE_AUTO_RE,\n keywords: KEYWORDS,\n relevance: 0\n },\n {\n begin: FUNCTION_TITLE,\n returnBegin: true,\n contains: [ hljs.inherit(TITLE_MODE, { className: \"title.function\" }) ],\n relevance: 0\n },\n // allow for multiple declarations, e.g.:\n // extern void f(int), g(char);\n {\n relevance: 0,\n match: /,/\n },\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS,\n relevance: 0,\n contains: [\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n STRINGS,\n NUMBERS,\n TYPES,\n // Count matching parentheses.\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS,\n relevance: 0,\n contains: [\n 'self',\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n STRINGS,\n NUMBERS,\n TYPES\n ]\n }\n ]\n },\n TYPES,\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n PREPROCESSOR\n ]\n };\n\n return {\n name: \"C\",\n aliases: [ 'h' ],\n keywords: KEYWORDS,\n // Until differentiations are added between `c` and `cpp`, `c` will\n // not be auto-detected to avoid auto-detect conflicts between C and C++\n disableAutodetect: true,\n illegal: '</',\n contains: [].concat(\n EXPRESSION_CONTEXT,\n FUNCTION_DECLARATION,\n EXPRESSION_CONTAINS,\n [\n PREPROCESSOR,\n {\n begin: hljs.IDENT_RE + '::',\n keywords: KEYWORDS\n },\n {\n className: 'class',\n beginKeywords: 'enum class struct union',\n end: /[{;:<>=]/,\n contains: [\n { beginKeywords: \"final class struct\" },\n hljs.TITLE_MODE\n ]\n }\n ]),\n exports: {\n preprocessor: PREPROCESSOR,\n strings: STRINGS,\n keywords: KEYWORDS\n }\n };\n}\n\nmodule.exports = c;\n", "/*\nLanguage: C/AL\nAuthor: Kenneth Fuglsang Christensen <kfuglsang@gmail.com>\nDescription: Provides highlighting of Microsoft Dynamics NAV C/AL code files\nWebsite: https://docs.microsoft.com/en-us/dynamics-nav/programming-in-c-al\n*/\n\n/** @type LanguageFn */\nfunction cal(hljs) {\n const regex = hljs.regex;\n const KEYWORDS = [\n \"div\",\n \"mod\",\n \"in\",\n \"and\",\n \"or\",\n \"not\",\n \"xor\",\n \"asserterror\",\n \"begin\",\n \"case\",\n \"do\",\n \"downto\",\n \"else\",\n \"end\",\n \"exit\",\n \"for\",\n \"local\",\n \"if\",\n \"of\",\n \"repeat\",\n \"then\",\n \"to\",\n \"until\",\n \"while\",\n \"with\",\n \"var\"\n ];\n const LITERALS = 'false true';\n const COMMENT_MODES = [\n hljs.C_LINE_COMMENT_MODE,\n hljs.COMMENT(\n /\\{/,\n /\\}/,\n { relevance: 0 }\n ),\n hljs.COMMENT(\n /\\(\\*/,\n /\\*\\)/,\n { relevance: 10 }\n )\n ];\n const STRING = {\n className: 'string',\n begin: /'/,\n end: /'/,\n contains: [ { begin: /''/ } ]\n };\n const CHAR_STRING = {\n className: 'string',\n begin: /(#\\d+)+/\n };\n const DATE = {\n className: 'number',\n begin: '\\\\b\\\\d+(\\\\.\\\\d+)?(DT|D|T)',\n relevance: 0\n };\n const DBL_QUOTED_VARIABLE = {\n className: 'string', // not a string technically but makes sense to be highlighted in the same style\n begin: '\"',\n end: '\"'\n };\n\n const PROCEDURE = {\n match: [\n /procedure/,\n /\\s+/,\n /[a-zA-Z_][\\w@]*/,\n /\\s*/\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.function\"\n },\n contains: [\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS,\n contains: [\n STRING,\n CHAR_STRING,\n hljs.NUMBER_MODE\n ]\n },\n ...COMMENT_MODES\n ]\n };\n\n const OBJECT_TYPES = [\n \"Table\",\n \"Form\",\n \"Report\",\n \"Dataport\",\n \"Codeunit\",\n \"XMLport\",\n \"MenuSuite\",\n \"Page\",\n \"Query\"\n ];\n const OBJECT = {\n match: [\n /OBJECT/,\n /\\s+/,\n regex.either(...OBJECT_TYPES),\n /\\s+/,\n /\\d+/,\n /\\s+(?=[^\\s])/,\n /.*/,\n /$/\n ],\n relevance: 3,\n scope: {\n 1: \"keyword\",\n 3: \"type\",\n 5: \"number\",\n 7: \"title\"\n }\n };\n\n const PROPERTY = {\n match: /[\\w]+(?=\\=)/,\n scope: \"attribute\",\n relevance: 0\n };\n\n return {\n name: 'C/AL',\n case_insensitive: true,\n keywords: {\n keyword: KEYWORDS,\n literal: LITERALS\n },\n illegal: /\\/\\*/,\n contains: [\n PROPERTY,\n STRING,\n CHAR_STRING,\n DATE,\n DBL_QUOTED_VARIABLE,\n hljs.NUMBER_MODE,\n OBJECT,\n PROCEDURE\n ]\n };\n}\n\nmodule.exports = cal;\n", "/*\nLanguage: Cap\u2019n Proto\nAuthor: Oleg Efimov <efimovov@gmail.com>\nDescription: Cap\u2019n Proto message definition format\nWebsite: https://capnproto.org/capnp-tool.html\nCategory: protocols\n*/\n\n/** @type LanguageFn */\nfunction capnproto(hljs) {\n const KEYWORDS = [\n \"struct\",\n \"enum\",\n \"interface\",\n \"union\",\n \"group\",\n \"import\",\n \"using\",\n \"const\",\n \"annotation\",\n \"extends\",\n \"in\",\n \"of\",\n \"on\",\n \"as\",\n \"with\",\n \"from\",\n \"fixed\"\n ];\n const TYPES = [\n \"Void\",\n \"Bool\",\n \"Int8\",\n \"Int16\",\n \"Int32\",\n \"Int64\",\n \"UInt8\",\n \"UInt16\",\n \"UInt32\",\n \"UInt64\",\n \"Float32\",\n \"Float64\",\n \"Text\",\n \"Data\",\n \"AnyPointer\",\n \"AnyStruct\",\n \"Capability\",\n \"List\"\n ];\n const LITERALS = [\n \"true\",\n \"false\"\n ];\n const CLASS_DEFINITION = {\n variants: [\n { match: [\n /(struct|enum|interface)/,\n /\\s+/,\n hljs.IDENT_RE\n ] },\n { match: [\n /extends/,\n /\\s*\\(/,\n hljs.IDENT_RE,\n /\\s*\\)/\n ] }\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.class\"\n }\n };\n return {\n name: 'Cap\u2019n Proto',\n aliases: [ 'capnp' ],\n keywords: {\n keyword: KEYWORDS,\n type: TYPES,\n literal: LITERALS\n },\n contains: [\n hljs.QUOTE_STRING_MODE,\n hljs.NUMBER_MODE,\n hljs.HASH_COMMENT_MODE,\n {\n className: 'meta',\n begin: /@0x[\\w\\d]{16};/,\n illegal: /\\n/\n },\n {\n className: 'symbol',\n begin: /@\\d+\\b/\n },\n CLASS_DEFINITION\n ]\n };\n}\n\nmodule.exports = capnproto;\n", "/*\nLanguage: Ceylon\nAuthor: Lucas Werkmeister <mail@lucaswerkmeister.de>\nWebsite: https://ceylon-lang.org\n*/\n\n/** @type LanguageFn */\nfunction ceylon(hljs) {\n // 2.3. Identifiers and keywords\n const KEYWORDS = [\n \"assembly\",\n \"module\",\n \"package\",\n \"import\",\n \"alias\",\n \"class\",\n \"interface\",\n \"object\",\n \"given\",\n \"value\",\n \"assign\",\n \"void\",\n \"function\",\n \"new\",\n \"of\",\n \"extends\",\n \"satisfies\",\n \"abstracts\",\n \"in\",\n \"out\",\n \"return\",\n \"break\",\n \"continue\",\n \"throw\",\n \"assert\",\n \"dynamic\",\n \"if\",\n \"else\",\n \"switch\",\n \"case\",\n \"for\",\n \"while\",\n \"try\",\n \"catch\",\n \"finally\",\n \"then\",\n \"let\",\n \"this\",\n \"outer\",\n \"super\",\n \"is\",\n \"exists\",\n \"nonempty\"\n ];\n // 7.4.1 Declaration Modifiers\n const DECLARATION_MODIFIERS = [\n \"shared\",\n \"abstract\",\n \"formal\",\n \"default\",\n \"actual\",\n \"variable\",\n \"late\",\n \"native\",\n \"deprecated\",\n \"final\",\n \"sealed\",\n \"annotation\",\n \"suppressWarnings\",\n \"small\"\n ];\n // 7.4.2 Documentation\n const DOCUMENTATION = [\n \"doc\",\n \"by\",\n \"license\",\n \"see\",\n \"throws\",\n \"tagged\"\n ];\n const SUBST = {\n className: 'subst',\n excludeBegin: true,\n excludeEnd: true,\n begin: /``/,\n end: /``/,\n keywords: KEYWORDS,\n relevance: 10\n };\n const EXPRESSIONS = [\n {\n // verbatim string\n className: 'string',\n begin: '\"\"\"',\n end: '\"\"\"',\n relevance: 10\n },\n {\n // string literal or template\n className: 'string',\n begin: '\"',\n end: '\"',\n contains: [ SUBST ]\n },\n {\n // character literal\n className: 'string',\n begin: \"'\",\n end: \"'\"\n },\n {\n // numeric literal\n className: 'number',\n begin: '#[0-9a-fA-F_]+|\\\\$[01_]+|[0-9_]+(?:\\\\.[0-9_](?:[eE][+-]?\\\\d+)?)?[kMGTPmunpf]?',\n relevance: 0\n }\n ];\n SUBST.contains = EXPRESSIONS;\n\n return {\n name: 'Ceylon',\n keywords: {\n keyword: KEYWORDS.concat(DECLARATION_MODIFIERS),\n meta: DOCUMENTATION\n },\n illegal: '\\\\$[^01]|#[^0-9a-fA-F]',\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.COMMENT('/\\\\*', '\\\\*/', { contains: [ 'self' ] }),\n {\n // compiler annotation\n className: 'meta',\n begin: '@[a-z]\\\\w*(?::\"[^\"]*\")?'\n }\n ].concat(EXPRESSIONS)\n };\n}\n\nmodule.exports = ceylon;\n", "/*\nLanguage: Clean\nAuthor: Camil Staps <info@camilstaps.nl>\nCategory: functional\nWebsite: http://clean.cs.ru.nl\n*/\n\n/** @type LanguageFn */\nfunction clean(hljs) {\n const KEYWORDS = [\n \"if\",\n \"let\",\n \"in\",\n \"with\",\n \"where\",\n \"case\",\n \"of\",\n \"class\",\n \"instance\",\n \"otherwise\",\n \"implementation\",\n \"definition\",\n \"system\",\n \"module\",\n \"from\",\n \"import\",\n \"qualified\",\n \"as\",\n \"special\",\n \"code\",\n \"inline\",\n \"foreign\",\n \"export\",\n \"ccall\",\n \"stdcall\",\n \"generic\",\n \"derive\",\n \"infix\",\n \"infixl\",\n \"infixr\"\n ];\n return {\n name: 'Clean',\n aliases: [\n 'icl',\n 'dcl'\n ],\n keywords: {\n keyword: KEYWORDS,\n built_in:\n 'Int Real Char Bool',\n literal:\n 'True False'\n },\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.C_NUMBER_MODE,\n { // relevance booster\n begin: '->|<-[|:]?|#!?|>>=|\\\\{\\\\||\\\\|\\\\}|:==|=:|<>' }\n ]\n };\n}\n\nmodule.exports = clean;\n", "/*\nLanguage: Clojure\nDescription: Clojure syntax (based on lisp.js)\nAuthor: mfornos\nWebsite: https://clojure.org\nCategory: lisp\n*/\n\n/** @type LanguageFn */\nfunction clojure(hljs) {\n const SYMBOLSTART = 'a-zA-Z_\\\\-!.?+*=<>&\\'';\n const SYMBOL_RE = '[#]?[' + SYMBOLSTART + '][' + SYMBOLSTART + '0-9/;:$#]*';\n const globals = 'def defonce defprotocol defstruct defmulti defmethod defn- defn defmacro deftype defrecord';\n const keywords = {\n $pattern: SYMBOL_RE,\n built_in:\n // Clojure keywords\n globals + ' '\n + 'cond apply if-not if-let if not not= =|0 <|0 >|0 <=|0 >=|0 ==|0 +|0 /|0 *|0 -|0 rem '\n + 'quot neg? pos? delay? symbol? keyword? true? false? integer? empty? coll? list? '\n + 'set? ifn? fn? associative? sequential? sorted? counted? reversible? number? decimal? '\n + 'class? distinct? isa? float? rational? reduced? ratio? odd? even? char? seq? vector? '\n + 'string? map? nil? contains? zero? instance? not-every? not-any? libspec? -> ->> .. . '\n + 'inc compare do dotimes mapcat take remove take-while drop letfn drop-last take-last '\n + 'drop-while while intern condp case reduced cycle split-at split-with repeat replicate '\n + 'iterate range merge zipmap declare line-seq sort comparator sort-by dorun doall nthnext '\n + 'nthrest partition eval doseq await await-for let agent atom send send-off release-pending-sends '\n + 'add-watch mapv filterv remove-watch agent-error restart-agent set-error-handler error-handler '\n + 'set-error-mode! error-mode shutdown-agents quote var fn loop recur throw try monitor-enter '\n + 'monitor-exit macroexpand macroexpand-1 for dosync and or '\n + 'when when-not when-let comp juxt partial sequence memoize constantly complement identity assert '\n + 'peek pop doto proxy first rest cons cast coll last butlast '\n + 'sigs reify second ffirst fnext nfirst nnext meta with-meta ns in-ns create-ns import '\n + 'refer keys select-keys vals key val rseq name namespace promise into transient persistent! conj! '\n + 'assoc! dissoc! pop! disj! use class type num float double short byte boolean bigint biginteger '\n + 'bigdec print-method print-dup throw-if printf format load compile get-in update-in pr pr-on newline '\n + 'flush read slurp read-line subvec with-open memfn time re-find re-groups rand-int rand mod locking '\n + 'assert-valid-fdecl alias resolve ref deref refset swap! reset! set-validator! compare-and-set! alter-meta! '\n + 'reset-meta! commute get-validator alter ref-set ref-history-count ref-min-history ref-max-history ensure sync io! '\n + 'new next conj set! to-array future future-call into-array aset gen-class reduce map filter find empty '\n + 'hash-map hash-set sorted-map sorted-map-by sorted-set sorted-set-by vec vector seq flatten reverse assoc dissoc list '\n + 'disj get union difference intersection extend extend-type extend-protocol int nth delay count concat chunk chunk-buffer '\n + 'chunk-append chunk-first chunk-rest max min dec unchecked-inc-int unchecked-inc unchecked-dec-inc unchecked-dec unchecked-negate '\n + 'unchecked-add-int unchecked-add unchecked-subtract-int unchecked-subtract chunk-next chunk-cons chunked-seq? prn vary-meta '\n + 'lazy-seq spread list* str find-keyword keyword symbol gensym force rationalize'\n };\n\n const SYMBOL = {\n begin: SYMBOL_RE,\n relevance: 0\n };\n const NUMBER = {\n scope: 'number',\n relevance: 0,\n variants: [\n { match: /[-+]?0[xX][0-9a-fA-F]+N?/ }, // hexadecimal // 0x2a\n { match: /[-+]?0[0-7]+N?/ }, // octal // 052\n { match: /[-+]?[1-9][0-9]?[rR][0-9a-zA-Z]+N?/ }, // variable radix from 2 to 36 // 2r101010, 8r52, 36r16\n { match: /[-+]?[0-9]+\\/[0-9]+N?/ }, // ratio // 1/2\n { match: /[-+]?[0-9]+((\\.[0-9]*([eE][+-]?[0-9]+)?M?)|([eE][+-]?[0-9]+M?|M))/ }, // float // 0.42 4.2E-1M 42E1 42M\n { match: /[-+]?([1-9][0-9]*|0)N?/ }, // int (don't match leading 0) // 42 42N\n ]\n };\n const CHARACTER = {\n scope: 'character',\n variants: [\n { match: /\\\\o[0-3]?[0-7]{1,2}/ }, // Unicode Octal 0 - 377\n { match: /\\\\u[0-9a-fA-F]{4}/ }, // Unicode Hex 0000 - FFFF\n { match: /\\\\(newline|space|tab|formfeed|backspace|return)/ }, // special characters\n {\n match: /\\\\\\S/,\n relevance: 0\n } // any non-whitespace char\n ]\n };\n const REGEX = {\n scope: 'regex',\n begin: /#\"/,\n end: /\"/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n };\n const STRING = hljs.inherit(hljs.QUOTE_STRING_MODE, { illegal: null });\n const COMMA = {\n scope: 'punctuation',\n match: /,/,\n relevance: 0\n };\n const COMMENT = hljs.COMMENT(\n ';',\n '$',\n { relevance: 0 }\n );\n const LITERAL = {\n className: 'literal',\n begin: /\\b(true|false|nil)\\b/\n };\n const COLLECTION = {\n begin: \"\\\\[|(#::?\" + SYMBOL_RE + \")?\\\\{\",\n end: '[\\\\]\\\\}]',\n relevance: 0\n };\n const KEY = {\n className: 'symbol',\n begin: '[:]{1,2}' + SYMBOL_RE\n };\n const LIST = {\n begin: '\\\\(',\n end: '\\\\)'\n };\n const BODY = {\n endsWithParent: true,\n relevance: 0\n };\n const NAME = {\n keywords: keywords,\n className: 'name',\n begin: SYMBOL_RE,\n relevance: 0,\n starts: BODY\n };\n const DEFAULT_CONTAINS = [\n COMMA,\n LIST,\n CHARACTER,\n REGEX,\n STRING,\n COMMENT,\n KEY,\n COLLECTION,\n NUMBER,\n LITERAL,\n SYMBOL\n ];\n\n const GLOBAL = {\n beginKeywords: globals,\n keywords: {\n $pattern: SYMBOL_RE,\n keyword: globals\n },\n end: '(\\\\[|#|\\\\d|\"|:|\\\\{|\\\\)|\\\\(|$)',\n contains: [\n {\n className: 'title',\n begin: SYMBOL_RE,\n relevance: 0,\n excludeEnd: true,\n // we can only have a single title\n endsParent: true\n }\n ].concat(DEFAULT_CONTAINS)\n };\n\n LIST.contains = [\n GLOBAL,\n NAME,\n BODY\n ];\n BODY.contains = DEFAULT_CONTAINS;\n COLLECTION.contains = DEFAULT_CONTAINS;\n\n return {\n name: 'Clojure',\n aliases: [\n 'clj',\n 'edn'\n ],\n illegal: /\\S/,\n contains: [\n COMMA,\n LIST,\n CHARACTER,\n REGEX,\n STRING,\n COMMENT,\n KEY,\n COLLECTION,\n NUMBER,\n LITERAL\n ]\n };\n}\n\nmodule.exports = clojure;\n", "/*\nLanguage: Clojure REPL\nDescription: Clojure REPL sessions\nAuthor: Ivan Sagalaev <maniac@softwaremaniacs.org>\nRequires: clojure.js\nWebsite: https://clojure.org\nCategory: lisp\n*/\n\n/** @type LanguageFn */\nfunction clojureRepl(hljs) {\n return {\n name: 'Clojure REPL',\n contains: [\n {\n className: 'meta.prompt',\n begin: /^([\\w.-]+|\\s*#_)?=>/,\n starts: {\n end: /$/,\n subLanguage: 'clojure'\n }\n }\n ]\n };\n}\n\nmodule.exports = clojureRepl;\n", "/*\nLanguage: CMake\nDescription: CMake is an open-source cross-platform system for build automation.\nAuthor: Igor Kalnitsky <igor@kalnitsky.org>\nWebsite: https://cmake.org\n*/\n\n/** @type LanguageFn */\nfunction cmake(hljs) {\n return {\n name: 'CMake',\n aliases: [ 'cmake.in' ],\n case_insensitive: true,\n keywords: { keyword:\n // scripting commands\n 'break cmake_host_system_information cmake_minimum_required cmake_parse_arguments '\n + 'cmake_policy configure_file continue elseif else endforeach endfunction endif endmacro '\n + 'endwhile execute_process file find_file find_library find_package find_path '\n + 'find_program foreach function get_cmake_property get_directory_property '\n + 'get_filename_component get_property if include include_guard list macro '\n + 'mark_as_advanced math message option return separate_arguments '\n + 'set_directory_properties set_property set site_name string unset variable_watch while '\n // project commands\n + 'add_compile_definitions add_compile_options add_custom_command add_custom_target '\n + 'add_definitions add_dependencies add_executable add_library add_link_options '\n + 'add_subdirectory add_test aux_source_directory build_command create_test_sourcelist '\n + 'define_property enable_language enable_testing export fltk_wrap_ui '\n + 'get_source_file_property get_target_property get_test_property include_directories '\n + 'include_external_msproject include_regular_expression install link_directories '\n + 'link_libraries load_cache project qt_wrap_cpp qt_wrap_ui remove_definitions '\n + 'set_source_files_properties set_target_properties set_tests_properties source_group '\n + 'target_compile_definitions target_compile_features target_compile_options '\n + 'target_include_directories target_link_directories target_link_libraries '\n + 'target_link_options target_sources try_compile try_run '\n // CTest commands\n + 'ctest_build ctest_configure ctest_coverage ctest_empty_binary_directory ctest_memcheck '\n + 'ctest_read_custom_files ctest_run_script ctest_sleep ctest_start ctest_submit '\n + 'ctest_test ctest_update ctest_upload '\n // deprecated commands\n + 'build_name exec_program export_library_dependencies install_files install_programs '\n + 'install_targets load_command make_directory output_required_files remove '\n + 'subdir_depends subdirs use_mangled_mesa utility_source variable_requires write_file '\n + 'qt5_use_modules qt5_use_package qt5_wrap_cpp '\n // core keywords\n + 'on off true false and or not command policy target test exists is_newer_than '\n + 'is_directory is_symlink is_absolute matches less greater equal less_equal '\n + 'greater_equal strless strgreater strequal strless_equal strgreater_equal version_less '\n + 'version_greater version_equal version_less_equal version_greater_equal in_list defined' },\n contains: [\n {\n className: 'variable',\n begin: /\\$\\{/,\n end: /\\}/\n },\n hljs.COMMENT(/#\\[\\[/, /]]/),\n hljs.HASH_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = cmake;\n", "const KEYWORDS = [\n \"as\", // for exports\n \"in\",\n \"of\",\n \"if\",\n \"for\",\n \"while\",\n \"finally\",\n \"var\",\n \"new\",\n \"function\",\n \"do\",\n \"return\",\n \"void\",\n \"else\",\n \"break\",\n \"catch\",\n \"instanceof\",\n \"with\",\n \"throw\",\n \"case\",\n \"default\",\n \"try\",\n \"switch\",\n \"continue\",\n \"typeof\",\n \"delete\",\n \"let\",\n \"yield\",\n \"const\",\n \"class\",\n // JS handles these with a special rule\n // \"get\",\n // \"set\",\n \"debugger\",\n \"async\",\n \"await\",\n \"static\",\n \"import\",\n \"from\",\n \"export\",\n \"extends\"\n];\nconst LITERALS = [\n \"true\",\n \"false\",\n \"null\",\n \"undefined\",\n \"NaN\",\n \"Infinity\"\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects\nconst TYPES = [\n // Fundamental objects\n \"Object\",\n \"Function\",\n \"Boolean\",\n \"Symbol\",\n // numbers and dates\n \"Math\",\n \"Date\",\n \"Number\",\n \"BigInt\",\n // text\n \"String\",\n \"RegExp\",\n // Indexed collections\n \"Array\",\n \"Float32Array\",\n \"Float64Array\",\n \"Int8Array\",\n \"Uint8Array\",\n \"Uint8ClampedArray\",\n \"Int16Array\",\n \"Int32Array\",\n \"Uint16Array\",\n \"Uint32Array\",\n \"BigInt64Array\",\n \"BigUint64Array\",\n // Keyed collections\n \"Set\",\n \"Map\",\n \"WeakSet\",\n \"WeakMap\",\n // Structured data\n \"ArrayBuffer\",\n \"SharedArrayBuffer\",\n \"Atomics\",\n \"DataView\",\n \"JSON\",\n // Control abstraction objects\n \"Promise\",\n \"Generator\",\n \"GeneratorFunction\",\n \"AsyncFunction\",\n // Reflection\n \"Reflect\",\n \"Proxy\",\n // Internationalization\n \"Intl\",\n // WebAssembly\n \"WebAssembly\"\n];\n\nconst ERROR_TYPES = [\n \"Error\",\n \"EvalError\",\n \"InternalError\",\n \"RangeError\",\n \"ReferenceError\",\n \"SyntaxError\",\n \"TypeError\",\n \"URIError\"\n];\n\nconst BUILT_IN_GLOBALS = [\n \"setInterval\",\n \"setTimeout\",\n \"clearInterval\",\n \"clearTimeout\",\n\n \"require\",\n \"exports\",\n\n \"eval\",\n \"isFinite\",\n \"isNaN\",\n \"parseFloat\",\n \"parseInt\",\n \"decodeURI\",\n \"decodeURIComponent\",\n \"encodeURI\",\n \"encodeURIComponent\",\n \"escape\",\n \"unescape\"\n];\n\nconst BUILT_INS = [].concat(\n BUILT_IN_GLOBALS,\n TYPES,\n ERROR_TYPES\n);\n\n/*\nLanguage: CoffeeScript\nAuthor: Dmytrii Nagirniak <dnagir@gmail.com>\nContributors: Oleg Efimov <efimovov@gmail.com>, C\u00E9dric N\u00E9h\u00E9mie <cedric.nehemie@gmail.com>\nDescription: CoffeeScript is a programming language that transcompiles to JavaScript. For info about language see http://coffeescript.org/\nCategory: scripting\nWebsite: https://coffeescript.org\n*/\n\n/** @type LanguageFn */\nfunction coffeescript(hljs) {\n const COFFEE_BUILT_INS = [\n 'npm',\n 'print'\n ];\n const COFFEE_LITERALS = [\n 'yes',\n 'no',\n 'on',\n 'off'\n ];\n const COFFEE_KEYWORDS = [\n 'then',\n 'unless',\n 'until',\n 'loop',\n 'by',\n 'when',\n 'and',\n 'or',\n 'is',\n 'isnt',\n 'not'\n ];\n const NOT_VALID_KEYWORDS = [\n \"var\",\n \"const\",\n \"let\",\n \"function\",\n \"static\"\n ];\n const excluding = (list) =>\n (kw) => !list.includes(kw);\n const KEYWORDS$1 = {\n keyword: KEYWORDS.concat(COFFEE_KEYWORDS).filter(excluding(NOT_VALID_KEYWORDS)),\n literal: LITERALS.concat(COFFEE_LITERALS),\n built_in: BUILT_INS.concat(COFFEE_BUILT_INS)\n };\n const JS_IDENT_RE = '[A-Za-z$_][0-9A-Za-z$_]*';\n const SUBST = {\n className: 'subst',\n begin: /#\\{/,\n end: /\\}/,\n keywords: KEYWORDS$1\n };\n const EXPRESSIONS = [\n hljs.BINARY_NUMBER_MODE,\n hljs.inherit(hljs.C_NUMBER_MODE, { starts: {\n end: '(\\\\s*/)?',\n relevance: 0\n } }), // a number tries to eat the following slash to prevent treating it as a regexp\n {\n className: 'string',\n variants: [\n {\n begin: /'''/,\n end: /'''/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: /'/,\n end: /'/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: /\"\"\"/,\n end: /\"\"\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ]\n },\n {\n begin: /\"/,\n end: /\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ]\n }\n ]\n },\n {\n className: 'regexp',\n variants: [\n {\n begin: '///',\n end: '///',\n contains: [\n SUBST,\n hljs.HASH_COMMENT_MODE\n ]\n },\n {\n begin: '//[gim]{0,3}(?=\\\\W)',\n relevance: 0\n },\n {\n // regex can't start with space to parse x / 2 / 3 as two divisions\n // regex can't start with *, and it supports an \"illegal\" in the main mode\n begin: /\\/(?![ *]).*?(?![\\\\]).\\/[gim]{0,3}(?=\\W)/ }\n ]\n },\n { begin: '@' + JS_IDENT_RE // relevance booster\n },\n {\n subLanguage: 'javascript',\n excludeBegin: true,\n excludeEnd: true,\n variants: [\n {\n begin: '```',\n end: '```'\n },\n {\n begin: '`',\n end: '`'\n }\n ]\n }\n ];\n SUBST.contains = EXPRESSIONS;\n\n const TITLE = hljs.inherit(hljs.TITLE_MODE, { begin: JS_IDENT_RE });\n const POSSIBLE_PARAMS_RE = '(\\\\(.*\\\\)\\\\s*)?\\\\B[-=]>';\n const PARAMS = {\n className: 'params',\n begin: '\\\\([^\\\\(]',\n returnBegin: true,\n /* We need another contained nameless mode to not have every nested\n pair of parens to be called \"params\" */\n contains: [\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS$1,\n contains: [ 'self' ].concat(EXPRESSIONS)\n }\n ]\n };\n\n const CLASS_DEFINITION = {\n variants: [\n { match: [\n /class\\s+/,\n JS_IDENT_RE,\n /\\s+extends\\s+/,\n JS_IDENT_RE\n ] },\n { match: [\n /class\\s+/,\n JS_IDENT_RE\n ] }\n ],\n scope: {\n 2: \"title.class\",\n 4: \"title.class.inherited\"\n },\n keywords: KEYWORDS$1\n };\n\n return {\n name: 'CoffeeScript',\n aliases: [\n 'coffee',\n 'cson',\n 'iced'\n ],\n keywords: KEYWORDS$1,\n illegal: /\\/\\*/,\n contains: [\n ...EXPRESSIONS,\n hljs.COMMENT('###', '###'),\n hljs.HASH_COMMENT_MODE,\n {\n className: 'function',\n begin: '^\\\\s*' + JS_IDENT_RE + '\\\\s*=\\\\s*' + POSSIBLE_PARAMS_RE,\n end: '[-=]>',\n returnBegin: true,\n contains: [\n TITLE,\n PARAMS\n ]\n },\n {\n // anonymous function start\n begin: /[:\\(,=]\\s*/,\n relevance: 0,\n contains: [\n {\n className: 'function',\n begin: POSSIBLE_PARAMS_RE,\n end: '[-=]>',\n returnBegin: true,\n contains: [ PARAMS ]\n }\n ]\n },\n CLASS_DEFINITION,\n {\n begin: JS_IDENT_RE + ':',\n end: ':',\n returnBegin: true,\n returnEnd: true,\n relevance: 0\n }\n ]\n };\n}\n\nmodule.exports = coffeescript;\n", "/*\nLanguage: Coq\nAuthor: Stephan Boyer <stephan@stephanboyer.com>\nCategory: functional\nWebsite: https://coq.inria.fr\n*/\n\n/** @type LanguageFn */\nfunction coq(hljs) {\n const KEYWORDS = [\n \"_|0\",\n \"as\",\n \"at\",\n \"cofix\",\n \"else\",\n \"end\",\n \"exists\",\n \"exists2\",\n \"fix\",\n \"for\",\n \"forall\",\n \"fun\",\n \"if\",\n \"IF\",\n \"in\",\n \"let\",\n \"match\",\n \"mod\",\n \"Prop\",\n \"return\",\n \"Set\",\n \"then\",\n \"Type\",\n \"using\",\n \"where\",\n \"with\",\n \"Abort\",\n \"About\",\n \"Add\",\n \"Admit\",\n \"Admitted\",\n \"All\",\n \"Arguments\",\n \"Assumptions\",\n \"Axiom\",\n \"Back\",\n \"BackTo\",\n \"Backtrack\",\n \"Bind\",\n \"Blacklist\",\n \"Canonical\",\n \"Cd\",\n \"Check\",\n \"Class\",\n \"Classes\",\n \"Close\",\n \"Coercion\",\n \"Coercions\",\n \"CoFixpoint\",\n \"CoInductive\",\n \"Collection\",\n \"Combined\",\n \"Compute\",\n \"Conjecture\",\n \"Conjectures\",\n \"Constant\",\n \"constr\",\n \"Constraint\",\n \"Constructors\",\n \"Context\",\n \"Corollary\",\n \"CreateHintDb\",\n \"Cut\",\n \"Declare\",\n \"Defined\",\n \"Definition\",\n \"Delimit\",\n \"Dependencies\",\n \"Dependent\",\n \"Derive\",\n \"Drop\",\n \"eauto\",\n \"End\",\n \"Equality\",\n \"Eval\",\n \"Example\",\n \"Existential\",\n \"Existentials\",\n \"Existing\",\n \"Export\",\n \"exporting\",\n \"Extern\",\n \"Extract\",\n \"Extraction\",\n \"Fact\",\n \"Field\",\n \"Fields\",\n \"File\",\n \"Fixpoint\",\n \"Focus\",\n \"for\",\n \"From\",\n \"Function\",\n \"Functional\",\n \"Generalizable\",\n \"Global\",\n \"Goal\",\n \"Grab\",\n \"Grammar\",\n \"Graph\",\n \"Guarded\",\n \"Heap\",\n \"Hint\",\n \"HintDb\",\n \"Hints\",\n \"Hypotheses\",\n \"Hypothesis\",\n \"ident\",\n \"Identity\",\n \"If\",\n \"Immediate\",\n \"Implicit\",\n \"Import\",\n \"Include\",\n \"Inductive\",\n \"Infix\",\n \"Info\",\n \"Initial\",\n \"Inline\",\n \"Inspect\",\n \"Instance\",\n \"Instances\",\n \"Intro\",\n \"Intros\",\n \"Inversion\",\n \"Inversion_clear\",\n \"Language\",\n \"Left\",\n \"Lemma\",\n \"Let\",\n \"Libraries\",\n \"Library\",\n \"Load\",\n \"LoadPath\",\n \"Local\",\n \"Locate\",\n \"Ltac\",\n \"ML\",\n \"Mode\",\n \"Module\",\n \"Modules\",\n \"Monomorphic\",\n \"Morphism\",\n \"Next\",\n \"NoInline\",\n \"Notation\",\n \"Obligation\",\n \"Obligations\",\n \"Opaque\",\n \"Open\",\n \"Optimize\",\n \"Options\",\n \"Parameter\",\n \"Parameters\",\n \"Parametric\",\n \"Path\",\n \"Paths\",\n \"pattern\",\n \"Polymorphic\",\n \"Preterm\",\n \"Print\",\n \"Printing\",\n \"Program\",\n \"Projections\",\n \"Proof\",\n \"Proposition\",\n \"Pwd\",\n \"Qed\",\n \"Quit\",\n \"Rec\",\n \"Record\",\n \"Recursive\",\n \"Redirect\",\n \"Relation\",\n \"Remark\",\n \"Remove\",\n \"Require\",\n \"Reserved\",\n \"Reset\",\n \"Resolve\",\n \"Restart\",\n \"Rewrite\",\n \"Right\",\n \"Ring\",\n \"Rings\",\n \"Save\",\n \"Scheme\",\n \"Scope\",\n \"Scopes\",\n \"Script\",\n \"Search\",\n \"SearchAbout\",\n \"SearchHead\",\n \"SearchPattern\",\n \"SearchRewrite\",\n \"Section\",\n \"Separate\",\n \"Set\",\n \"Setoid\",\n \"Show\",\n \"Solve\",\n \"Sorted\",\n \"Step\",\n \"Strategies\",\n \"Strategy\",\n \"Structure\",\n \"SubClass\",\n \"Table\",\n \"Tables\",\n \"Tactic\",\n \"Term\",\n \"Test\",\n \"Theorem\",\n \"Time\",\n \"Timeout\",\n \"Transparent\",\n \"Type\",\n \"Typeclasses\",\n \"Types\",\n \"Undelimit\",\n \"Undo\",\n \"Unfocus\",\n \"Unfocused\",\n \"Unfold\",\n \"Universe\",\n \"Universes\",\n \"Unset\",\n \"Unshelve\",\n \"using\",\n \"Variable\",\n \"Variables\",\n \"Variant\",\n \"Verbose\",\n \"Visibility\",\n \"where\",\n \"with\"\n ];\n const BUILT_INS = [\n \"abstract\",\n \"absurd\",\n \"admit\",\n \"after\",\n \"apply\",\n \"as\",\n \"assert\",\n \"assumption\",\n \"at\",\n \"auto\",\n \"autorewrite\",\n \"autounfold\",\n \"before\",\n \"bottom\",\n \"btauto\",\n \"by\",\n \"case\",\n \"case_eq\",\n \"cbn\",\n \"cbv\",\n \"change\",\n \"classical_left\",\n \"classical_right\",\n \"clear\",\n \"clearbody\",\n \"cofix\",\n \"compare\",\n \"compute\",\n \"congruence\",\n \"constr_eq\",\n \"constructor\",\n \"contradict\",\n \"contradiction\",\n \"cut\",\n \"cutrewrite\",\n \"cycle\",\n \"decide\",\n \"decompose\",\n \"dependent\",\n \"destruct\",\n \"destruction\",\n \"dintuition\",\n \"discriminate\",\n \"discrR\",\n \"do\",\n \"double\",\n \"dtauto\",\n \"eapply\",\n \"eassumption\",\n \"eauto\",\n \"ecase\",\n \"econstructor\",\n \"edestruct\",\n \"ediscriminate\",\n \"eelim\",\n \"eexact\",\n \"eexists\",\n \"einduction\",\n \"einjection\",\n \"eleft\",\n \"elim\",\n \"elimtype\",\n \"enough\",\n \"equality\",\n \"erewrite\",\n \"eright\",\n \"esimplify_eq\",\n \"esplit\",\n \"evar\",\n \"exact\",\n \"exactly_once\",\n \"exfalso\",\n \"exists\",\n \"f_equal\",\n \"fail\",\n \"field\",\n \"field_simplify\",\n \"field_simplify_eq\",\n \"first\",\n \"firstorder\",\n \"fix\",\n \"fold\",\n \"fourier\",\n \"functional\",\n \"generalize\",\n \"generalizing\",\n \"gfail\",\n \"give_up\",\n \"has_evar\",\n \"hnf\",\n \"idtac\",\n \"in\",\n \"induction\",\n \"injection\",\n \"instantiate\",\n \"intro\",\n \"intro_pattern\",\n \"intros\",\n \"intuition\",\n \"inversion\",\n \"inversion_clear\",\n \"is_evar\",\n \"is_var\",\n \"lapply\",\n \"lazy\",\n \"left\",\n \"lia\",\n \"lra\",\n \"move\",\n \"native_compute\",\n \"nia\",\n \"nsatz\",\n \"omega\",\n \"once\",\n \"pattern\",\n \"pose\",\n \"progress\",\n \"proof\",\n \"psatz\",\n \"quote\",\n \"record\",\n \"red\",\n \"refine\",\n \"reflexivity\",\n \"remember\",\n \"rename\",\n \"repeat\",\n \"replace\",\n \"revert\",\n \"revgoals\",\n \"rewrite\",\n \"rewrite_strat\",\n \"right\",\n \"ring\",\n \"ring_simplify\",\n \"rtauto\",\n \"set\",\n \"setoid_reflexivity\",\n \"setoid_replace\",\n \"setoid_rewrite\",\n \"setoid_symmetry\",\n \"setoid_transitivity\",\n \"shelve\",\n \"shelve_unifiable\",\n \"simpl\",\n \"simple\",\n \"simplify_eq\",\n \"solve\",\n \"specialize\",\n \"split\",\n \"split_Rabs\",\n \"split_Rmult\",\n \"stepl\",\n \"stepr\",\n \"subst\",\n \"sum\",\n \"swap\",\n \"symmetry\",\n \"tactic\",\n \"tauto\",\n \"time\",\n \"timeout\",\n \"top\",\n \"transitivity\",\n \"trivial\",\n \"try\",\n \"tryif\",\n \"unfold\",\n \"unify\",\n \"until\",\n \"using\",\n \"vm_compute\",\n \"with\"\n ];\n return {\n name: 'Coq',\n keywords: {\n keyword: KEYWORDS,\n built_in: BUILT_INS\n },\n contains: [\n hljs.QUOTE_STRING_MODE,\n hljs.COMMENT('\\\\(\\\\*', '\\\\*\\\\)'),\n hljs.C_NUMBER_MODE,\n {\n className: 'type',\n excludeBegin: true,\n begin: '\\\\|\\\\s*',\n end: '\\\\w+'\n },\n { // relevance booster\n begin: /[-=]>/ }\n ]\n };\n}\n\nmodule.exports = coq;\n", "/*\nLanguage: Cach\u00E9 Object Script\nAuthor: Nikita Savchenko <zitros.lab@gmail.com>\nCategory: enterprise, scripting\nWebsite: https://cedocs.intersystems.com/latest/csp/docbook/DocBook.UI.Page.cls\n*/\n\n/** @type LanguageFn */\nfunction cos(hljs) {\n const STRINGS = {\n className: 'string',\n variants: [\n {\n begin: '\"',\n end: '\"',\n contains: [\n { // escaped\n begin: \"\\\"\\\"\",\n relevance: 0\n }\n ]\n }\n ]\n };\n\n const NUMBERS = {\n className: \"number\",\n begin: \"\\\\b(\\\\d+(\\\\.\\\\d*)?|\\\\.\\\\d+)\",\n relevance: 0\n };\n\n const COS_KEYWORDS =\n 'property parameter class classmethod clientmethod extends as break '\n + 'catch close continue do d|0 else elseif for goto halt hang h|0 if job '\n + 'j|0 kill k|0 lock l|0 merge new open quit q|0 read r|0 return set s|0 '\n + 'tcommit throw trollback try tstart use view while write w|0 xecute x|0 '\n + 'zkill znspace zn ztrap zwrite zw zzdump zzwrite print zbreak zinsert '\n + 'zload zprint zremove zsave zzprint mv mvcall mvcrt mvdim mvprint zquit '\n + 'zsync ascii';\n\n // registered function - no need in them due to all functions are highlighted,\n // but I'll just leave this here.\n\n // \"$bit\", \"$bitcount\",\n // \"$bitfind\", \"$bitlogic\", \"$case\", \"$char\", \"$classmethod\", \"$classname\",\n // \"$compile\", \"$data\", \"$decimal\", \"$double\", \"$extract\", \"$factor\",\n // \"$find\", \"$fnumber\", \"$get\", \"$increment\", \"$inumber\", \"$isobject\",\n // \"$isvaliddouble\", \"$isvalidnum\", \"$justify\", \"$length\", \"$list\",\n // \"$listbuild\", \"$listdata\", \"$listfind\", \"$listfromstring\", \"$listget\",\n // \"$listlength\", \"$listnext\", \"$listsame\", \"$listtostring\", \"$listvalid\",\n // \"$locate\", \"$match\", \"$method\", \"$name\", \"$nconvert\", \"$next\",\n // \"$normalize\", \"$now\", \"$number\", \"$order\", \"$parameter\", \"$piece\",\n // \"$prefetchoff\", \"$prefetchon\", \"$property\", \"$qlength\", \"$qsubscript\",\n // \"$query\", \"$random\", \"$replace\", \"$reverse\", \"$sconvert\", \"$select\",\n // \"$sortbegin\", \"$sortend\", \"$stack\", \"$text\", \"$translate\", \"$view\",\n // \"$wascii\", \"$wchar\", \"$wextract\", \"$wfind\", \"$wiswide\", \"$wlength\",\n // \"$wreverse\", \"$xecute\", \"$zabs\", \"$zarccos\", \"$zarcsin\", \"$zarctan\",\n // \"$zcos\", \"$zcot\", \"$zcsc\", \"$zdate\", \"$zdateh\", \"$zdatetime\",\n // \"$zdatetimeh\", \"$zexp\", \"$zhex\", \"$zln\", \"$zlog\", \"$zpower\", \"$zsec\",\n // \"$zsin\", \"$zsqr\", \"$ztan\", \"$ztime\", \"$ztimeh\", \"$zboolean\",\n // \"$zconvert\", \"$zcrc\", \"$zcyc\", \"$zdascii\", \"$zdchar\", \"$zf\",\n // \"$ziswide\", \"$zlascii\", \"$zlchar\", \"$zname\", \"$zposition\", \"$zqascii\",\n // \"$zqchar\", \"$zsearch\", \"$zseek\", \"$zstrip\", \"$zwascii\", \"$zwchar\",\n // \"$zwidth\", \"$zwpack\", \"$zwbpack\", \"$zwunpack\", \"$zwbunpack\", \"$zzenkaku\",\n // \"$change\", \"$mv\", \"$mvat\", \"$mvfmt\", \"$mvfmts\", \"$mviconv\",\n // \"$mviconvs\", \"$mvinmat\", \"$mvlover\", \"$mvoconv\", \"$mvoconvs\", \"$mvraise\",\n // \"$mvtrans\", \"$mvv\", \"$mvname\", \"$zbitand\", \"$zbitcount\", \"$zbitfind\",\n // \"$zbitget\", \"$zbitlen\", \"$zbitnot\", \"$zbitor\", \"$zbitset\", \"$zbitstr\",\n // \"$zbitxor\", \"$zincrement\", \"$znext\", \"$zorder\", \"$zprevious\", \"$zsort\",\n // \"device\", \"$ecode\", \"$estack\", \"$etrap\", \"$halt\", \"$horolog\",\n // \"$io\", \"$job\", \"$key\", \"$namespace\", \"$principal\", \"$quit\", \"$roles\",\n // \"$storage\", \"$system\", \"$test\", \"$this\", \"$tlevel\", \"$username\",\n // \"$x\", \"$y\", \"$za\", \"$zb\", \"$zchild\", \"$zeof\", \"$zeos\", \"$zerror\",\n // \"$zhorolog\", \"$zio\", \"$zjob\", \"$zmode\", \"$znspace\", \"$zparent\", \"$zpi\",\n // \"$zpos\", \"$zreference\", \"$zstorage\", \"$ztimestamp\", \"$ztimezone\",\n // \"$ztrap\", \"$zversion\"\n\n return {\n name: 'Cach\u00E9 Object Script',\n case_insensitive: true,\n aliases: [ \"cls\" ],\n keywords: COS_KEYWORDS,\n contains: [\n NUMBERS,\n STRINGS,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n {\n className: \"comment\",\n begin: /;/,\n end: \"$\",\n relevance: 0\n },\n { // Functions and user-defined functions: write $ztime(60*60*3), $$myFunc(10), $$^Val(1)\n className: \"built_in\",\n begin: /(?:\\$\\$?|\\.\\.)\\^?[a-zA-Z]+/\n },\n { // Macro command: quit $$$OK\n className: \"built_in\",\n begin: /\\$\\$\\$[a-zA-Z]+/\n },\n { // Special (global) variables: write %request.Content; Built-in classes: %Library.Integer\n className: \"built_in\",\n begin: /%[a-z]+(?:\\.[a-z]+)*/\n },\n { // Global variable: set ^globalName = 12 write ^globalName\n className: \"symbol\",\n begin: /\\^%?[a-zA-Z][\\w]*/\n },\n { // Some control constructions: do ##class(Package.ClassName).Method(), ##super()\n className: \"keyword\",\n begin: /##class|##super|#define|#dim/\n },\n // sub-languages: are not fully supported by hljs by 11/15/2015\n // left for the future implementation.\n {\n begin: /&sql\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n subLanguage: \"sql\"\n },\n {\n begin: /&(js|jscript|javascript)</,\n end: />/,\n excludeBegin: true,\n excludeEnd: true,\n subLanguage: \"javascript\"\n },\n {\n // this brakes first and last tag, but this is the only way to embed a valid html\n begin: /&html<\\s*</,\n end: />\\s*>/,\n subLanguage: \"xml\"\n }\n ]\n };\n}\n\nmodule.exports = cos;\n", "/*\nLanguage: C++\nCategory: common, system\nWebsite: https://isocpp.org\n*/\n\n/** @type LanguageFn */\nfunction cpp(hljs) {\n const regex = hljs.regex;\n // added for historic reasons because `hljs.C_LINE_COMMENT_MODE` does\n // not include such support nor can we be sure all the grammars depending\n // on it would desire this behavior\n const C_LINE_COMMENT_MODE = hljs.COMMENT('//', '$', { contains: [ { begin: /\\\\\\n/ } ] });\n const DECLTYPE_AUTO_RE = 'decltype\\\\(auto\\\\)';\n const NAMESPACE_RE = '[a-zA-Z_]\\\\w*::';\n const TEMPLATE_ARGUMENT_RE = '<[^<>]+>';\n const FUNCTION_TYPE_RE = '(?!struct)('\n + DECLTYPE_AUTO_RE + '|'\n + regex.optional(NAMESPACE_RE)\n + '[a-zA-Z_]\\\\w*' + regex.optional(TEMPLATE_ARGUMENT_RE)\n + ')';\n\n const CPP_PRIMITIVE_TYPES = {\n className: 'type',\n begin: '\\\\b[a-z\\\\d_]*_t\\\\b'\n };\n\n // https://en.cppreference.com/w/cpp/language/escape\n // \\\\ \\x \\xFF \\u2837 \\u00323747 \\374\n const CHARACTER_ESCAPES = '\\\\\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\\\S)';\n const STRINGS = {\n className: 'string',\n variants: [\n {\n begin: '(u8?|U|L)?\"',\n end: '\"',\n illegal: '\\\\n',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: '(u8?|U|L)?\\'(' + CHARACTER_ESCAPES + '|.)',\n end: '\\'',\n illegal: '.'\n },\n hljs.END_SAME_AS_BEGIN({\n begin: /(?:u8?|U|L)?R\"([^()\\\\ ]{0,16})\\(/,\n end: /\\)([^()\\\\ ]{0,16})\"/\n })\n ]\n };\n\n const NUMBERS = {\n className: 'number',\n variants: [\n { begin: '\\\\b(0b[01\\']+)' },\n { begin: '(-?)\\\\b([\\\\d\\']+(\\\\.[\\\\d\\']*)?|\\\\.[\\\\d\\']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)' },\n { begin: '(-?)(\\\\b0[xX][a-fA-F0-9\\']+|(\\\\b[\\\\d\\']+(\\\\.[\\\\d\\']*)?|\\\\.[\\\\d\\']+)([eE][-+]?[\\\\d\\']+)?)' }\n ],\n relevance: 0\n };\n\n const PREPROCESSOR = {\n className: 'meta',\n begin: /#\\s*[a-z]+\\b/,\n end: /$/,\n keywords: { keyword:\n 'if else elif endif define undef warning error line '\n + 'pragma _Pragma ifdef ifndef include' },\n contains: [\n {\n begin: /\\\\\\n/,\n relevance: 0\n },\n hljs.inherit(STRINGS, { className: 'string' }),\n {\n className: 'string',\n begin: /<.*?>/\n },\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n };\n\n const TITLE_MODE = {\n className: 'title',\n begin: regex.optional(NAMESPACE_RE) + hljs.IDENT_RE,\n relevance: 0\n };\n\n const FUNCTION_TITLE = regex.optional(NAMESPACE_RE) + hljs.IDENT_RE + '\\\\s*\\\\(';\n\n // https://en.cppreference.com/w/cpp/keyword\n const RESERVED_KEYWORDS = [\n 'alignas',\n 'alignof',\n 'and',\n 'and_eq',\n 'asm',\n 'atomic_cancel',\n 'atomic_commit',\n 'atomic_noexcept',\n 'auto',\n 'bitand',\n 'bitor',\n 'break',\n 'case',\n 'catch',\n 'class',\n 'co_await',\n 'co_return',\n 'co_yield',\n 'compl',\n 'concept',\n 'const_cast|10',\n 'consteval',\n 'constexpr',\n 'constinit',\n 'continue',\n 'decltype',\n 'default',\n 'delete',\n 'do',\n 'dynamic_cast|10',\n 'else',\n 'enum',\n 'explicit',\n 'export',\n 'extern',\n 'false',\n 'final',\n 'for',\n 'friend',\n 'goto',\n 'if',\n 'import',\n 'inline',\n 'module',\n 'mutable',\n 'namespace',\n 'new',\n 'noexcept',\n 'not',\n 'not_eq',\n 'nullptr',\n 'operator',\n 'or',\n 'or_eq',\n 'override',\n 'private',\n 'protected',\n 'public',\n 'reflexpr',\n 'register',\n 'reinterpret_cast|10',\n 'requires',\n 'return',\n 'sizeof',\n 'static_assert',\n 'static_cast|10',\n 'struct',\n 'switch',\n 'synchronized',\n 'template',\n 'this',\n 'thread_local',\n 'throw',\n 'transaction_safe',\n 'transaction_safe_dynamic',\n 'true',\n 'try',\n 'typedef',\n 'typeid',\n 'typename',\n 'union',\n 'using',\n 'virtual',\n 'volatile',\n 'while',\n 'xor',\n 'xor_eq'\n ];\n\n // https://en.cppreference.com/w/cpp/keyword\n const RESERVED_TYPES = [\n 'bool',\n 'char',\n 'char16_t',\n 'char32_t',\n 'char8_t',\n 'double',\n 'float',\n 'int',\n 'long',\n 'short',\n 'void',\n 'wchar_t',\n 'unsigned',\n 'signed',\n 'const',\n 'static'\n ];\n\n const TYPE_HINTS = [\n 'any',\n 'auto_ptr',\n 'barrier',\n 'binary_semaphore',\n 'bitset',\n 'complex',\n 'condition_variable',\n 'condition_variable_any',\n 'counting_semaphore',\n 'deque',\n 'false_type',\n 'future',\n 'imaginary',\n 'initializer_list',\n 'istringstream',\n 'jthread',\n 'latch',\n 'lock_guard',\n 'multimap',\n 'multiset',\n 'mutex',\n 'optional',\n 'ostringstream',\n 'packaged_task',\n 'pair',\n 'promise',\n 'priority_queue',\n 'queue',\n 'recursive_mutex',\n 'recursive_timed_mutex',\n 'scoped_lock',\n 'set',\n 'shared_future',\n 'shared_lock',\n 'shared_mutex',\n 'shared_timed_mutex',\n 'shared_ptr',\n 'stack',\n 'string_view',\n 'stringstream',\n 'timed_mutex',\n 'thread',\n 'true_type',\n 'tuple',\n 'unique_lock',\n 'unique_ptr',\n 'unordered_map',\n 'unordered_multimap',\n 'unordered_multiset',\n 'unordered_set',\n 'variant',\n 'vector',\n 'weak_ptr',\n 'wstring',\n 'wstring_view'\n ];\n\n const FUNCTION_HINTS = [\n 'abort',\n 'abs',\n 'acos',\n 'apply',\n 'as_const',\n 'asin',\n 'atan',\n 'atan2',\n 'calloc',\n 'ceil',\n 'cerr',\n 'cin',\n 'clog',\n 'cos',\n 'cosh',\n 'cout',\n 'declval',\n 'endl',\n 'exchange',\n 'exit',\n 'exp',\n 'fabs',\n 'floor',\n 'fmod',\n 'forward',\n 'fprintf',\n 'fputs',\n 'free',\n 'frexp',\n 'fscanf',\n 'future',\n 'invoke',\n 'isalnum',\n 'isalpha',\n 'iscntrl',\n 'isdigit',\n 'isgraph',\n 'islower',\n 'isprint',\n 'ispunct',\n 'isspace',\n 'isupper',\n 'isxdigit',\n 'labs',\n 'launder',\n 'ldexp',\n 'log',\n 'log10',\n 'make_pair',\n 'make_shared',\n 'make_shared_for_overwrite',\n 'make_tuple',\n 'make_unique',\n 'malloc',\n 'memchr',\n 'memcmp',\n 'memcpy',\n 'memset',\n 'modf',\n 'move',\n 'pow',\n 'printf',\n 'putchar',\n 'puts',\n 'realloc',\n 'scanf',\n 'sin',\n 'sinh',\n 'snprintf',\n 'sprintf',\n 'sqrt',\n 'sscanf',\n 'std',\n 'stderr',\n 'stdin',\n 'stdout',\n 'strcat',\n 'strchr',\n 'strcmp',\n 'strcpy',\n 'strcspn',\n 'strlen',\n 'strncat',\n 'strncmp',\n 'strncpy',\n 'strpbrk',\n 'strrchr',\n 'strspn',\n 'strstr',\n 'swap',\n 'tan',\n 'tanh',\n 'terminate',\n 'to_underlying',\n 'tolower',\n 'toupper',\n 'vfprintf',\n 'visit',\n 'vprintf',\n 'vsprintf'\n ];\n\n const LITERALS = [\n 'NULL',\n 'false',\n 'nullopt',\n 'nullptr',\n 'true'\n ];\n\n // https://en.cppreference.com/w/cpp/keyword\n const BUILT_IN = [ '_Pragma' ];\n\n const CPP_KEYWORDS = {\n type: RESERVED_TYPES,\n keyword: RESERVED_KEYWORDS,\n literal: LITERALS,\n built_in: BUILT_IN,\n _type_hints: TYPE_HINTS\n };\n\n const FUNCTION_DISPATCH = {\n className: 'function.dispatch',\n relevance: 0,\n keywords: {\n // Only for relevance, not highlighting.\n _hint: FUNCTION_HINTS },\n begin: regex.concat(\n /\\b/,\n /(?!decltype)/,\n /(?!if)/,\n /(?!for)/,\n /(?!switch)/,\n /(?!while)/,\n hljs.IDENT_RE,\n regex.lookahead(/(<[^<>]+>|)\\s*\\(/))\n };\n\n const EXPRESSION_CONTAINS = [\n FUNCTION_DISPATCH,\n PREPROCESSOR,\n CPP_PRIMITIVE_TYPES,\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n NUMBERS,\n STRINGS\n ];\n\n const EXPRESSION_CONTEXT = {\n // This mode covers expression context where we can't expect a function\n // definition and shouldn't highlight anything that looks like one:\n // `return some()`, `else if()`, `(x*sum(1, 2))`\n variants: [\n {\n begin: /=/,\n end: /;/\n },\n {\n begin: /\\(/,\n end: /\\)/\n },\n {\n beginKeywords: 'new throw return else',\n end: /;/\n }\n ],\n keywords: CPP_KEYWORDS,\n contains: EXPRESSION_CONTAINS.concat([\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: CPP_KEYWORDS,\n contains: EXPRESSION_CONTAINS.concat([ 'self' ]),\n relevance: 0\n }\n ]),\n relevance: 0\n };\n\n const FUNCTION_DECLARATION = {\n className: 'function',\n begin: '(' + FUNCTION_TYPE_RE + '[\\\\*&\\\\s]+)+' + FUNCTION_TITLE,\n returnBegin: true,\n end: /[{;=]/,\n excludeEnd: true,\n keywords: CPP_KEYWORDS,\n illegal: /[^\\w\\s\\*&:<>.]/,\n contains: [\n { // to prevent it from being confused as the function title\n begin: DECLTYPE_AUTO_RE,\n keywords: CPP_KEYWORDS,\n relevance: 0\n },\n {\n begin: FUNCTION_TITLE,\n returnBegin: true,\n contains: [ TITLE_MODE ],\n relevance: 0\n },\n // needed because we do not have look-behind on the below rule\n // to prevent it from grabbing the final : in a :: pair\n {\n begin: /::/,\n relevance: 0\n },\n // initializers\n {\n begin: /:/,\n endsWithParent: true,\n contains: [\n STRINGS,\n NUMBERS\n ]\n },\n // allow for multiple declarations, e.g.:\n // extern void f(int), g(char);\n {\n relevance: 0,\n match: /,/\n },\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n keywords: CPP_KEYWORDS,\n relevance: 0,\n contains: [\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n STRINGS,\n NUMBERS,\n CPP_PRIMITIVE_TYPES,\n // Count matching parentheses.\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: CPP_KEYWORDS,\n relevance: 0,\n contains: [\n 'self',\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n STRINGS,\n NUMBERS,\n CPP_PRIMITIVE_TYPES\n ]\n }\n ]\n },\n CPP_PRIMITIVE_TYPES,\n C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n PREPROCESSOR\n ]\n };\n\n return {\n name: 'C++',\n aliases: [\n 'cc',\n 'c++',\n 'h++',\n 'hpp',\n 'hh',\n 'hxx',\n 'cxx'\n ],\n keywords: CPP_KEYWORDS,\n illegal: '</',\n classNameAliases: { 'function.dispatch': 'built_in' },\n contains: [].concat(\n EXPRESSION_CONTEXT,\n FUNCTION_DECLARATION,\n FUNCTION_DISPATCH,\n EXPRESSION_CONTAINS,\n [\n PREPROCESSOR,\n { // containers: ie, `vector <int> rooms (9);`\n begin: '\\\\b(deque|list|queue|priority_queue|pair|stack|vector|map|set|bitset|multiset|multimap|unordered_map|unordered_set|unordered_multiset|unordered_multimap|array|tuple|optional|variant|function)\\\\s*<(?!<)',\n end: '>',\n keywords: CPP_KEYWORDS,\n contains: [\n 'self',\n CPP_PRIMITIVE_TYPES\n ]\n },\n {\n begin: hljs.IDENT_RE + '::',\n keywords: CPP_KEYWORDS\n },\n {\n match: [\n // extra complexity to deal with `enum class` and `enum struct`\n /\\b(?:enum(?:\\s+(?:class|struct))?|class|struct|union)/,\n /\\s+/,\n /\\w+/\n ],\n className: {\n 1: 'keyword',\n 3: 'title.class'\n }\n }\n ])\n };\n}\n\nmodule.exports = cpp;\n", "/*\nLanguage: crmsh\nAuthor: Kristoffer Gronlund <kgronlund@suse.com>\nWebsite: http://crmsh.github.io\nDescription: Syntax Highlighting for the crmsh DSL\nCategory: config\n*/\n\n/** @type LanguageFn */\nfunction crmsh(hljs) {\n const RESOURCES = 'primitive rsc_template';\n const COMMANDS = 'group clone ms master location colocation order fencing_topology '\n + 'rsc_ticket acl_target acl_group user role '\n + 'tag xml';\n const PROPERTY_SETS = 'property rsc_defaults op_defaults';\n const KEYWORDS = 'params meta operations op rule attributes utilization';\n const OPERATORS = 'read write deny defined not_defined in_range date spec in '\n + 'ref reference attribute type xpath version and or lt gt tag '\n + 'lte gte eq ne \\\\';\n const TYPES = 'number string';\n const LITERALS = 'Master Started Slave Stopped start promote demote stop monitor true false';\n\n return {\n name: 'crmsh',\n aliases: [\n 'crm',\n 'pcmk'\n ],\n case_insensitive: true,\n keywords: {\n keyword: KEYWORDS + ' ' + OPERATORS + ' ' + TYPES,\n literal: LITERALS\n },\n contains: [\n hljs.HASH_COMMENT_MODE,\n {\n beginKeywords: 'node',\n starts: {\n end: '\\\\s*([\\\\w_-]+:)?',\n starts: {\n className: 'title',\n end: '\\\\s*[\\\\$\\\\w_][\\\\w_-]*'\n }\n }\n },\n {\n beginKeywords: RESOURCES,\n starts: {\n className: 'title',\n end: '\\\\s*[\\\\$\\\\w_][\\\\w_-]*',\n starts: { end: '\\\\s*@?[\\\\w_][\\\\w_\\\\.:-]*' }\n }\n },\n {\n begin: '\\\\b(' + COMMANDS.split(' ').join('|') + ')\\\\s+',\n keywords: COMMANDS,\n starts: {\n className: 'title',\n end: '[\\\\$\\\\w_][\\\\w_-]*'\n }\n },\n {\n beginKeywords: PROPERTY_SETS,\n starts: {\n className: 'title',\n end: '\\\\s*([\\\\w_-]+:)?'\n }\n },\n hljs.QUOTE_STRING_MODE,\n {\n className: 'meta',\n begin: '(ocf|systemd|service|lsb):[\\\\w_:-]+',\n relevance: 0\n },\n {\n className: 'number',\n begin: '\\\\b\\\\d+(\\\\.\\\\d+)?(ms|s|h|m)?',\n relevance: 0\n },\n {\n className: 'literal',\n begin: '[-]?(infinity|inf)',\n relevance: 0\n },\n {\n className: 'attr',\n begin: /([A-Za-z$_#][\\w_-]+)=/,\n relevance: 0\n },\n {\n className: 'tag',\n begin: '</?',\n end: '/?>',\n relevance: 0\n }\n ]\n };\n}\n\nmodule.exports = crmsh;\n", "/*\nLanguage: Crystal\nAuthor: TSUYUSATO Kitsune <make.just.on@gmail.com>\nWebsite: https://crystal-lang.org\n*/\n\n/** @type LanguageFn */\nfunction crystal(hljs) {\n const INT_SUFFIX = '(_?[ui](8|16|32|64|128))?';\n const FLOAT_SUFFIX = '(_?f(32|64))?';\n const CRYSTAL_IDENT_RE = '[a-zA-Z_]\\\\w*[!?=]?';\n const CRYSTAL_METHOD_RE = '[a-zA-Z_]\\\\w*[!?=]?|[-+~]@|<<|>>|[=!]~|===?|<=>|[<>]=?|\\\\*\\\\*|[-/+%^&*~|]|//|//=|&[-+*]=?|&\\\\*\\\\*|\\\\[\\\\][=?]?';\n const CRYSTAL_PATH_RE = '[A-Za-z_]\\\\w*(::\\\\w+)*(\\\\?|!)?';\n const CRYSTAL_KEYWORDS = {\n $pattern: CRYSTAL_IDENT_RE,\n keyword:\n 'abstract alias annotation as as? asm begin break case class def do else elsif end ensure enum extend for fun if '\n + 'include instance_sizeof is_a? lib macro module next nil? of out pointerof private protected rescue responds_to? '\n + 'return require select self sizeof struct super then type typeof union uninitialized unless until verbatim when while with yield '\n + '__DIR__ __END_LINE__ __FILE__ __LINE__',\n literal: 'false nil true'\n };\n const SUBST = {\n className: 'subst',\n begin: /#\\{/,\n end: /\\}/,\n keywords: CRYSTAL_KEYWORDS\n };\n // borrowed from Ruby\n const VARIABLE = {\n // negative-look forward attemps to prevent false matches like:\n // @ident@ or $ident$ that might indicate this is not ruby at all\n className: \"variable\",\n begin: '(\\\\$\\\\W)|((\\\\$|@@?)(\\\\w+))(?=[^@$?])' + `(?![A-Za-z])(?![@$?'])`\n };\n const EXPANSION = {\n className: 'template-variable',\n variants: [\n {\n begin: '\\\\{\\\\{',\n end: '\\\\}\\\\}'\n },\n {\n begin: '\\\\{%',\n end: '%\\\\}'\n }\n ],\n keywords: CRYSTAL_KEYWORDS\n };\n\n function recursiveParen(begin, end) {\n const\n contains = [\n {\n begin: begin,\n end: end\n }\n ];\n contains[0].contains = contains;\n return contains;\n }\n const STRING = {\n className: 'string',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n variants: [\n {\n begin: /'/,\n end: /'/\n },\n {\n begin: /\"/,\n end: /\"/\n },\n {\n begin: /`/,\n end: /`/\n },\n {\n begin: '%[Qwi]?\\\\(',\n end: '\\\\)',\n contains: recursiveParen('\\\\(', '\\\\)')\n },\n {\n begin: '%[Qwi]?\\\\[',\n end: '\\\\]',\n contains: recursiveParen('\\\\[', '\\\\]')\n },\n {\n begin: '%[Qwi]?\\\\{',\n end: /\\}/,\n contains: recursiveParen(/\\{/, /\\}/)\n },\n {\n begin: '%[Qwi]?<',\n end: '>',\n contains: recursiveParen('<', '>')\n },\n {\n begin: '%[Qwi]?\\\\|',\n end: '\\\\|'\n },\n {\n begin: /<<-\\w+$/,\n end: /^\\s*\\w+$/\n }\n ],\n relevance: 0\n };\n const Q_STRING = {\n className: 'string',\n variants: [\n {\n begin: '%q\\\\(',\n end: '\\\\)',\n contains: recursiveParen('\\\\(', '\\\\)')\n },\n {\n begin: '%q\\\\[',\n end: '\\\\]',\n contains: recursiveParen('\\\\[', '\\\\]')\n },\n {\n begin: '%q\\\\{',\n end: /\\}/,\n contains: recursiveParen(/\\{/, /\\}/)\n },\n {\n begin: '%q<',\n end: '>',\n contains: recursiveParen('<', '>')\n },\n {\n begin: '%q\\\\|',\n end: '\\\\|'\n },\n {\n begin: /<<-'\\w+'$/,\n end: /^\\s*\\w+$/\n }\n ],\n relevance: 0\n };\n const REGEXP = {\n begin: '(?!%\\\\})(' + hljs.RE_STARTERS_RE + '|\\\\n|\\\\b(case|if|select|unless|until|when|while)\\\\b)\\\\s*',\n keywords: 'case if select unless until when while',\n contains: [\n {\n className: 'regexp',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n variants: [\n {\n begin: '//[a-z]*',\n relevance: 0\n },\n {\n begin: '/(?!\\\\/)',\n end: '/[a-z]*'\n }\n ]\n }\n ],\n relevance: 0\n };\n const REGEXP2 = {\n className: 'regexp',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n variants: [\n {\n begin: '%r\\\\(',\n end: '\\\\)',\n contains: recursiveParen('\\\\(', '\\\\)')\n },\n {\n begin: '%r\\\\[',\n end: '\\\\]',\n contains: recursiveParen('\\\\[', '\\\\]')\n },\n {\n begin: '%r\\\\{',\n end: /\\}/,\n contains: recursiveParen(/\\{/, /\\}/)\n },\n {\n begin: '%r<',\n end: '>',\n contains: recursiveParen('<', '>')\n },\n {\n begin: '%r\\\\|',\n end: '\\\\|'\n }\n ],\n relevance: 0\n };\n const ATTRIBUTE = {\n className: 'meta',\n begin: '@\\\\[',\n end: '\\\\]',\n contains: [ hljs.inherit(hljs.QUOTE_STRING_MODE, { className: 'string' }) ]\n };\n const CRYSTAL_DEFAULT_CONTAINS = [\n EXPANSION,\n STRING,\n Q_STRING,\n REGEXP2,\n REGEXP,\n ATTRIBUTE,\n VARIABLE,\n hljs.HASH_COMMENT_MODE,\n {\n className: 'class',\n beginKeywords: 'class module struct',\n end: '$|;',\n illegal: /=/,\n contains: [\n hljs.HASH_COMMENT_MODE,\n hljs.inherit(hljs.TITLE_MODE, { begin: CRYSTAL_PATH_RE }),\n { // relevance booster for inheritance\n begin: '<' }\n ]\n },\n {\n className: 'class',\n beginKeywords: 'lib enum union',\n end: '$|;',\n illegal: /=/,\n contains: [\n hljs.HASH_COMMENT_MODE,\n hljs.inherit(hljs.TITLE_MODE, { begin: CRYSTAL_PATH_RE })\n ]\n },\n {\n beginKeywords: 'annotation',\n end: '$|;',\n illegal: /=/,\n contains: [\n hljs.HASH_COMMENT_MODE,\n hljs.inherit(hljs.TITLE_MODE, { begin: CRYSTAL_PATH_RE })\n ],\n relevance: 2\n },\n {\n className: 'function',\n beginKeywords: 'def',\n end: /\\B\\b/,\n contains: [\n hljs.inherit(hljs.TITLE_MODE, {\n begin: CRYSTAL_METHOD_RE,\n endsParent: true\n })\n ]\n },\n {\n className: 'function',\n beginKeywords: 'fun macro',\n end: /\\B\\b/,\n contains: [\n hljs.inherit(hljs.TITLE_MODE, {\n begin: CRYSTAL_METHOD_RE,\n endsParent: true\n })\n ],\n relevance: 2\n },\n {\n className: 'symbol',\n begin: hljs.UNDERSCORE_IDENT_RE + '(!|\\\\?)?:',\n relevance: 0\n },\n {\n className: 'symbol',\n begin: ':',\n contains: [\n STRING,\n { begin: CRYSTAL_METHOD_RE }\n ],\n relevance: 0\n },\n {\n className: 'number',\n variants: [\n { begin: '\\\\b0b([01_]+)' + INT_SUFFIX },\n { begin: '\\\\b0o([0-7_]+)' + INT_SUFFIX },\n { begin: '\\\\b0x([A-Fa-f0-9_]+)' + INT_SUFFIX },\n { begin: '\\\\b([1-9][0-9_]*[0-9]|[0-9])(\\\\.[0-9][0-9_]*)?([eE]_?[-+]?[0-9_]*)?' + FLOAT_SUFFIX + '(?!_)' },\n { begin: '\\\\b([1-9][0-9_]*|0)' + INT_SUFFIX }\n ],\n relevance: 0\n }\n ];\n SUBST.contains = CRYSTAL_DEFAULT_CONTAINS;\n EXPANSION.contains = CRYSTAL_DEFAULT_CONTAINS.slice(1); // without EXPANSION\n\n return {\n name: 'Crystal',\n aliases: [ 'cr' ],\n keywords: CRYSTAL_KEYWORDS,\n contains: CRYSTAL_DEFAULT_CONTAINS\n };\n}\n\nmodule.exports = crystal;\n", "/*\nLanguage: C#\nAuthor: Jason Diamond <jason@diamond.name>\nContributor: Nicolas LLOBERA <nllobera@gmail.com>, Pieter Vantorre <pietervantorre@gmail.com>, David Pine <david.pine@microsoft.com>\nWebsite: https://docs.microsoft.com/dotnet/csharp/\nCategory: common\n*/\n\n/** @type LanguageFn */\nfunction csharp(hljs) {\n const BUILT_IN_KEYWORDS = [\n 'bool',\n 'byte',\n 'char',\n 'decimal',\n 'delegate',\n 'double',\n 'dynamic',\n 'enum',\n 'float',\n 'int',\n 'long',\n 'nint',\n 'nuint',\n 'object',\n 'sbyte',\n 'short',\n 'string',\n 'ulong',\n 'uint',\n 'ushort'\n ];\n const FUNCTION_MODIFIERS = [\n 'public',\n 'private',\n 'protected',\n 'static',\n 'internal',\n 'protected',\n 'abstract',\n 'async',\n 'extern',\n 'override',\n 'unsafe',\n 'virtual',\n 'new',\n 'sealed',\n 'partial'\n ];\n const LITERAL_KEYWORDS = [\n 'default',\n 'false',\n 'null',\n 'true'\n ];\n const NORMAL_KEYWORDS = [\n 'abstract',\n 'as',\n 'base',\n 'break',\n 'case',\n 'catch',\n 'class',\n 'const',\n 'continue',\n 'do',\n 'else',\n 'event',\n 'explicit',\n 'extern',\n 'finally',\n 'fixed',\n 'for',\n 'foreach',\n 'goto',\n 'if',\n 'implicit',\n 'in',\n 'interface',\n 'internal',\n 'is',\n 'lock',\n 'namespace',\n 'new',\n 'operator',\n 'out',\n 'override',\n 'params',\n 'private',\n 'protected',\n 'public',\n 'readonly',\n 'record',\n 'ref',\n 'return',\n 'scoped',\n 'sealed',\n 'sizeof',\n 'stackalloc',\n 'static',\n 'struct',\n 'switch',\n 'this',\n 'throw',\n 'try',\n 'typeof',\n 'unchecked',\n 'unsafe',\n 'using',\n 'virtual',\n 'void',\n 'volatile',\n 'while'\n ];\n const CONTEXTUAL_KEYWORDS = [\n 'add',\n 'alias',\n 'and',\n 'ascending',\n 'async',\n 'await',\n 'by',\n 'descending',\n 'equals',\n 'from',\n 'get',\n 'global',\n 'group',\n 'init',\n 'into',\n 'join',\n 'let',\n 'nameof',\n 'not',\n 'notnull',\n 'on',\n 'or',\n 'orderby',\n 'partial',\n 'remove',\n 'select',\n 'set',\n 'unmanaged',\n 'value|0',\n 'var',\n 'when',\n 'where',\n 'with',\n 'yield'\n ];\n\n const KEYWORDS = {\n keyword: NORMAL_KEYWORDS.concat(CONTEXTUAL_KEYWORDS),\n built_in: BUILT_IN_KEYWORDS,\n literal: LITERAL_KEYWORDS\n };\n const TITLE_MODE = hljs.inherit(hljs.TITLE_MODE, { begin: '[a-zA-Z](\\\\.?\\\\w)*' });\n const NUMBERS = {\n className: 'number',\n variants: [\n { begin: '\\\\b(0b[01\\']+)' },\n { begin: '(-?)\\\\b([\\\\d\\']+(\\\\.[\\\\d\\']*)?|\\\\.[\\\\d\\']+)(u|U|l|L|ul|UL|f|F|b|B)' },\n { begin: '(-?)(\\\\b0[xX][a-fA-F0-9\\']+|(\\\\b[\\\\d\\']+(\\\\.[\\\\d\\']*)?|\\\\.[\\\\d\\']+)([eE][-+]?[\\\\d\\']+)?)' }\n ],\n relevance: 0\n };\n const VERBATIM_STRING = {\n className: 'string',\n begin: '@\"',\n end: '\"',\n contains: [ { begin: '\"\"' } ]\n };\n const VERBATIM_STRING_NO_LF = hljs.inherit(VERBATIM_STRING, { illegal: /\\n/ });\n const SUBST = {\n className: 'subst',\n begin: /\\{/,\n end: /\\}/,\n keywords: KEYWORDS\n };\n const SUBST_NO_LF = hljs.inherit(SUBST, { illegal: /\\n/ });\n const INTERPOLATED_STRING = {\n className: 'string',\n begin: /\\$\"/,\n end: '\"',\n illegal: /\\n/,\n contains: [\n { begin: /\\{\\{/ },\n { begin: /\\}\\}/ },\n hljs.BACKSLASH_ESCAPE,\n SUBST_NO_LF\n ]\n };\n const INTERPOLATED_VERBATIM_STRING = {\n className: 'string',\n begin: /\\$@\"/,\n end: '\"',\n contains: [\n { begin: /\\{\\{/ },\n { begin: /\\}\\}/ },\n { begin: '\"\"' },\n SUBST\n ]\n };\n const INTERPOLATED_VERBATIM_STRING_NO_LF = hljs.inherit(INTERPOLATED_VERBATIM_STRING, {\n illegal: /\\n/,\n contains: [\n { begin: /\\{\\{/ },\n { begin: /\\}\\}/ },\n { begin: '\"\"' },\n SUBST_NO_LF\n ]\n });\n SUBST.contains = [\n INTERPOLATED_VERBATIM_STRING,\n INTERPOLATED_STRING,\n VERBATIM_STRING,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n NUMBERS,\n hljs.C_BLOCK_COMMENT_MODE\n ];\n SUBST_NO_LF.contains = [\n INTERPOLATED_VERBATIM_STRING_NO_LF,\n INTERPOLATED_STRING,\n VERBATIM_STRING_NO_LF,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n NUMBERS,\n hljs.inherit(hljs.C_BLOCK_COMMENT_MODE, { illegal: /\\n/ })\n ];\n const STRING = { variants: [\n INTERPOLATED_VERBATIM_STRING,\n INTERPOLATED_STRING,\n VERBATIM_STRING,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ] };\n\n const GENERIC_MODIFIER = {\n begin: \"<\",\n end: \">\",\n contains: [\n { beginKeywords: \"in out\" },\n TITLE_MODE\n ]\n };\n const TYPE_IDENT_RE = hljs.IDENT_RE + '(<' + hljs.IDENT_RE + '(\\\\s*,\\\\s*' + hljs.IDENT_RE + ')*>)?(\\\\[\\\\])?';\n const AT_IDENTIFIER = {\n // prevents expressions like `@class` from incorrect flagging\n // `class` as a keyword\n begin: \"@\" + hljs.IDENT_RE,\n relevance: 0\n };\n\n return {\n name: 'C#',\n aliases: [\n 'cs',\n 'c#'\n ],\n keywords: KEYWORDS,\n illegal: /::/,\n contains: [\n hljs.COMMENT(\n '///',\n '$',\n {\n returnBegin: true,\n contains: [\n {\n className: 'doctag',\n variants: [\n {\n begin: '///',\n relevance: 0\n },\n { begin: '<!--|-->' },\n {\n begin: '</?',\n end: '>'\n }\n ]\n }\n ]\n }\n ),\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n {\n className: 'meta',\n begin: '#',\n end: '$',\n keywords: { keyword: 'if else elif endif define undef warning error line region endregion pragma checksum' }\n },\n STRING,\n NUMBERS,\n {\n beginKeywords: 'class interface',\n relevance: 0,\n end: /[{;=]/,\n illegal: /[^\\s:,]/,\n contains: [\n { beginKeywords: \"where class\" },\n TITLE_MODE,\n GENERIC_MODIFIER,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n {\n beginKeywords: 'namespace',\n relevance: 0,\n end: /[{;=]/,\n illegal: /[^\\s:]/,\n contains: [\n TITLE_MODE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n {\n beginKeywords: 'record',\n relevance: 0,\n end: /[{;=]/,\n illegal: /[^\\s:]/,\n contains: [\n TITLE_MODE,\n GENERIC_MODIFIER,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n {\n // [Attributes(\"\")]\n className: 'meta',\n begin: '^\\\\s*\\\\[(?=[\\\\w])',\n excludeBegin: true,\n end: '\\\\]',\n excludeEnd: true,\n contains: [\n {\n className: 'string',\n begin: /\"/,\n end: /\"/\n }\n ]\n },\n {\n // Expression keywords prevent 'keyword Name(...)' from being\n // recognized as a function definition\n beginKeywords: 'new return throw await else',\n relevance: 0\n },\n {\n className: 'function',\n begin: '(' + TYPE_IDENT_RE + '\\\\s+)+' + hljs.IDENT_RE + '\\\\s*(<[^=]+>\\\\s*)?\\\\(',\n returnBegin: true,\n end: /\\s*[{;=]/,\n excludeEnd: true,\n keywords: KEYWORDS,\n contains: [\n // prevents these from being highlighted `title`\n {\n beginKeywords: FUNCTION_MODIFIERS.join(\" \"),\n relevance: 0\n },\n {\n begin: hljs.IDENT_RE + '\\\\s*(<[^=]+>\\\\s*)?\\\\(',\n returnBegin: true,\n contains: [\n hljs.TITLE_MODE,\n GENERIC_MODIFIER\n ],\n relevance: 0\n },\n { match: /\\(\\)/ },\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n keywords: KEYWORDS,\n relevance: 0,\n contains: [\n STRING,\n NUMBERS,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n AT_IDENTIFIER\n ]\n };\n}\n\nmodule.exports = csharp;\n", "/*\nLanguage: CSP\nDescription: Content Security Policy definition highlighting\nAuthor: Taras <oxdef@oxdef.info>\nWebsite: https://developer.mozilla.org/en-US/docs/Web/HTTP/CSP\n\nvim: ts=2 sw=2 st=2\n*/\n\n/** @type LanguageFn */\nfunction csp(hljs) {\n const KEYWORDS = [\n \"base-uri\",\n \"child-src\",\n \"connect-src\",\n \"default-src\",\n \"font-src\",\n \"form-action\",\n \"frame-ancestors\",\n \"frame-src\",\n \"img-src\",\n \"manifest-src\",\n \"media-src\",\n \"object-src\",\n \"plugin-types\",\n \"report-uri\",\n \"sandbox\",\n \"script-src\",\n \"style-src\",\n \"trusted-types\",\n \"unsafe-hashes\",\n \"worker-src\"\n ];\n return {\n name: 'CSP',\n case_insensitive: false,\n keywords: {\n $pattern: '[a-zA-Z][a-zA-Z0-9_-]*',\n keyword: KEYWORDS\n },\n contains: [\n {\n className: 'string',\n begin: \"'\",\n end: \"'\"\n },\n {\n className: 'attribute',\n begin: '^Content',\n end: ':',\n excludeEnd: true\n }\n ]\n };\n}\n\nmodule.exports = csp;\n", "const MODES = (hljs) => {\n return {\n IMPORTANT: {\n scope: 'meta',\n begin: '!important'\n },\n BLOCK_COMMENT: hljs.C_BLOCK_COMMENT_MODE,\n HEXCOLOR: {\n scope: 'number',\n begin: /#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\\b/\n },\n FUNCTION_DISPATCH: {\n className: \"built_in\",\n begin: /[\\w-]+(?=\\()/\n },\n ATTRIBUTE_SELECTOR_MODE: {\n scope: 'selector-attr',\n begin: /\\[/,\n end: /\\]/,\n illegal: '$',\n contains: [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ]\n },\n CSS_NUMBER_MODE: {\n scope: 'number',\n begin: hljs.NUMBER_RE + '(' +\n '%|em|ex|ch|rem' +\n '|vw|vh|vmin|vmax' +\n '|cm|mm|in|pt|pc|px' +\n '|deg|grad|rad|turn' +\n '|s|ms' +\n '|Hz|kHz' +\n '|dpi|dpcm|dppx' +\n ')?',\n relevance: 0\n },\n CSS_VARIABLE: {\n className: \"attr\",\n begin: /--[A-Za-z][A-Za-z0-9_-]*/\n }\n };\n};\n\nconst TAGS = [\n 'a',\n 'abbr',\n 'address',\n 'article',\n 'aside',\n 'audio',\n 'b',\n 'blockquote',\n 'body',\n 'button',\n 'canvas',\n 'caption',\n 'cite',\n 'code',\n 'dd',\n 'del',\n 'details',\n 'dfn',\n 'div',\n 'dl',\n 'dt',\n 'em',\n 'fieldset',\n 'figcaption',\n 'figure',\n 'footer',\n 'form',\n 'h1',\n 'h2',\n 'h3',\n 'h4',\n 'h5',\n 'h6',\n 'header',\n 'hgroup',\n 'html',\n 'i',\n 'iframe',\n 'img',\n 'input',\n 'ins',\n 'kbd',\n 'label',\n 'legend',\n 'li',\n 'main',\n 'mark',\n 'menu',\n 'nav',\n 'object',\n 'ol',\n 'p',\n 'q',\n 'quote',\n 'samp',\n 'section',\n 'span',\n 'strong',\n 'summary',\n 'sup',\n 'table',\n 'tbody',\n 'td',\n 'textarea',\n 'tfoot',\n 'th',\n 'thead',\n 'time',\n 'tr',\n 'ul',\n 'var',\n 'video'\n];\n\nconst MEDIA_FEATURES = [\n 'any-hover',\n 'any-pointer',\n 'aspect-ratio',\n 'color',\n 'color-gamut',\n 'color-index',\n 'device-aspect-ratio',\n 'device-height',\n 'device-width',\n 'display-mode',\n 'forced-colors',\n 'grid',\n 'height',\n 'hover',\n 'inverted-colors',\n 'monochrome',\n 'orientation',\n 'overflow-block',\n 'overflow-inline',\n 'pointer',\n 'prefers-color-scheme',\n 'prefers-contrast',\n 'prefers-reduced-motion',\n 'prefers-reduced-transparency',\n 'resolution',\n 'scan',\n 'scripting',\n 'update',\n 'width',\n // TODO: find a better solution?\n 'min-width',\n 'max-width',\n 'min-height',\n 'max-height'\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/CSS/Pseudo-classes\nconst PSEUDO_CLASSES = [\n 'active',\n 'any-link',\n 'blank',\n 'checked',\n 'current',\n 'default',\n 'defined',\n 'dir', // dir()\n 'disabled',\n 'drop',\n 'empty',\n 'enabled',\n 'first',\n 'first-child',\n 'first-of-type',\n 'fullscreen',\n 'future',\n 'focus',\n 'focus-visible',\n 'focus-within',\n 'has', // has()\n 'host', // host or host()\n 'host-context', // host-context()\n 'hover',\n 'indeterminate',\n 'in-range',\n 'invalid',\n 'is', // is()\n 'lang', // lang()\n 'last-child',\n 'last-of-type',\n 'left',\n 'link',\n 'local-link',\n 'not', // not()\n 'nth-child', // nth-child()\n 'nth-col', // nth-col()\n 'nth-last-child', // nth-last-child()\n 'nth-last-col', // nth-last-col()\n 'nth-last-of-type', //nth-last-of-type()\n 'nth-of-type', //nth-of-type()\n 'only-child',\n 'only-of-type',\n 'optional',\n 'out-of-range',\n 'past',\n 'placeholder-shown',\n 'read-only',\n 'read-write',\n 'required',\n 'right',\n 'root',\n 'scope',\n 'target',\n 'target-within',\n 'user-invalid',\n 'valid',\n 'visited',\n 'where' // where()\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/CSS/Pseudo-elements\nconst PSEUDO_ELEMENTS = [\n 'after',\n 'backdrop',\n 'before',\n 'cue',\n 'cue-region',\n 'first-letter',\n 'first-line',\n 'grammar-error',\n 'marker',\n 'part',\n 'placeholder',\n 'selection',\n 'slotted',\n 'spelling-error'\n];\n\nconst ATTRIBUTES = [\n 'align-content',\n 'align-items',\n 'align-self',\n 'all',\n 'animation',\n 'animation-delay',\n 'animation-direction',\n 'animation-duration',\n 'animation-fill-mode',\n 'animation-iteration-count',\n 'animation-name',\n 'animation-play-state',\n 'animation-timing-function',\n 'backface-visibility',\n 'background',\n 'background-attachment',\n 'background-blend-mode',\n 'background-clip',\n 'background-color',\n 'background-image',\n 'background-origin',\n 'background-position',\n 'background-repeat',\n 'background-size',\n 'block-size',\n 'border',\n 'border-block',\n 'border-block-color',\n 'border-block-end',\n 'border-block-end-color',\n 'border-block-end-style',\n 'border-block-end-width',\n 'border-block-start',\n 'border-block-start-color',\n 'border-block-start-style',\n 'border-block-start-width',\n 'border-block-style',\n 'border-block-width',\n 'border-bottom',\n 'border-bottom-color',\n 'border-bottom-left-radius',\n 'border-bottom-right-radius',\n 'border-bottom-style',\n 'border-bottom-width',\n 'border-collapse',\n 'border-color',\n 'border-image',\n 'border-image-outset',\n 'border-image-repeat',\n 'border-image-slice',\n 'border-image-source',\n 'border-image-width',\n 'border-inline',\n 'border-inline-color',\n 'border-inline-end',\n 'border-inline-end-color',\n 'border-inline-end-style',\n 'border-inline-end-width',\n 'border-inline-start',\n 'border-inline-start-color',\n 'border-inline-start-style',\n 'border-inline-start-width',\n 'border-inline-style',\n 'border-inline-width',\n 'border-left',\n 'border-left-color',\n 'border-left-style',\n 'border-left-width',\n 'border-radius',\n 'border-right',\n 'border-right-color',\n 'border-right-style',\n 'border-right-width',\n 'border-spacing',\n 'border-style',\n 'border-top',\n 'border-top-color',\n 'border-top-left-radius',\n 'border-top-right-radius',\n 'border-top-style',\n 'border-top-width',\n 'border-width',\n 'bottom',\n 'box-decoration-break',\n 'box-shadow',\n 'box-sizing',\n 'break-after',\n 'break-before',\n 'break-inside',\n 'caption-side',\n 'caret-color',\n 'clear',\n 'clip',\n 'clip-path',\n 'clip-rule',\n 'color',\n 'column-count',\n 'column-fill',\n 'column-gap',\n 'column-rule',\n 'column-rule-color',\n 'column-rule-style',\n 'column-rule-width',\n 'column-span',\n 'column-width',\n 'columns',\n 'contain',\n 'content',\n 'content-visibility',\n 'counter-increment',\n 'counter-reset',\n 'cue',\n 'cue-after',\n 'cue-before',\n 'cursor',\n 'direction',\n 'display',\n 'empty-cells',\n 'filter',\n 'flex',\n 'flex-basis',\n 'flex-direction',\n 'flex-flow',\n 'flex-grow',\n 'flex-shrink',\n 'flex-wrap',\n 'float',\n 'flow',\n 'font',\n 'font-display',\n 'font-family',\n 'font-feature-settings',\n 'font-kerning',\n 'font-language-override',\n 'font-size',\n 'font-size-adjust',\n 'font-smoothing',\n 'font-stretch',\n 'font-style',\n 'font-synthesis',\n 'font-variant',\n 'font-variant-caps',\n 'font-variant-east-asian',\n 'font-variant-ligatures',\n 'font-variant-numeric',\n 'font-variant-position',\n 'font-variation-settings',\n 'font-weight',\n 'gap',\n 'glyph-orientation-vertical',\n 'grid',\n 'grid-area',\n 'grid-auto-columns',\n 'grid-auto-flow',\n 'grid-auto-rows',\n 'grid-column',\n 'grid-column-end',\n 'grid-column-start',\n 'grid-gap',\n 'grid-row',\n 'grid-row-end',\n 'grid-row-start',\n 'grid-template',\n 'grid-template-areas',\n 'grid-template-columns',\n 'grid-template-rows',\n 'hanging-punctuation',\n 'height',\n 'hyphens',\n 'icon',\n 'image-orientation',\n 'image-rendering',\n 'image-resolution',\n 'ime-mode',\n 'inline-size',\n 'isolation',\n 'justify-content',\n 'left',\n 'letter-spacing',\n 'line-break',\n 'line-height',\n 'list-style',\n 'list-style-image',\n 'list-style-position',\n 'list-style-type',\n 'margin',\n 'margin-block',\n 'margin-block-end',\n 'margin-block-start',\n 'margin-bottom',\n 'margin-inline',\n 'margin-inline-end',\n 'margin-inline-start',\n 'margin-left',\n 'margin-right',\n 'margin-top',\n 'marks',\n 'mask',\n 'mask-border',\n 'mask-border-mode',\n 'mask-border-outset',\n 'mask-border-repeat',\n 'mask-border-slice',\n 'mask-border-source',\n 'mask-border-width',\n 'mask-clip',\n 'mask-composite',\n 'mask-image',\n 'mask-mode',\n 'mask-origin',\n 'mask-position',\n 'mask-repeat',\n 'mask-size',\n 'mask-type',\n 'max-block-size',\n 'max-height',\n 'max-inline-size',\n 'max-width',\n 'min-block-size',\n 'min-height',\n 'min-inline-size',\n 'min-width',\n 'mix-blend-mode',\n 'nav-down',\n 'nav-index',\n 'nav-left',\n 'nav-right',\n 'nav-up',\n 'none',\n 'normal',\n 'object-fit',\n 'object-position',\n 'opacity',\n 'order',\n 'orphans',\n 'outline',\n 'outline-color',\n 'outline-offset',\n 'outline-style',\n 'outline-width',\n 'overflow',\n 'overflow-wrap',\n 'overflow-x',\n 'overflow-y',\n 'padding',\n 'padding-block',\n 'padding-block-end',\n 'padding-block-start',\n 'padding-bottom',\n 'padding-inline',\n 'padding-inline-end',\n 'padding-inline-start',\n 'padding-left',\n 'padding-right',\n 'padding-top',\n 'page-break-after',\n 'page-break-before',\n 'page-break-inside',\n 'pause',\n 'pause-after',\n 'pause-before',\n 'perspective',\n 'perspective-origin',\n 'pointer-events',\n 'position',\n 'quotes',\n 'resize',\n 'rest',\n 'rest-after',\n 'rest-before',\n 'right',\n 'row-gap',\n 'scroll-margin',\n 'scroll-margin-block',\n 'scroll-margin-block-end',\n 'scroll-margin-block-start',\n 'scroll-margin-bottom',\n 'scroll-margin-inline',\n 'scroll-margin-inline-end',\n 'scroll-margin-inline-start',\n 'scroll-margin-left',\n 'scroll-margin-right',\n 'scroll-margin-top',\n 'scroll-padding',\n 'scroll-padding-block',\n 'scroll-padding-block-end',\n 'scroll-padding-block-start',\n 'scroll-padding-bottom',\n 'scroll-padding-inline',\n 'scroll-padding-inline-end',\n 'scroll-padding-inline-start',\n 'scroll-padding-left',\n 'scroll-padding-right',\n 'scroll-padding-top',\n 'scroll-snap-align',\n 'scroll-snap-stop',\n 'scroll-snap-type',\n 'scrollbar-color',\n 'scrollbar-gutter',\n 'scrollbar-width',\n 'shape-image-threshold',\n 'shape-margin',\n 'shape-outside',\n 'speak',\n 'speak-as',\n 'src', // @font-face\n 'tab-size',\n 'table-layout',\n 'text-align',\n 'text-align-all',\n 'text-align-last',\n 'text-combine-upright',\n 'text-decoration',\n 'text-decoration-color',\n 'text-decoration-line',\n 'text-decoration-style',\n 'text-emphasis',\n 'text-emphasis-color',\n 'text-emphasis-position',\n 'text-emphasis-style',\n 'text-indent',\n 'text-justify',\n 'text-orientation',\n 'text-overflow',\n 'text-rendering',\n 'text-shadow',\n 'text-transform',\n 'text-underline-position',\n 'top',\n 'transform',\n 'transform-box',\n 'transform-origin',\n 'transform-style',\n 'transition',\n 'transition-delay',\n 'transition-duration',\n 'transition-property',\n 'transition-timing-function',\n 'unicode-bidi',\n 'vertical-align',\n 'visibility',\n 'voice-balance',\n 'voice-duration',\n 'voice-family',\n 'voice-pitch',\n 'voice-range',\n 'voice-rate',\n 'voice-stress',\n 'voice-volume',\n 'white-space',\n 'widows',\n 'width',\n 'will-change',\n 'word-break',\n 'word-spacing',\n 'word-wrap',\n 'writing-mode',\n 'z-index'\n // reverse makes sure longer attributes `font-weight` are matched fully\n // instead of getting false positives on say `font`\n].reverse();\n\n/*\nLanguage: CSS\nCategory: common, css, web\nWebsite: https://developer.mozilla.org/en-US/docs/Web/CSS\n*/\n\n/** @type LanguageFn */\nfunction css(hljs) {\n const regex = hljs.regex;\n const modes = MODES(hljs);\n const VENDOR_PREFIX = { begin: /-(webkit|moz|ms|o)-(?=[a-z])/ };\n const AT_MODIFIERS = \"and or not only\";\n const AT_PROPERTY_RE = /@-?\\w[\\w]*(-\\w+)*/; // @-webkit-keyframes\n const IDENT_RE = '[a-zA-Z-][a-zA-Z0-9_-]*';\n const STRINGS = [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ];\n\n return {\n name: 'CSS',\n case_insensitive: true,\n illegal: /[=|'\\$]/,\n keywords: { keyframePosition: \"from to\" },\n classNameAliases: {\n // for visual continuity with `tag {}` and because we\n // don't have a great class for this?\n keyframePosition: \"selector-tag\" },\n contains: [\n modes.BLOCK_COMMENT,\n VENDOR_PREFIX,\n // to recognize keyframe 40% etc which are outside the scope of our\n // attribute value mode\n modes.CSS_NUMBER_MODE,\n {\n className: 'selector-id',\n begin: /#[A-Za-z0-9_-]+/,\n relevance: 0\n },\n {\n className: 'selector-class',\n begin: '\\\\.' + IDENT_RE,\n relevance: 0\n },\n modes.ATTRIBUTE_SELECTOR_MODE,\n {\n className: 'selector-pseudo',\n variants: [\n { begin: ':(' + PSEUDO_CLASSES.join('|') + ')' },\n { begin: ':(:)?(' + PSEUDO_ELEMENTS.join('|') + ')' }\n ]\n },\n // we may actually need this (12/2020)\n // { // pseudo-selector params\n // begin: /\\(/,\n // end: /\\)/,\n // contains: [ hljs.CSS_NUMBER_MODE ]\n // },\n modes.CSS_VARIABLE,\n {\n className: 'attribute',\n begin: '\\\\b(' + ATTRIBUTES.join('|') + ')\\\\b'\n },\n // attribute values\n {\n begin: /:/,\n end: /[;}{]/,\n contains: [\n modes.BLOCK_COMMENT,\n modes.HEXCOLOR,\n modes.IMPORTANT,\n modes.CSS_NUMBER_MODE,\n ...STRINGS,\n // needed to highlight these as strings and to avoid issues with\n // illegal characters that might be inside urls that would tigger the\n // languages illegal stack\n {\n begin: /(url|data-uri)\\(/,\n end: /\\)/,\n relevance: 0, // from keywords\n keywords: { built_in: \"url data-uri\" },\n contains: [\n ...STRINGS,\n {\n className: \"string\",\n // any character other than `)` as in `url()` will be the start\n // of a string, which ends with `)` (from the parent mode)\n begin: /[^)]/,\n endsWithParent: true,\n excludeEnd: true\n }\n ]\n },\n modes.FUNCTION_DISPATCH\n ]\n },\n {\n begin: regex.lookahead(/@/),\n end: '[{;]',\n relevance: 0,\n illegal: /:/, // break on Less variables @var: ...\n contains: [\n {\n className: 'keyword',\n begin: AT_PROPERTY_RE\n },\n {\n begin: /\\s/,\n endsWithParent: true,\n excludeEnd: true,\n relevance: 0,\n keywords: {\n $pattern: /[a-z-]+/,\n keyword: AT_MODIFIERS,\n attribute: MEDIA_FEATURES.join(\" \")\n },\n contains: [\n {\n begin: /[a-z-]+(?=:)/,\n className: \"attribute\"\n },\n ...STRINGS,\n modes.CSS_NUMBER_MODE\n ]\n }\n ]\n },\n {\n className: 'selector-tag',\n begin: '\\\\b(' + TAGS.join('|') + ')\\\\b'\n }\n ]\n };\n}\n\nmodule.exports = css;\n", "/*\nLanguage: D\nAuthor: Aleksandar Ruzicic <aleksandar@ruzicic.info>\nDescription: D is a language with C-like syntax and static typing. It pragmatically combines efficiency, control, and modeling power, with safety and programmer productivity.\nVersion: 1.0a\nWebsite: https://dlang.org\nDate: 2012-04-08\n*/\n\n/**\n * Known issues:\n *\n * - invalid hex string literals will be recognized as a double quoted strings\n * but 'x' at the beginning of string will not be matched\n *\n * - delimited string literals are not checked for matching end delimiter\n * (not possible to do with js regexp)\n *\n * - content of token string is colored as a string (i.e. no keyword coloring inside a token string)\n * also, content of token string is not validated to contain only valid D tokens\n *\n * - special token sequence rule is not strictly following D grammar (anything following #line\n * up to the end of line is matched as special token sequence)\n */\n\n/** @type LanguageFn */\nfunction d(hljs) {\n /**\n * Language keywords\n *\n * @type {Object}\n */\n const D_KEYWORDS = {\n $pattern: hljs.UNDERSCORE_IDENT_RE,\n keyword:\n 'abstract alias align asm assert auto body break byte case cast catch class '\n + 'const continue debug default delete deprecated do else enum export extern final '\n + 'finally for foreach foreach_reverse|10 goto if immutable import in inout int '\n + 'interface invariant is lazy macro mixin module new nothrow out override package '\n + 'pragma private protected public pure ref return scope shared static struct '\n + 'super switch synchronized template this throw try typedef typeid typeof union '\n + 'unittest version void volatile while with __FILE__ __LINE__ __gshared|10 '\n + '__thread __traits __DATE__ __EOF__ __TIME__ __TIMESTAMP__ __VENDOR__ __VERSION__',\n built_in:\n 'bool cdouble cent cfloat char creal dchar delegate double dstring float function '\n + 'idouble ifloat ireal long real short string ubyte ucent uint ulong ushort wchar '\n + 'wstring',\n literal:\n 'false null true'\n };\n\n /**\n * Number literal regexps\n *\n * @type {String}\n */\n const decimal_integer_re = '(0|[1-9][\\\\d_]*)';\n const decimal_integer_nosus_re = '(0|[1-9][\\\\d_]*|\\\\d[\\\\d_]*|[\\\\d_]+?\\\\d)';\n const binary_integer_re = '0[bB][01_]+';\n const hexadecimal_digits_re = '([\\\\da-fA-F][\\\\da-fA-F_]*|_[\\\\da-fA-F][\\\\da-fA-F_]*)';\n const hexadecimal_integer_re = '0[xX]' + hexadecimal_digits_re;\n\n const decimal_exponent_re = '([eE][+-]?' + decimal_integer_nosus_re + ')';\n const decimal_float_re = '(' + decimal_integer_nosus_re + '(\\\\.\\\\d*|' + decimal_exponent_re + ')|'\n + '\\\\d+\\\\.' + decimal_integer_nosus_re + '|'\n + '\\\\.' + decimal_integer_re + decimal_exponent_re + '?'\n + ')';\n const hexadecimal_float_re = '(0[xX]('\n + hexadecimal_digits_re + '\\\\.' + hexadecimal_digits_re + '|'\n + '\\\\.?' + hexadecimal_digits_re\n + ')[pP][+-]?' + decimal_integer_nosus_re + ')';\n\n const integer_re = '('\n + decimal_integer_re + '|'\n + binary_integer_re + '|'\n + hexadecimal_integer_re\n + ')';\n\n const float_re = '('\n + hexadecimal_float_re + '|'\n + decimal_float_re\n + ')';\n\n /**\n * Escape sequence supported in D string and character literals\n *\n * @type {String}\n */\n const escape_sequence_re = '\\\\\\\\('\n + '[\\'\"\\\\?\\\\\\\\abfnrtv]|' // common escapes\n + 'u[\\\\dA-Fa-f]{4}|' // four hex digit unicode codepoint\n + '[0-7]{1,3}|' // one to three octal digit ascii char code\n + 'x[\\\\dA-Fa-f]{2}|' // two hex digit ascii char code\n + 'U[\\\\dA-Fa-f]{8}' // eight hex digit unicode codepoint\n + ')|'\n + '&[a-zA-Z\\\\d]{2,};'; // named character entity\n\n /**\n * D integer number literals\n *\n * @type {Object}\n */\n const D_INTEGER_MODE = {\n className: 'number',\n begin: '\\\\b' + integer_re + '(L|u|U|Lu|LU|uL|UL)?',\n relevance: 0\n };\n\n /**\n * [D_FLOAT_MODE description]\n * @type {Object}\n */\n const D_FLOAT_MODE = {\n className: 'number',\n begin: '\\\\b('\n + float_re + '([fF]|L|i|[fF]i|Li)?|'\n + integer_re + '(i|[fF]i|Li)'\n + ')',\n relevance: 0\n };\n\n /**\n * D character literal\n *\n * @type {Object}\n */\n const D_CHARACTER_MODE = {\n className: 'string',\n begin: '\\'(' + escape_sequence_re + '|.)',\n end: '\\'',\n illegal: '.'\n };\n\n /**\n * D string escape sequence\n *\n * @type {Object}\n */\n const D_ESCAPE_SEQUENCE = {\n begin: escape_sequence_re,\n relevance: 0\n };\n\n /**\n * D double quoted string literal\n *\n * @type {Object}\n */\n const D_STRING_MODE = {\n className: 'string',\n begin: '\"',\n contains: [ D_ESCAPE_SEQUENCE ],\n end: '\"[cwd]?'\n };\n\n /**\n * D wysiwyg and delimited string literals\n *\n * @type {Object}\n */\n const D_WYSIWYG_DELIMITED_STRING_MODE = {\n className: 'string',\n begin: '[rq]\"',\n end: '\"[cwd]?',\n relevance: 5\n };\n\n /**\n * D alternate wysiwyg string literal\n *\n * @type {Object}\n */\n const D_ALTERNATE_WYSIWYG_STRING_MODE = {\n className: 'string',\n begin: '`',\n end: '`[cwd]?'\n };\n\n /**\n * D hexadecimal string literal\n *\n * @type {Object}\n */\n const D_HEX_STRING_MODE = {\n className: 'string',\n begin: 'x\"[\\\\da-fA-F\\\\s\\\\n\\\\r]*\"[cwd]?',\n relevance: 10\n };\n\n /**\n * D delimited string literal\n *\n * @type {Object}\n */\n const D_TOKEN_STRING_MODE = {\n className: 'string',\n begin: 'q\"\\\\{',\n end: '\\\\}\"'\n };\n\n /**\n * Hashbang support\n *\n * @type {Object}\n */\n const D_HASHBANG_MODE = {\n className: 'meta',\n begin: '^#!',\n end: '$',\n relevance: 5\n };\n\n /**\n * D special token sequence\n *\n * @type {Object}\n */\n const D_SPECIAL_TOKEN_SEQUENCE_MODE = {\n className: 'meta',\n begin: '#(line)',\n end: '$',\n relevance: 5\n };\n\n /**\n * D attributes\n *\n * @type {Object}\n */\n const D_ATTRIBUTE_MODE = {\n className: 'keyword',\n begin: '@[a-zA-Z_][a-zA-Z_\\\\d]*'\n };\n\n /**\n * D nesting comment\n *\n * @type {Object}\n */\n const D_NESTING_COMMENT_MODE = hljs.COMMENT(\n '\\\\/\\\\+',\n '\\\\+\\\\/',\n {\n contains: [ 'self' ],\n relevance: 10\n }\n );\n\n return {\n name: 'D',\n keywords: D_KEYWORDS,\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n D_NESTING_COMMENT_MODE,\n D_HEX_STRING_MODE,\n D_STRING_MODE,\n D_WYSIWYG_DELIMITED_STRING_MODE,\n D_ALTERNATE_WYSIWYG_STRING_MODE,\n D_TOKEN_STRING_MODE,\n D_FLOAT_MODE,\n D_INTEGER_MODE,\n D_CHARACTER_MODE,\n D_HASHBANG_MODE,\n D_SPECIAL_TOKEN_SEQUENCE_MODE,\n D_ATTRIBUTE_MODE\n ]\n };\n}\n\nmodule.exports = d;\n", "/*\nLanguage: Markdown\nRequires: xml.js\nAuthor: John Crepezzi <john.crepezzi@gmail.com>\nWebsite: https://daringfireball.net/projects/markdown/\nCategory: common, markup\n*/\n\nfunction markdown(hljs) {\n const regex = hljs.regex;\n const INLINE_HTML = {\n begin: /<\\/?[A-Za-z_]/,\n end: '>',\n subLanguage: 'xml',\n relevance: 0\n };\n const HORIZONTAL_RULE = {\n begin: '^[-\\\\*]{3,}',\n end: '$'\n };\n const CODE = {\n className: 'code',\n variants: [\n // TODO: fix to allow these to work with sublanguage also\n { begin: '(`{3,})[^`](.|\\\\n)*?\\\\1`*[ ]*' },\n { begin: '(~{3,})[^~](.|\\\\n)*?\\\\1~*[ ]*' },\n // needed to allow markdown as a sublanguage to work\n {\n begin: '```',\n end: '```+[ ]*$'\n },\n {\n begin: '~~~',\n end: '~~~+[ ]*$'\n },\n { begin: '`.+?`' },\n {\n begin: '(?=^( {4}|\\\\t))',\n // use contains to gobble up multiple lines to allow the block to be whatever size\n // but only have a single open/close tag vs one per line\n contains: [\n {\n begin: '^( {4}|\\\\t)',\n end: '(\\\\n)$'\n }\n ],\n relevance: 0\n }\n ]\n };\n const LIST = {\n className: 'bullet',\n begin: '^[ \\t]*([*+-]|(\\\\d+\\\\.))(?=\\\\s+)',\n end: '\\\\s+',\n excludeEnd: true\n };\n const LINK_REFERENCE = {\n begin: /^\\[[^\\n]+\\]:/,\n returnBegin: true,\n contains: [\n {\n className: 'symbol',\n begin: /\\[/,\n end: /\\]/,\n excludeBegin: true,\n excludeEnd: true\n },\n {\n className: 'link',\n begin: /:\\s*/,\n end: /$/,\n excludeBegin: true\n }\n ]\n };\n const URL_SCHEME = /[A-Za-z][A-Za-z0-9+.-]*/;\n const LINK = {\n variants: [\n // too much like nested array access in so many languages\n // to have any real relevance\n {\n begin: /\\[.+?\\]\\[.*?\\]/,\n relevance: 0\n },\n // popular internet URLs\n {\n begin: /\\[.+?\\]\\(((data|javascript|mailto):|(?:http|ftp)s?:\\/\\/).*?\\)/,\n relevance: 2\n },\n {\n begin: regex.concat(/\\[.+?\\]\\(/, URL_SCHEME, /:\\/\\/.*?\\)/),\n relevance: 2\n },\n // relative urls\n {\n begin: /\\[.+?\\]\\([./?&#].*?\\)/,\n relevance: 1\n },\n // whatever else, lower relevance (might not be a link at all)\n {\n begin: /\\[.*?\\]\\(.*?\\)/,\n relevance: 0\n }\n ],\n returnBegin: true,\n contains: [\n {\n // empty strings for alt or link text\n match: /\\[(?=\\])/ },\n {\n className: 'string',\n relevance: 0,\n begin: '\\\\[',\n end: '\\\\]',\n excludeBegin: true,\n returnEnd: true\n },\n {\n className: 'link',\n relevance: 0,\n begin: '\\\\]\\\\(',\n end: '\\\\)',\n excludeBegin: true,\n excludeEnd: true\n },\n {\n className: 'symbol',\n relevance: 0,\n begin: '\\\\]\\\\[',\n end: '\\\\]',\n excludeBegin: true,\n excludeEnd: true\n }\n ]\n };\n const BOLD = {\n className: 'strong',\n contains: [], // defined later\n variants: [\n {\n begin: /_{2}(?!\\s)/,\n end: /_{2}/\n },\n {\n begin: /\\*{2}(?!\\s)/,\n end: /\\*{2}/\n }\n ]\n };\n const ITALIC = {\n className: 'emphasis',\n contains: [], // defined later\n variants: [\n {\n begin: /\\*(?![*\\s])/,\n end: /\\*/\n },\n {\n begin: /_(?![_\\s])/,\n end: /_/,\n relevance: 0\n }\n ]\n };\n\n // 3 level deep nesting is not allowed because it would create confusion\n // in cases like `***testing***` because where we don't know if the last\n // `***` is starting a new bold/italic or finishing the last one\n const BOLD_WITHOUT_ITALIC = hljs.inherit(BOLD, { contains: [] });\n const ITALIC_WITHOUT_BOLD = hljs.inherit(ITALIC, { contains: [] });\n BOLD.contains.push(ITALIC_WITHOUT_BOLD);\n ITALIC.contains.push(BOLD_WITHOUT_ITALIC);\n\n let CONTAINABLE = [\n INLINE_HTML,\n LINK\n ];\n\n [\n BOLD,\n ITALIC,\n BOLD_WITHOUT_ITALIC,\n ITALIC_WITHOUT_BOLD\n ].forEach(m => {\n m.contains = m.contains.concat(CONTAINABLE);\n });\n\n CONTAINABLE = CONTAINABLE.concat(BOLD, ITALIC);\n\n const HEADER = {\n className: 'section',\n variants: [\n {\n begin: '^#{1,6}',\n end: '$',\n contains: CONTAINABLE\n },\n {\n begin: '(?=^.+?\\\\n[=-]{2,}$)',\n contains: [\n { begin: '^[=-]*$' },\n {\n begin: '^',\n end: \"\\\\n\",\n contains: CONTAINABLE\n }\n ]\n }\n ]\n };\n\n const BLOCKQUOTE = {\n className: 'quote',\n begin: '^>\\\\s+',\n contains: CONTAINABLE,\n end: '$'\n };\n\n return {\n name: 'Markdown',\n aliases: [\n 'md',\n 'mkdown',\n 'mkd'\n ],\n contains: [\n HEADER,\n INLINE_HTML,\n LIST,\n BOLD,\n ITALIC,\n BLOCKQUOTE,\n CODE,\n HORIZONTAL_RULE,\n LINK,\n LINK_REFERENCE\n ]\n };\n}\n\nmodule.exports = markdown;\n", "/*\nLanguage: Dart\nRequires: markdown.js\nAuthor: Maxim Dikun <dikmax@gmail.com>\nDescription: Dart a modern, object-oriented language developed by Google. For more information see https://www.dartlang.org/\nWebsite: https://dart.dev\nCategory: scripting\n*/\n\n/** @type LanguageFn */\nfunction dart(hljs) {\n const SUBST = {\n className: 'subst',\n variants: [ { begin: '\\\\$[A-Za-z0-9_]+' } ]\n };\n\n const BRACED_SUBST = {\n className: 'subst',\n variants: [\n {\n begin: /\\$\\{/,\n end: /\\}/\n }\n ],\n keywords: 'true false null this is new super'\n };\n\n const STRING = {\n className: 'string',\n variants: [\n {\n begin: 'r\\'\\'\\'',\n end: '\\'\\'\\''\n },\n {\n begin: 'r\"\"\"',\n end: '\"\"\"'\n },\n {\n begin: 'r\\'',\n end: '\\'',\n illegal: '\\\\n'\n },\n {\n begin: 'r\"',\n end: '\"',\n illegal: '\\\\n'\n },\n {\n begin: '\\'\\'\\'',\n end: '\\'\\'\\'',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST,\n BRACED_SUBST\n ]\n },\n {\n begin: '\"\"\"',\n end: '\"\"\"',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST,\n BRACED_SUBST\n ]\n },\n {\n begin: '\\'',\n end: '\\'',\n illegal: '\\\\n',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST,\n BRACED_SUBST\n ]\n },\n {\n begin: '\"',\n end: '\"',\n illegal: '\\\\n',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST,\n BRACED_SUBST\n ]\n }\n ]\n };\n BRACED_SUBST.contains = [\n hljs.C_NUMBER_MODE,\n STRING\n ];\n\n const BUILT_IN_TYPES = [\n // dart:core\n 'Comparable',\n 'DateTime',\n 'Duration',\n 'Function',\n 'Iterable',\n 'Iterator',\n 'List',\n 'Map',\n 'Match',\n 'Object',\n 'Pattern',\n 'RegExp',\n 'Set',\n 'Stopwatch',\n 'String',\n 'StringBuffer',\n 'StringSink',\n 'Symbol',\n 'Type',\n 'Uri',\n 'bool',\n 'double',\n 'int',\n 'num',\n // dart:html\n 'Element',\n 'ElementList'\n ];\n const NULLABLE_BUILT_IN_TYPES = BUILT_IN_TYPES.map((e) => `${e}?`);\n\n const BASIC_KEYWORDS = [\n \"abstract\",\n \"as\",\n \"assert\",\n \"async\",\n \"await\",\n \"base\",\n \"break\",\n \"case\",\n \"catch\",\n \"class\",\n \"const\",\n \"continue\",\n \"covariant\",\n \"default\",\n \"deferred\",\n \"do\",\n \"dynamic\",\n \"else\",\n \"enum\",\n \"export\",\n \"extends\",\n \"extension\",\n \"external\",\n \"factory\",\n \"false\",\n \"final\",\n \"finally\",\n \"for\",\n \"Function\",\n \"get\",\n \"hide\",\n \"if\",\n \"implements\",\n \"import\",\n \"in\",\n \"interface\",\n \"is\",\n \"late\",\n \"library\",\n \"mixin\",\n \"new\",\n \"null\",\n \"on\",\n \"operator\",\n \"part\",\n \"required\",\n \"rethrow\",\n \"return\",\n \"sealed\",\n \"set\",\n \"show\",\n \"static\",\n \"super\",\n \"switch\",\n \"sync\",\n \"this\",\n \"throw\",\n \"true\",\n \"try\",\n \"typedef\",\n \"var\",\n \"void\",\n \"when\",\n \"while\",\n \"with\",\n \"yield\"\n ];\n\n const KEYWORDS = {\n keyword: BASIC_KEYWORDS,\n built_in:\n BUILT_IN_TYPES\n .concat(NULLABLE_BUILT_IN_TYPES)\n .concat([\n // dart:core\n 'Never',\n 'Null',\n 'dynamic',\n 'print',\n // dart:html\n 'document',\n 'querySelector',\n 'querySelectorAll',\n 'window'\n ]),\n $pattern: /[A-Za-z][A-Za-z0-9_]*\\??/\n };\n\n return {\n name: 'Dart',\n keywords: KEYWORDS,\n contains: [\n STRING,\n hljs.COMMENT(\n /\\/\\*\\*(?!\\/)/,\n /\\*\\//,\n {\n subLanguage: 'markdown',\n relevance: 0\n }\n ),\n hljs.COMMENT(\n /\\/{3,} ?/,\n /$/, { contains: [\n {\n subLanguage: 'markdown',\n begin: '.',\n end: '$',\n relevance: 0\n }\n ] }\n ),\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n {\n className: 'class',\n beginKeywords: 'class interface',\n end: /\\{/,\n excludeEnd: true,\n contains: [\n { beginKeywords: 'extends implements' },\n hljs.UNDERSCORE_TITLE_MODE\n ]\n },\n hljs.C_NUMBER_MODE,\n {\n className: 'meta',\n begin: '@[A-Za-z]+'\n },\n { begin: '=>' // No markup, just a relevance booster\n }\n ]\n };\n}\n\nmodule.exports = dart;\n", "/*\nLanguage: Delphi\nWebsite: https://www.embarcadero.com/products/delphi\n*/\n\n/** @type LanguageFn */\nfunction delphi(hljs) {\n const KEYWORDS = [\n \"exports\",\n \"register\",\n \"file\",\n \"shl\",\n \"array\",\n \"record\",\n \"property\",\n \"for\",\n \"mod\",\n \"while\",\n \"set\",\n \"ally\",\n \"label\",\n \"uses\",\n \"raise\",\n \"not\",\n \"stored\",\n \"class\",\n \"safecall\",\n \"var\",\n \"interface\",\n \"or\",\n \"private\",\n \"static\",\n \"exit\",\n \"index\",\n \"inherited\",\n \"to\",\n \"else\",\n \"stdcall\",\n \"override\",\n \"shr\",\n \"asm\",\n \"far\",\n \"resourcestring\",\n \"finalization\",\n \"packed\",\n \"virtual\",\n \"out\",\n \"and\",\n \"protected\",\n \"library\",\n \"do\",\n \"xorwrite\",\n \"goto\",\n \"near\",\n \"function\",\n \"end\",\n \"div\",\n \"overload\",\n \"object\",\n \"unit\",\n \"begin\",\n \"string\",\n \"on\",\n \"inline\",\n \"repeat\",\n \"until\",\n \"destructor\",\n \"write\",\n \"message\",\n \"program\",\n \"with\",\n \"read\",\n \"initialization\",\n \"except\",\n \"default\",\n \"nil\",\n \"if\",\n \"case\",\n \"cdecl\",\n \"in\",\n \"downto\",\n \"threadvar\",\n \"of\",\n \"try\",\n \"pascal\",\n \"const\",\n \"external\",\n \"constructor\",\n \"type\",\n \"public\",\n \"then\",\n \"implementation\",\n \"finally\",\n \"published\",\n \"procedure\",\n \"absolute\",\n \"reintroduce\",\n \"operator\",\n \"as\",\n \"is\",\n \"abstract\",\n \"alias\",\n \"assembler\",\n \"bitpacked\",\n \"break\",\n \"continue\",\n \"cppdecl\",\n \"cvar\",\n \"enumerator\",\n \"experimental\",\n \"platform\",\n \"deprecated\",\n \"unimplemented\",\n \"dynamic\",\n \"export\",\n \"far16\",\n \"forward\",\n \"generic\",\n \"helper\",\n \"implements\",\n \"interrupt\",\n \"iochecks\",\n \"local\",\n \"name\",\n \"nodefault\",\n \"noreturn\",\n \"nostackframe\",\n \"oldfpccall\",\n \"otherwise\",\n \"saveregisters\",\n \"softfloat\",\n \"specialize\",\n \"strict\",\n \"unaligned\",\n \"varargs\"\n ];\n const COMMENT_MODES = [\n hljs.C_LINE_COMMENT_MODE,\n hljs.COMMENT(/\\{/, /\\}/, { relevance: 0 }),\n hljs.COMMENT(/\\(\\*/, /\\*\\)/, { relevance: 10 })\n ];\n const DIRECTIVE = {\n className: 'meta',\n variants: [\n {\n begin: /\\{\\$/,\n end: /\\}/\n },\n {\n begin: /\\(\\*\\$/,\n end: /\\*\\)/\n }\n ]\n };\n const STRING = {\n className: 'string',\n begin: /'/,\n end: /'/,\n contains: [ { begin: /''/ } ]\n };\n const NUMBER = {\n className: 'number',\n relevance: 0,\n // Source: https://www.freepascal.org/docs-html/ref/refse6.html\n variants: [\n {\n // Hexadecimal notation, e.g., $7F.\n begin: '\\\\$[0-9A-Fa-f]+' },\n {\n // Octal notation, e.g., &42.\n begin: '&[0-7]+' },\n {\n // Binary notation, e.g., %1010.\n begin: '%[01]+' }\n ]\n };\n const CHAR_STRING = {\n className: 'string',\n begin: /(#\\d+)+/\n };\n const CLASS = {\n begin: hljs.IDENT_RE + '\\\\s*=\\\\s*class\\\\s*\\\\(',\n returnBegin: true,\n contains: [ hljs.TITLE_MODE ]\n };\n const FUNCTION = {\n className: 'function',\n beginKeywords: 'function constructor destructor procedure',\n end: /[:;]/,\n keywords: 'function constructor|10 destructor|10 procedure|10',\n contains: [\n hljs.TITLE_MODE,\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS,\n contains: [\n STRING,\n CHAR_STRING,\n DIRECTIVE\n ].concat(COMMENT_MODES)\n },\n DIRECTIVE\n ].concat(COMMENT_MODES)\n };\n return {\n name: 'Delphi',\n aliases: [\n 'dpr',\n 'dfm',\n 'pas',\n 'pascal'\n ],\n case_insensitive: true,\n keywords: KEYWORDS,\n illegal: /\"|\\$[G-Zg-z]|\\/\\*|<\\/|\\|/,\n contains: [\n STRING,\n CHAR_STRING,\n hljs.NUMBER_MODE,\n NUMBER,\n CLASS,\n FUNCTION,\n DIRECTIVE\n ].concat(COMMENT_MODES)\n };\n}\n\nmodule.exports = delphi;\n", "/*\nLanguage: Diff\nDescription: Unified and context diff\nAuthor: Vasily Polovnyov <vast@whiteants.net>\nWebsite: https://www.gnu.org/software/diffutils/\nCategory: common\n*/\n\n/** @type LanguageFn */\nfunction diff(hljs) {\n const regex = hljs.regex;\n return {\n name: 'Diff',\n aliases: [ 'patch' ],\n contains: [\n {\n className: 'meta',\n relevance: 10,\n match: regex.either(\n /^@@ +-\\d+,\\d+ +\\+\\d+,\\d+ +@@/,\n /^\\*\\*\\* +\\d+,\\d+ +\\*\\*\\*\\*$/,\n /^--- +\\d+,\\d+ +----$/\n )\n },\n {\n className: 'comment',\n variants: [\n {\n begin: regex.either(\n /Index: /,\n /^index/,\n /={3,}/,\n /^-{3}/,\n /^\\*{3} /,\n /^\\+{3}/,\n /^diff --git/\n ),\n end: /$/\n },\n { match: /^\\*{15}$/ }\n ]\n },\n {\n className: 'addition',\n begin: /^\\+/,\n end: /$/\n },\n {\n className: 'deletion',\n begin: /^-/,\n end: /$/\n },\n {\n className: 'addition',\n begin: /^!/,\n end: /$/\n }\n ]\n };\n}\n\nmodule.exports = diff;\n", "/*\nLanguage: Django\nDescription: Django is a high-level Python Web framework that encourages rapid development and clean, pragmatic design.\nRequires: xml.js\nAuthor: Ivan Sagalaev <maniac@softwaremaniacs.org>\nContributors: Ilya Baryshev <baryshev@gmail.com>\nWebsite: https://www.djangoproject.com\nCategory: template\n*/\n\n/** @type LanguageFn */\nfunction django(hljs) {\n const FILTER = {\n begin: /\\|[A-Za-z]+:?/,\n keywords: { name:\n 'truncatewords removetags linebreaksbr yesno get_digit timesince random striptags '\n + 'filesizeformat escape linebreaks length_is ljust rjust cut urlize fix_ampersands '\n + 'title floatformat capfirst pprint divisibleby add make_list unordered_list urlencode '\n + 'timeuntil urlizetrunc wordcount stringformat linenumbers slice date dictsort '\n + 'dictsortreversed default_if_none pluralize lower join center default '\n + 'truncatewords_html upper length phone2numeric wordwrap time addslashes slugify first '\n + 'escapejs force_escape iriencode last safe safeseq truncatechars localize unlocalize '\n + 'localtime utc timezone' },\n contains: [\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE\n ]\n };\n\n return {\n name: 'Django',\n aliases: [ 'jinja' ],\n case_insensitive: true,\n subLanguage: 'xml',\n contains: [\n hljs.COMMENT(/\\{%\\s*comment\\s*%\\}/, /\\{%\\s*endcomment\\s*%\\}/),\n hljs.COMMENT(/\\{#/, /#\\}/),\n {\n className: 'template-tag',\n begin: /\\{%/,\n end: /%\\}/,\n contains: [\n {\n className: 'name',\n begin: /\\w+/,\n keywords: { name:\n 'comment endcomment load templatetag ifchanged endifchanged if endif firstof for '\n + 'endfor ifnotequal endifnotequal widthratio extends include spaceless '\n + 'endspaceless regroup ifequal endifequal ssi now with cycle url filter '\n + 'endfilter debug block endblock else autoescape endautoescape csrf_token empty elif '\n + 'endwith static trans blocktrans endblocktrans get_static_prefix get_media_prefix '\n + 'plural get_current_language language get_available_languages '\n + 'get_current_language_bidi get_language_info get_language_info_list localize '\n + 'endlocalize localtime endlocaltime timezone endtimezone get_current_timezone '\n + 'verbatim' },\n starts: {\n endsWithParent: true,\n keywords: 'in by as',\n contains: [ FILTER ],\n relevance: 0\n }\n }\n ]\n },\n {\n className: 'template-variable',\n begin: /\\{\\{/,\n end: /\\}\\}/,\n contains: [ FILTER ]\n }\n ]\n };\n}\n\nmodule.exports = django;\n", "/*\nLanguage: DNS Zone\nAuthor: Tim Schumacher <tim@datenknoten.me>\nCategory: config\nWebsite: https://en.wikipedia.org/wiki/Zone_file\n*/\n\n/** @type LanguageFn */\nfunction dns(hljs) {\n const KEYWORDS = [\n \"IN\",\n \"A\",\n \"AAAA\",\n \"AFSDB\",\n \"APL\",\n \"CAA\",\n \"CDNSKEY\",\n \"CDS\",\n \"CERT\",\n \"CNAME\",\n \"DHCID\",\n \"DLV\",\n \"DNAME\",\n \"DNSKEY\",\n \"DS\",\n \"HIP\",\n \"IPSECKEY\",\n \"KEY\",\n \"KX\",\n \"LOC\",\n \"MX\",\n \"NAPTR\",\n \"NS\",\n \"NSEC\",\n \"NSEC3\",\n \"NSEC3PARAM\",\n \"PTR\",\n \"RRSIG\",\n \"RP\",\n \"SIG\",\n \"SOA\",\n \"SRV\",\n \"SSHFP\",\n \"TA\",\n \"TKEY\",\n \"TLSA\",\n \"TSIG\",\n \"TXT\"\n ];\n return {\n name: 'DNS Zone',\n aliases: [\n 'bind',\n 'zone'\n ],\n keywords: KEYWORDS,\n contains: [\n hljs.COMMENT(';', '$', { relevance: 0 }),\n {\n className: 'meta',\n begin: /^\\$(TTL|GENERATE|INCLUDE|ORIGIN)\\b/\n },\n // IPv6\n {\n className: 'number',\n begin: '((([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}))|:)))\\\\b'\n },\n // IPv4\n {\n className: 'number',\n begin: '((25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9])\\.){3,3}(25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9])\\\\b'\n },\n hljs.inherit(hljs.NUMBER_MODE, { begin: /\\b\\d+[dhwm]?/ })\n ]\n };\n}\n\nmodule.exports = dns;\n", "/*\nLanguage: Dockerfile\nRequires: bash.js\nAuthor: Alexis H\u00E9naut <alexis@henaut.net>\nDescription: language definition for Dockerfile files\nWebsite: https://docs.docker.com/engine/reference/builder/\nCategory: config\n*/\n\n/** @type LanguageFn */\nfunction dockerfile(hljs) {\n const KEYWORDS = [\n \"from\",\n \"maintainer\",\n \"expose\",\n \"env\",\n \"arg\",\n \"user\",\n \"onbuild\",\n \"stopsignal\"\n ];\n return {\n name: 'Dockerfile',\n aliases: [ 'docker' ],\n case_insensitive: true,\n keywords: KEYWORDS,\n contains: [\n hljs.HASH_COMMENT_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.NUMBER_MODE,\n {\n beginKeywords: 'run cmd entrypoint volume add copy workdir label healthcheck shell',\n starts: {\n end: /[^\\\\]$/,\n subLanguage: 'bash'\n }\n }\n ],\n illegal: '</'\n };\n}\n\nmodule.exports = dockerfile;\n", "/*\nLanguage: Batch file (DOS)\nAuthor: Alexander Makarov <sam@rmcreative.ru>\nContributors: Anton Kochkov <anton.kochkov@gmail.com>\nWebsite: https://en.wikipedia.org/wiki/Batch_file\n*/\n\n/** @type LanguageFn */\nfunction dos(hljs) {\n const COMMENT = hljs.COMMENT(\n /^\\s*@?rem\\b/, /$/,\n { relevance: 10 }\n );\n const LABEL = {\n className: 'symbol',\n begin: '^\\\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\\\s+label)',\n relevance: 0\n };\n const KEYWORDS = [\n \"if\",\n \"else\",\n \"goto\",\n \"for\",\n \"in\",\n \"do\",\n \"call\",\n \"exit\",\n \"not\",\n \"exist\",\n \"errorlevel\",\n \"defined\",\n \"equ\",\n \"neq\",\n \"lss\",\n \"leq\",\n \"gtr\",\n \"geq\"\n ];\n const BUILT_INS = [\n \"prn\",\n \"nul\",\n \"lpt3\",\n \"lpt2\",\n \"lpt1\",\n \"con\",\n \"com4\",\n \"com3\",\n \"com2\",\n \"com1\",\n \"aux\",\n \"shift\",\n \"cd\",\n \"dir\",\n \"echo\",\n \"setlocal\",\n \"endlocal\",\n \"set\",\n \"pause\",\n \"copy\",\n \"append\",\n \"assoc\",\n \"at\",\n \"attrib\",\n \"break\",\n \"cacls\",\n \"cd\",\n \"chcp\",\n \"chdir\",\n \"chkdsk\",\n \"chkntfs\",\n \"cls\",\n \"cmd\",\n \"color\",\n \"comp\",\n \"compact\",\n \"convert\",\n \"date\",\n \"dir\",\n \"diskcomp\",\n \"diskcopy\",\n \"doskey\",\n \"erase\",\n \"fs\",\n \"find\",\n \"findstr\",\n \"format\",\n \"ftype\",\n \"graftabl\",\n \"help\",\n \"keyb\",\n \"label\",\n \"md\",\n \"mkdir\",\n \"mode\",\n \"more\",\n \"move\",\n \"path\",\n \"pause\",\n \"print\",\n \"popd\",\n \"pushd\",\n \"promt\",\n \"rd\",\n \"recover\",\n \"rem\",\n \"rename\",\n \"replace\",\n \"restore\",\n \"rmdir\",\n \"shift\",\n \"sort\",\n \"start\",\n \"subst\",\n \"time\",\n \"title\",\n \"tree\",\n \"type\",\n \"ver\",\n \"verify\",\n \"vol\",\n // winutils\n \"ping\",\n \"net\",\n \"ipconfig\",\n \"taskkill\",\n \"xcopy\",\n \"ren\",\n \"del\"\n ];\n return {\n name: 'Batch file (DOS)',\n aliases: [\n 'bat',\n 'cmd'\n ],\n case_insensitive: true,\n illegal: /\\/\\*/,\n keywords: {\n keyword: KEYWORDS,\n built_in: BUILT_INS\n },\n contains: [\n {\n className: 'variable',\n begin: /%%[^ ]|%[^ ]+?%|![^ ]+?!/\n },\n {\n className: 'function',\n begin: LABEL.begin,\n end: 'goto:eof',\n contains: [\n hljs.inherit(hljs.TITLE_MODE, { begin: '([_a-zA-Z]\\\\w*\\\\.)*([_a-zA-Z]\\\\w*:)?[_a-zA-Z]\\\\w*' }),\n COMMENT\n ]\n },\n {\n className: 'number',\n begin: '\\\\b\\\\d+',\n relevance: 0\n },\n COMMENT\n ]\n };\n}\n\nmodule.exports = dos;\n", "/*\n Language: dsconfig\n Description: dsconfig batch configuration language for LDAP directory servers\n Contributors: Jacob Childress <jacobc@gmail.com>\n Category: enterprise, config\n */\n\n/** @type LanguageFn */\nfunction dsconfig(hljs) {\n const QUOTED_PROPERTY = {\n className: 'string',\n begin: /\"/,\n end: /\"/\n };\n const APOS_PROPERTY = {\n className: 'string',\n begin: /'/,\n end: /'/\n };\n const UNQUOTED_PROPERTY = {\n className: 'string',\n begin: /[\\w\\-?]+:\\w+/,\n end: /\\W/,\n relevance: 0\n };\n const VALUELESS_PROPERTY = {\n className: 'string',\n begin: /\\w+(\\-\\w+)*/,\n end: /(?=\\W)/,\n relevance: 0\n };\n\n return {\n keywords: 'dsconfig',\n contains: [\n {\n className: 'keyword',\n begin: '^dsconfig',\n end: /\\s/,\n excludeEnd: true,\n relevance: 10\n },\n {\n className: 'built_in',\n begin: /(list|create|get|set|delete)-(\\w+)/,\n end: /\\s/,\n excludeEnd: true,\n illegal: '!@#$%^&*()',\n relevance: 10\n },\n {\n className: 'built_in',\n begin: /--(\\w+)/,\n end: /\\s/,\n excludeEnd: true\n },\n QUOTED_PROPERTY,\n APOS_PROPERTY,\n UNQUOTED_PROPERTY,\n VALUELESS_PROPERTY,\n hljs.HASH_COMMENT_MODE\n ]\n };\n}\n\nmodule.exports = dsconfig;\n", "/*\nLanguage: Device Tree\nDescription: *.dts files used in the Linux kernel\nAuthor: Martin Braun <martin.braun@ettus.com>, Moritz Fischer <moritz.fischer@ettus.com>\nWebsite: https://elinux.org/Device_Tree_Reference\nCategory: config\n*/\n\n/** @type LanguageFn */\nfunction dts(hljs) {\n const STRINGS = {\n className: 'string',\n variants: [\n hljs.inherit(hljs.QUOTE_STRING_MODE, { begin: '((u8?|U)|L)?\"' }),\n {\n begin: '(u8?|U)?R\"',\n end: '\"',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: '\\'\\\\\\\\?.',\n end: '\\'',\n illegal: '.'\n }\n ]\n };\n\n const NUMBERS = {\n className: 'number',\n variants: [\n { begin: '\\\\b(\\\\d+(\\\\.\\\\d*)?|\\\\.\\\\d+)(u|U|l|L|ul|UL|f|F)' },\n { begin: hljs.C_NUMBER_RE }\n ],\n relevance: 0\n };\n\n const PREPROCESSOR = {\n className: 'meta',\n begin: '#',\n end: '$',\n keywords: { keyword: 'if else elif endif define undef ifdef ifndef' },\n contains: [\n {\n begin: /\\\\\\n/,\n relevance: 0\n },\n {\n beginKeywords: 'include',\n end: '$',\n keywords: { keyword: 'include' },\n contains: [\n hljs.inherit(STRINGS, { className: 'string' }),\n {\n className: 'string',\n begin: '<',\n end: '>',\n illegal: '\\\\n'\n }\n ]\n },\n STRINGS,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n };\n\n const REFERENCE = {\n className: 'variable',\n begin: /&[a-z\\d_]*\\b/\n };\n\n const KEYWORD = {\n className: 'keyword',\n begin: '/[a-z][a-z\\\\d-]*/'\n };\n\n const LABEL = {\n className: 'symbol',\n begin: '^\\\\s*[a-zA-Z_][a-zA-Z\\\\d_]*:'\n };\n\n const CELL_PROPERTY = {\n className: 'params',\n relevance: 0,\n begin: '<',\n end: '>',\n contains: [\n NUMBERS,\n REFERENCE\n ]\n };\n\n const NODE = {\n className: 'title.class',\n begin: /[a-zA-Z_][a-zA-Z\\d_@-]*(?=\\s\\{)/,\n relevance: 0.2\n };\n\n const ROOT_NODE = {\n className: 'title.class',\n begin: /^\\/(?=\\s*\\{)/,\n relevance: 10\n };\n\n // TODO: `attribute` might be the right scope here, unsure\n // I'm not sure if all these key names have semantic meaning or not\n const ATTR_NO_VALUE = {\n match: /[a-z][a-z-,]+(?=;)/,\n relevance: 0,\n scope: \"attr\"\n };\n const ATTR = {\n relevance: 0,\n match: [\n /[a-z][a-z-,]+/,\n /\\s*/,\n /=/\n ],\n scope: {\n 1: \"attr\",\n 3: \"operator\"\n }\n };\n\n const PUNC = {\n scope: \"punctuation\",\n relevance: 0,\n // `};` combined is just to avoid tons of useless punctuation nodes\n match: /\\};|[;{}]/\n };\n\n return {\n name: 'Device Tree',\n contains: [\n ROOT_NODE,\n REFERENCE,\n KEYWORD,\n LABEL,\n NODE,\n ATTR,\n ATTR_NO_VALUE,\n CELL_PROPERTY,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n NUMBERS,\n STRINGS,\n PREPROCESSOR,\n PUNC,\n {\n begin: hljs.IDENT_RE + '::',\n keywords: \"\"\n }\n ]\n };\n}\n\nmodule.exports = dts;\n", "/*\nLanguage: Dust\nRequires: xml.js\nAuthor: Michael Allen <michael.allen@benefitfocus.com>\nDescription: Matcher for dust.js templates.\nWebsite: https://www.dustjs.com\nCategory: template\n*/\n\n/** @type LanguageFn */\nfunction dust(hljs) {\n const EXPRESSION_KEYWORDS = 'if eq ne lt lte gt gte select default math sep';\n return {\n name: 'Dust',\n aliases: [ 'dst' ],\n case_insensitive: true,\n subLanguage: 'xml',\n contains: [\n {\n className: 'template-tag',\n begin: /\\{[#\\/]/,\n end: /\\}/,\n illegal: /;/,\n contains: [\n {\n className: 'name',\n begin: /[a-zA-Z\\.-]+/,\n starts: {\n endsWithParent: true,\n relevance: 0,\n contains: [ hljs.QUOTE_STRING_MODE ]\n }\n }\n ]\n },\n {\n className: 'template-variable',\n begin: /\\{/,\n end: /\\}/,\n illegal: /;/,\n keywords: EXPRESSION_KEYWORDS\n }\n ]\n };\n}\n\nmodule.exports = dust;\n", "/*\nLanguage: Extended Backus-Naur Form\nAuthor: Alex McKibben <alex@nullscope.net>\nWebsite: https://en.wikipedia.org/wiki/Extended_Backus\u2013Naur_form\n*/\n\n/** @type LanguageFn */\nfunction ebnf(hljs) {\n const commentMode = hljs.COMMENT(/\\(\\*/, /\\*\\)/);\n\n const nonTerminalMode = {\n className: \"attribute\",\n begin: /^[ ]*[a-zA-Z]+([\\s_-]+[a-zA-Z]+)*/\n };\n\n const specialSequenceMode = {\n className: \"meta\",\n begin: /\\?.*\\?/\n };\n\n const ruleBodyMode = {\n begin: /=/,\n end: /[.;]/,\n contains: [\n commentMode,\n specialSequenceMode,\n {\n // terminals\n className: 'string',\n variants: [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n {\n begin: '`',\n end: '`'\n }\n ]\n }\n ]\n };\n\n return {\n name: 'Extended Backus-Naur Form',\n illegal: /\\S/,\n contains: [\n commentMode,\n nonTerminalMode,\n ruleBodyMode\n ]\n };\n}\n\nmodule.exports = ebnf;\n", "/*\nLanguage: Elixir\nAuthor: Josh Adams <josh@isotope11.com>\nDescription: language definition for Elixir source code files (.ex and .exs). Based on ruby language support.\nCategory: functional\nWebsite: https://elixir-lang.org\n*/\n\n/** @type LanguageFn */\nfunction elixir(hljs) {\n const regex = hljs.regex;\n const ELIXIR_IDENT_RE = '[a-zA-Z_][a-zA-Z0-9_.]*(!|\\\\?)?';\n const ELIXIR_METHOD_RE = '[a-zA-Z_]\\\\w*[!?=]?|[-+~]@|<<|>>|=~|===?|<=>|[<>]=?|\\\\*\\\\*|[-/+%^&*~`|]|\\\\[\\\\]=?';\n const KEYWORDS = [\n \"after\",\n \"alias\",\n \"and\",\n \"case\",\n \"catch\",\n \"cond\",\n \"defstruct\",\n \"defguard\",\n \"do\",\n \"else\",\n \"end\",\n \"fn\",\n \"for\",\n \"if\",\n \"import\",\n \"in\",\n \"not\",\n \"or\",\n \"quote\",\n \"raise\",\n \"receive\",\n \"require\",\n \"reraise\",\n \"rescue\",\n \"try\",\n \"unless\",\n \"unquote\",\n \"unquote_splicing\",\n \"use\",\n \"when\",\n \"with|0\"\n ];\n const LITERALS = [\n \"false\",\n \"nil\",\n \"true\"\n ];\n const KWS = {\n $pattern: ELIXIR_IDENT_RE,\n keyword: KEYWORDS,\n literal: LITERALS\n };\n const SUBST = {\n className: 'subst',\n begin: /#\\{/,\n end: /\\}/,\n keywords: KWS\n };\n const NUMBER = {\n className: 'number',\n begin: '(\\\\b0o[0-7_]+)|(\\\\b0b[01_]+)|(\\\\b0x[0-9a-fA-F_]+)|(-?\\\\b[0-9][0-9_]*(\\\\.[0-9_]+([eE][-+]?[0-9]+)?)?)',\n relevance: 0\n };\n // TODO: could be tightened\n // https://elixir-lang.readthedocs.io/en/latest/intro/18.html\n // but you also need to include closing delemeters in the escape list per\n // individual sigil mode from what I can tell,\n // ie: \\} might or might not be an escape depending on the sigil used\n const ESCAPES_RE = /\\\\[\\s\\S]/;\n // const ESCAPES_RE = /\\\\[\"'\\\\abdefnrstv0]/;\n const BACKSLASH_ESCAPE = {\n match: ESCAPES_RE,\n scope: \"char.escape\",\n relevance: 0\n };\n const SIGIL_DELIMITERS = '[/|([{<\"\\']';\n const SIGIL_DELIMITER_MODES = [\n {\n begin: /\"/,\n end: /\"/\n },\n {\n begin: /'/,\n end: /'/\n },\n {\n begin: /\\//,\n end: /\\//\n },\n {\n begin: /\\|/,\n end: /\\|/\n },\n {\n begin: /\\(/,\n end: /\\)/\n },\n {\n begin: /\\[/,\n end: /\\]/\n },\n {\n begin: /\\{/,\n end: /\\}/\n },\n {\n begin: /</,\n end: />/\n }\n ];\n const escapeSigilEnd = (end) => {\n return {\n scope: \"char.escape\",\n begin: regex.concat(/\\\\/, end),\n relevance: 0\n };\n };\n const LOWERCASE_SIGIL = {\n className: 'string',\n begin: '~[a-z]' + '(?=' + SIGIL_DELIMITERS + ')',\n contains: SIGIL_DELIMITER_MODES.map(x => hljs.inherit(x,\n { contains: [\n escapeSigilEnd(x.end),\n BACKSLASH_ESCAPE,\n SUBST\n ] }\n ))\n };\n\n const UPCASE_SIGIL = {\n className: 'string',\n begin: '~[A-Z]' + '(?=' + SIGIL_DELIMITERS + ')',\n contains: SIGIL_DELIMITER_MODES.map(x => hljs.inherit(x,\n { contains: [ escapeSigilEnd(x.end) ] }\n ))\n };\n\n const REGEX_SIGIL = {\n className: 'regex',\n variants: [\n {\n begin: '~r' + '(?=' + SIGIL_DELIMITERS + ')',\n contains: SIGIL_DELIMITER_MODES.map(x => hljs.inherit(x,\n {\n end: regex.concat(x.end, /[uismxfU]{0,7}/),\n contains: [\n escapeSigilEnd(x.end),\n BACKSLASH_ESCAPE,\n SUBST\n ]\n }\n ))\n },\n {\n begin: '~R' + '(?=' + SIGIL_DELIMITERS + ')',\n contains: SIGIL_DELIMITER_MODES.map(x => hljs.inherit(x,\n {\n end: regex.concat(x.end, /[uismxfU]{0,7}/),\n contains: [ escapeSigilEnd(x.end) ]\n })\n )\n }\n ]\n };\n\n const STRING = {\n className: 'string',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n variants: [\n {\n begin: /\"\"\"/,\n end: /\"\"\"/\n },\n {\n begin: /'''/,\n end: /'''/\n },\n {\n begin: /~S\"\"\"/,\n end: /\"\"\"/,\n contains: [] // override default\n },\n {\n begin: /~S\"/,\n end: /\"/,\n contains: [] // override default\n },\n {\n begin: /~S'''/,\n end: /'''/,\n contains: [] // override default\n },\n {\n begin: /~S'/,\n end: /'/,\n contains: [] // override default\n },\n {\n begin: /'/,\n end: /'/\n },\n {\n begin: /\"/,\n end: /\"/\n }\n ]\n };\n const FUNCTION = {\n className: 'function',\n beginKeywords: 'def defp defmacro defmacrop',\n end: /\\B\\b/, // the mode is ended by the title\n contains: [\n hljs.inherit(hljs.TITLE_MODE, {\n begin: ELIXIR_IDENT_RE,\n endsParent: true\n })\n ]\n };\n const CLASS = hljs.inherit(FUNCTION, {\n className: 'class',\n beginKeywords: 'defimpl defmodule defprotocol defrecord',\n end: /\\bdo\\b|$|;/\n });\n const ELIXIR_DEFAULT_CONTAINS = [\n STRING,\n REGEX_SIGIL,\n UPCASE_SIGIL,\n LOWERCASE_SIGIL,\n hljs.HASH_COMMENT_MODE,\n CLASS,\n FUNCTION,\n { begin: '::' },\n {\n className: 'symbol',\n begin: ':(?![\\\\s:])',\n contains: [\n STRING,\n { begin: ELIXIR_METHOD_RE }\n ],\n relevance: 0\n },\n {\n className: 'symbol',\n begin: ELIXIR_IDENT_RE + ':(?!:)',\n relevance: 0\n },\n { // Usage of a module, struct, etc.\n className: 'title.class',\n begin: /(\\b[A-Z][a-zA-Z0-9_]+)/,\n relevance: 0\n },\n NUMBER,\n {\n className: 'variable',\n begin: '(\\\\$\\\\W)|((\\\\$|@@?)(\\\\w+))'\n }\n // -> has been removed, capnproto always uses this grammar construct\n ];\n SUBST.contains = ELIXIR_DEFAULT_CONTAINS;\n\n return {\n name: 'Elixir',\n aliases: [\n 'ex',\n 'exs'\n ],\n keywords: KWS,\n contains: ELIXIR_DEFAULT_CONTAINS\n };\n}\n\nmodule.exports = elixir;\n", "/*\nLanguage: Elm\nAuthor: Janis Voigtlaender <janis.voigtlaender@gmail.com>\nWebsite: https://elm-lang.org\nCategory: functional\n*/\n\n/** @type LanguageFn */\nfunction elm(hljs) {\n const COMMENT = { variants: [\n hljs.COMMENT('--', '$'),\n hljs.COMMENT(\n /\\{-/,\n /-\\}/,\n { contains: [ 'self' ] }\n )\n ] };\n\n const CONSTRUCTOR = {\n className: 'type',\n begin: '\\\\b[A-Z][\\\\w\\']*', // TODO: other constructors (built-in, infix).\n relevance: 0\n };\n\n const LIST = {\n begin: '\\\\(',\n end: '\\\\)',\n illegal: '\"',\n contains: [\n {\n className: 'type',\n begin: '\\\\b[A-Z][\\\\w]*(\\\\((\\\\.\\\\.|,|\\\\w+)\\\\))?'\n },\n COMMENT\n ]\n };\n\n const RECORD = {\n begin: /\\{/,\n end: /\\}/,\n contains: LIST.contains\n };\n\n const CHARACTER = {\n className: 'string',\n begin: '\\'\\\\\\\\?.',\n end: '\\'',\n illegal: '.'\n };\n\n const KEYWORDS = [\n \"let\",\n \"in\",\n \"if\",\n \"then\",\n \"else\",\n \"case\",\n \"of\",\n \"where\",\n \"module\",\n \"import\",\n \"exposing\",\n \"type\",\n \"alias\",\n \"as\",\n \"infix\",\n \"infixl\",\n \"infixr\",\n \"port\",\n \"effect\",\n \"command\",\n \"subscription\"\n ];\n\n return {\n name: 'Elm',\n keywords: KEYWORDS,\n contains: [\n\n // Top-level constructions.\n\n {\n beginKeywords: 'port effect module',\n end: 'exposing',\n keywords: 'port effect module where command subscription exposing',\n contains: [\n LIST,\n COMMENT\n ],\n illegal: '\\\\W\\\\.|;'\n },\n {\n begin: 'import',\n end: '$',\n keywords: 'import as exposing',\n contains: [\n LIST,\n COMMENT\n ],\n illegal: '\\\\W\\\\.|;'\n },\n {\n begin: 'type',\n end: '$',\n keywords: 'type alias',\n contains: [\n CONSTRUCTOR,\n LIST,\n RECORD,\n COMMENT\n ]\n },\n {\n beginKeywords: 'infix infixl infixr',\n end: '$',\n contains: [\n hljs.C_NUMBER_MODE,\n COMMENT\n ]\n },\n {\n begin: 'port',\n end: '$',\n keywords: 'port',\n contains: [ COMMENT ]\n },\n\n // Literals and names.\n CHARACTER,\n hljs.QUOTE_STRING_MODE,\n hljs.C_NUMBER_MODE,\n CONSTRUCTOR,\n hljs.inherit(hljs.TITLE_MODE, { begin: '^[_a-z][\\\\w\\']*' }),\n COMMENT,\n\n { // No markup, relevance booster\n begin: '->|<-' }\n ],\n illegal: /;/\n };\n}\n\nmodule.exports = elm;\n", "/*\nLanguage: Ruby\nDescription: Ruby is a dynamic, open source programming language with a focus on simplicity and productivity.\nWebsite: https://www.ruby-lang.org/\nAuthor: Anton Kovalyov <anton@kovalyov.net>\nContributors: Peter Leonov <gojpeg@yandex.ru>, Vasily Polovnyov <vast@whiteants.net>, Loren Segal <lsegal@soen.ca>, Pascal Hurni <phi@ruby-reactive.org>, Cedric Sohrauer <sohrauer@googlemail.com>\nCategory: common\n*/\n\nfunction ruby(hljs) {\n const regex = hljs.regex;\n const RUBY_METHOD_RE = '([a-zA-Z_]\\\\w*[!?=]?|[-+~]@|<<|>>|=~|===?|<=>|[<>]=?|\\\\*\\\\*|[-/+%^&*~`|]|\\\\[\\\\]=?)';\n // TODO: move concepts like CAMEL_CASE into `modes.js`\n const CLASS_NAME_RE = regex.either(\n /\\b([A-Z]+[a-z0-9]+)+/,\n // ends in caps\n /\\b([A-Z]+[a-z0-9]+)+[A-Z]+/,\n )\n ;\n const CLASS_NAME_WITH_NAMESPACE_RE = regex.concat(CLASS_NAME_RE, /(::\\w+)*/);\n // very popular ruby built-ins that one might even assume\n // are actual keywords (despite that not being the case)\n const PSEUDO_KWS = [\n \"include\",\n \"extend\",\n \"prepend\",\n \"public\",\n \"private\",\n \"protected\",\n \"raise\",\n \"throw\"\n ];\n const RUBY_KEYWORDS = {\n \"variable.constant\": [\n \"__FILE__\",\n \"__LINE__\",\n \"__ENCODING__\"\n ],\n \"variable.language\": [\n \"self\",\n \"super\",\n ],\n keyword: [\n \"alias\",\n \"and\",\n \"begin\",\n \"BEGIN\",\n \"break\",\n \"case\",\n \"class\",\n \"defined\",\n \"do\",\n \"else\",\n \"elsif\",\n \"end\",\n \"END\",\n \"ensure\",\n \"for\",\n \"if\",\n \"in\",\n \"module\",\n \"next\",\n \"not\",\n \"or\",\n \"redo\",\n \"require\",\n \"rescue\",\n \"retry\",\n \"return\",\n \"then\",\n \"undef\",\n \"unless\",\n \"until\",\n \"when\",\n \"while\",\n \"yield\",\n ...PSEUDO_KWS\n ],\n built_in: [\n \"proc\",\n \"lambda\",\n \"attr_accessor\",\n \"attr_reader\",\n \"attr_writer\",\n \"define_method\",\n \"private_constant\",\n \"module_function\"\n ],\n literal: [\n \"true\",\n \"false\",\n \"nil\"\n ]\n };\n const YARDOCTAG = {\n className: 'doctag',\n begin: '@[A-Za-z]+'\n };\n const IRB_OBJECT = {\n begin: '#<',\n end: '>'\n };\n const COMMENT_MODES = [\n hljs.COMMENT(\n '#',\n '$',\n { contains: [ YARDOCTAG ] }\n ),\n hljs.COMMENT(\n '^=begin',\n '^=end',\n {\n contains: [ YARDOCTAG ],\n relevance: 10\n }\n ),\n hljs.COMMENT('^__END__', hljs.MATCH_NOTHING_RE)\n ];\n const SUBST = {\n className: 'subst',\n begin: /#\\{/,\n end: /\\}/,\n keywords: RUBY_KEYWORDS\n };\n const STRING = {\n className: 'string',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n variants: [\n {\n begin: /'/,\n end: /'/\n },\n {\n begin: /\"/,\n end: /\"/\n },\n {\n begin: /`/,\n end: /`/\n },\n {\n begin: /%[qQwWx]?\\(/,\n end: /\\)/\n },\n {\n begin: /%[qQwWx]?\\[/,\n end: /\\]/\n },\n {\n begin: /%[qQwWx]?\\{/,\n end: /\\}/\n },\n {\n begin: /%[qQwWx]?</,\n end: />/\n },\n {\n begin: /%[qQwWx]?\\//,\n end: /\\//\n },\n {\n begin: /%[qQwWx]?%/,\n end: /%/\n },\n {\n begin: /%[qQwWx]?-/,\n end: /-/\n },\n {\n begin: /%[qQwWx]?\\|/,\n end: /\\|/\n },\n // in the following expressions, \\B in the beginning suppresses recognition of ?-sequences\n // where ? is the last character of a preceding identifier, as in: `func?4`\n { begin: /\\B\\?(\\\\\\d{1,3})/ },\n { begin: /\\B\\?(\\\\x[A-Fa-f0-9]{1,2})/ },\n { begin: /\\B\\?(\\\\u\\{?[A-Fa-f0-9]{1,6}\\}?)/ },\n { begin: /\\B\\?(\\\\M-\\\\C-|\\\\M-\\\\c|\\\\c\\\\M-|\\\\M-|\\\\C-\\\\M-)[\\x20-\\x7e]/ },\n { begin: /\\B\\?\\\\(c|C-)[\\x20-\\x7e]/ },\n { begin: /\\B\\?\\\\?\\S/ },\n // heredocs\n {\n // this guard makes sure that we have an entire heredoc and not a false\n // positive (auto-detect, etc.)\n begin: regex.concat(\n /<<[-~]?'?/,\n regex.lookahead(/(\\w+)(?=\\W)[^\\n]*\\n(?:[^\\n]*\\n)*?\\s*\\1\\b/)\n ),\n contains: [\n hljs.END_SAME_AS_BEGIN({\n begin: /(\\w+)/,\n end: /(\\w+)/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ]\n })\n ]\n }\n ]\n };\n\n // Ruby syntax is underdocumented, but this grammar seems to be accurate\n // as of version 2.7.2 (confirmed with (irb and `Ripper.sexp(...)`)\n // https://docs.ruby-lang.org/en/2.7.0/doc/syntax/literals_rdoc.html#label-Numbers\n const decimal = '[1-9](_?[0-9])*|0';\n const digits = '[0-9](_?[0-9])*';\n const NUMBER = {\n className: 'number',\n relevance: 0,\n variants: [\n // decimal integer/float, optionally exponential or rational, optionally imaginary\n { begin: `\\\\b(${decimal})(\\\\.(${digits}))?([eE][+-]?(${digits})|r)?i?\\\\b` },\n\n // explicit decimal/binary/octal/hexadecimal integer,\n // optionally rational and/or imaginary\n { begin: \"\\\\b0[dD][0-9](_?[0-9])*r?i?\\\\b\" },\n { begin: \"\\\\b0[bB][0-1](_?[0-1])*r?i?\\\\b\" },\n { begin: \"\\\\b0[oO][0-7](_?[0-7])*r?i?\\\\b\" },\n { begin: \"\\\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*r?i?\\\\b\" },\n\n // 0-prefixed implicit octal integer, optionally rational and/or imaginary\n { begin: \"\\\\b0(_?[0-7])+r?i?\\\\b\" }\n ]\n };\n\n const PARAMS = {\n variants: [\n {\n match: /\\(\\)/,\n },\n {\n className: 'params',\n begin: /\\(/,\n end: /(?=\\))/,\n excludeBegin: true,\n endsParent: true,\n keywords: RUBY_KEYWORDS,\n }\n ]\n };\n\n const INCLUDE_EXTEND = {\n match: [\n /(include|extend)\\s+/,\n CLASS_NAME_WITH_NAMESPACE_RE\n ],\n scope: {\n 2: \"title.class\"\n },\n keywords: RUBY_KEYWORDS\n };\n\n const CLASS_DEFINITION = {\n variants: [\n {\n match: [\n /class\\s+/,\n CLASS_NAME_WITH_NAMESPACE_RE,\n /\\s+<\\s+/,\n CLASS_NAME_WITH_NAMESPACE_RE\n ]\n },\n {\n match: [\n /\\b(class|module)\\s+/,\n CLASS_NAME_WITH_NAMESPACE_RE\n ]\n }\n ],\n scope: {\n 2: \"title.class\",\n 4: \"title.class.inherited\"\n },\n keywords: RUBY_KEYWORDS\n };\n\n const UPPER_CASE_CONSTANT = {\n relevance: 0,\n match: /\\b[A-Z][A-Z_0-9]+\\b/,\n className: \"variable.constant\"\n };\n\n const METHOD_DEFINITION = {\n match: [\n /def/, /\\s+/,\n RUBY_METHOD_RE\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.function\"\n },\n contains: [\n PARAMS\n ]\n };\n\n const OBJECT_CREATION = {\n relevance: 0,\n match: [\n CLASS_NAME_WITH_NAMESPACE_RE,\n /\\.new[. (]/\n ],\n scope: {\n 1: \"title.class\"\n }\n };\n\n // CamelCase\n const CLASS_REFERENCE = {\n relevance: 0,\n match: CLASS_NAME_RE,\n scope: \"title.class\"\n };\n\n const RUBY_DEFAULT_CONTAINS = [\n STRING,\n CLASS_DEFINITION,\n INCLUDE_EXTEND,\n OBJECT_CREATION,\n UPPER_CASE_CONSTANT,\n CLASS_REFERENCE,\n METHOD_DEFINITION,\n {\n // swallow namespace qualifiers before symbols\n begin: hljs.IDENT_RE + '::' },\n {\n className: 'symbol',\n begin: hljs.UNDERSCORE_IDENT_RE + '(!|\\\\?)?:',\n relevance: 0\n },\n {\n className: 'symbol',\n begin: ':(?!\\\\s)',\n contains: [\n STRING,\n { begin: RUBY_METHOD_RE }\n ],\n relevance: 0\n },\n NUMBER,\n {\n // negative-look forward attempts to prevent false matches like:\n // @ident@ or $ident$ that might indicate this is not ruby at all\n className: \"variable\",\n begin: '(\\\\$\\\\W)|((\\\\$|@@?)(\\\\w+))(?=[^@$?])' + `(?![A-Za-z])(?![@$?'])`\n },\n {\n className: 'params',\n begin: /\\|/,\n end: /\\|/,\n excludeBegin: true,\n excludeEnd: true,\n relevance: 0, // this could be a lot of things (in other languages) other than params\n keywords: RUBY_KEYWORDS\n },\n { // regexp container\n begin: '(' + hljs.RE_STARTERS_RE + '|unless)\\\\s*',\n keywords: 'unless',\n contains: [\n {\n className: 'regexp',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n illegal: /\\n/,\n variants: [\n {\n begin: '/',\n end: '/[a-z]*'\n },\n {\n begin: /%r\\{/,\n end: /\\}[a-z]*/\n },\n {\n begin: '%r\\\\(',\n end: '\\\\)[a-z]*'\n },\n {\n begin: '%r!',\n end: '![a-z]*'\n },\n {\n begin: '%r\\\\[',\n end: '\\\\][a-z]*'\n }\n ]\n }\n ].concat(IRB_OBJECT, COMMENT_MODES),\n relevance: 0\n }\n ].concat(IRB_OBJECT, COMMENT_MODES);\n\n SUBST.contains = RUBY_DEFAULT_CONTAINS;\n PARAMS.contains = RUBY_DEFAULT_CONTAINS;\n\n // >>\n // ?>\n const SIMPLE_PROMPT = \"[>?]>\";\n // irb(main):001:0>\n const DEFAULT_PROMPT = \"[\\\\w#]+\\\\(\\\\w+\\\\):\\\\d+:\\\\d+[>*]\";\n const RVM_PROMPT = \"(\\\\w+-)?\\\\d+\\\\.\\\\d+\\\\.\\\\d+(p\\\\d+)?[^\\\\d][^>]+>\";\n\n const IRB_DEFAULT = [\n {\n begin: /^\\s*=>/,\n starts: {\n end: '$',\n contains: RUBY_DEFAULT_CONTAINS\n }\n },\n {\n className: 'meta.prompt',\n begin: '^(' + SIMPLE_PROMPT + \"|\" + DEFAULT_PROMPT + '|' + RVM_PROMPT + ')(?=[ ])',\n starts: {\n end: '$',\n keywords: RUBY_KEYWORDS,\n contains: RUBY_DEFAULT_CONTAINS\n }\n }\n ];\n\n COMMENT_MODES.unshift(IRB_OBJECT);\n\n return {\n name: 'Ruby',\n aliases: [\n 'rb',\n 'gemspec',\n 'podspec',\n 'thor',\n 'irb'\n ],\n keywords: RUBY_KEYWORDS,\n illegal: /\\/\\*/,\n contains: [ hljs.SHEBANG({ binary: \"ruby\" }) ]\n .concat(IRB_DEFAULT)\n .concat(COMMENT_MODES)\n .concat(RUBY_DEFAULT_CONTAINS)\n };\n}\n\nmodule.exports = ruby;\n", "/*\nLanguage: ERB (Embedded Ruby)\nRequires: xml.js, ruby.js\nAuthor: Lucas Mazza <lucastmazza@gmail.com>\nContributors: Kassio Borges <kassioborgesm@gmail.com>\nDescription: \"Bridge\" language defining fragments of Ruby in HTML within <% .. %>\nWebsite: https://ruby-doc.org/stdlib-2.6.5/libdoc/erb/rdoc/ERB.html\nCategory: template\n*/\n\n/** @type LanguageFn */\nfunction erb(hljs) {\n return {\n name: 'ERB',\n subLanguage: 'xml',\n contains: [\n hljs.COMMENT('<%#', '%>'),\n {\n begin: '<%[%=-]?',\n end: '[%-]?%>',\n subLanguage: 'ruby',\n excludeBegin: true,\n excludeEnd: true\n }\n ]\n };\n}\n\nmodule.exports = erb;\n", "/*\nLanguage: Erlang REPL\nAuthor: Sergey Ignatov <sergey@ignatov.spb.su>\nWebsite: https://www.erlang.org\nCategory: functional\n*/\n\n/** @type LanguageFn */\nfunction erlangRepl(hljs) {\n const regex = hljs.regex;\n return {\n name: 'Erlang REPL',\n keywords: {\n built_in:\n 'spawn spawn_link self',\n keyword:\n 'after and andalso|10 band begin bnot bor bsl bsr bxor case catch cond div end fun if '\n + 'let not of or orelse|10 query receive rem try when xor'\n },\n contains: [\n {\n className: 'meta.prompt',\n begin: '^[0-9]+> ',\n relevance: 10\n },\n hljs.COMMENT('%', '$'),\n {\n className: 'number',\n begin: '\\\\b(\\\\d+(_\\\\d+)*#[a-fA-F0-9]+(_[a-fA-F0-9]+)*|\\\\d+(_\\\\d+)*(\\\\.\\\\d+(_\\\\d+)*)?([eE][-+]?\\\\d+)?)',\n relevance: 0\n },\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n { begin: regex.concat(\n /\\?(::)?/,\n /([A-Z]\\w*)/, // at least one identifier\n /((::)[A-Z]\\w*)*/ // perhaps more\n ) },\n { begin: '->' },\n { begin: 'ok' },\n { begin: '!' },\n {\n begin: '(\\\\b[a-z\\'][a-zA-Z0-9_\\']*:[a-z\\'][a-zA-Z0-9_\\']*)|(\\\\b[a-z\\'][a-zA-Z0-9_\\']*)',\n relevance: 0\n },\n {\n begin: '[A-Z][a-zA-Z0-9_\\']*',\n relevance: 0\n }\n ]\n };\n}\n\nmodule.exports = erlangRepl;\n", "/*\nLanguage: Erlang\nDescription: Erlang is a general-purpose functional language, with strict evaluation, single assignment, and dynamic typing.\nAuthor: Nikolay Zakharov <nikolay.desh@gmail.com>, Dmitry Kovega <arhibot@gmail.com>\nWebsite: https://www.erlang.org\nCategory: functional\n*/\n\n/** @type LanguageFn */\nfunction erlang(hljs) {\n const BASIC_ATOM_RE = '[a-z\\'][a-zA-Z0-9_\\']*';\n const FUNCTION_NAME_RE = '(' + BASIC_ATOM_RE + ':' + BASIC_ATOM_RE + '|' + BASIC_ATOM_RE + ')';\n const ERLANG_RESERVED = {\n keyword:\n 'after and andalso|10 band begin bnot bor bsl bzr bxor case catch cond div end fun if '\n + 'let not of orelse|10 query receive rem try when xor',\n literal:\n 'false true'\n };\n\n const COMMENT = hljs.COMMENT('%', '$');\n const NUMBER = {\n className: 'number',\n begin: '\\\\b(\\\\d+(_\\\\d+)*#[a-fA-F0-9]+(_[a-fA-F0-9]+)*|\\\\d+(_\\\\d+)*(\\\\.\\\\d+(_\\\\d+)*)?([eE][-+]?\\\\d+)?)',\n relevance: 0\n };\n const NAMED_FUN = { begin: 'fun\\\\s+' + BASIC_ATOM_RE + '/\\\\d+' };\n const FUNCTION_CALL = {\n begin: FUNCTION_NAME_RE + '\\\\(',\n end: '\\\\)',\n returnBegin: true,\n relevance: 0,\n contains: [\n {\n begin: FUNCTION_NAME_RE,\n relevance: 0\n },\n {\n begin: '\\\\(',\n end: '\\\\)',\n endsWithParent: true,\n returnEnd: true,\n relevance: 0\n // \"contains\" defined later\n }\n ]\n };\n const TUPLE = {\n begin: /\\{/,\n end: /\\}/,\n relevance: 0\n // \"contains\" defined later\n };\n const VAR1 = {\n begin: '\\\\b_([A-Z][A-Za-z0-9_]*)?',\n relevance: 0\n };\n const VAR2 = {\n begin: '[A-Z][a-zA-Z0-9_]*',\n relevance: 0\n };\n const RECORD_ACCESS = {\n begin: '#' + hljs.UNDERSCORE_IDENT_RE,\n relevance: 0,\n returnBegin: true,\n contains: [\n {\n begin: '#' + hljs.UNDERSCORE_IDENT_RE,\n relevance: 0\n },\n {\n begin: /\\{/,\n end: /\\}/,\n relevance: 0\n // \"contains\" defined later\n }\n ]\n };\n\n const BLOCK_STATEMENTS = {\n beginKeywords: 'fun receive if try case',\n end: 'end',\n keywords: ERLANG_RESERVED\n };\n BLOCK_STATEMENTS.contains = [\n COMMENT,\n NAMED_FUN,\n hljs.inherit(hljs.APOS_STRING_MODE, { className: '' }),\n BLOCK_STATEMENTS,\n FUNCTION_CALL,\n hljs.QUOTE_STRING_MODE,\n NUMBER,\n TUPLE,\n VAR1,\n VAR2,\n RECORD_ACCESS\n ];\n\n const BASIC_MODES = [\n COMMENT,\n NAMED_FUN,\n BLOCK_STATEMENTS,\n FUNCTION_CALL,\n hljs.QUOTE_STRING_MODE,\n NUMBER,\n TUPLE,\n VAR1,\n VAR2,\n RECORD_ACCESS\n ];\n FUNCTION_CALL.contains[1].contains = BASIC_MODES;\n TUPLE.contains = BASIC_MODES;\n RECORD_ACCESS.contains[1].contains = BASIC_MODES;\n\n const DIRECTIVES = [\n \"-module\",\n \"-record\",\n \"-undef\",\n \"-export\",\n \"-ifdef\",\n \"-ifndef\",\n \"-author\",\n \"-copyright\",\n \"-doc\",\n \"-vsn\",\n \"-import\",\n \"-include\",\n \"-include_lib\",\n \"-compile\",\n \"-define\",\n \"-else\",\n \"-endif\",\n \"-file\",\n \"-behaviour\",\n \"-behavior\",\n \"-spec\"\n ];\n\n const PARAMS = {\n className: 'params',\n begin: '\\\\(',\n end: '\\\\)',\n contains: BASIC_MODES\n };\n return {\n name: 'Erlang',\n aliases: [ 'erl' ],\n keywords: ERLANG_RESERVED,\n illegal: '(</|\\\\*=|\\\\+=|-=|/\\\\*|\\\\*/|\\\\(\\\\*|\\\\*\\\\))',\n contains: [\n {\n className: 'function',\n begin: '^' + BASIC_ATOM_RE + '\\\\s*\\\\(',\n end: '->',\n returnBegin: true,\n illegal: '\\\\(|#|//|/\\\\*|\\\\\\\\|:|;',\n contains: [\n PARAMS,\n hljs.inherit(hljs.TITLE_MODE, { begin: BASIC_ATOM_RE })\n ],\n starts: {\n end: ';|\\\\.',\n keywords: ERLANG_RESERVED,\n contains: BASIC_MODES\n }\n },\n COMMENT,\n {\n begin: '^-',\n end: '\\\\.',\n relevance: 0,\n excludeEnd: true,\n returnBegin: true,\n keywords: {\n $pattern: '-' + hljs.IDENT_RE,\n keyword: DIRECTIVES.map(x => `${x}|1.5`).join(\" \")\n },\n contains: [ PARAMS ]\n },\n NUMBER,\n hljs.QUOTE_STRING_MODE,\n RECORD_ACCESS,\n VAR1,\n VAR2,\n TUPLE,\n { begin: /\\.$/ } // relevance booster\n ]\n };\n}\n\nmodule.exports = erlang;\n", "/*\nLanguage: Excel formulae\nAuthor: Victor Zhou <OiCMudkips@users.noreply.github.com>\nDescription: Excel formulae\nWebsite: https://products.office.com/en-us/excel/\n*/\n\n/** @type LanguageFn */\nfunction excel(hljs) {\n // built-in functions imported from https://web.archive.org/web/20160513042710/https://support.office.com/en-us/article/Excel-functions-alphabetical-b3944572-255d-4efb-bb96-c6d90033e188\n const BUILT_INS = [\n \"ABS\",\n \"ACCRINT\",\n \"ACCRINTM\",\n \"ACOS\",\n \"ACOSH\",\n \"ACOT\",\n \"ACOTH\",\n \"AGGREGATE\",\n \"ADDRESS\",\n \"AMORDEGRC\",\n \"AMORLINC\",\n \"AND\",\n \"ARABIC\",\n \"AREAS\",\n \"ASC\",\n \"ASIN\",\n \"ASINH\",\n \"ATAN\",\n \"ATAN2\",\n \"ATANH\",\n \"AVEDEV\",\n \"AVERAGE\",\n \"AVERAGEA\",\n \"AVERAGEIF\",\n \"AVERAGEIFS\",\n \"BAHTTEXT\",\n \"BASE\",\n \"BESSELI\",\n \"BESSELJ\",\n \"BESSELK\",\n \"BESSELY\",\n \"BETADIST\",\n \"BETA.DIST\",\n \"BETAINV\",\n \"BETA.INV\",\n \"BIN2DEC\",\n \"BIN2HEX\",\n \"BIN2OCT\",\n \"BINOMDIST\",\n \"BINOM.DIST\",\n \"BINOM.DIST.RANGE\",\n \"BINOM.INV\",\n \"BITAND\",\n \"BITLSHIFT\",\n \"BITOR\",\n \"BITRSHIFT\",\n \"BITXOR\",\n \"CALL\",\n \"CEILING\",\n \"CEILING.MATH\",\n \"CEILING.PRECISE\",\n \"CELL\",\n \"CHAR\",\n \"CHIDIST\",\n \"CHIINV\",\n \"CHITEST\",\n \"CHISQ.DIST\",\n \"CHISQ.DIST.RT\",\n \"CHISQ.INV\",\n \"CHISQ.INV.RT\",\n \"CHISQ.TEST\",\n \"CHOOSE\",\n \"CLEAN\",\n \"CODE\",\n \"COLUMN\",\n \"COLUMNS\",\n \"COMBIN\",\n \"COMBINA\",\n \"COMPLEX\",\n \"CONCAT\",\n \"CONCATENATE\",\n \"CONFIDENCE\",\n \"CONFIDENCE.NORM\",\n \"CONFIDENCE.T\",\n \"CONVERT\",\n \"CORREL\",\n \"COS\",\n \"COSH\",\n \"COT\",\n \"COTH\",\n \"COUNT\",\n \"COUNTA\",\n \"COUNTBLANK\",\n \"COUNTIF\",\n \"COUNTIFS\",\n \"COUPDAYBS\",\n \"COUPDAYS\",\n \"COUPDAYSNC\",\n \"COUPNCD\",\n \"COUPNUM\",\n \"COUPPCD\",\n \"COVAR\",\n \"COVARIANCE.P\",\n \"COVARIANCE.S\",\n \"CRITBINOM\",\n \"CSC\",\n \"CSCH\",\n \"CUBEKPIMEMBER\",\n \"CUBEMEMBER\",\n \"CUBEMEMBERPROPERTY\",\n \"CUBERANKEDMEMBER\",\n \"CUBESET\",\n \"CUBESETCOUNT\",\n \"CUBEVALUE\",\n \"CUMIPMT\",\n \"CUMPRINC\",\n \"DATE\",\n \"DATEDIF\",\n \"DATEVALUE\",\n \"DAVERAGE\",\n \"DAY\",\n \"DAYS\",\n \"DAYS360\",\n \"DB\",\n \"DBCS\",\n \"DCOUNT\",\n \"DCOUNTA\",\n \"DDB\",\n \"DEC2BIN\",\n \"DEC2HEX\",\n \"DEC2OCT\",\n \"DECIMAL\",\n \"DEGREES\",\n \"DELTA\",\n \"DEVSQ\",\n \"DGET\",\n \"DISC\",\n \"DMAX\",\n \"DMIN\",\n \"DOLLAR\",\n \"DOLLARDE\",\n \"DOLLARFR\",\n \"DPRODUCT\",\n \"DSTDEV\",\n \"DSTDEVP\",\n \"DSUM\",\n \"DURATION\",\n \"DVAR\",\n \"DVARP\",\n \"EDATE\",\n \"EFFECT\",\n \"ENCODEURL\",\n \"EOMONTH\",\n \"ERF\",\n \"ERF.PRECISE\",\n \"ERFC\",\n \"ERFC.PRECISE\",\n \"ERROR.TYPE\",\n \"EUROCONVERT\",\n \"EVEN\",\n \"EXACT\",\n \"EXP\",\n \"EXPON.DIST\",\n \"EXPONDIST\",\n \"FACT\",\n \"FACTDOUBLE\",\n \"FALSE|0\",\n \"F.DIST\",\n \"FDIST\",\n \"F.DIST.RT\",\n \"FILTERXML\",\n \"FIND\",\n \"FINDB\",\n \"F.INV\",\n \"F.INV.RT\",\n \"FINV\",\n \"FISHER\",\n \"FISHERINV\",\n \"FIXED\",\n \"FLOOR\",\n \"FLOOR.MATH\",\n \"FLOOR.PRECISE\",\n \"FORECAST\",\n \"FORECAST.ETS\",\n \"FORECAST.ETS.CONFINT\",\n \"FORECAST.ETS.SEASONALITY\",\n \"FORECAST.ETS.STAT\",\n \"FORECAST.LINEAR\",\n \"FORMULATEXT\",\n \"FREQUENCY\",\n \"F.TEST\",\n \"FTEST\",\n \"FV\",\n \"FVSCHEDULE\",\n \"GAMMA\",\n \"GAMMA.DIST\",\n \"GAMMADIST\",\n \"GAMMA.INV\",\n \"GAMMAINV\",\n \"GAMMALN\",\n \"GAMMALN.PRECISE\",\n \"GAUSS\",\n \"GCD\",\n \"GEOMEAN\",\n \"GESTEP\",\n \"GETPIVOTDATA\",\n \"GROWTH\",\n \"HARMEAN\",\n \"HEX2BIN\",\n \"HEX2DEC\",\n \"HEX2OCT\",\n \"HLOOKUP\",\n \"HOUR\",\n \"HYPERLINK\",\n \"HYPGEOM.DIST\",\n \"HYPGEOMDIST\",\n \"IF\",\n \"IFERROR\",\n \"IFNA\",\n \"IFS\",\n \"IMABS\",\n \"IMAGINARY\",\n \"IMARGUMENT\",\n \"IMCONJUGATE\",\n \"IMCOS\",\n \"IMCOSH\",\n \"IMCOT\",\n \"IMCSC\",\n \"IMCSCH\",\n \"IMDIV\",\n \"IMEXP\",\n \"IMLN\",\n \"IMLOG10\",\n \"IMLOG2\",\n \"IMPOWER\",\n \"IMPRODUCT\",\n \"IMREAL\",\n \"IMSEC\",\n \"IMSECH\",\n \"IMSIN\",\n \"IMSINH\",\n \"IMSQRT\",\n \"IMSUB\",\n \"IMSUM\",\n \"IMTAN\",\n \"INDEX\",\n \"INDIRECT\",\n \"INFO\",\n \"INT\",\n \"INTERCEPT\",\n \"INTRATE\",\n \"IPMT\",\n \"IRR\",\n \"ISBLANK\",\n \"ISERR\",\n \"ISERROR\",\n \"ISEVEN\",\n \"ISFORMULA\",\n \"ISLOGICAL\",\n \"ISNA\",\n \"ISNONTEXT\",\n \"ISNUMBER\",\n \"ISODD\",\n \"ISREF\",\n \"ISTEXT\",\n \"ISO.CEILING\",\n \"ISOWEEKNUM\",\n \"ISPMT\",\n \"JIS\",\n \"KURT\",\n \"LARGE\",\n \"LCM\",\n \"LEFT\",\n \"LEFTB\",\n \"LEN\",\n \"LENB\",\n \"LINEST\",\n \"LN\",\n \"LOG\",\n \"LOG10\",\n \"LOGEST\",\n \"LOGINV\",\n \"LOGNORM.DIST\",\n \"LOGNORMDIST\",\n \"LOGNORM.INV\",\n \"LOOKUP\",\n \"LOWER\",\n \"MATCH\",\n \"MAX\",\n \"MAXA\",\n \"MAXIFS\",\n \"MDETERM\",\n \"MDURATION\",\n \"MEDIAN\",\n \"MID\",\n \"MIDBs\",\n \"MIN\",\n \"MINIFS\",\n \"MINA\",\n \"MINUTE\",\n \"MINVERSE\",\n \"MIRR\",\n \"MMULT\",\n \"MOD\",\n \"MODE\",\n \"MODE.MULT\",\n \"MODE.SNGL\",\n \"MONTH\",\n \"MROUND\",\n \"MULTINOMIAL\",\n \"MUNIT\",\n \"N\",\n \"NA\",\n \"NEGBINOM.DIST\",\n \"NEGBINOMDIST\",\n \"NETWORKDAYS\",\n \"NETWORKDAYS.INTL\",\n \"NOMINAL\",\n \"NORM.DIST\",\n \"NORMDIST\",\n \"NORMINV\",\n \"NORM.INV\",\n \"NORM.S.DIST\",\n \"NORMSDIST\",\n \"NORM.S.INV\",\n \"NORMSINV\",\n \"NOT\",\n \"NOW\",\n \"NPER\",\n \"NPV\",\n \"NUMBERVALUE\",\n \"OCT2BIN\",\n \"OCT2DEC\",\n \"OCT2HEX\",\n \"ODD\",\n \"ODDFPRICE\",\n \"ODDFYIELD\",\n \"ODDLPRICE\",\n \"ODDLYIELD\",\n \"OFFSET\",\n \"OR\",\n \"PDURATION\",\n \"PEARSON\",\n \"PERCENTILE.EXC\",\n \"PERCENTILE.INC\",\n \"PERCENTILE\",\n \"PERCENTRANK.EXC\",\n \"PERCENTRANK.INC\",\n \"PERCENTRANK\",\n \"PERMUT\",\n \"PERMUTATIONA\",\n \"PHI\",\n \"PHONETIC\",\n \"PI\",\n \"PMT\",\n \"POISSON.DIST\",\n \"POISSON\",\n \"POWER\",\n \"PPMT\",\n \"PRICE\",\n \"PRICEDISC\",\n \"PRICEMAT\",\n \"PROB\",\n \"PRODUCT\",\n \"PROPER\",\n \"PV\",\n \"QUARTILE\",\n \"QUARTILE.EXC\",\n \"QUARTILE.INC\",\n \"QUOTIENT\",\n \"RADIANS\",\n \"RAND\",\n \"RANDBETWEEN\",\n \"RANK.AVG\",\n \"RANK.EQ\",\n \"RANK\",\n \"RATE\",\n \"RECEIVED\",\n \"REGISTER.ID\",\n \"REPLACE\",\n \"REPLACEB\",\n \"REPT\",\n \"RIGHT\",\n \"RIGHTB\",\n \"ROMAN\",\n \"ROUND\",\n \"ROUNDDOWN\",\n \"ROUNDUP\",\n \"ROW\",\n \"ROWS\",\n \"RRI\",\n \"RSQ\",\n \"RTD\",\n \"SEARCH\",\n \"SEARCHB\",\n \"SEC\",\n \"SECH\",\n \"SECOND\",\n \"SERIESSUM\",\n \"SHEET\",\n \"SHEETS\",\n \"SIGN\",\n \"SIN\",\n \"SINH\",\n \"SKEW\",\n \"SKEW.P\",\n \"SLN\",\n \"SLOPE\",\n \"SMALL\",\n \"SQL.REQUEST\",\n \"SQRT\",\n \"SQRTPI\",\n \"STANDARDIZE\",\n \"STDEV\",\n \"STDEV.P\",\n \"STDEV.S\",\n \"STDEVA\",\n \"STDEVP\",\n \"STDEVPA\",\n \"STEYX\",\n \"SUBSTITUTE\",\n \"SUBTOTAL\",\n \"SUM\",\n \"SUMIF\",\n \"SUMIFS\",\n \"SUMPRODUCT\",\n \"SUMSQ\",\n \"SUMX2MY2\",\n \"SUMX2PY2\",\n \"SUMXMY2\",\n \"SWITCH\",\n \"SYD\",\n \"T\",\n \"TAN\",\n \"TANH\",\n \"TBILLEQ\",\n \"TBILLPRICE\",\n \"TBILLYIELD\",\n \"T.DIST\",\n \"T.DIST.2T\",\n \"T.DIST.RT\",\n \"TDIST\",\n \"TEXT\",\n \"TEXTJOIN\",\n \"TIME\",\n \"TIMEVALUE\",\n \"T.INV\",\n \"T.INV.2T\",\n \"TINV\",\n \"TODAY\",\n \"TRANSPOSE\",\n \"TREND\",\n \"TRIM\",\n \"TRIMMEAN\",\n \"TRUE|0\",\n \"TRUNC\",\n \"T.TEST\",\n \"TTEST\",\n \"TYPE\",\n \"UNICHAR\",\n \"UNICODE\",\n \"UPPER\",\n \"VALUE\",\n \"VAR\",\n \"VAR.P\",\n \"VAR.S\",\n \"VARA\",\n \"VARP\",\n \"VARPA\",\n \"VDB\",\n \"VLOOKUP\",\n \"WEBSERVICE\",\n \"WEEKDAY\",\n \"WEEKNUM\",\n \"WEIBULL\",\n \"WEIBULL.DIST\",\n \"WORKDAY\",\n \"WORKDAY.INTL\",\n \"XIRR\",\n \"XNPV\",\n \"XOR\",\n \"YEAR\",\n \"YEARFRAC\",\n \"YIELD\",\n \"YIELDDISC\",\n \"YIELDMAT\",\n \"Z.TEST\",\n \"ZTEST\"\n ];\n return {\n name: 'Excel formulae',\n aliases: [\n 'xlsx',\n 'xls'\n ],\n case_insensitive: true,\n keywords: {\n $pattern: /[a-zA-Z][\\w\\.]*/,\n built_in: BUILT_INS\n },\n contains: [\n {\n /* matches a beginning equal sign found in Excel formula examples */\n begin: /^=/,\n end: /[^=]/,\n returnEnd: true,\n illegal: /=/, /* only allow single equal sign at front of line */\n relevance: 10\n },\n /* technically, there can be more than 2 letters in column names, but this prevents conflict with some keywords */\n {\n /* matches a reference to a single cell */\n className: 'symbol',\n begin: /\\b[A-Z]{1,2}\\d+\\b/,\n end: /[^\\d]/,\n excludeEnd: true,\n relevance: 0\n },\n {\n /* matches a reference to a range of cells */\n className: 'symbol',\n begin: /[A-Z]{0,2}\\d*:[A-Z]{0,2}\\d*/,\n relevance: 0\n },\n hljs.BACKSLASH_ESCAPE,\n hljs.QUOTE_STRING_MODE,\n {\n className: 'number',\n begin: hljs.NUMBER_RE + '(%)?',\n relevance: 0\n },\n /* Excel formula comments are done by putting the comment in a function call to N() */\n hljs.COMMENT(/\\bN\\(/, /\\)/,\n {\n excludeBegin: true,\n excludeEnd: true,\n illegal: /\\n/\n })\n ]\n };\n}\n\nmodule.exports = excel;\n", "/*\nLanguage: FIX\nAuthor: Brent Bradbury <brent@brentium.com>\n*/\n\n/** @type LanguageFn */\nfunction fix(hljs) {\n return {\n name: 'FIX',\n contains: [\n {\n begin: /[^\\u2401\\u0001]+/,\n end: /[\\u2401\\u0001]/,\n excludeEnd: true,\n returnBegin: true,\n returnEnd: false,\n contains: [\n {\n begin: /([^\\u2401\\u0001=]+)/,\n end: /=([^\\u2401\\u0001=]+)/,\n returnEnd: true,\n returnBegin: false,\n className: 'attr'\n },\n {\n begin: /=/,\n end: /([\\u2401\\u0001])/,\n excludeEnd: true,\n excludeBegin: true,\n className: 'string'\n }\n ]\n }\n ],\n case_insensitive: true\n };\n}\n\nmodule.exports = fix;\n", "/*\n Language: Flix\n Category: functional\n Author: Magnus Madsen <mmadsen@uwaterloo.ca>\n Website: https://flix.dev/\n */\n\n/** @type LanguageFn */\nfunction flix(hljs) {\n const CHAR = {\n className: 'string',\n begin: /'(.|\\\\[xXuU][a-zA-Z0-9]+)'/\n };\n\n const STRING = {\n className: 'string',\n variants: [\n {\n begin: '\"',\n end: '\"'\n }\n ]\n };\n\n const NAME = {\n className: 'title',\n relevance: 0,\n begin: /[^0-9\\n\\t \"'(),.`{}\\[\\]:;][^\\n\\t \"'(),.`{}\\[\\]:;]+|[^0-9\\n\\t \"'(),.`{}\\[\\]:;=]/\n };\n\n const METHOD = {\n className: 'function',\n beginKeywords: 'def',\n end: /[:={\\[(\\n;]/,\n excludeEnd: true,\n contains: [ NAME ]\n };\n\n return {\n name: 'Flix',\n keywords: {\n keyword: [\n \"case\",\n \"class\",\n \"def\",\n \"else\",\n \"enum\",\n \"if\",\n \"impl\",\n \"import\",\n \"in\",\n \"lat\",\n \"rel\",\n \"index\",\n \"let\",\n \"match\",\n \"namespace\",\n \"switch\",\n \"type\",\n \"yield\",\n \"with\"\n ],\n literal: [\n \"true\",\n \"false\"\n ]\n },\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n CHAR,\n STRING,\n METHOD,\n hljs.C_NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = flix;\n", "/*\nLanguage: Fortran\nAuthor: Anthony Scemama <scemama@irsamc.ups-tlse.fr>\nWebsite: https://en.wikipedia.org/wiki/Fortran\nCategory: scientific\n*/\n\n/** @type LanguageFn */\nfunction fortran(hljs) {\n const regex = hljs.regex;\n const PARAMS = {\n className: 'params',\n begin: '\\\\(',\n end: '\\\\)'\n };\n\n const COMMENT = { variants: [\n hljs.COMMENT('!', '$', { relevance: 0 }),\n // allow FORTRAN 77 style comments\n hljs.COMMENT('^C[ ]', '$', { relevance: 0 }),\n hljs.COMMENT('^C$', '$', { relevance: 0 })\n ] };\n\n // regex in both fortran and irpf90 should match\n const OPTIONAL_NUMBER_SUFFIX = /(_[a-z_\\d]+)?/;\n const OPTIONAL_NUMBER_EXP = /([de][+-]?\\d+)?/;\n const NUMBER = {\n className: 'number',\n variants: [\n { begin: regex.concat(/\\b\\d+/, /\\.(\\d*)/, OPTIONAL_NUMBER_EXP, OPTIONAL_NUMBER_SUFFIX) },\n { begin: regex.concat(/\\b\\d+/, OPTIONAL_NUMBER_EXP, OPTIONAL_NUMBER_SUFFIX) },\n { begin: regex.concat(/\\.\\d+/, OPTIONAL_NUMBER_EXP, OPTIONAL_NUMBER_SUFFIX) }\n ],\n relevance: 0\n };\n\n const FUNCTION_DEF = {\n className: 'function',\n beginKeywords: 'subroutine function program',\n illegal: '[${=\\\\n]',\n contains: [\n hljs.UNDERSCORE_TITLE_MODE,\n PARAMS\n ]\n };\n\n const STRING = {\n className: 'string',\n relevance: 0,\n variants: [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ]\n };\n\n const KEYWORDS = [\n \"kind\",\n \"do\",\n \"concurrent\",\n \"local\",\n \"shared\",\n \"while\",\n \"private\",\n \"call\",\n \"intrinsic\",\n \"where\",\n \"elsewhere\",\n \"type\",\n \"endtype\",\n \"endmodule\",\n \"endselect\",\n \"endinterface\",\n \"end\",\n \"enddo\",\n \"endif\",\n \"if\",\n \"forall\",\n \"endforall\",\n \"only\",\n \"contains\",\n \"default\",\n \"return\",\n \"stop\",\n \"then\",\n \"block\",\n \"endblock\",\n \"endassociate\",\n \"public\",\n \"subroutine|10\",\n \"function\",\n \"program\",\n \".and.\",\n \".or.\",\n \".not.\",\n \".le.\",\n \".eq.\",\n \".ge.\",\n \".gt.\",\n \".lt.\",\n \"goto\",\n \"save\",\n \"else\",\n \"use\",\n \"module\",\n \"select\",\n \"case\",\n \"access\",\n \"blank\",\n \"direct\",\n \"exist\",\n \"file\",\n \"fmt\",\n \"form\",\n \"formatted\",\n \"iostat\",\n \"name\",\n \"named\",\n \"nextrec\",\n \"number\",\n \"opened\",\n \"rec\",\n \"recl\",\n \"sequential\",\n \"status\",\n \"unformatted\",\n \"unit\",\n \"continue\",\n \"format\",\n \"pause\",\n \"cycle\",\n \"exit\",\n \"c_null_char\",\n \"c_alert\",\n \"c_backspace\",\n \"c_form_feed\",\n \"flush\",\n \"wait\",\n \"decimal\",\n \"round\",\n \"iomsg\",\n \"synchronous\",\n \"nopass\",\n \"non_overridable\",\n \"pass\",\n \"protected\",\n \"volatile\",\n \"abstract\",\n \"extends\",\n \"import\",\n \"non_intrinsic\",\n \"value\",\n \"deferred\",\n \"generic\",\n \"final\",\n \"enumerator\",\n \"class\",\n \"associate\",\n \"bind\",\n \"enum\",\n \"c_int\",\n \"c_short\",\n \"c_long\",\n \"c_long_long\",\n \"c_signed_char\",\n \"c_size_t\",\n \"c_int8_t\",\n \"c_int16_t\",\n \"c_int32_t\",\n \"c_int64_t\",\n \"c_int_least8_t\",\n \"c_int_least16_t\",\n \"c_int_least32_t\",\n \"c_int_least64_t\",\n \"c_int_fast8_t\",\n \"c_int_fast16_t\",\n \"c_int_fast32_t\",\n \"c_int_fast64_t\",\n \"c_intmax_t\",\n \"C_intptr_t\",\n \"c_float\",\n \"c_double\",\n \"c_long_double\",\n \"c_float_complex\",\n \"c_double_complex\",\n \"c_long_double_complex\",\n \"c_bool\",\n \"c_char\",\n \"c_null_ptr\",\n \"c_null_funptr\",\n \"c_new_line\",\n \"c_carriage_return\",\n \"c_horizontal_tab\",\n \"c_vertical_tab\",\n \"iso_c_binding\",\n \"c_loc\",\n \"c_funloc\",\n \"c_associated\",\n \"c_f_pointer\",\n \"c_ptr\",\n \"c_funptr\",\n \"iso_fortran_env\",\n \"character_storage_size\",\n \"error_unit\",\n \"file_storage_size\",\n \"input_unit\",\n \"iostat_end\",\n \"iostat_eor\",\n \"numeric_storage_size\",\n \"output_unit\",\n \"c_f_procpointer\",\n \"ieee_arithmetic\",\n \"ieee_support_underflow_control\",\n \"ieee_get_underflow_mode\",\n \"ieee_set_underflow_mode\",\n \"newunit\",\n \"contiguous\",\n \"recursive\",\n \"pad\",\n \"position\",\n \"action\",\n \"delim\",\n \"readwrite\",\n \"eor\",\n \"advance\",\n \"nml\",\n \"interface\",\n \"procedure\",\n \"namelist\",\n \"include\",\n \"sequence\",\n \"elemental\",\n \"pure\",\n \"impure\",\n \"integer\",\n \"real\",\n \"character\",\n \"complex\",\n \"logical\",\n \"codimension\",\n \"dimension\",\n \"allocatable|10\",\n \"parameter\",\n \"external\",\n \"implicit|10\",\n \"none\",\n \"double\",\n \"precision\",\n \"assign\",\n \"intent\",\n \"optional\",\n \"pointer\",\n \"target\",\n \"in\",\n \"out\",\n \"common\",\n \"equivalence\",\n \"data\"\n ];\n const LITERALS = [\n \".False.\",\n \".True.\"\n ];\n const BUILT_INS = [\n \"alog\",\n \"alog10\",\n \"amax0\",\n \"amax1\",\n \"amin0\",\n \"amin1\",\n \"amod\",\n \"cabs\",\n \"ccos\",\n \"cexp\",\n \"clog\",\n \"csin\",\n \"csqrt\",\n \"dabs\",\n \"dacos\",\n \"dasin\",\n \"datan\",\n \"datan2\",\n \"dcos\",\n \"dcosh\",\n \"ddim\",\n \"dexp\",\n \"dint\",\n \"dlog\",\n \"dlog10\",\n \"dmax1\",\n \"dmin1\",\n \"dmod\",\n \"dnint\",\n \"dsign\",\n \"dsin\",\n \"dsinh\",\n \"dsqrt\",\n \"dtan\",\n \"dtanh\",\n \"float\",\n \"iabs\",\n \"idim\",\n \"idint\",\n \"idnint\",\n \"ifix\",\n \"isign\",\n \"max0\",\n \"max1\",\n \"min0\",\n \"min1\",\n \"sngl\",\n \"algama\",\n \"cdabs\",\n \"cdcos\",\n \"cdexp\",\n \"cdlog\",\n \"cdsin\",\n \"cdsqrt\",\n \"cqabs\",\n \"cqcos\",\n \"cqexp\",\n \"cqlog\",\n \"cqsin\",\n \"cqsqrt\",\n \"dcmplx\",\n \"dconjg\",\n \"derf\",\n \"derfc\",\n \"dfloat\",\n \"dgamma\",\n \"dimag\",\n \"dlgama\",\n \"iqint\",\n \"qabs\",\n \"qacos\",\n \"qasin\",\n \"qatan\",\n \"qatan2\",\n \"qcmplx\",\n \"qconjg\",\n \"qcos\",\n \"qcosh\",\n \"qdim\",\n \"qerf\",\n \"qerfc\",\n \"qexp\",\n \"qgamma\",\n \"qimag\",\n \"qlgama\",\n \"qlog\",\n \"qlog10\",\n \"qmax1\",\n \"qmin1\",\n \"qmod\",\n \"qnint\",\n \"qsign\",\n \"qsin\",\n \"qsinh\",\n \"qsqrt\",\n \"qtan\",\n \"qtanh\",\n \"abs\",\n \"acos\",\n \"aimag\",\n \"aint\",\n \"anint\",\n \"asin\",\n \"atan\",\n \"atan2\",\n \"char\",\n \"cmplx\",\n \"conjg\",\n \"cos\",\n \"cosh\",\n \"exp\",\n \"ichar\",\n \"index\",\n \"int\",\n \"log\",\n \"log10\",\n \"max\",\n \"min\",\n \"nint\",\n \"sign\",\n \"sin\",\n \"sinh\",\n \"sqrt\",\n \"tan\",\n \"tanh\",\n \"print\",\n \"write\",\n \"dim\",\n \"lge\",\n \"lgt\",\n \"lle\",\n \"llt\",\n \"mod\",\n \"nullify\",\n \"allocate\",\n \"deallocate\",\n \"adjustl\",\n \"adjustr\",\n \"all\",\n \"allocated\",\n \"any\",\n \"associated\",\n \"bit_size\",\n \"btest\",\n \"ceiling\",\n \"count\",\n \"cshift\",\n \"date_and_time\",\n \"digits\",\n \"dot_product\",\n \"eoshift\",\n \"epsilon\",\n \"exponent\",\n \"floor\",\n \"fraction\",\n \"huge\",\n \"iand\",\n \"ibclr\",\n \"ibits\",\n \"ibset\",\n \"ieor\",\n \"ior\",\n \"ishft\",\n \"ishftc\",\n \"lbound\",\n \"len_trim\",\n \"matmul\",\n \"maxexponent\",\n \"maxloc\",\n \"maxval\",\n \"merge\",\n \"minexponent\",\n \"minloc\",\n \"minval\",\n \"modulo\",\n \"mvbits\",\n \"nearest\",\n \"pack\",\n \"present\",\n \"product\",\n \"radix\",\n \"random_number\",\n \"random_seed\",\n \"range\",\n \"repeat\",\n \"reshape\",\n \"rrspacing\",\n \"scale\",\n \"scan\",\n \"selected_int_kind\",\n \"selected_real_kind\",\n \"set_exponent\",\n \"shape\",\n \"size\",\n \"spacing\",\n \"spread\",\n \"sum\",\n \"system_clock\",\n \"tiny\",\n \"transpose\",\n \"trim\",\n \"ubound\",\n \"unpack\",\n \"verify\",\n \"achar\",\n \"iachar\",\n \"transfer\",\n \"dble\",\n \"entry\",\n \"dprod\",\n \"cpu_time\",\n \"command_argument_count\",\n \"get_command\",\n \"get_command_argument\",\n \"get_environment_variable\",\n \"is_iostat_end\",\n \"ieee_arithmetic\",\n \"ieee_support_underflow_control\",\n \"ieee_get_underflow_mode\",\n \"ieee_set_underflow_mode\",\n \"is_iostat_eor\",\n \"move_alloc\",\n \"new_line\",\n \"selected_char_kind\",\n \"same_type_as\",\n \"extends_type_of\",\n \"acosh\",\n \"asinh\",\n \"atanh\",\n \"bessel_j0\",\n \"bessel_j1\",\n \"bessel_jn\",\n \"bessel_y0\",\n \"bessel_y1\",\n \"bessel_yn\",\n \"erf\",\n \"erfc\",\n \"erfc_scaled\",\n \"gamma\",\n \"log_gamma\",\n \"hypot\",\n \"norm2\",\n \"atomic_define\",\n \"atomic_ref\",\n \"execute_command_line\",\n \"leadz\",\n \"trailz\",\n \"storage_size\",\n \"merge_bits\",\n \"bge\",\n \"bgt\",\n \"ble\",\n \"blt\",\n \"dshiftl\",\n \"dshiftr\",\n \"findloc\",\n \"iall\",\n \"iany\",\n \"iparity\",\n \"image_index\",\n \"lcobound\",\n \"ucobound\",\n \"maskl\",\n \"maskr\",\n \"num_images\",\n \"parity\",\n \"popcnt\",\n \"poppar\",\n \"shifta\",\n \"shiftl\",\n \"shiftr\",\n \"this_image\",\n \"sync\",\n \"change\",\n \"team\",\n \"co_broadcast\",\n \"co_max\",\n \"co_min\",\n \"co_sum\",\n \"co_reduce\"\n ];\n return {\n name: 'Fortran',\n case_insensitive: true,\n aliases: [\n 'f90',\n 'f95'\n ],\n keywords: {\n keyword: KEYWORDS,\n literal: LITERALS,\n built_in: BUILT_INS\n },\n illegal: /\\/\\*/,\n contains: [\n STRING,\n FUNCTION_DEF,\n // allow `C = value` for assignments so they aren't misdetected\n // as Fortran 77 style comments\n {\n begin: /^C\\s*=(?!=)/,\n relevance: 0\n },\n COMMENT,\n NUMBER\n ]\n };\n}\n\nmodule.exports = fortran;\n", "/**\n * @param {string} value\n * @returns {RegExp}\n * */\nfunction escape(value) {\n return new RegExp(value.replace(/[-/\\\\^$*+?.()|[\\]{}]/g, '\\\\$&'), 'm');\n}\n\n/**\n * @param {RegExp | string } re\n * @returns {string}\n */\nfunction source(re) {\n if (!re) return null;\n if (typeof re === \"string\") return re;\n\n return re.source;\n}\n\n/**\n * @param {RegExp | string } re\n * @returns {string}\n */\nfunction lookahead(re) {\n return concat('(?=', re, ')');\n}\n\n/**\n * @param {...(RegExp | string) } args\n * @returns {string}\n */\nfunction concat(...args) {\n const joined = args.map((x) => source(x)).join(\"\");\n return joined;\n}\n\n/**\n * @param { Array<string | RegExp | Object> } args\n * @returns {object}\n */\nfunction stripOptionsFromArgs(args) {\n const opts = args[args.length - 1];\n\n if (typeof opts === 'object' && opts.constructor === Object) {\n args.splice(args.length - 1, 1);\n return opts;\n } else {\n return {};\n }\n}\n\n/** @typedef { {capture?: boolean} } RegexEitherOptions */\n\n/**\n * Any of the passed expresssions may match\n *\n * Creates a huge this | this | that | that match\n * @param {(RegExp | string)[] | [...(RegExp | string)[], RegexEitherOptions]} args\n * @returns {string}\n */\nfunction either(...args) {\n /** @type { object & {capture?: boolean} } */\n const opts = stripOptionsFromArgs(args);\n const joined = '('\n + (opts.capture ? \"\" : \"?:\")\n + args.map((x) => source(x)).join(\"|\") + \")\";\n return joined;\n}\n\n/*\nLanguage: F#\nAuthor: Jonas Folles\u00F8 <jonas@follesoe.no>\nContributors: Troy Kershaw <hello@troykershaw.com>, Henrik Feldt <henrik@haf.se>, Melvyn La\u00EFly <melvyn.laily@gmail.com>\nWebsite: https://docs.microsoft.com/en-us/dotnet/fsharp/\nCategory: functional\n*/\n\n/** @type LanguageFn */\nfunction fsharp(hljs) {\n const KEYWORDS = [\n \"abstract\",\n \"and\",\n \"as\",\n \"assert\",\n \"base\",\n \"begin\",\n \"class\",\n \"default\",\n \"delegate\",\n \"do\",\n \"done\",\n \"downcast\",\n \"downto\",\n \"elif\",\n \"else\",\n \"end\",\n \"exception\",\n \"extern\",\n // \"false\", // literal\n \"finally\",\n \"fixed\",\n \"for\",\n \"fun\",\n \"function\",\n \"global\",\n \"if\",\n \"in\",\n \"inherit\",\n \"inline\",\n \"interface\",\n \"internal\",\n \"lazy\",\n \"let\",\n \"match\",\n \"member\",\n \"module\",\n \"mutable\",\n \"namespace\",\n \"new\",\n // \"not\", // built_in\n // \"null\", // literal\n \"of\",\n \"open\",\n \"or\",\n \"override\",\n \"private\",\n \"public\",\n \"rec\",\n \"return\",\n \"static\",\n \"struct\",\n \"then\",\n \"to\",\n // \"true\", // literal\n \"try\",\n \"type\",\n \"upcast\",\n \"use\",\n \"val\",\n \"void\",\n \"when\",\n \"while\",\n \"with\",\n \"yield\"\n ];\n\n const BANG_KEYWORD_MODE = {\n // monad builder keywords (matches before non-bang keywords)\n scope: 'keyword',\n match: /\\b(yield|return|let|do|match|use)!/\n };\n\n const PREPROCESSOR_KEYWORDS = [\n \"if\",\n \"else\",\n \"endif\",\n \"line\",\n \"nowarn\",\n \"light\",\n \"r\",\n \"i\",\n \"I\",\n \"load\",\n \"time\",\n \"help\",\n \"quit\"\n ];\n\n const LITERALS = [\n \"true\",\n \"false\",\n \"null\",\n \"Some\",\n \"None\",\n \"Ok\",\n \"Error\",\n \"infinity\",\n \"infinityf\",\n \"nan\",\n \"nanf\"\n ];\n\n const SPECIAL_IDENTIFIERS = [\n \"__LINE__\",\n \"__SOURCE_DIRECTORY__\",\n \"__SOURCE_FILE__\"\n ];\n\n // Since it's possible to re-bind/shadow names (e.g. let char = 'c'),\n // these builtin types should only be matched when a type name is expected.\n const KNOWN_TYPES = [\n // basic types\n \"bool\",\n \"byte\",\n \"sbyte\",\n \"int8\",\n \"int16\",\n \"int32\",\n \"uint8\",\n \"uint16\",\n \"uint32\",\n \"int\",\n \"uint\",\n \"int64\",\n \"uint64\",\n \"nativeint\",\n \"unativeint\",\n \"decimal\",\n \"float\",\n \"double\",\n \"float32\",\n \"single\",\n \"char\",\n \"string\",\n \"unit\",\n \"bigint\",\n // other native types or lowercase aliases\n \"option\",\n \"voption\",\n \"list\",\n \"array\",\n \"seq\",\n \"byref\",\n \"exn\",\n \"inref\",\n \"nativeptr\",\n \"obj\",\n \"outref\",\n \"voidptr\",\n // other important FSharp types\n \"Result\"\n ];\n\n const BUILTINS = [\n // Somewhat arbitrary list of builtin functions and values.\n // Most of them are declared in Microsoft.FSharp.Core\n // I tried to stay relevant by adding only the most idiomatic\n // and most used symbols that are not already declared as types.\n \"not\",\n \"ref\",\n \"raise\",\n \"reraise\",\n \"dict\",\n \"readOnlyDict\",\n \"set\",\n \"get\",\n \"enum\",\n \"sizeof\",\n \"typeof\",\n \"typedefof\",\n \"nameof\",\n \"nullArg\",\n \"invalidArg\",\n \"invalidOp\",\n \"id\",\n \"fst\",\n \"snd\",\n \"ignore\",\n \"lock\",\n \"using\",\n \"box\",\n \"unbox\",\n \"tryUnbox\",\n \"printf\",\n \"printfn\",\n \"sprintf\",\n \"eprintf\",\n \"eprintfn\",\n \"fprintf\",\n \"fprintfn\",\n \"failwith\",\n \"failwithf\"\n ];\n\n const ALL_KEYWORDS = {\n keyword: KEYWORDS,\n literal: LITERALS,\n built_in: BUILTINS,\n 'variable.constant': SPECIAL_IDENTIFIERS\n };\n\n // (* potentially multi-line Meta Language style comment *)\n const ML_COMMENT =\n hljs.COMMENT(/\\(\\*(?!\\))/, /\\*\\)/, {\n contains: [\"self\"]\n });\n // Either a multi-line (* Meta Language style comment *) or a single line // C style comment.\n const COMMENT = {\n variants: [\n ML_COMMENT,\n hljs.C_LINE_COMMENT_MODE,\n ]\n };\n\n // Most identifiers can contain apostrophes\n const IDENTIFIER_RE = /[a-zA-Z_](\\w|')*/;\n\n const QUOTED_IDENTIFIER = {\n scope: 'variable',\n begin: /``/,\n end: /``/\n };\n\n // 'a or ^a where a can be a ``quoted identifier``\n const BEGIN_GENERIC_TYPE_SYMBOL_RE = /\\B('|\\^)/;\n const GENERIC_TYPE_SYMBOL = {\n scope: 'symbol',\n variants: [\n // the type name is a quoted identifier:\n { match: concat(BEGIN_GENERIC_TYPE_SYMBOL_RE, /``.*?``/) },\n // the type name is a normal identifier (we don't use IDENTIFIER_RE because there cannot be another apostrophe here):\n { match: concat(BEGIN_GENERIC_TYPE_SYMBOL_RE, hljs.UNDERSCORE_IDENT_RE) }\n ],\n relevance: 0\n };\n\n const makeOperatorMode = function({ includeEqual }) {\n // List or symbolic operator characters from the FSharp Spec 4.1, minus the dot, and with `?` added, used for nullable operators.\n let allOperatorChars;\n if (includeEqual)\n allOperatorChars = \"!%&*+-/<=>@^|~?\";\n else\n allOperatorChars = \"!%&*+-/<>@^|~?\";\n const OPERATOR_CHARS = Array.from(allOperatorChars);\n const OPERATOR_CHAR_RE = concat('[', ...OPERATOR_CHARS.map(escape), ']');\n // The lone dot operator is special. It cannot be redefined, and we don't want to highlight it. It can be used as part of a multi-chars operator though.\n const OPERATOR_CHAR_OR_DOT_RE = either(OPERATOR_CHAR_RE, /\\./);\n // When a dot is present, it must be followed by another operator char:\n const OPERATOR_FIRST_CHAR_OF_MULTIPLE_RE = concat(OPERATOR_CHAR_OR_DOT_RE, lookahead(OPERATOR_CHAR_OR_DOT_RE));\n const SYMBOLIC_OPERATOR_RE = either(\n concat(OPERATOR_FIRST_CHAR_OF_MULTIPLE_RE, OPERATOR_CHAR_OR_DOT_RE, '*'), // Matches at least 2 chars operators\n concat(OPERATOR_CHAR_RE, '+'), // Matches at least one char operators\n );\n return {\n scope: 'operator',\n match: either(\n // symbolic operators:\n SYMBOLIC_OPERATOR_RE,\n // other symbolic keywords:\n // Type casting and conversion operators:\n /:\\?>/,\n /:\\?/,\n /:>/,\n /:=/, // Reference cell assignment\n /::?/, // : or ::\n /\\$/), // A single $ can be used as an operator\n relevance: 0\n };\n };\n\n const OPERATOR = makeOperatorMode({ includeEqual: true });\n // This variant is used when matching '=' should end a parent mode:\n const OPERATOR_WITHOUT_EQUAL = makeOperatorMode({ includeEqual: false });\n\n const makeTypeAnnotationMode = function(prefix, prefixScope) {\n return {\n begin: concat( // a type annotation is a\n prefix, // should be a colon or the 'of' keyword\n lookahead( // that has to be followed by\n concat(\n /\\s*/, // optional space\n either( // then either of:\n /\\w/, // word\n /'/, // generic type name\n /\\^/, // generic type name\n /#/, // flexible type name\n /``/, // quoted type name\n /\\(/, // parens type expression\n /{\\|/, // anonymous type annotation\n )))),\n beginScope: prefixScope,\n // BUG: because ending with \\n is necessary for some cases, multi-line type annotations are not properly supported.\n // Examples where \\n is required at the end:\n // - abstract member definitions in classes: abstract Property : int * string\n // - return type annotations: let f f' = f' () : returnTypeAnnotation\n // - record fields definitions: { A : int \\n B : string }\n end: lookahead(\n either(\n /\\n/,\n /=/)),\n relevance: 0,\n // we need the known types, and we need the type constraint keywords and literals. e.g.: when 'a : null\n keywords: hljs.inherit(ALL_KEYWORDS, { type: KNOWN_TYPES }),\n contains: [\n COMMENT,\n GENERIC_TYPE_SYMBOL,\n hljs.inherit(QUOTED_IDENTIFIER, { scope: null }), // match to avoid strange patterns inside that may break the parsing\n OPERATOR_WITHOUT_EQUAL\n ]\n };\n };\n\n const TYPE_ANNOTATION = makeTypeAnnotationMode(/:/, 'operator');\n const DISCRIMINATED_UNION_TYPE_ANNOTATION = makeTypeAnnotationMode(/\\bof\\b/, 'keyword');\n\n // type MyType<'a> = ...\n const TYPE_DECLARATION = {\n begin: [\n /(^|\\s+)/, // prevents matching the following: `match s.stype with`\n /type/,\n /\\s+/,\n IDENTIFIER_RE\n ],\n beginScope: {\n 2: 'keyword',\n 4: 'title.class'\n },\n end: lookahead(/\\(|=|$/),\n keywords: ALL_KEYWORDS, // match keywords in type constraints. e.g.: when 'a : null\n contains: [\n COMMENT,\n hljs.inherit(QUOTED_IDENTIFIER, { scope: null }), // match to avoid strange patterns inside that may break the parsing\n GENERIC_TYPE_SYMBOL,\n {\n // For visual consistency, highlight type brackets as operators.\n scope: 'operator',\n match: /<|>/\n },\n TYPE_ANNOTATION // generic types can have constraints, which are type annotations. e.g. type MyType<'T when 'T : delegate<obj * string>> =\n ]\n };\n\n const COMPUTATION_EXPRESSION = {\n // computation expressions:\n scope: 'computation-expression',\n // BUG: might conflict with record deconstruction. e.g. let f { Name = name } = name // will highlight f\n match: /\\b[_a-z]\\w*(?=\\s*\\{)/\n };\n\n const PREPROCESSOR = {\n // preprocessor directives and fsi commands:\n begin: [\n /^\\s*/,\n concat(/#/, either(...PREPROCESSOR_KEYWORDS)),\n /\\b/\n ],\n beginScope: { 2: 'meta' },\n end: lookahead(/\\s|$/)\n };\n\n // TODO: this definition is missing support for type suffixes and octal notation.\n // BUG: range operator without any space is wrongly interpreted as a single number (e.g. 1..10 )\n const NUMBER = {\n variants: [\n hljs.BINARY_NUMBER_MODE,\n hljs.C_NUMBER_MODE\n ]\n };\n\n // All the following string definitions are potentially multi-line.\n // BUG: these definitions are missing support for byte strings (suffixed with B)\n\n // \"...\"\n const QUOTED_STRING = {\n scope: 'string',\n begin: /\"/,\n end: /\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE\n ]\n };\n // @\"...\"\n const VERBATIM_STRING = {\n scope: 'string',\n begin: /@\"/,\n end: /\"/,\n contains: [\n {\n match: /\"\"/ // escaped \"\n },\n hljs.BACKSLASH_ESCAPE\n ]\n };\n // \"\"\"...\"\"\"\n const TRIPLE_QUOTED_STRING = {\n scope: 'string',\n begin: /\"\"\"/,\n end: /\"\"\"/,\n relevance: 2\n };\n const SUBST = {\n scope: 'subst',\n begin: /\\{/,\n end: /\\}/,\n keywords: ALL_KEYWORDS\n };\n // $\"...{1+1}...\"\n const INTERPOLATED_STRING = {\n scope: 'string',\n begin: /\\$\"/,\n end: /\"/,\n contains: [\n {\n match: /\\{\\{/ // escaped {\n },\n {\n match: /\\}\\}/ // escaped }\n },\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ]\n };\n // $@\"...{1+1}...\"\n const INTERPOLATED_VERBATIM_STRING = {\n scope: 'string',\n begin: /(\\$@|@\\$)\"/,\n end: /\"/,\n contains: [\n {\n match: /\\{\\{/ // escaped {\n },\n {\n match: /\\}\\}/ // escaped }\n },\n {\n match: /\"\"/\n },\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ]\n };\n // $\"\"\"...{1+1}...\"\"\"\n const INTERPOLATED_TRIPLE_QUOTED_STRING = {\n scope: 'string',\n begin: /\\$\"\"\"/,\n end: /\"\"\"/,\n contains: [\n {\n match: /\\{\\{/ // escaped {\n },\n {\n match: /\\}\\}/ // escaped }\n },\n SUBST\n ],\n relevance: 2\n };\n // '.'\n const CHAR_LITERAL = {\n scope: 'string',\n match: concat(\n /'/,\n either(\n /[^\\\\']/, // either a single non escaped char...\n /\\\\(?:.|\\d{3}|x[a-fA-F\\d]{2}|u[a-fA-F\\d]{4}|U[a-fA-F\\d]{8})/ // ...or an escape sequence\n ),\n /'/\n )\n };\n // F# allows a lot of things inside string placeholders.\n // Things that don't currently seem allowed by the compiler: types definition, attributes usage.\n // (Strictly speaking, some of the followings are only allowed inside triple quoted interpolated strings...)\n SUBST.contains = [\n INTERPOLATED_VERBATIM_STRING,\n INTERPOLATED_STRING,\n VERBATIM_STRING,\n QUOTED_STRING,\n CHAR_LITERAL,\n BANG_KEYWORD_MODE,\n COMMENT,\n QUOTED_IDENTIFIER,\n TYPE_ANNOTATION,\n COMPUTATION_EXPRESSION,\n PREPROCESSOR,\n NUMBER,\n GENERIC_TYPE_SYMBOL,\n OPERATOR\n ];\n const STRING = {\n variants: [\n INTERPOLATED_TRIPLE_QUOTED_STRING,\n INTERPOLATED_VERBATIM_STRING,\n INTERPOLATED_STRING,\n TRIPLE_QUOTED_STRING,\n VERBATIM_STRING,\n QUOTED_STRING,\n CHAR_LITERAL\n ]\n };\n\n return {\n name: 'F#',\n aliases: [\n 'fs',\n 'f#'\n ],\n keywords: ALL_KEYWORDS,\n illegal: /\\/\\*/,\n classNameAliases: {\n 'computation-expression': 'keyword'\n },\n contains: [\n BANG_KEYWORD_MODE,\n STRING,\n COMMENT,\n QUOTED_IDENTIFIER,\n TYPE_DECLARATION,\n {\n // e.g. [<Attributes(\"\")>] or [<``module``: MyCustomAttributeThatWorksOnModules>]\n // or [<Sealed; NoEquality; NoComparison; CompiledName(\"FSharpAsync`1\")>]\n scope: 'meta',\n begin: /\\[</,\n end: />\\]/,\n relevance: 2,\n contains: [\n QUOTED_IDENTIFIER,\n // can contain any constant value\n TRIPLE_QUOTED_STRING,\n VERBATIM_STRING,\n QUOTED_STRING,\n CHAR_LITERAL,\n NUMBER\n ]\n },\n DISCRIMINATED_UNION_TYPE_ANNOTATION,\n TYPE_ANNOTATION,\n COMPUTATION_EXPRESSION,\n PREPROCESSOR,\n NUMBER,\n GENERIC_TYPE_SYMBOL,\n OPERATOR\n ]\n };\n}\n\nmodule.exports = fsharp;\n", "/*\n Language: GAMS\n Author: Stefan Bechert <stefan.bechert@gmx.net>\n Contributors: Oleg Efimov <efimovov@gmail.com>, Mikko Kouhia <mikko.kouhia@iki.fi>\n Description: The General Algebraic Modeling System language\n Website: https://www.gams.com\n Category: scientific\n */\n\n/** @type LanguageFn */\nfunction gams(hljs) {\n const regex = hljs.regex;\n const KEYWORDS = {\n keyword:\n 'abort acronym acronyms alias all and assign binary card diag display '\n + 'else eq file files for free ge gt if integer le loop lt maximizing '\n + 'minimizing model models ne negative no not option options or ord '\n + 'positive prod put putpage puttl repeat sameas semicont semiint smax '\n + 'smin solve sos1 sos2 sum system table then until using while xor yes',\n literal:\n 'eps inf na',\n built_in:\n 'abs arccos arcsin arctan arctan2 Beta betaReg binomial ceil centropy '\n + 'cos cosh cvPower div div0 eDist entropy errorf execSeed exp fact '\n + 'floor frac gamma gammaReg log logBeta logGamma log10 log2 mapVal max '\n + 'min mod ncpCM ncpF ncpVUpow ncpVUsin normal pi poly power '\n + 'randBinomial randLinear randTriangle round rPower sigmoid sign '\n + 'signPower sin sinh slexp sllog10 slrec sqexp sqlog10 sqr sqrec sqrt '\n + 'tan tanh trunc uniform uniformInt vcPower bool_and bool_eqv bool_imp '\n + 'bool_not bool_or bool_xor ifThen rel_eq rel_ge rel_gt rel_le rel_lt '\n + 'rel_ne gday gdow ghour gleap gmillisec gminute gmonth gsecond gyear '\n + 'jdate jnow jstart jtime errorLevel execError gamsRelease gamsVersion '\n + 'handleCollect handleDelete handleStatus handleSubmit heapFree '\n + 'heapLimit heapSize jobHandle jobKill jobStatus jobTerminate '\n + 'licenseLevel licenseStatus maxExecError sleep timeClose timeComp '\n + 'timeElapsed timeExec timeStart'\n };\n const PARAMS = {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true\n };\n const SYMBOLS = {\n className: 'symbol',\n variants: [\n { begin: /=[lgenxc]=/ },\n { begin: /\\$/ }\n ]\n };\n const QSTR = { // One-line quoted comment string\n className: 'comment',\n variants: [\n {\n begin: '\\'',\n end: '\\''\n },\n {\n begin: '\"',\n end: '\"'\n }\n ],\n illegal: '\\\\n',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n };\n const ASSIGNMENT = {\n begin: '/',\n end: '/',\n keywords: KEYWORDS,\n contains: [\n QSTR,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n hljs.C_NUMBER_MODE\n ]\n };\n const COMMENT_WORD = /[a-z0-9&#*=?@\\\\><:,()$[\\]_.{}!+%^-]+/;\n const DESCTEXT = { // Parameter/set/variable description text\n begin: /[a-z][a-z0-9_]*(\\([a-z0-9_, ]*\\))?[ \\t]+/,\n excludeBegin: true,\n end: '$',\n endsWithParent: true,\n contains: [\n QSTR,\n ASSIGNMENT,\n {\n className: 'comment',\n // one comment word, then possibly more\n begin: regex.concat(\n COMMENT_WORD,\n // [ ] because \\s would be too broad (matching newlines)\n regex.anyNumberOfTimes(regex.concat(/[ ]+/, COMMENT_WORD))\n ),\n relevance: 0\n }\n ]\n };\n\n return {\n name: 'GAMS',\n aliases: [ 'gms' ],\n case_insensitive: true,\n keywords: KEYWORDS,\n contains: [\n hljs.COMMENT(/^\\$ontext/, /^\\$offtext/),\n {\n className: 'meta',\n begin: '^\\\\$[a-z0-9]+',\n end: '$',\n returnBegin: true,\n contains: [\n {\n className: 'keyword',\n begin: '^\\\\$[a-z0-9]+'\n }\n ]\n },\n hljs.COMMENT('^\\\\*', '$'),\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n // Declarations\n {\n beginKeywords:\n 'set sets parameter parameters variable variables '\n + 'scalar scalars equation equations',\n end: ';',\n contains: [\n hljs.COMMENT('^\\\\*', '$'),\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n ASSIGNMENT,\n DESCTEXT\n ]\n },\n { // table environment\n beginKeywords: 'table',\n end: ';',\n returnBegin: true,\n contains: [\n { // table header row\n beginKeywords: 'table',\n end: '$',\n contains: [ DESCTEXT ]\n },\n hljs.COMMENT('^\\\\*', '$'),\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n hljs.C_NUMBER_MODE\n // Table does not contain DESCTEXT or ASSIGNMENT\n ]\n },\n // Function definitions\n {\n className: 'function',\n begin: /^[a-z][a-z0-9_,\\-+' ()$]+\\.{2}/,\n returnBegin: true,\n contains: [\n { // Function title\n className: 'title',\n begin: /^[a-z0-9_]+/\n },\n PARAMS,\n SYMBOLS\n ]\n },\n hljs.C_NUMBER_MODE,\n SYMBOLS\n ]\n };\n}\n\nmodule.exports = gams;\n", "/*\nLanguage: GAUSS\nAuthor: Matt Evans <matt@aptech.com>\nDescription: GAUSS Mathematical and Statistical language\nWebsite: https://www.aptech.com\nCategory: scientific\n*/\nfunction gauss(hljs) {\n const KEYWORDS = {\n keyword: 'bool break call callexe checkinterrupt clear clearg closeall cls comlog compile '\n + 'continue create debug declare delete disable dlibrary dllcall do dos ed edit else '\n + 'elseif enable end endfor endif endp endo errorlog errorlogat expr external fn '\n + 'for format goto gosub graph if keyword let lib library line load loadarray loadexe '\n + 'loadf loadk loadm loadp loads loadx local locate loopnextindex lprint lpwidth lshow '\n + 'matrix msym ndpclex new open output outwidth plot plotsym pop prcsn print '\n + 'printdos proc push retp return rndcon rndmod rndmult rndseed run save saveall screen '\n + 'scroll setarray show sparse stop string struct system trace trap threadfor '\n + 'threadendfor threadbegin threadjoin threadstat threadend until use while winprint '\n + 'ne ge le gt lt and xor or not eq eqv',\n built_in: 'abs acf aconcat aeye amax amean AmericanBinomCall AmericanBinomCall_Greeks AmericanBinomCall_ImpVol '\n + 'AmericanBinomPut AmericanBinomPut_Greeks AmericanBinomPut_ImpVol AmericanBSCall AmericanBSCall_Greeks '\n + 'AmericanBSCall_ImpVol AmericanBSPut AmericanBSPut_Greeks AmericanBSPut_ImpVol amin amult annotationGetDefaults '\n + 'annotationSetBkd annotationSetFont annotationSetLineColor annotationSetLineStyle annotationSetLineThickness '\n + 'annualTradingDays arccos arcsin areshape arrayalloc arrayindex arrayinit arraytomat asciiload asclabel astd '\n + 'astds asum atan atan2 atranspose axmargin balance band bandchol bandcholsol bandltsol bandrv bandsolpd bar '\n + 'base10 begwind besselj bessely beta box boxcox cdfBeta cdfBetaInv cdfBinomial cdfBinomialInv cdfBvn cdfBvn2 '\n + 'cdfBvn2e cdfCauchy cdfCauchyInv cdfChic cdfChii cdfChinc cdfChincInv cdfExp cdfExpInv cdfFc cdfFnc cdfFncInv '\n + 'cdfGam cdfGenPareto cdfHyperGeo cdfLaplace cdfLaplaceInv cdfLogistic cdfLogisticInv cdfmControlCreate cdfMvn '\n + 'cdfMvn2e cdfMvnce cdfMvne cdfMvt2e cdfMvtce cdfMvte cdfN cdfN2 cdfNc cdfNegBinomial cdfNegBinomialInv cdfNi '\n + 'cdfPoisson cdfPoissonInv cdfRayleigh cdfRayleighInv cdfTc cdfTci cdfTnc cdfTvn cdfWeibull cdfWeibullInv cdir '\n + 'ceil ChangeDir chdir chiBarSquare chol choldn cholsol cholup chrs close code cols colsf combinate combinated '\n + 'complex con cond conj cons ConScore contour conv convertsatostr convertstrtosa corrm corrms corrvc corrx corrxs '\n + 'cos cosh counts countwts crossprd crout croutp csrcol csrlin csvReadM csvReadSA cumprodc cumsumc curve cvtos '\n + 'datacreate datacreatecomplex datalist dataload dataloop dataopen datasave date datestr datestring datestrymd '\n + 'dayinyr dayofweek dbAddDatabase dbClose dbCommit dbCreateQuery dbExecQuery dbGetConnectOptions dbGetDatabaseName '\n + 'dbGetDriverName dbGetDrivers dbGetHostName dbGetLastErrorNum dbGetLastErrorText dbGetNumericalPrecPolicy '\n + 'dbGetPassword dbGetPort dbGetTableHeaders dbGetTables dbGetUserName dbHasFeature dbIsDriverAvailable dbIsOpen '\n + 'dbIsOpenError dbOpen dbQueryBindValue dbQueryClear dbQueryCols dbQueryExecPrepared dbQueryFetchAllM dbQueryFetchAllSA '\n + 'dbQueryFetchOneM dbQueryFetchOneSA dbQueryFinish dbQueryGetBoundValue dbQueryGetBoundValues dbQueryGetField '\n + 'dbQueryGetLastErrorNum dbQueryGetLastErrorText dbQueryGetLastInsertID dbQueryGetLastQuery dbQueryGetPosition '\n + 'dbQueryIsActive dbQueryIsForwardOnly dbQueryIsNull dbQueryIsSelect dbQueryIsValid dbQueryPrepare dbQueryRows '\n + 'dbQuerySeek dbQuerySeekFirst dbQuerySeekLast dbQuerySeekNext dbQuerySeekPrevious dbQuerySetForwardOnly '\n + 'dbRemoveDatabase dbRollback dbSetConnectOptions dbSetDatabaseName dbSetHostName dbSetNumericalPrecPolicy '\n + 'dbSetPort dbSetUserName dbTransaction DeleteFile delif delrows denseToSp denseToSpRE denToZero design det detl '\n + 'dfft dffti diag diagrv digamma doswin DOSWinCloseall DOSWinOpen dotfeq dotfeqmt dotfge dotfgemt dotfgt dotfgtmt '\n + 'dotfle dotflemt dotflt dotfltmt dotfne dotfnemt draw drop dsCreate dstat dstatmt dstatmtControlCreate dtdate dtday '\n + 'dttime dttodtv dttostr dttoutc dtvnormal dtvtodt dtvtoutc dummy dummybr dummydn eig eigh eighv eigv elapsedTradingDays '\n + 'endwind envget eof eqSolve eqSolvemt eqSolvemtControlCreate eqSolvemtOutCreate eqSolveset erf erfc erfccplx erfcplx error '\n + 'etdays ethsec etstr EuropeanBinomCall EuropeanBinomCall_Greeks EuropeanBinomCall_ImpVol EuropeanBinomPut '\n + 'EuropeanBinomPut_Greeks EuropeanBinomPut_ImpVol EuropeanBSCall EuropeanBSCall_Greeks EuropeanBSCall_ImpVol '\n + 'EuropeanBSPut EuropeanBSPut_Greeks EuropeanBSPut_ImpVol exctsmpl exec execbg exp extern eye fcheckerr fclearerr feq '\n + 'feqmt fflush fft ffti fftm fftmi fftn fge fgemt fgets fgetsa fgetsat fgetst fgt fgtmt fileinfo filesa fle flemt '\n + 'floor flt fltmt fmod fne fnemt fonts fopen formatcv formatnv fputs fputst fseek fstrerror ftell ftocv ftos ftostrC '\n + 'gamma gammacplx gammaii gausset gdaAppend gdaCreate gdaDStat gdaDStatMat gdaGetIndex gdaGetName gdaGetNames gdaGetOrders '\n + 'gdaGetType gdaGetTypes gdaGetVarInfo gdaIsCplx gdaLoad gdaPack gdaRead gdaReadByIndex gdaReadSome gdaReadSparse '\n + 'gdaReadStruct gdaReportVarInfo gdaSave gdaUpdate gdaUpdateAndPack gdaVars gdaWrite gdaWrite32 gdaWriteSome getarray '\n + 'getdims getf getGAUSShome getmatrix getmatrix4D getname getnamef getNextTradingDay getNextWeekDay getnr getorders '\n + 'getpath getPreviousTradingDay getPreviousWeekDay getRow getscalar3D getscalar4D getTrRow getwind glm gradcplx gradMT '\n + 'gradMTm gradMTT gradMTTm gradp graphprt graphset hasimag header headermt hess hessMT hessMTg hessMTgw hessMTm '\n + 'hessMTmw hessMTT hessMTTg hessMTTgw hessMTTm hessMTw hessp hist histf histp hsec imag indcv indexcat indices indices2 '\n + 'indicesf indicesfn indnv indsav integrate1d integrateControlCreate intgrat2 intgrat3 inthp1 inthp2 inthp3 inthp4 '\n + 'inthpControlCreate intquad1 intquad2 intquad3 intrleav intrleavsa intrsect intsimp inv invpd invswp iscplx iscplxf '\n + 'isden isinfnanmiss ismiss key keyav keyw lag lag1 lagn lapEighb lapEighi lapEighvb lapEighvi lapgEig lapgEigh lapgEighv '\n + 'lapgEigv lapgSchur lapgSvdcst lapgSvds lapgSvdst lapSvdcusv lapSvds lapSvdusv ldlp ldlsol linSolve listwise ln lncdfbvn '\n + 'lncdfbvn2 lncdfmvn lncdfn lncdfn2 lncdfnc lnfact lngammacplx lnpdfmvn lnpdfmvt lnpdfn lnpdft loadd loadstruct loadwind '\n + 'loess loessmt loessmtControlCreate log loglog logx logy lower lowmat lowmat1 ltrisol lu lusol machEpsilon make makevars '\n + 'makewind margin matalloc matinit mattoarray maxbytes maxc maxindc maxv maxvec mbesselei mbesselei0 mbesselei1 mbesseli '\n + 'mbesseli0 mbesseli1 meanc median mergeby mergevar minc minindc minv miss missex missrv moment momentd movingave '\n + 'movingaveExpwgt movingaveWgt nextindex nextn nextnevn nextwind ntos null null1 numCombinations ols olsmt olsmtControlCreate '\n + 'olsqr olsqr2 olsqrmt ones optn optnevn orth outtyp pacf packedToSp packr parse pause pdfCauchy pdfChi pdfExp pdfGenPareto '\n + 'pdfHyperGeo pdfLaplace pdfLogistic pdfn pdfPoisson pdfRayleigh pdfWeibull pi pinv pinvmt plotAddArrow plotAddBar plotAddBox '\n + 'plotAddHist plotAddHistF plotAddHistP plotAddPolar plotAddScatter plotAddShape plotAddTextbox plotAddTS plotAddXY plotArea '\n + 'plotBar plotBox plotClearLayout plotContour plotCustomLayout plotGetDefaults plotHist plotHistF plotHistP plotLayout '\n + 'plotLogLog plotLogX plotLogY plotOpenWindow plotPolar plotSave plotScatter plotSetAxesPen plotSetBar plotSetBarFill '\n + 'plotSetBarStacked plotSetBkdColor plotSetFill plotSetGrid plotSetLegend plotSetLineColor plotSetLineStyle plotSetLineSymbol '\n + 'plotSetLineThickness plotSetNewWindow plotSetTitle plotSetWhichYAxis plotSetXAxisShow plotSetXLabel plotSetXRange '\n + 'plotSetXTicInterval plotSetXTicLabel plotSetYAxisShow plotSetYLabel plotSetYRange plotSetZAxisShow plotSetZLabel '\n + 'plotSurface plotTS plotXY polar polychar polyeval polygamma polyint polymake polymat polymroot polymult polyroot '\n + 'pqgwin previousindex princomp printfm printfmt prodc psi putarray putf putvals pvCreate pvGetIndex pvGetParNames '\n + 'pvGetParVector pvLength pvList pvPack pvPacki pvPackm pvPackmi pvPacks pvPacksi pvPacksm pvPacksmi pvPutParVector '\n + 'pvTest pvUnpack QNewton QNewtonmt QNewtonmtControlCreate QNewtonmtOutCreate QNewtonSet QProg QProgmt QProgmtInCreate '\n + 'qqr qqre qqrep qr qre qrep qrsol qrtsol qtyr qtyre qtyrep quantile quantiled qyr qyre qyrep qz rank rankindx readr '\n + 'real reclassify reclassifyCuts recode recserar recsercp recserrc rerun rescale reshape rets rev rfft rffti rfftip rfftn '\n + 'rfftnp rfftp rndBernoulli rndBeta rndBinomial rndCauchy rndChiSquare rndCon rndCreateState rndExp rndGamma rndGeo rndGumbel '\n + 'rndHyperGeo rndi rndKMbeta rndKMgam rndKMi rndKMn rndKMnb rndKMp rndKMu rndKMvm rndLaplace rndLCbeta rndLCgam rndLCi rndLCn '\n + 'rndLCnb rndLCp rndLCu rndLCvm rndLogNorm rndMTu rndMVn rndMVt rndn rndnb rndNegBinomial rndp rndPoisson rndRayleigh '\n + 'rndStateSkip rndu rndvm rndWeibull rndWishart rotater round rows rowsf rref sampleData satostrC saved saveStruct savewind '\n + 'scale scale3d scalerr scalinfnanmiss scalmiss schtoc schur searchsourcepath seekr select selif seqa seqm setdif setdifsa '\n + 'setvars setvwrmode setwind shell shiftr sin singleindex sinh sleep solpd sortc sortcc sortd sorthc sorthcc sortind '\n + 'sortindc sortmc sortr sortrc spBiconjGradSol spChol spConjGradSol spCreate spDenseSubmat spDiagRvMat spEigv spEye spLDL '\n + 'spline spLU spNumNZE spOnes spreadSheetReadM spreadSheetReadSA spreadSheetWrite spScale spSubmat spToDense spTrTDense '\n + 'spTScalar spZeros sqpSolve sqpSolveMT sqpSolveMTControlCreate sqpSolveMTlagrangeCreate sqpSolveMToutCreate sqpSolveSet '\n + 'sqrt statements stdc stdsc stocv stof strcombine strindx strlen strput strrindx strsect strsplit strsplitPad strtodt '\n + 'strtof strtofcplx strtriml strtrimr strtrunc strtruncl strtruncpad strtruncr submat subscat substute subvec sumc sumr '\n + 'surface svd svd1 svd2 svdcusv svds svdusv sysstate tab tan tanh tempname '\n + 'time timedt timestr timeutc title tkf2eps tkf2ps tocart todaydt toeplitz token topolar trapchk '\n + 'trigamma trimr trunc type typecv typef union unionsa uniqindx uniqindxsa unique uniquesa upmat upmat1 upper utctodt '\n + 'utctodtv utrisol vals varCovMS varCovXS varget vargetl varmall varmares varput varputl vartypef vcm vcms vcx vcxs '\n + 'vec vech vecr vector vget view viewxyz vlist vnamecv volume vput vread vtypecv wait waitc walkindex where window '\n + 'writer xlabel xlsGetSheetCount xlsGetSheetSize xlsGetSheetTypes xlsMakeRange xlsReadM xlsReadSA xlsWrite xlsWriteM '\n + 'xlsWriteSA xpnd xtics xy xyz ylabel ytics zeros zeta zlabel ztics cdfEmpirical dot h5create h5open h5read h5readAttribute '\n + 'h5write h5writeAttribute ldl plotAddErrorBar plotAddSurface plotCDFEmpirical plotSetColormap plotSetContourLabels '\n + 'plotSetLegendFont plotSetTextInterpreter plotSetXTicCount plotSetYTicCount plotSetZLevels powerm strjoin sylvester '\n + 'strtrim',\n literal: 'DB_AFTER_LAST_ROW DB_ALL_TABLES DB_BATCH_OPERATIONS DB_BEFORE_FIRST_ROW DB_BLOB DB_EVENT_NOTIFICATIONS '\n + 'DB_FINISH_QUERY DB_HIGH_PRECISION DB_LAST_INSERT_ID DB_LOW_PRECISION_DOUBLE DB_LOW_PRECISION_INT32 '\n + 'DB_LOW_PRECISION_INT64 DB_LOW_PRECISION_NUMBERS DB_MULTIPLE_RESULT_SETS DB_NAMED_PLACEHOLDERS '\n + 'DB_POSITIONAL_PLACEHOLDERS DB_PREPARED_QUERIES DB_QUERY_SIZE DB_SIMPLE_LOCKING DB_SYSTEM_TABLES DB_TABLES '\n + 'DB_TRANSACTIONS DB_UNICODE DB_VIEWS __STDIN __STDOUT __STDERR __FILE_DIR'\n };\n\n const AT_COMMENT_MODE = hljs.COMMENT('@', '@');\n\n const PREPROCESSOR =\n {\n className: 'meta',\n begin: '#',\n end: '$',\n keywords: { keyword: 'define definecs|10 undef ifdef ifndef iflight ifdllcall ifmac ifos2win ifunix else endif lineson linesoff srcfile srcline' },\n contains: [\n {\n begin: /\\\\\\n/,\n relevance: 0\n },\n {\n beginKeywords: 'include',\n end: '$',\n keywords: { keyword: 'include' },\n contains: [\n {\n className: 'string',\n begin: '\"',\n end: '\"',\n illegal: '\\\\n'\n }\n ]\n },\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n AT_COMMENT_MODE\n ]\n };\n\n const STRUCT_TYPE =\n {\n begin: /\\bstruct\\s+/,\n end: /\\s/,\n keywords: \"struct\",\n contains: [\n {\n className: \"type\",\n begin: hljs.UNDERSCORE_IDENT_RE,\n relevance: 0\n }\n ]\n };\n\n // only for definitions\n const PARSE_PARAMS = [\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n endsWithParent: true,\n relevance: 0,\n contains: [\n { // dots\n className: 'literal',\n begin: /\\.\\.\\./\n },\n hljs.C_NUMBER_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n AT_COMMENT_MODE,\n STRUCT_TYPE\n ]\n }\n ];\n\n const FUNCTION_DEF =\n {\n className: \"title\",\n begin: hljs.UNDERSCORE_IDENT_RE,\n relevance: 0\n };\n\n const DEFINITION = function(beginKeywords, end, inherits) {\n const mode = hljs.inherit(\n {\n className: \"function\",\n beginKeywords: beginKeywords,\n end: end,\n excludeEnd: true,\n contains: [].concat(PARSE_PARAMS)\n },\n inherits || {}\n );\n mode.contains.push(FUNCTION_DEF);\n mode.contains.push(hljs.C_NUMBER_MODE);\n mode.contains.push(hljs.C_BLOCK_COMMENT_MODE);\n mode.contains.push(AT_COMMENT_MODE);\n return mode;\n };\n\n const BUILT_IN_REF =\n { // these are explicitly named internal function calls\n className: 'built_in',\n begin: '\\\\b(' + KEYWORDS.built_in.split(' ').join('|') + ')\\\\b'\n };\n\n const STRING_REF =\n {\n className: 'string',\n begin: '\"',\n end: '\"',\n contains: [ hljs.BACKSLASH_ESCAPE ],\n relevance: 0\n };\n\n const FUNCTION_REF =\n {\n // className: \"fn_ref\",\n begin: hljs.UNDERSCORE_IDENT_RE + '\\\\s*\\\\(',\n returnBegin: true,\n keywords: KEYWORDS,\n relevance: 0,\n contains: [\n { beginKeywords: KEYWORDS.keyword },\n BUILT_IN_REF,\n { // ambiguously named function calls get a relevance of 0\n className: 'built_in',\n begin: hljs.UNDERSCORE_IDENT_RE,\n relevance: 0\n }\n ]\n };\n\n const FUNCTION_REF_PARAMS =\n {\n // className: \"fn_ref_params\",\n begin: /\\(/,\n end: /\\)/,\n relevance: 0,\n keywords: {\n built_in: KEYWORDS.built_in,\n literal: KEYWORDS.literal\n },\n contains: [\n hljs.C_NUMBER_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n AT_COMMENT_MODE,\n BUILT_IN_REF,\n FUNCTION_REF,\n STRING_REF,\n 'self'\n ]\n };\n\n FUNCTION_REF.contains.push(FUNCTION_REF_PARAMS);\n\n return {\n name: 'GAUSS',\n aliases: [ 'gss' ],\n case_insensitive: true, // language is case-insensitive\n keywords: KEYWORDS,\n illegal: /(\\{[%#]|[%#]\\}| <- )/,\n contains: [\n hljs.C_NUMBER_MODE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n AT_COMMENT_MODE,\n STRING_REF,\n PREPROCESSOR,\n {\n className: 'keyword',\n begin: /\\bexternal (matrix|string|array|sparse matrix|struct|proc|keyword|fn)/\n },\n DEFINITION('proc keyword', ';'),\n DEFINITION('fn', '='),\n {\n beginKeywords: 'for threadfor',\n end: /;/,\n // end: /\\(/,\n relevance: 0,\n contains: [\n hljs.C_BLOCK_COMMENT_MODE,\n AT_COMMENT_MODE,\n FUNCTION_REF_PARAMS\n ]\n },\n { // custom method guard\n // excludes method names from keyword processing\n variants: [\n { begin: hljs.UNDERSCORE_IDENT_RE + '\\\\.' + hljs.UNDERSCORE_IDENT_RE },\n { begin: hljs.UNDERSCORE_IDENT_RE + '\\\\s*=' }\n ],\n relevance: 0\n },\n FUNCTION_REF,\n STRUCT_TYPE\n ]\n };\n}\n\nmodule.exports = gauss;\n", "/*\n Language: G-code (ISO 6983)\n Contributors: Adam Joseph Cook <adam.joseph.cook@gmail.com>\n Description: G-code syntax highlighter for Fanuc and other common CNC machine tool controls.\n Website: https://www.sis.se/api/document/preview/911952/\n */\n\nfunction gcode(hljs) {\n const GCODE_IDENT_RE = '[A-Z_][A-Z0-9_.]*';\n const GCODE_CLOSE_RE = '%';\n const GCODE_KEYWORDS = {\n $pattern: GCODE_IDENT_RE,\n keyword: 'IF DO WHILE ENDWHILE CALL ENDIF SUB ENDSUB GOTO REPEAT ENDREPEAT '\n + 'EQ LT GT NE GE LE OR XOR'\n };\n const GCODE_START = {\n className: 'meta',\n begin: '([O])([0-9]+)'\n };\n const NUMBER = hljs.inherit(hljs.C_NUMBER_MODE, { begin: '([-+]?((\\\\.\\\\d+)|(\\\\d+)(\\\\.\\\\d*)?))|' + hljs.C_NUMBER_RE });\n const GCODE_CODE = [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.COMMENT(/\\(/, /\\)/),\n NUMBER,\n hljs.inherit(hljs.APOS_STRING_MODE, { illegal: null }),\n hljs.inherit(hljs.QUOTE_STRING_MODE, { illegal: null }),\n {\n className: 'name',\n begin: '([G])([0-9]+\\\\.?[0-9]?)'\n },\n {\n className: 'name',\n begin: '([M])([0-9]+\\\\.?[0-9]?)'\n },\n {\n className: 'attr',\n begin: '(VC|VS|#)',\n end: '(\\\\d+)'\n },\n {\n className: 'attr',\n begin: '(VZOFX|VZOFY|VZOFZ)'\n },\n {\n className: 'built_in',\n begin: '(ATAN|ABS|ACOS|ASIN|SIN|COS|EXP|FIX|FUP|ROUND|LN|TAN)(\\\\[)',\n contains: [ NUMBER ],\n end: '\\\\]'\n },\n {\n className: 'symbol',\n variants: [\n {\n begin: 'N',\n end: '\\\\d+',\n illegal: '\\\\W'\n }\n ]\n }\n ];\n\n return {\n name: 'G-code (ISO 6983)',\n aliases: [ 'nc' ],\n // Some implementations (CNC controls) of G-code are interoperable with uppercase and lowercase letters seamlessly.\n // However, most prefer all uppercase and uppercase is customary.\n case_insensitive: true,\n keywords: GCODE_KEYWORDS,\n contains: [\n {\n className: 'meta',\n begin: GCODE_CLOSE_RE\n },\n GCODE_START\n ].concat(GCODE_CODE)\n };\n}\n\nmodule.exports = gcode;\n", "/*\n Language: Gherkin\n Author: Sam Pikesley (@pikesley) <sam.pikesley@theodi.org>\n Description: Gherkin is the format for cucumber specifications. It is a domain specific language which helps you to describe business behavior without the need to go into detail of implementation.\n Website: https://cucumber.io/docs/gherkin/\n */\n\nfunction gherkin(hljs) {\n return {\n name: 'Gherkin',\n aliases: [ 'feature' ],\n keywords: 'Feature Background Ability Business\\ Need Scenario Scenarios Scenario\\ Outline Scenario\\ Template Examples Given And Then But When',\n contains: [\n {\n className: 'symbol',\n begin: '\\\\*',\n relevance: 0\n },\n {\n className: 'meta',\n begin: '@[^@\\\\s]+'\n },\n {\n begin: '\\\\|',\n end: '\\\\|\\\\w*$',\n contains: [\n {\n className: 'string',\n begin: '[^|]+'\n }\n ]\n },\n {\n className: 'variable',\n begin: '<',\n end: '>'\n },\n hljs.HASH_COMMENT_MODE,\n {\n className: 'string',\n begin: '\"\"\"',\n end: '\"\"\"'\n },\n hljs.QUOTE_STRING_MODE\n ]\n };\n}\n\nmodule.exports = gherkin;\n", "/*\nLanguage: GLSL\nDescription: OpenGL Shading Language\nAuthor: Sergey Tikhomirov <sergey@tikhomirov.io>\nWebsite: https://en.wikipedia.org/wiki/OpenGL_Shading_Language\nCategory: graphics\n*/\n\nfunction glsl(hljs) {\n return {\n name: 'GLSL',\n keywords: {\n keyword:\n // Statements\n 'break continue discard do else for if return while switch case default '\n // Qualifiers\n + 'attribute binding buffer ccw centroid centroid varying coherent column_major const cw '\n + 'depth_any depth_greater depth_less depth_unchanged early_fragment_tests equal_spacing '\n + 'flat fractional_even_spacing fractional_odd_spacing highp in index inout invariant '\n + 'invocations isolines layout line_strip lines lines_adjacency local_size_x local_size_y '\n + 'local_size_z location lowp max_vertices mediump noperspective offset origin_upper_left '\n + 'out packed patch pixel_center_integer point_mode points precise precision quads r11f_g11f_b10f '\n + 'r16 r16_snorm r16f r16i r16ui r32f r32i r32ui r8 r8_snorm r8i r8ui readonly restrict '\n + 'rg16 rg16_snorm rg16f rg16i rg16ui rg32f rg32i rg32ui rg8 rg8_snorm rg8i rg8ui rgb10_a2 '\n + 'rgb10_a2ui rgba16 rgba16_snorm rgba16f rgba16i rgba16ui rgba32f rgba32i rgba32ui rgba8 '\n + 'rgba8_snorm rgba8i rgba8ui row_major sample shared smooth std140 std430 stream triangle_strip '\n + 'triangles triangles_adjacency uniform varying vertices volatile writeonly',\n type:\n 'atomic_uint bool bvec2 bvec3 bvec4 dmat2 dmat2x2 dmat2x3 dmat2x4 dmat3 dmat3x2 dmat3x3 '\n + 'dmat3x4 dmat4 dmat4x2 dmat4x3 dmat4x4 double dvec2 dvec3 dvec4 float iimage1D iimage1DArray '\n + 'iimage2D iimage2DArray iimage2DMS iimage2DMSArray iimage2DRect iimage3D iimageBuffer '\n + 'iimageCube iimageCubeArray image1D image1DArray image2D image2DArray image2DMS image2DMSArray '\n + 'image2DRect image3D imageBuffer imageCube imageCubeArray int isampler1D isampler1DArray '\n + 'isampler2D isampler2DArray isampler2DMS isampler2DMSArray isampler2DRect isampler3D '\n + 'isamplerBuffer isamplerCube isamplerCubeArray ivec2 ivec3 ivec4 mat2 mat2x2 mat2x3 '\n + 'mat2x4 mat3 mat3x2 mat3x3 mat3x4 mat4 mat4x2 mat4x3 mat4x4 sampler1D sampler1DArray '\n + 'sampler1DArrayShadow sampler1DShadow sampler2D sampler2DArray sampler2DArrayShadow '\n + 'sampler2DMS sampler2DMSArray sampler2DRect sampler2DRectShadow sampler2DShadow sampler3D '\n + 'samplerBuffer samplerCube samplerCubeArray samplerCubeArrayShadow samplerCubeShadow '\n + 'image1D uimage1DArray uimage2D uimage2DArray uimage2DMS uimage2DMSArray uimage2DRect '\n + 'uimage3D uimageBuffer uimageCube uimageCubeArray uint usampler1D usampler1DArray '\n + 'usampler2D usampler2DArray usampler2DMS usampler2DMSArray usampler2DRect usampler3D '\n + 'samplerBuffer usamplerCube usamplerCubeArray uvec2 uvec3 uvec4 vec2 vec3 vec4 void',\n built_in:\n // Constants\n 'gl_MaxAtomicCounterBindings gl_MaxAtomicCounterBufferSize gl_MaxClipDistances gl_MaxClipPlanes '\n + 'gl_MaxCombinedAtomicCounterBuffers gl_MaxCombinedAtomicCounters gl_MaxCombinedImageUniforms '\n + 'gl_MaxCombinedImageUnitsAndFragmentOutputs gl_MaxCombinedTextureImageUnits gl_MaxComputeAtomicCounterBuffers '\n + 'gl_MaxComputeAtomicCounters gl_MaxComputeImageUniforms gl_MaxComputeTextureImageUnits '\n + 'gl_MaxComputeUniformComponents gl_MaxComputeWorkGroupCount gl_MaxComputeWorkGroupSize '\n + 'gl_MaxDrawBuffers gl_MaxFragmentAtomicCounterBuffers gl_MaxFragmentAtomicCounters '\n + 'gl_MaxFragmentImageUniforms gl_MaxFragmentInputComponents gl_MaxFragmentInputVectors '\n + 'gl_MaxFragmentUniformComponents gl_MaxFragmentUniformVectors gl_MaxGeometryAtomicCounterBuffers '\n + 'gl_MaxGeometryAtomicCounters gl_MaxGeometryImageUniforms gl_MaxGeometryInputComponents '\n + 'gl_MaxGeometryOutputComponents gl_MaxGeometryOutputVertices gl_MaxGeometryTextureImageUnits '\n + 'gl_MaxGeometryTotalOutputComponents gl_MaxGeometryUniformComponents gl_MaxGeometryVaryingComponents '\n + 'gl_MaxImageSamples gl_MaxImageUnits gl_MaxLights gl_MaxPatchVertices gl_MaxProgramTexelOffset '\n + 'gl_MaxTessControlAtomicCounterBuffers gl_MaxTessControlAtomicCounters gl_MaxTessControlImageUniforms '\n + 'gl_MaxTessControlInputComponents gl_MaxTessControlOutputComponents gl_MaxTessControlTextureImageUnits '\n + 'gl_MaxTessControlTotalOutputComponents gl_MaxTessControlUniformComponents '\n + 'gl_MaxTessEvaluationAtomicCounterBuffers gl_MaxTessEvaluationAtomicCounters '\n + 'gl_MaxTessEvaluationImageUniforms gl_MaxTessEvaluationInputComponents gl_MaxTessEvaluationOutputComponents '\n + 'gl_MaxTessEvaluationTextureImageUnits gl_MaxTessEvaluationUniformComponents '\n + 'gl_MaxTessGenLevel gl_MaxTessPatchComponents gl_MaxTextureCoords gl_MaxTextureImageUnits '\n + 'gl_MaxTextureUnits gl_MaxVaryingComponents gl_MaxVaryingFloats gl_MaxVaryingVectors '\n + 'gl_MaxVertexAtomicCounterBuffers gl_MaxVertexAtomicCounters gl_MaxVertexAttribs gl_MaxVertexImageUniforms '\n + 'gl_MaxVertexOutputComponents gl_MaxVertexOutputVectors gl_MaxVertexTextureImageUnits '\n + 'gl_MaxVertexUniformComponents gl_MaxVertexUniformVectors gl_MaxViewports gl_MinProgramTexelOffset '\n // Variables\n + 'gl_BackColor gl_BackLightModelProduct gl_BackLightProduct gl_BackMaterial '\n + 'gl_BackSecondaryColor gl_ClipDistance gl_ClipPlane gl_ClipVertex gl_Color '\n + 'gl_DepthRange gl_EyePlaneQ gl_EyePlaneR gl_EyePlaneS gl_EyePlaneT gl_Fog gl_FogCoord '\n + 'gl_FogFragCoord gl_FragColor gl_FragCoord gl_FragData gl_FragDepth gl_FrontColor '\n + 'gl_FrontFacing gl_FrontLightModelProduct gl_FrontLightProduct gl_FrontMaterial '\n + 'gl_FrontSecondaryColor gl_GlobalInvocationID gl_InstanceID gl_InvocationID gl_Layer gl_LightModel '\n + 'gl_LightSource gl_LocalInvocationID gl_LocalInvocationIndex gl_ModelViewMatrix '\n + 'gl_ModelViewMatrixInverse gl_ModelViewMatrixInverseTranspose gl_ModelViewMatrixTranspose '\n + 'gl_ModelViewProjectionMatrix gl_ModelViewProjectionMatrixInverse gl_ModelViewProjectionMatrixInverseTranspose '\n + 'gl_ModelViewProjectionMatrixTranspose gl_MultiTexCoord0 gl_MultiTexCoord1 gl_MultiTexCoord2 '\n + 'gl_MultiTexCoord3 gl_MultiTexCoord4 gl_MultiTexCoord5 gl_MultiTexCoord6 gl_MultiTexCoord7 '\n + 'gl_Normal gl_NormalMatrix gl_NormalScale gl_NumSamples gl_NumWorkGroups gl_ObjectPlaneQ '\n + 'gl_ObjectPlaneR gl_ObjectPlaneS gl_ObjectPlaneT gl_PatchVerticesIn gl_Point gl_PointCoord '\n + 'gl_PointSize gl_Position gl_PrimitiveID gl_PrimitiveIDIn gl_ProjectionMatrix gl_ProjectionMatrixInverse '\n + 'gl_ProjectionMatrixInverseTranspose gl_ProjectionMatrixTranspose gl_SampleID gl_SampleMask '\n + 'gl_SampleMaskIn gl_SamplePosition gl_SecondaryColor gl_TessCoord gl_TessLevelInner gl_TessLevelOuter '\n + 'gl_TexCoord gl_TextureEnvColor gl_TextureMatrix gl_TextureMatrixInverse gl_TextureMatrixInverseTranspose '\n + 'gl_TextureMatrixTranspose gl_Vertex gl_VertexID gl_ViewportIndex gl_WorkGroupID gl_WorkGroupSize gl_in gl_out '\n // Functions\n + 'EmitStreamVertex EmitVertex EndPrimitive EndStreamPrimitive abs acos acosh all any asin '\n + 'asinh atan atanh atomicAdd atomicAnd atomicCompSwap atomicCounter atomicCounterDecrement '\n + 'atomicCounterIncrement atomicExchange atomicMax atomicMin atomicOr atomicXor barrier '\n + 'bitCount bitfieldExtract bitfieldInsert bitfieldReverse ceil clamp cos cosh cross '\n + 'dFdx dFdy degrees determinant distance dot equal exp exp2 faceforward findLSB findMSB '\n + 'floatBitsToInt floatBitsToUint floor fma fract frexp ftransform fwidth greaterThan '\n + 'greaterThanEqual groupMemoryBarrier imageAtomicAdd imageAtomicAnd imageAtomicCompSwap '\n + 'imageAtomicExchange imageAtomicMax imageAtomicMin imageAtomicOr imageAtomicXor imageLoad '\n + 'imageSize imageStore imulExtended intBitsToFloat interpolateAtCentroid interpolateAtOffset '\n + 'interpolateAtSample inverse inversesqrt isinf isnan ldexp length lessThan lessThanEqual log '\n + 'log2 matrixCompMult max memoryBarrier memoryBarrierAtomicCounter memoryBarrierBuffer '\n + 'memoryBarrierImage memoryBarrierShared min mix mod modf noise1 noise2 noise3 noise4 '\n + 'normalize not notEqual outerProduct packDouble2x32 packHalf2x16 packSnorm2x16 packSnorm4x8 '\n + 'packUnorm2x16 packUnorm4x8 pow radians reflect refract round roundEven shadow1D shadow1DLod '\n + 'shadow1DProj shadow1DProjLod shadow2D shadow2DLod shadow2DProj shadow2DProjLod sign sin sinh '\n + 'smoothstep sqrt step tan tanh texelFetch texelFetchOffset texture texture1D texture1DLod '\n + 'texture1DProj texture1DProjLod texture2D texture2DLod texture2DProj texture2DProjLod '\n + 'texture3D texture3DLod texture3DProj texture3DProjLod textureCube textureCubeLod '\n + 'textureGather textureGatherOffset textureGatherOffsets textureGrad textureGradOffset '\n + 'textureLod textureLodOffset textureOffset textureProj textureProjGrad textureProjGradOffset '\n + 'textureProjLod textureProjLodOffset textureProjOffset textureQueryLevels textureQueryLod '\n + 'textureSize transpose trunc uaddCarry uintBitsToFloat umulExtended unpackDouble2x32 '\n + 'unpackHalf2x16 unpackSnorm2x16 unpackSnorm4x8 unpackUnorm2x16 unpackUnorm4x8 usubBorrow',\n literal: 'true false'\n },\n illegal: '\"',\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.C_NUMBER_MODE,\n {\n className: 'meta',\n begin: '#',\n end: '$'\n }\n ]\n };\n}\n\nmodule.exports = glsl;\n", "/*\nLanguage: GML\nAuthor: Meseta <meseta@gmail.com>\nDescription: Game Maker Language for GameMaker Studio 2\nWebsite: https://docs2.yoyogames.com\nCategory: scripting\n*/\n\nfunction gml(hljs) {\n const KEYWORDS = [\n \"#endregion\",\n \"#macro\",\n \"#region\",\n \"and\",\n \"begin\",\n \"break\",\n \"case\",\n \"constructor\",\n \"continue\",\n \"default\",\n \"delete\",\n \"div\",\n \"do\",\n \"else\",\n \"end\",\n \"enum\",\n \"exit\",\n \"for\",\n \"function\",\n \"globalvar\",\n \"if\",\n \"mod\",\n \"not\",\n \"or\",\n \"repeat\",\n \"return\",\n \"switch\",\n \"then\",\n \"until\",\n \"var\",\n \"while\",\n \"with\",\n \"xor\"\n ];\n const BUILT_INS = [\n \"abs\",\n \"achievement_available\",\n \"achievement_event\",\n \"achievement_get_challenges\",\n \"achievement_get_info\",\n \"achievement_get_pic\",\n \"achievement_increment\",\n \"achievement_load_friends\",\n \"achievement_load_leaderboard\",\n \"achievement_load_progress\",\n \"achievement_login\",\n \"achievement_login_status\",\n \"achievement_logout\",\n \"achievement_post\",\n \"achievement_post_score\",\n \"achievement_reset\",\n \"achievement_send_challenge\",\n \"achievement_show\",\n \"achievement_show_achievements\",\n \"achievement_show_challenge_notifications\",\n \"achievement_show_leaderboards\",\n \"action_inherited\",\n \"action_kill_object\",\n \"ads_disable\",\n \"ads_enable\",\n \"ads_engagement_active\",\n \"ads_engagement_available\",\n \"ads_engagement_launch\",\n \"ads_event\",\n \"ads_event_preload\",\n \"ads_get_display_height\",\n \"ads_get_display_width\",\n \"ads_interstitial_available\",\n \"ads_interstitial_display\",\n \"ads_move\",\n \"ads_set_reward_callback\",\n \"ads_setup\",\n \"alarm_get\",\n \"alarm_set\",\n \"analytics_event\",\n \"analytics_event_ext\",\n \"angle_difference\",\n \"ansi_char\",\n \"application_get_position\",\n \"application_surface_draw_enable\",\n \"application_surface_enable\",\n \"application_surface_is_enabled\",\n \"arccos\",\n \"arcsin\",\n \"arctan\",\n \"arctan2\",\n \"array_copy\",\n \"array_create\",\n \"array_delete\",\n \"array_equals\",\n \"array_height_2d\",\n \"array_insert\",\n \"array_length\",\n \"array_length_1d\",\n \"array_length_2d\",\n \"array_pop\",\n \"array_push\",\n \"array_resize\",\n \"array_sort\",\n \"asset_get_index\",\n \"asset_get_type\",\n \"audio_channel_num\",\n \"audio_create_buffer_sound\",\n \"audio_create_play_queue\",\n \"audio_create_stream\",\n \"audio_create_sync_group\",\n \"audio_debug\",\n \"audio_destroy_stream\",\n \"audio_destroy_sync_group\",\n \"audio_emitter_create\",\n \"audio_emitter_exists\",\n \"audio_emitter_falloff\",\n \"audio_emitter_free\",\n \"audio_emitter_gain\",\n \"audio_emitter_get_gain\",\n \"audio_emitter_get_listener_mask\",\n \"audio_emitter_get_pitch\",\n \"audio_emitter_get_vx\",\n \"audio_emitter_get_vy\",\n \"audio_emitter_get_vz\",\n \"audio_emitter_get_x\",\n \"audio_emitter_get_y\",\n \"audio_emitter_get_z\",\n \"audio_emitter_pitch\",\n \"audio_emitter_position\",\n \"audio_emitter_set_listener_mask\",\n \"audio_emitter_velocity\",\n \"audio_exists\",\n \"audio_falloff_set_model\",\n \"audio_free_buffer_sound\",\n \"audio_free_play_queue\",\n \"audio_get_listener_count\",\n \"audio_get_listener_info\",\n \"audio_get_listener_mask\",\n \"audio_get_master_gain\",\n \"audio_get_name\",\n \"audio_get_recorder_count\",\n \"audio_get_recorder_info\",\n \"audio_get_type\",\n \"audio_group_is_loaded\",\n \"audio_group_load\",\n \"audio_group_load_progress\",\n \"audio_group_name\",\n \"audio_group_set_gain\",\n \"audio_group_stop_all\",\n \"audio_group_unload\",\n \"audio_is_paused\",\n \"audio_is_playing\",\n \"audio_listener_get_data\",\n \"audio_listener_orientation\",\n \"audio_listener_position\",\n \"audio_listener_set_orientation\",\n \"audio_listener_set_position\",\n \"audio_listener_set_velocity\",\n \"audio_listener_velocity\",\n \"audio_master_gain\",\n \"audio_music_gain\",\n \"audio_music_is_playing\",\n \"audio_pause_all\",\n \"audio_pause_music\",\n \"audio_pause_sound\",\n \"audio_pause_sync_group\",\n \"audio_play_in_sync_group\",\n \"audio_play_music\",\n \"audio_play_sound\",\n \"audio_play_sound_at\",\n \"audio_play_sound_on\",\n \"audio_queue_sound\",\n \"audio_resume_all\",\n \"audio_resume_music\",\n \"audio_resume_sound\",\n \"audio_resume_sync_group\",\n \"audio_set_listener_mask\",\n \"audio_set_master_gain\",\n \"audio_sound_gain\",\n \"audio_sound_get_gain\",\n \"audio_sound_get_listener_mask\",\n \"audio_sound_get_pitch\",\n \"audio_sound_get_track_position\",\n \"audio_sound_length\",\n \"audio_sound_pitch\",\n \"audio_sound_set_listener_mask\",\n \"audio_sound_set_track_position\",\n \"audio_start_recording\",\n \"audio_start_sync_group\",\n \"audio_stop_all\",\n \"audio_stop_music\",\n \"audio_stop_recording\",\n \"audio_stop_sound\",\n \"audio_stop_sync_group\",\n \"audio_sync_group_debug\",\n \"audio_sync_group_get_track_pos\",\n \"audio_sync_group_is_playing\",\n \"audio_system\",\n \"background_get_height\",\n \"background_get_width\",\n \"base64_decode\",\n \"base64_encode\",\n \"browser_input_capture\",\n \"buffer_async_group_begin\",\n \"buffer_async_group_end\",\n \"buffer_async_group_option\",\n \"buffer_base64_decode\",\n \"buffer_base64_decode_ext\",\n \"buffer_base64_encode\",\n \"buffer_copy\",\n \"buffer_copy_from_vertex_buffer\",\n \"buffer_create\",\n \"buffer_create_from_vertex_buffer\",\n \"buffer_create_from_vertex_buffer_ext\",\n \"buffer_delete\",\n \"buffer_exists\",\n \"buffer_fill\",\n \"buffer_get_address\",\n \"buffer_get_alignment\",\n \"buffer_get_size\",\n \"buffer_get_surface\",\n \"buffer_get_type\",\n \"buffer_load\",\n \"buffer_load_async\",\n \"buffer_load_ext\",\n \"buffer_load_partial\",\n \"buffer_md5\",\n \"buffer_peek\",\n \"buffer_poke\",\n \"buffer_read\",\n \"buffer_resize\",\n \"buffer_save\",\n \"buffer_save_async\",\n \"buffer_save_ext\",\n \"buffer_seek\",\n \"buffer_set_surface\",\n \"buffer_sha1\",\n \"buffer_sizeof\",\n \"buffer_tell\",\n \"buffer_write\",\n \"camera_apply\",\n \"camera_create\",\n \"camera_create_view\",\n \"camera_destroy\",\n \"camera_get_active\",\n \"camera_get_begin_script\",\n \"camera_get_default\",\n \"camera_get_end_script\",\n \"camera_get_proj_mat\",\n \"camera_get_update_script\",\n \"camera_get_view_angle\",\n \"camera_get_view_border_x\",\n \"camera_get_view_border_y\",\n \"camera_get_view_height\",\n \"camera_get_view_mat\",\n \"camera_get_view_speed_x\",\n \"camera_get_view_speed_y\",\n \"camera_get_view_target\",\n \"camera_get_view_width\",\n \"camera_get_view_x\",\n \"camera_get_view_y\",\n \"camera_set_begin_script\",\n \"camera_set_default\",\n \"camera_set_end_script\",\n \"camera_set_proj_mat\",\n \"camera_set_update_script\",\n \"camera_set_view_angle\",\n \"camera_set_view_border\",\n \"camera_set_view_mat\",\n \"camera_set_view_pos\",\n \"camera_set_view_size\",\n \"camera_set_view_speed\",\n \"camera_set_view_target\",\n \"ceil\",\n \"choose\",\n \"chr\",\n \"clamp\",\n \"clickable_add\",\n \"clickable_add_ext\",\n \"clickable_change\",\n \"clickable_change_ext\",\n \"clickable_delete\",\n \"clickable_exists\",\n \"clickable_set_style\",\n \"clipboard_get_text\",\n \"clipboard_has_text\",\n \"clipboard_set_text\",\n \"cloud_file_save\",\n \"cloud_string_save\",\n \"cloud_synchronise\",\n \"code_is_compiled\",\n \"collision_circle\",\n \"collision_circle_list\",\n \"collision_ellipse\",\n \"collision_ellipse_list\",\n \"collision_line\",\n \"collision_line_list\",\n \"collision_point\",\n \"collision_point_list\",\n \"collision_rectangle\",\n \"collision_rectangle_list\",\n \"color_get_blue\",\n \"color_get_green\",\n \"color_get_hue\",\n \"color_get_red\",\n \"color_get_saturation\",\n \"color_get_value\",\n \"colour_get_blue\",\n \"colour_get_green\",\n \"colour_get_hue\",\n \"colour_get_red\",\n \"colour_get_saturation\",\n \"colour_get_value\",\n \"cos\",\n \"darccos\",\n \"darcsin\",\n \"darctan\",\n \"darctan2\",\n \"date_compare_date\",\n \"date_compare_datetime\",\n \"date_compare_time\",\n \"date_create_datetime\",\n \"date_current_datetime\",\n \"date_date_of\",\n \"date_date_string\",\n \"date_datetime_string\",\n \"date_day_span\",\n \"date_days_in_month\",\n \"date_days_in_year\",\n \"date_get_day\",\n \"date_get_day_of_year\",\n \"date_get_hour\",\n \"date_get_hour_of_year\",\n \"date_get_minute\",\n \"date_get_minute_of_year\",\n \"date_get_month\",\n \"date_get_second\",\n \"date_get_second_of_year\",\n \"date_get_timezone\",\n \"date_get_week\",\n \"date_get_weekday\",\n \"date_get_year\",\n \"date_hour_span\",\n \"date_inc_day\",\n \"date_inc_hour\",\n \"date_inc_minute\",\n \"date_inc_month\",\n \"date_inc_second\",\n \"date_inc_week\",\n \"date_inc_year\",\n \"date_is_today\",\n \"date_leap_year\",\n \"date_minute_span\",\n \"date_month_span\",\n \"date_second_span\",\n \"date_set_timezone\",\n \"date_time_of\",\n \"date_time_string\",\n \"date_valid_datetime\",\n \"date_week_span\",\n \"date_year_span\",\n \"dcos\",\n \"debug_event\",\n \"debug_get_callstack\",\n \"degtorad\",\n \"device_get_tilt_x\",\n \"device_get_tilt_y\",\n \"device_get_tilt_z\",\n \"device_is_keypad_open\",\n \"device_mouse_check_button\",\n \"device_mouse_check_button_pressed\",\n \"device_mouse_check_button_released\",\n \"device_mouse_dbclick_enable\",\n \"device_mouse_raw_x\",\n \"device_mouse_raw_y\",\n \"device_mouse_x\",\n \"device_mouse_x_to_gui\",\n \"device_mouse_y\",\n \"device_mouse_y_to_gui\",\n \"directory_create\",\n \"directory_destroy\",\n \"directory_exists\",\n \"display_get_dpi_x\",\n \"display_get_dpi_y\",\n \"display_get_gui_height\",\n \"display_get_gui_width\",\n \"display_get_height\",\n \"display_get_orientation\",\n \"display_get_sleep_margin\",\n \"display_get_timing_method\",\n \"display_get_width\",\n \"display_mouse_get_x\",\n \"display_mouse_get_y\",\n \"display_mouse_set\",\n \"display_reset\",\n \"display_set_gui_maximise\",\n \"display_set_gui_maximize\",\n \"display_set_gui_size\",\n \"display_set_sleep_margin\",\n \"display_set_timing_method\",\n \"display_set_ui_visibility\",\n \"distance_to_object\",\n \"distance_to_point\",\n \"dot_product\",\n \"dot_product_3d\",\n \"dot_product_3d_normalised\",\n \"dot_product_3d_normalized\",\n \"dot_product_normalised\",\n \"dot_product_normalized\",\n \"draw_arrow\",\n \"draw_background\",\n \"draw_background_ext\",\n \"draw_background_part_ext\",\n \"draw_background_tiled\",\n \"draw_button\",\n \"draw_circle\",\n \"draw_circle_color\",\n \"draw_circle_colour\",\n \"draw_clear\",\n \"draw_clear_alpha\",\n \"draw_ellipse\",\n \"draw_ellipse_color\",\n \"draw_ellipse_colour\",\n \"draw_enable_alphablend\",\n \"draw_enable_drawevent\",\n \"draw_enable_swf_aa\",\n \"draw_flush\",\n \"draw_get_alpha\",\n \"draw_get_color\",\n \"draw_get_colour\",\n \"draw_get_lighting\",\n \"draw_get_swf_aa_level\",\n \"draw_getpixel\",\n \"draw_getpixel_ext\",\n \"draw_healthbar\",\n \"draw_highscore\",\n \"draw_light_define_ambient\",\n \"draw_light_define_direction\",\n \"draw_light_define_point\",\n \"draw_light_enable\",\n \"draw_light_get\",\n \"draw_light_get_ambient\",\n \"draw_line\",\n \"draw_line_color\",\n \"draw_line_colour\",\n \"draw_line_width\",\n \"draw_line_width_color\",\n \"draw_line_width_colour\",\n \"draw_path\",\n \"draw_point\",\n \"draw_point_color\",\n \"draw_point_colour\",\n \"draw_primitive_begin\",\n \"draw_primitive_begin_texture\",\n \"draw_primitive_end\",\n \"draw_rectangle\",\n \"draw_rectangle_color\",\n \"draw_rectangle_colour\",\n \"draw_roundrect\",\n \"draw_roundrect_color\",\n \"draw_roundrect_color_ext\",\n \"draw_roundrect_colour\",\n \"draw_roundrect_colour_ext\",\n \"draw_roundrect_ext\",\n \"draw_self\",\n \"draw_set_alpha\",\n \"draw_set_alpha_test\",\n \"draw_set_alpha_test_ref_value\",\n \"draw_set_blend_mode\",\n \"draw_set_blend_mode_ext\",\n \"draw_set_circle_precision\",\n \"draw_set_color\",\n \"draw_set_color_write_enable\",\n \"draw_set_colour\",\n \"draw_set_font\",\n \"draw_set_halign\",\n \"draw_set_lighting\",\n \"draw_set_swf_aa_level\",\n \"draw_set_valign\",\n \"draw_skeleton\",\n \"draw_skeleton_collision\",\n \"draw_skeleton_instance\",\n \"draw_skeleton_time\",\n \"draw_sprite\",\n \"draw_sprite_ext\",\n \"draw_sprite_general\",\n \"draw_sprite_part\",\n \"draw_sprite_part_ext\",\n \"draw_sprite_pos\",\n \"draw_sprite_stretched\",\n \"draw_sprite_stretched_ext\",\n \"draw_sprite_tiled\",\n \"draw_sprite_tiled_ext\",\n \"draw_surface\",\n \"draw_surface_ext\",\n \"draw_surface_general\",\n \"draw_surface_part\",\n \"draw_surface_part_ext\",\n \"draw_surface_stretched\",\n \"draw_surface_stretched_ext\",\n \"draw_surface_tiled\",\n \"draw_surface_tiled_ext\",\n \"draw_text\",\n \"draw_text_color\",\n \"draw_text_colour\",\n \"draw_text_ext\",\n \"draw_text_ext_color\",\n \"draw_text_ext_colour\",\n \"draw_text_ext_transformed\",\n \"draw_text_ext_transformed_color\",\n \"draw_text_ext_transformed_colour\",\n \"draw_text_transformed\",\n \"draw_text_transformed_color\",\n \"draw_text_transformed_colour\",\n \"draw_texture_flush\",\n \"draw_tile\",\n \"draw_tilemap\",\n \"draw_triangle\",\n \"draw_triangle_color\",\n \"draw_triangle_colour\",\n \"draw_vertex\",\n \"draw_vertex_color\",\n \"draw_vertex_colour\",\n \"draw_vertex_texture\",\n \"draw_vertex_texture_color\",\n \"draw_vertex_texture_colour\",\n \"ds_exists\",\n \"ds_grid_add\",\n \"ds_grid_add_disk\",\n \"ds_grid_add_grid_region\",\n \"ds_grid_add_region\",\n \"ds_grid_clear\",\n \"ds_grid_copy\",\n \"ds_grid_create\",\n \"ds_grid_destroy\",\n \"ds_grid_get\",\n \"ds_grid_get_disk_max\",\n \"ds_grid_get_disk_mean\",\n \"ds_grid_get_disk_min\",\n \"ds_grid_get_disk_sum\",\n \"ds_grid_get_max\",\n \"ds_grid_get_mean\",\n \"ds_grid_get_min\",\n \"ds_grid_get_sum\",\n \"ds_grid_height\",\n \"ds_grid_multiply\",\n \"ds_grid_multiply_disk\",\n \"ds_grid_multiply_grid_region\",\n \"ds_grid_multiply_region\",\n \"ds_grid_read\",\n \"ds_grid_resize\",\n \"ds_grid_set\",\n \"ds_grid_set_disk\",\n \"ds_grid_set_grid_region\",\n \"ds_grid_set_region\",\n \"ds_grid_shuffle\",\n \"ds_grid_sort\",\n \"ds_grid_value_disk_exists\",\n \"ds_grid_value_disk_x\",\n \"ds_grid_value_disk_y\",\n \"ds_grid_value_exists\",\n \"ds_grid_value_x\",\n \"ds_grid_value_y\",\n \"ds_grid_width\",\n \"ds_grid_write\",\n \"ds_list_add\",\n \"ds_list_clear\",\n \"ds_list_copy\",\n \"ds_list_create\",\n \"ds_list_delete\",\n \"ds_list_destroy\",\n \"ds_list_empty\",\n \"ds_list_find_index\",\n \"ds_list_find_value\",\n \"ds_list_insert\",\n \"ds_list_mark_as_list\",\n \"ds_list_mark_as_map\",\n \"ds_list_read\",\n \"ds_list_replace\",\n \"ds_list_set\",\n \"ds_list_shuffle\",\n \"ds_list_size\",\n \"ds_list_sort\",\n \"ds_list_write\",\n \"ds_map_add\",\n \"ds_map_add_list\",\n \"ds_map_add_map\",\n \"ds_map_clear\",\n \"ds_map_copy\",\n \"ds_map_create\",\n \"ds_map_delete\",\n \"ds_map_destroy\",\n \"ds_map_empty\",\n \"ds_map_exists\",\n \"ds_map_find_first\",\n \"ds_map_find_last\",\n \"ds_map_find_next\",\n \"ds_map_find_previous\",\n \"ds_map_find_value\",\n \"ds_map_read\",\n \"ds_map_replace\",\n \"ds_map_replace_list\",\n \"ds_map_replace_map\",\n \"ds_map_secure_load\",\n \"ds_map_secure_load_buffer\",\n \"ds_map_secure_save\",\n \"ds_map_secure_save_buffer\",\n \"ds_map_set\",\n \"ds_map_size\",\n \"ds_map_write\",\n \"ds_priority_add\",\n \"ds_priority_change_priority\",\n \"ds_priority_clear\",\n \"ds_priority_copy\",\n \"ds_priority_create\",\n \"ds_priority_delete_max\",\n \"ds_priority_delete_min\",\n \"ds_priority_delete_value\",\n \"ds_priority_destroy\",\n \"ds_priority_empty\",\n \"ds_priority_find_max\",\n \"ds_priority_find_min\",\n \"ds_priority_find_priority\",\n \"ds_priority_read\",\n \"ds_priority_size\",\n \"ds_priority_write\",\n \"ds_queue_clear\",\n \"ds_queue_copy\",\n \"ds_queue_create\",\n \"ds_queue_dequeue\",\n \"ds_queue_destroy\",\n \"ds_queue_empty\",\n \"ds_queue_enqueue\",\n \"ds_queue_head\",\n \"ds_queue_read\",\n \"ds_queue_size\",\n \"ds_queue_tail\",\n \"ds_queue_write\",\n \"ds_set_precision\",\n \"ds_stack_clear\",\n \"ds_stack_copy\",\n \"ds_stack_create\",\n \"ds_stack_destroy\",\n \"ds_stack_empty\",\n \"ds_stack_pop\",\n \"ds_stack_push\",\n \"ds_stack_read\",\n \"ds_stack_size\",\n \"ds_stack_top\",\n \"ds_stack_write\",\n \"dsin\",\n \"dtan\",\n \"effect_clear\",\n \"effect_create_above\",\n \"effect_create_below\",\n \"environment_get_variable\",\n \"event_inherited\",\n \"event_perform\",\n \"event_perform_object\",\n \"event_user\",\n \"exp\",\n \"external_call\",\n \"external_define\",\n \"external_free\",\n \"facebook_accesstoken\",\n \"facebook_check_permission\",\n \"facebook_dialog\",\n \"facebook_graph_request\",\n \"facebook_init\",\n \"facebook_launch_offerwall\",\n \"facebook_login\",\n \"facebook_logout\",\n \"facebook_post_message\",\n \"facebook_request_publish_permissions\",\n \"facebook_request_read_permissions\",\n \"facebook_send_invite\",\n \"facebook_status\",\n \"facebook_user_id\",\n \"file_attributes\",\n \"file_bin_close\",\n \"file_bin_open\",\n \"file_bin_position\",\n \"file_bin_read_byte\",\n \"file_bin_rewrite\",\n \"file_bin_seek\",\n \"file_bin_size\",\n \"file_bin_write_byte\",\n \"file_copy\",\n \"file_delete\",\n \"file_exists\",\n \"file_find_close\",\n \"file_find_first\",\n \"file_find_next\",\n \"file_rename\",\n \"file_text_close\",\n \"file_text_eof\",\n \"file_text_eoln\",\n \"file_text_open_append\",\n \"file_text_open_from_string\",\n \"file_text_open_read\",\n \"file_text_open_write\",\n \"file_text_read_real\",\n \"file_text_read_string\",\n \"file_text_readln\",\n \"file_text_write_real\",\n \"file_text_write_string\",\n \"file_text_writeln\",\n \"filename_change_ext\",\n \"filename_dir\",\n \"filename_drive\",\n \"filename_ext\",\n \"filename_name\",\n \"filename_path\",\n \"floor\",\n \"font_add\",\n \"font_add_enable_aa\",\n \"font_add_get_enable_aa\",\n \"font_add_sprite\",\n \"font_add_sprite_ext\",\n \"font_delete\",\n \"font_exists\",\n \"font_get_bold\",\n \"font_get_first\",\n \"font_get_fontname\",\n \"font_get_italic\",\n \"font_get_last\",\n \"font_get_name\",\n \"font_get_size\",\n \"font_get_texture\",\n \"font_get_uvs\",\n \"font_replace\",\n \"font_replace_sprite\",\n \"font_replace_sprite_ext\",\n \"font_set_cache_size\",\n \"font_texture_page_size\",\n \"frac\",\n \"game_end\",\n \"game_get_speed\",\n \"game_load\",\n \"game_load_buffer\",\n \"game_restart\",\n \"game_save\",\n \"game_save_buffer\",\n \"game_set_speed\",\n \"gamepad_axis_count\",\n \"gamepad_axis_value\",\n \"gamepad_button_check\",\n \"gamepad_button_check_pressed\",\n \"gamepad_button_check_released\",\n \"gamepad_button_count\",\n \"gamepad_button_value\",\n \"gamepad_get_axis_deadzone\",\n \"gamepad_get_button_threshold\",\n \"gamepad_get_description\",\n \"gamepad_get_device_count\",\n \"gamepad_is_connected\",\n \"gamepad_is_supported\",\n \"gamepad_set_axis_deadzone\",\n \"gamepad_set_button_threshold\",\n \"gamepad_set_color\",\n \"gamepad_set_colour\",\n \"gamepad_set_vibration\",\n \"gesture_double_tap_distance\",\n \"gesture_double_tap_time\",\n \"gesture_drag_distance\",\n \"gesture_drag_time\",\n \"gesture_flick_speed\",\n \"gesture_get_double_tap_distance\",\n \"gesture_get_double_tap_time\",\n \"gesture_get_drag_distance\",\n \"gesture_get_drag_time\",\n \"gesture_get_flick_speed\",\n \"gesture_get_pinch_angle_away\",\n \"gesture_get_pinch_angle_towards\",\n \"gesture_get_pinch_distance\",\n \"gesture_get_rotate_angle\",\n \"gesture_get_rotate_time\",\n \"gesture_get_tap_count\",\n \"gesture_pinch_angle_away\",\n \"gesture_pinch_angle_towards\",\n \"gesture_pinch_distance\",\n \"gesture_rotate_angle\",\n \"gesture_rotate_time\",\n \"gesture_tap_count\",\n \"get_integer\",\n \"get_integer_async\",\n \"get_login_async\",\n \"get_open_filename\",\n \"get_open_filename_ext\",\n \"get_save_filename\",\n \"get_save_filename_ext\",\n \"get_string\",\n \"get_string_async\",\n \"get_timer\",\n \"gml_pragma\",\n \"gml_release_mode\",\n \"gpu_get_alphatestenable\",\n \"gpu_get_alphatestfunc\",\n \"gpu_get_alphatestref\",\n \"gpu_get_blendenable\",\n \"gpu_get_blendmode\",\n \"gpu_get_blendmode_dest\",\n \"gpu_get_blendmode_destalpha\",\n \"gpu_get_blendmode_ext\",\n \"gpu_get_blendmode_ext_sepalpha\",\n \"gpu_get_blendmode_src\",\n \"gpu_get_blendmode_srcalpha\",\n \"gpu_get_colorwriteenable\",\n \"gpu_get_colourwriteenable\",\n \"gpu_get_cullmode\",\n \"gpu_get_fog\",\n \"gpu_get_lightingenable\",\n \"gpu_get_state\",\n \"gpu_get_tex_filter\",\n \"gpu_get_tex_filter_ext\",\n \"gpu_get_tex_max_aniso\",\n \"gpu_get_tex_max_aniso_ext\",\n \"gpu_get_tex_max_mip\",\n \"gpu_get_tex_max_mip_ext\",\n \"gpu_get_tex_min_mip\",\n \"gpu_get_tex_min_mip_ext\",\n \"gpu_get_tex_mip_bias\",\n \"gpu_get_tex_mip_bias_ext\",\n \"gpu_get_tex_mip_enable\",\n \"gpu_get_tex_mip_enable_ext\",\n \"gpu_get_tex_mip_filter\",\n \"gpu_get_tex_mip_filter_ext\",\n \"gpu_get_tex_repeat\",\n \"gpu_get_tex_repeat_ext\",\n \"gpu_get_texfilter\",\n \"gpu_get_texfilter_ext\",\n \"gpu_get_texrepeat\",\n \"gpu_get_texrepeat_ext\",\n \"gpu_get_zfunc\",\n \"gpu_get_ztestenable\",\n \"gpu_get_zwriteenable\",\n \"gpu_pop_state\",\n \"gpu_push_state\",\n \"gpu_set_alphatestenable\",\n \"gpu_set_alphatestfunc\",\n \"gpu_set_alphatestref\",\n \"gpu_set_blendenable\",\n \"gpu_set_blendmode\",\n \"gpu_set_blendmode_ext\",\n \"gpu_set_blendmode_ext_sepalpha\",\n \"gpu_set_colorwriteenable\",\n \"gpu_set_colourwriteenable\",\n \"gpu_set_cullmode\",\n \"gpu_set_fog\",\n \"gpu_set_lightingenable\",\n \"gpu_set_state\",\n \"gpu_set_tex_filter\",\n \"gpu_set_tex_filter_ext\",\n \"gpu_set_tex_max_aniso\",\n \"gpu_set_tex_max_aniso_ext\",\n \"gpu_set_tex_max_mip\",\n \"gpu_set_tex_max_mip_ext\",\n \"gpu_set_tex_min_mip\",\n \"gpu_set_tex_min_mip_ext\",\n \"gpu_set_tex_mip_bias\",\n \"gpu_set_tex_mip_bias_ext\",\n \"gpu_set_tex_mip_enable\",\n \"gpu_set_tex_mip_enable_ext\",\n \"gpu_set_tex_mip_filter\",\n \"gpu_set_tex_mip_filter_ext\",\n \"gpu_set_tex_repeat\",\n \"gpu_set_tex_repeat_ext\",\n \"gpu_set_texfilter\",\n \"gpu_set_texfilter_ext\",\n \"gpu_set_texrepeat\",\n \"gpu_set_texrepeat_ext\",\n \"gpu_set_zfunc\",\n \"gpu_set_ztestenable\",\n \"gpu_set_zwriteenable\",\n \"highscore_add\",\n \"highscore_clear\",\n \"highscore_name\",\n \"highscore_value\",\n \"http_get\",\n \"http_get_file\",\n \"http_post_string\",\n \"http_request\",\n \"iap_acquire\",\n \"iap_activate\",\n \"iap_consume\",\n \"iap_enumerate_products\",\n \"iap_product_details\",\n \"iap_purchase_details\",\n \"iap_restore_all\",\n \"iap_status\",\n \"ini_close\",\n \"ini_key_delete\",\n \"ini_key_exists\",\n \"ini_open\",\n \"ini_open_from_string\",\n \"ini_read_real\",\n \"ini_read_string\",\n \"ini_section_delete\",\n \"ini_section_exists\",\n \"ini_write_real\",\n \"ini_write_string\",\n \"instance_activate_all\",\n \"instance_activate_layer\",\n \"instance_activate_object\",\n \"instance_activate_region\",\n \"instance_change\",\n \"instance_copy\",\n \"instance_create\",\n \"instance_create_depth\",\n \"instance_create_layer\",\n \"instance_deactivate_all\",\n \"instance_deactivate_layer\",\n \"instance_deactivate_object\",\n \"instance_deactivate_region\",\n \"instance_destroy\",\n \"instance_exists\",\n \"instance_find\",\n \"instance_furthest\",\n \"instance_id_get\",\n \"instance_nearest\",\n \"instance_number\",\n \"instance_place\",\n \"instance_place_list\",\n \"instance_position\",\n \"instance_position_list\",\n \"int64\",\n \"io_clear\",\n \"irandom\",\n \"irandom_range\",\n \"is_array\",\n \"is_bool\",\n \"is_infinity\",\n \"is_int32\",\n \"is_int64\",\n \"is_matrix\",\n \"is_method\",\n \"is_nan\",\n \"is_numeric\",\n \"is_ptr\",\n \"is_real\",\n \"is_string\",\n \"is_struct\",\n \"is_undefined\",\n \"is_vec3\",\n \"is_vec4\",\n \"json_decode\",\n \"json_encode\",\n \"keyboard_check\",\n \"keyboard_check_direct\",\n \"keyboard_check_pressed\",\n \"keyboard_check_released\",\n \"keyboard_clear\",\n \"keyboard_get_map\",\n \"keyboard_get_numlock\",\n \"keyboard_key_press\",\n \"keyboard_key_release\",\n \"keyboard_set_map\",\n \"keyboard_set_numlock\",\n \"keyboard_unset_map\",\n \"keyboard_virtual_height\",\n \"keyboard_virtual_hide\",\n \"keyboard_virtual_show\",\n \"keyboard_virtual_status\",\n \"layer_add_instance\",\n \"layer_background_alpha\",\n \"layer_background_blend\",\n \"layer_background_change\",\n \"layer_background_create\",\n \"layer_background_destroy\",\n \"layer_background_exists\",\n \"layer_background_get_alpha\",\n \"layer_background_get_blend\",\n \"layer_background_get_htiled\",\n \"layer_background_get_id\",\n \"layer_background_get_index\",\n \"layer_background_get_speed\",\n \"layer_background_get_sprite\",\n \"layer_background_get_stretch\",\n \"layer_background_get_visible\",\n \"layer_background_get_vtiled\",\n \"layer_background_get_xscale\",\n \"layer_background_get_yscale\",\n \"layer_background_htiled\",\n \"layer_background_index\",\n \"layer_background_speed\",\n \"layer_background_sprite\",\n \"layer_background_stretch\",\n \"layer_background_visible\",\n \"layer_background_vtiled\",\n \"layer_background_xscale\",\n \"layer_background_yscale\",\n \"layer_create\",\n \"layer_depth\",\n \"layer_destroy\",\n \"layer_destroy_instances\",\n \"layer_element_move\",\n \"layer_exists\",\n \"layer_force_draw_depth\",\n \"layer_get_all\",\n \"layer_get_all_elements\",\n \"layer_get_depth\",\n \"layer_get_element_layer\",\n \"layer_get_element_type\",\n \"layer_get_forced_depth\",\n \"layer_get_hspeed\",\n \"layer_get_id\",\n \"layer_get_id_at_depth\",\n \"layer_get_name\",\n \"layer_get_script_begin\",\n \"layer_get_script_end\",\n \"layer_get_shader\",\n \"layer_get_target_room\",\n \"layer_get_visible\",\n \"layer_get_vspeed\",\n \"layer_get_x\",\n \"layer_get_y\",\n \"layer_has_instance\",\n \"layer_hspeed\",\n \"layer_instance_get_instance\",\n \"layer_is_draw_depth_forced\",\n \"layer_reset_target_room\",\n \"layer_script_begin\",\n \"layer_script_end\",\n \"layer_set_target_room\",\n \"layer_set_visible\",\n \"layer_shader\",\n \"layer_sprite_alpha\",\n \"layer_sprite_angle\",\n \"layer_sprite_blend\",\n \"layer_sprite_change\",\n \"layer_sprite_create\",\n \"layer_sprite_destroy\",\n \"layer_sprite_exists\",\n \"layer_sprite_get_alpha\",\n \"layer_sprite_get_angle\",\n \"layer_sprite_get_blend\",\n \"layer_sprite_get_id\",\n \"layer_sprite_get_index\",\n \"layer_sprite_get_speed\",\n \"layer_sprite_get_sprite\",\n \"layer_sprite_get_x\",\n \"layer_sprite_get_xscale\",\n \"layer_sprite_get_y\",\n \"layer_sprite_get_yscale\",\n \"layer_sprite_index\",\n \"layer_sprite_speed\",\n \"layer_sprite_x\",\n \"layer_sprite_xscale\",\n \"layer_sprite_y\",\n \"layer_sprite_yscale\",\n \"layer_tile_alpha\",\n \"layer_tile_blend\",\n \"layer_tile_change\",\n \"layer_tile_create\",\n \"layer_tile_destroy\",\n \"layer_tile_exists\",\n \"layer_tile_get_alpha\",\n \"layer_tile_get_blend\",\n \"layer_tile_get_region\",\n \"layer_tile_get_sprite\",\n \"layer_tile_get_visible\",\n \"layer_tile_get_x\",\n \"layer_tile_get_xscale\",\n \"layer_tile_get_y\",\n \"layer_tile_get_yscale\",\n \"layer_tile_region\",\n \"layer_tile_visible\",\n \"layer_tile_x\",\n \"layer_tile_xscale\",\n \"layer_tile_y\",\n \"layer_tile_yscale\",\n \"layer_tilemap_create\",\n \"layer_tilemap_destroy\",\n \"layer_tilemap_exists\",\n \"layer_tilemap_get_id\",\n \"layer_vspeed\",\n \"layer_x\",\n \"layer_y\",\n \"lengthdir_x\",\n \"lengthdir_y\",\n \"lerp\",\n \"ln\",\n \"load_csv\",\n \"log10\",\n \"log2\",\n \"logn\",\n \"make_color_hsv\",\n \"make_color_rgb\",\n \"make_colour_hsv\",\n \"make_colour_rgb\",\n \"math_get_epsilon\",\n \"math_set_epsilon\",\n \"matrix_build\",\n \"matrix_build_identity\",\n \"matrix_build_lookat\",\n \"matrix_build_projection_ortho\",\n \"matrix_build_projection_perspective\",\n \"matrix_build_projection_perspective_fov\",\n \"matrix_get\",\n \"matrix_multiply\",\n \"matrix_set\",\n \"matrix_stack_clear\",\n \"matrix_stack_is_empty\",\n \"matrix_stack_multiply\",\n \"matrix_stack_pop\",\n \"matrix_stack_push\",\n \"matrix_stack_set\",\n \"matrix_stack_top\",\n \"matrix_transform_vertex\",\n \"max\",\n \"md5_file\",\n \"md5_string_unicode\",\n \"md5_string_utf8\",\n \"mean\",\n \"median\",\n \"merge_color\",\n \"merge_colour\",\n \"min\",\n \"motion_add\",\n \"motion_set\",\n \"mouse_check_button\",\n \"mouse_check_button_pressed\",\n \"mouse_check_button_released\",\n \"mouse_clear\",\n \"mouse_wheel_down\",\n \"mouse_wheel_up\",\n \"move_bounce_all\",\n \"move_bounce_solid\",\n \"move_contact_all\",\n \"move_contact_solid\",\n \"move_outside_all\",\n \"move_outside_solid\",\n \"move_random\",\n \"move_snap\",\n \"move_towards_point\",\n \"move_wrap\",\n \"mp_grid_add_cell\",\n \"mp_grid_add_instances\",\n \"mp_grid_add_rectangle\",\n \"mp_grid_clear_all\",\n \"mp_grid_clear_cell\",\n \"mp_grid_clear_rectangle\",\n \"mp_grid_create\",\n \"mp_grid_destroy\",\n \"mp_grid_draw\",\n \"mp_grid_get_cell\",\n \"mp_grid_path\",\n \"mp_grid_to_ds_grid\",\n \"mp_linear_path\",\n \"mp_linear_path_object\",\n \"mp_linear_step\",\n \"mp_linear_step_object\",\n \"mp_potential_path\",\n \"mp_potential_path_object\",\n \"mp_potential_settings\",\n \"mp_potential_step\",\n \"mp_potential_step_object\",\n \"network_connect\",\n \"network_connect_raw\",\n \"network_create_server\",\n \"network_create_server_raw\",\n \"network_create_socket\",\n \"network_create_socket_ext\",\n \"network_destroy\",\n \"network_resolve\",\n \"network_send_broadcast\",\n \"network_send_packet\",\n \"network_send_raw\",\n \"network_send_udp\",\n \"network_send_udp_raw\",\n \"network_set_config\",\n \"network_set_timeout\",\n \"object_exists\",\n \"object_get_depth\",\n \"object_get_mask\",\n \"object_get_name\",\n \"object_get_parent\",\n \"object_get_persistent\",\n \"object_get_physics\",\n \"object_get_solid\",\n \"object_get_sprite\",\n \"object_get_visible\",\n \"object_is_ancestor\",\n \"object_set_mask\",\n \"object_set_persistent\",\n \"object_set_solid\",\n \"object_set_sprite\",\n \"object_set_visible\",\n \"ord\",\n \"os_get_config\",\n \"os_get_info\",\n \"os_get_language\",\n \"os_get_region\",\n \"os_is_network_connected\",\n \"os_is_paused\",\n \"os_lock_orientation\",\n \"os_powersave_enable\",\n \"parameter_count\",\n \"parameter_string\",\n \"part_emitter_burst\",\n \"part_emitter_clear\",\n \"part_emitter_create\",\n \"part_emitter_destroy\",\n \"part_emitter_destroy_all\",\n \"part_emitter_exists\",\n \"part_emitter_region\",\n \"part_emitter_stream\",\n \"part_particles_clear\",\n \"part_particles_count\",\n \"part_particles_create\",\n \"part_particles_create_color\",\n \"part_particles_create_colour\",\n \"part_system_automatic_draw\",\n \"part_system_automatic_update\",\n \"part_system_clear\",\n \"part_system_create\",\n \"part_system_create_layer\",\n \"part_system_depth\",\n \"part_system_destroy\",\n \"part_system_draw_order\",\n \"part_system_drawit\",\n \"part_system_exists\",\n \"part_system_get_layer\",\n \"part_system_layer\",\n \"part_system_position\",\n \"part_system_update\",\n \"part_type_alpha1\",\n \"part_type_alpha2\",\n \"part_type_alpha3\",\n \"part_type_blend\",\n \"part_type_clear\",\n \"part_type_color1\",\n \"part_type_color2\",\n \"part_type_color3\",\n \"part_type_color_hsv\",\n \"part_type_color_mix\",\n \"part_type_color_rgb\",\n \"part_type_colour1\",\n \"part_type_colour2\",\n \"part_type_colour3\",\n \"part_type_colour_hsv\",\n \"part_type_colour_mix\",\n \"part_type_colour_rgb\",\n \"part_type_create\",\n \"part_type_death\",\n \"part_type_destroy\",\n \"part_type_direction\",\n \"part_type_exists\",\n \"part_type_gravity\",\n \"part_type_life\",\n \"part_type_orientation\",\n \"part_type_scale\",\n \"part_type_shape\",\n \"part_type_size\",\n \"part_type_speed\",\n \"part_type_sprite\",\n \"part_type_step\",\n \"path_add\",\n \"path_add_point\",\n \"path_append\",\n \"path_assign\",\n \"path_change_point\",\n \"path_clear_points\",\n \"path_delete\",\n \"path_delete_point\",\n \"path_duplicate\",\n \"path_end\",\n \"path_exists\",\n \"path_flip\",\n \"path_get_closed\",\n \"path_get_kind\",\n \"path_get_length\",\n \"path_get_name\",\n \"path_get_number\",\n \"path_get_point_speed\",\n \"path_get_point_x\",\n \"path_get_point_y\",\n \"path_get_precision\",\n \"path_get_speed\",\n \"path_get_time\",\n \"path_get_x\",\n \"path_get_y\",\n \"path_insert_point\",\n \"path_mirror\",\n \"path_rescale\",\n \"path_reverse\",\n \"path_rotate\",\n \"path_set_closed\",\n \"path_set_kind\",\n \"path_set_precision\",\n \"path_shift\",\n \"path_start\",\n \"physics_apply_angular_impulse\",\n \"physics_apply_force\",\n \"physics_apply_impulse\",\n \"physics_apply_local_force\",\n \"physics_apply_local_impulse\",\n \"physics_apply_torque\",\n \"physics_draw_debug\",\n \"physics_fixture_add_point\",\n \"physics_fixture_bind\",\n \"physics_fixture_bind_ext\",\n \"physics_fixture_create\",\n \"physics_fixture_delete\",\n \"physics_fixture_set_angular_damping\",\n \"physics_fixture_set_awake\",\n \"physics_fixture_set_box_shape\",\n \"physics_fixture_set_chain_shape\",\n \"physics_fixture_set_circle_shape\",\n \"physics_fixture_set_collision_group\",\n \"physics_fixture_set_density\",\n \"physics_fixture_set_edge_shape\",\n \"physics_fixture_set_friction\",\n \"physics_fixture_set_kinematic\",\n \"physics_fixture_set_linear_damping\",\n \"physics_fixture_set_polygon_shape\",\n \"physics_fixture_set_restitution\",\n \"physics_fixture_set_sensor\",\n \"physics_get_density\",\n \"physics_get_friction\",\n \"physics_get_restitution\",\n \"physics_joint_delete\",\n \"physics_joint_distance_create\",\n \"physics_joint_enable_motor\",\n \"physics_joint_friction_create\",\n \"physics_joint_gear_create\",\n \"physics_joint_get_value\",\n \"physics_joint_prismatic_create\",\n \"physics_joint_pulley_create\",\n \"physics_joint_revolute_create\",\n \"physics_joint_rope_create\",\n \"physics_joint_set_value\",\n \"physics_joint_weld_create\",\n \"physics_joint_wheel_create\",\n \"physics_mass_properties\",\n \"physics_particle_count\",\n \"physics_particle_create\",\n \"physics_particle_delete\",\n \"physics_particle_delete_region_box\",\n \"physics_particle_delete_region_circle\",\n \"physics_particle_delete_region_poly\",\n \"physics_particle_draw\",\n \"physics_particle_draw_ext\",\n \"physics_particle_get_damping\",\n \"physics_particle_get_data\",\n \"physics_particle_get_data_particle\",\n \"physics_particle_get_density\",\n \"physics_particle_get_gravity_scale\",\n \"physics_particle_get_group_flags\",\n \"physics_particle_get_max_count\",\n \"physics_particle_get_radius\",\n \"physics_particle_group_add_point\",\n \"physics_particle_group_begin\",\n \"physics_particle_group_box\",\n \"physics_particle_group_circle\",\n \"physics_particle_group_count\",\n \"physics_particle_group_delete\",\n \"physics_particle_group_end\",\n \"physics_particle_group_get_ang_vel\",\n \"physics_particle_group_get_angle\",\n \"physics_particle_group_get_centre_x\",\n \"physics_particle_group_get_centre_y\",\n \"physics_particle_group_get_data\",\n \"physics_particle_group_get_inertia\",\n \"physics_particle_group_get_mass\",\n \"physics_particle_group_get_vel_x\",\n \"physics_particle_group_get_vel_y\",\n \"physics_particle_group_get_x\",\n \"physics_particle_group_get_y\",\n \"physics_particle_group_join\",\n \"physics_particle_group_polygon\",\n \"physics_particle_set_category_flags\",\n \"physics_particle_set_damping\",\n \"physics_particle_set_density\",\n \"physics_particle_set_flags\",\n \"physics_particle_set_gravity_scale\",\n \"physics_particle_set_group_flags\",\n \"physics_particle_set_max_count\",\n \"physics_particle_set_radius\",\n \"physics_pause_enable\",\n \"physics_remove_fixture\",\n \"physics_set_density\",\n \"physics_set_friction\",\n \"physics_set_restitution\",\n \"physics_test_overlap\",\n \"physics_world_create\",\n \"physics_world_draw_debug\",\n \"physics_world_gravity\",\n \"physics_world_update_iterations\",\n \"physics_world_update_speed\",\n \"place_empty\",\n \"place_free\",\n \"place_meeting\",\n \"place_snapped\",\n \"point_direction\",\n \"point_distance\",\n \"point_distance_3d\",\n \"point_in_circle\",\n \"point_in_rectangle\",\n \"point_in_triangle\",\n \"position_change\",\n \"position_destroy\",\n \"position_empty\",\n \"position_meeting\",\n \"power\",\n \"ptr\",\n \"push_cancel_local_notification\",\n \"push_get_first_local_notification\",\n \"push_get_next_local_notification\",\n \"push_local_notification\",\n \"radtodeg\",\n \"random\",\n \"random_get_seed\",\n \"random_range\",\n \"random_set_seed\",\n \"randomise\",\n \"randomize\",\n \"real\",\n \"rectangle_in_circle\",\n \"rectangle_in_rectangle\",\n \"rectangle_in_triangle\",\n \"room_add\",\n \"room_assign\",\n \"room_duplicate\",\n \"room_exists\",\n \"room_get_camera\",\n \"room_get_name\",\n \"room_get_viewport\",\n \"room_goto\",\n \"room_goto_next\",\n \"room_goto_previous\",\n \"room_instance_add\",\n \"room_instance_clear\",\n \"room_next\",\n \"room_previous\",\n \"room_restart\",\n \"room_set_background_color\",\n \"room_set_background_colour\",\n \"room_set_camera\",\n \"room_set_height\",\n \"room_set_persistent\",\n \"room_set_view\",\n \"room_set_view_enabled\",\n \"room_set_viewport\",\n \"room_set_width\",\n \"round\",\n \"screen_save\",\n \"screen_save_part\",\n \"script_execute\",\n \"script_exists\",\n \"script_get_name\",\n \"sha1_file\",\n \"sha1_string_unicode\",\n \"sha1_string_utf8\",\n \"shader_current\",\n \"shader_enable_corner_id\",\n \"shader_get_name\",\n \"shader_get_sampler_index\",\n \"shader_get_uniform\",\n \"shader_is_compiled\",\n \"shader_reset\",\n \"shader_set\",\n \"shader_set_uniform_f\",\n \"shader_set_uniform_f_array\",\n \"shader_set_uniform_i\",\n \"shader_set_uniform_i_array\",\n \"shader_set_uniform_matrix\",\n \"shader_set_uniform_matrix_array\",\n \"shaders_are_supported\",\n \"shop_leave_rating\",\n \"show_debug_message\",\n \"show_debug_overlay\",\n \"show_error\",\n \"show_message\",\n \"show_message_async\",\n \"show_question\",\n \"show_question_async\",\n \"sign\",\n \"sin\",\n \"skeleton_animation_clear\",\n \"skeleton_animation_get\",\n \"skeleton_animation_get_duration\",\n \"skeleton_animation_get_ext\",\n \"skeleton_animation_get_frame\",\n \"skeleton_animation_get_frames\",\n \"skeleton_animation_list\",\n \"skeleton_animation_mix\",\n \"skeleton_animation_set\",\n \"skeleton_animation_set_ext\",\n \"skeleton_animation_set_frame\",\n \"skeleton_attachment_create\",\n \"skeleton_attachment_get\",\n \"skeleton_attachment_set\",\n \"skeleton_bone_data_get\",\n \"skeleton_bone_data_set\",\n \"skeleton_bone_state_get\",\n \"skeleton_bone_state_set\",\n \"skeleton_collision_draw_set\",\n \"skeleton_get_bounds\",\n \"skeleton_get_minmax\",\n \"skeleton_get_num_bounds\",\n \"skeleton_skin_get\",\n \"skeleton_skin_list\",\n \"skeleton_skin_set\",\n \"skeleton_slot_data\",\n \"sprite_add\",\n \"sprite_add_from_surface\",\n \"sprite_assign\",\n \"sprite_collision_mask\",\n \"sprite_create_from_surface\",\n \"sprite_delete\",\n \"sprite_duplicate\",\n \"sprite_exists\",\n \"sprite_flush\",\n \"sprite_flush_multi\",\n \"sprite_get_bbox_bottom\",\n \"sprite_get_bbox_left\",\n \"sprite_get_bbox_right\",\n \"sprite_get_bbox_top\",\n \"sprite_get_height\",\n \"sprite_get_name\",\n \"sprite_get_number\",\n \"sprite_get_speed\",\n \"sprite_get_speed_type\",\n \"sprite_get_texture\",\n \"sprite_get_tpe\",\n \"sprite_get_uvs\",\n \"sprite_get_width\",\n \"sprite_get_xoffset\",\n \"sprite_get_yoffset\",\n \"sprite_merge\",\n \"sprite_prefetch\",\n \"sprite_prefetch_multi\",\n \"sprite_replace\",\n \"sprite_save\",\n \"sprite_save_strip\",\n \"sprite_set_alpha_from_sprite\",\n \"sprite_set_cache_size\",\n \"sprite_set_cache_size_ext\",\n \"sprite_set_offset\",\n \"sprite_set_speed\",\n \"sqr\",\n \"sqrt\",\n \"steam_activate_overlay\",\n \"steam_activate_overlay_browser\",\n \"steam_activate_overlay_store\",\n \"steam_activate_overlay_user\",\n \"steam_available_languages\",\n \"steam_clear_achievement\",\n \"steam_create_leaderboard\",\n \"steam_current_game_language\",\n \"steam_download_friends_scores\",\n \"steam_download_scores\",\n \"steam_download_scores_around_user\",\n \"steam_file_delete\",\n \"steam_file_exists\",\n \"steam_file_persisted\",\n \"steam_file_read\",\n \"steam_file_share\",\n \"steam_file_size\",\n \"steam_file_write\",\n \"steam_file_write_file\",\n \"steam_get_achievement\",\n \"steam_get_app_id\",\n \"steam_get_persona_name\",\n \"steam_get_quota_free\",\n \"steam_get_quota_total\",\n \"steam_get_stat_avg_rate\",\n \"steam_get_stat_float\",\n \"steam_get_stat_int\",\n \"steam_get_user_account_id\",\n \"steam_get_user_persona_name\",\n \"steam_get_user_steam_id\",\n \"steam_initialised\",\n \"steam_is_cloud_enabled_for_account\",\n \"steam_is_cloud_enabled_for_app\",\n \"steam_is_overlay_activated\",\n \"steam_is_overlay_enabled\",\n \"steam_is_screenshot_requested\",\n \"steam_is_user_logged_on\",\n \"steam_reset_all_stats\",\n \"steam_reset_all_stats_achievements\",\n \"steam_send_screenshot\",\n \"steam_set_achievement\",\n \"steam_set_stat_avg_rate\",\n \"steam_set_stat_float\",\n \"steam_set_stat_int\",\n \"steam_stats_ready\",\n \"steam_ugc_create_item\",\n \"steam_ugc_create_query_all\",\n \"steam_ugc_create_query_all_ex\",\n \"steam_ugc_create_query_user\",\n \"steam_ugc_create_query_user_ex\",\n \"steam_ugc_download\",\n \"steam_ugc_get_item_install_info\",\n \"steam_ugc_get_item_update_info\",\n \"steam_ugc_get_item_update_progress\",\n \"steam_ugc_get_subscribed_items\",\n \"steam_ugc_num_subscribed_items\",\n \"steam_ugc_query_add_excluded_tag\",\n \"steam_ugc_query_add_required_tag\",\n \"steam_ugc_query_set_allow_cached_response\",\n \"steam_ugc_query_set_cloud_filename_filter\",\n \"steam_ugc_query_set_match_any_tag\",\n \"steam_ugc_query_set_ranked_by_trend_days\",\n \"steam_ugc_query_set_return_long_description\",\n \"steam_ugc_query_set_return_total_only\",\n \"steam_ugc_query_set_search_text\",\n \"steam_ugc_request_item_details\",\n \"steam_ugc_send_query\",\n \"steam_ugc_set_item_content\",\n \"steam_ugc_set_item_description\",\n \"steam_ugc_set_item_preview\",\n \"steam_ugc_set_item_tags\",\n \"steam_ugc_set_item_title\",\n \"steam_ugc_set_item_visibility\",\n \"steam_ugc_start_item_update\",\n \"steam_ugc_submit_item_update\",\n \"steam_ugc_subscribe_item\",\n \"steam_ugc_unsubscribe_item\",\n \"steam_upload_score\",\n \"steam_upload_score_buffer\",\n \"steam_upload_score_buffer_ext\",\n \"steam_upload_score_ext\",\n \"steam_user_installed_dlc\",\n \"steam_user_owns_dlc\",\n \"string\",\n \"string_byte_at\",\n \"string_byte_length\",\n \"string_char_at\",\n \"string_copy\",\n \"string_count\",\n \"string_delete\",\n \"string_digits\",\n \"string_format\",\n \"string_hash_to_newline\",\n \"string_height\",\n \"string_height_ext\",\n \"string_insert\",\n \"string_length\",\n \"string_letters\",\n \"string_lettersdigits\",\n \"string_lower\",\n \"string_ord_at\",\n \"string_pos\",\n \"string_repeat\",\n \"string_replace\",\n \"string_replace_all\",\n \"string_set_byte_at\",\n \"string_upper\",\n \"string_width\",\n \"string_width_ext\",\n \"surface_copy\",\n \"surface_copy_part\",\n \"surface_create\",\n \"surface_create_ext\",\n \"surface_depth_disable\",\n \"surface_exists\",\n \"surface_free\",\n \"surface_get_depth_disable\",\n \"surface_get_height\",\n \"surface_get_texture\",\n \"surface_get_width\",\n \"surface_getpixel\",\n \"surface_getpixel_ext\",\n \"surface_reset_target\",\n \"surface_resize\",\n \"surface_save\",\n \"surface_save_part\",\n \"surface_set_target\",\n \"surface_set_target_ext\",\n \"tan\",\n \"texture_get_height\",\n \"texture_get_texel_height\",\n \"texture_get_texel_width\",\n \"texture_get_uvs\",\n \"texture_get_width\",\n \"texture_global_scale\",\n \"texture_set_stage\",\n \"tile_get_empty\",\n \"tile_get_flip\",\n \"tile_get_index\",\n \"tile_get_mirror\",\n \"tile_get_rotate\",\n \"tile_set_empty\",\n \"tile_set_flip\",\n \"tile_set_index\",\n \"tile_set_mirror\",\n \"tile_set_rotate\",\n \"tilemap_clear\",\n \"tilemap_get\",\n \"tilemap_get_at_pixel\",\n \"tilemap_get_cell_x_at_pixel\",\n \"tilemap_get_cell_y_at_pixel\",\n \"tilemap_get_frame\",\n \"tilemap_get_global_mask\",\n \"tilemap_get_height\",\n \"tilemap_get_mask\",\n \"tilemap_get_tile_height\",\n \"tilemap_get_tile_width\",\n \"tilemap_get_tileset\",\n \"tilemap_get_width\",\n \"tilemap_get_x\",\n \"tilemap_get_y\",\n \"tilemap_set\",\n \"tilemap_set_at_pixel\",\n \"tilemap_set_global_mask\",\n \"tilemap_set_mask\",\n \"tilemap_tileset\",\n \"tilemap_x\",\n \"tilemap_y\",\n \"timeline_add\",\n \"timeline_clear\",\n \"timeline_delete\",\n \"timeline_exists\",\n \"timeline_get_name\",\n \"timeline_max_moment\",\n \"timeline_moment_add_script\",\n \"timeline_moment_clear\",\n \"timeline_size\",\n \"typeof\",\n \"url_get_domain\",\n \"url_open\",\n \"url_open_ext\",\n \"url_open_full\",\n \"variable_global_exists\",\n \"variable_global_get\",\n \"variable_global_set\",\n \"variable_instance_exists\",\n \"variable_instance_get\",\n \"variable_instance_get_names\",\n \"variable_instance_set\",\n \"variable_struct_exists\",\n \"variable_struct_get\",\n \"variable_struct_get_names\",\n \"variable_struct_names_count\",\n \"variable_struct_remove\",\n \"variable_struct_set\",\n \"vertex_argb\",\n \"vertex_begin\",\n \"vertex_color\",\n \"vertex_colour\",\n \"vertex_create_buffer\",\n \"vertex_create_buffer_ext\",\n \"vertex_create_buffer_from_buffer\",\n \"vertex_create_buffer_from_buffer_ext\",\n \"vertex_delete_buffer\",\n \"vertex_end\",\n \"vertex_float1\",\n \"vertex_float2\",\n \"vertex_float3\",\n \"vertex_float4\",\n \"vertex_format_add_color\",\n \"vertex_format_add_colour\",\n \"vertex_format_add_custom\",\n \"vertex_format_add_normal\",\n \"vertex_format_add_position\",\n \"vertex_format_add_position_3d\",\n \"vertex_format_add_texcoord\",\n \"vertex_format_add_textcoord\",\n \"vertex_format_begin\",\n \"vertex_format_delete\",\n \"vertex_format_end\",\n \"vertex_freeze\",\n \"vertex_get_buffer_size\",\n \"vertex_get_number\",\n \"vertex_normal\",\n \"vertex_position\",\n \"vertex_position_3d\",\n \"vertex_submit\",\n \"vertex_texcoord\",\n \"vertex_ubyte4\",\n \"view_get_camera\",\n \"view_get_hport\",\n \"view_get_surface_id\",\n \"view_get_visible\",\n \"view_get_wport\",\n \"view_get_xport\",\n \"view_get_yport\",\n \"view_set_camera\",\n \"view_set_hport\",\n \"view_set_surface_id\",\n \"view_set_visible\",\n \"view_set_wport\",\n \"view_set_xport\",\n \"view_set_yport\",\n \"virtual_key_add\",\n \"virtual_key_delete\",\n \"virtual_key_hide\",\n \"virtual_key_show\",\n \"win8_appbar_add_element\",\n \"win8_appbar_enable\",\n \"win8_appbar_remove_element\",\n \"win8_device_touchscreen_available\",\n \"win8_license_initialize_sandbox\",\n \"win8_license_trial_version\",\n \"win8_livetile_badge_clear\",\n \"win8_livetile_badge_notification\",\n \"win8_livetile_notification_begin\",\n \"win8_livetile_notification_end\",\n \"win8_livetile_notification_expiry\",\n \"win8_livetile_notification_image_add\",\n \"win8_livetile_notification_secondary_begin\",\n \"win8_livetile_notification_tag\",\n \"win8_livetile_notification_text_add\",\n \"win8_livetile_queue_enable\",\n \"win8_livetile_tile_clear\",\n \"win8_livetile_tile_notification\",\n \"win8_search_add_suggestions\",\n \"win8_search_disable\",\n \"win8_search_enable\",\n \"win8_secondarytile_badge_notification\",\n \"win8_secondarytile_delete\",\n \"win8_secondarytile_pin\",\n \"win8_settingscharm_add_entry\",\n \"win8_settingscharm_add_html_entry\",\n \"win8_settingscharm_add_xaml_entry\",\n \"win8_settingscharm_get_xaml_property\",\n \"win8_settingscharm_remove_entry\",\n \"win8_settingscharm_set_xaml_property\",\n \"win8_share_file\",\n \"win8_share_image\",\n \"win8_share_screenshot\",\n \"win8_share_text\",\n \"win8_share_url\",\n \"window_center\",\n \"window_device\",\n \"window_get_caption\",\n \"window_get_color\",\n \"window_get_colour\",\n \"window_get_cursor\",\n \"window_get_fullscreen\",\n \"window_get_height\",\n \"window_get_visible_rects\",\n \"window_get_width\",\n \"window_get_x\",\n \"window_get_y\",\n \"window_handle\",\n \"window_has_focus\",\n \"window_mouse_get_x\",\n \"window_mouse_get_y\",\n \"window_mouse_set\",\n \"window_set_caption\",\n \"window_set_color\",\n \"window_set_colour\",\n \"window_set_cursor\",\n \"window_set_fullscreen\",\n \"window_set_max_height\",\n \"window_set_max_width\",\n \"window_set_min_height\",\n \"window_set_min_width\",\n \"window_set_position\",\n \"window_set_rectangle\",\n \"window_set_size\",\n \"window_view_mouse_get_x\",\n \"window_view_mouse_get_y\",\n \"window_views_mouse_get_x\",\n \"window_views_mouse_get_y\",\n \"winphone_license_trial_version\",\n \"winphone_tile_back_content\",\n \"winphone_tile_back_content_wide\",\n \"winphone_tile_back_image\",\n \"winphone_tile_back_image_wide\",\n \"winphone_tile_back_title\",\n \"winphone_tile_background_color\",\n \"winphone_tile_background_colour\",\n \"winphone_tile_count\",\n \"winphone_tile_cycle_images\",\n \"winphone_tile_front_image\",\n \"winphone_tile_front_image_small\",\n \"winphone_tile_front_image_wide\",\n \"winphone_tile_icon_image\",\n \"winphone_tile_small_background_image\",\n \"winphone_tile_small_icon_image\",\n \"winphone_tile_title\",\n \"winphone_tile_wide_content\",\n \"zip_unzip\"\n ];\n const LITERALS = [\n \"all\",\n \"false\",\n \"noone\",\n \"pointer_invalid\",\n \"pointer_null\",\n \"true\",\n \"undefined\"\n ];\n // many of these look like enumerables to me (see comments below)\n const SYMBOLS = [\n \"ANSI_CHARSET\",\n \"ARABIC_CHARSET\",\n \"BALTIC_CHARSET\",\n \"CHINESEBIG5_CHARSET\",\n \"DEFAULT_CHARSET\",\n \"EASTEUROPE_CHARSET\",\n \"GB2312_CHARSET\",\n \"GM_build_date\",\n \"GM_runtime_version\",\n \"GM_version\",\n \"GREEK_CHARSET\",\n \"HANGEUL_CHARSET\",\n \"HEBREW_CHARSET\",\n \"JOHAB_CHARSET\",\n \"MAC_CHARSET\",\n \"OEM_CHARSET\",\n \"RUSSIAN_CHARSET\",\n \"SHIFTJIS_CHARSET\",\n \"SYMBOL_CHARSET\",\n \"THAI_CHARSET\",\n \"TURKISH_CHARSET\",\n \"VIETNAMESE_CHARSET\",\n \"achievement_achievement_info\",\n \"achievement_filter_all_players\",\n \"achievement_filter_favorites_only\",\n \"achievement_filter_friends_only\",\n \"achievement_friends_info\",\n \"achievement_leaderboard_info\",\n \"achievement_our_info\",\n \"achievement_pic_loaded\",\n \"achievement_show_achievement\",\n \"achievement_show_bank\",\n \"achievement_show_friend_picker\",\n \"achievement_show_leaderboard\",\n \"achievement_show_profile\",\n \"achievement_show_purchase_prompt\",\n \"achievement_show_ui\",\n \"achievement_type_achievement_challenge\",\n \"achievement_type_score_challenge\",\n \"asset_font\",\n \"asset_object\",\n \"asset_path\",\n \"asset_room\",\n \"asset_script\",\n \"asset_shader\",\n \"asset_sound\",\n \"asset_sprite\",\n \"asset_tiles\",\n \"asset_timeline\",\n \"asset_unknown\",\n \"audio_3d\",\n \"audio_falloff_exponent_distance\",\n \"audio_falloff_exponent_distance_clamped\",\n \"audio_falloff_inverse_distance\",\n \"audio_falloff_inverse_distance_clamped\",\n \"audio_falloff_linear_distance\",\n \"audio_falloff_linear_distance_clamped\",\n \"audio_falloff_none\",\n \"audio_mono\",\n \"audio_new_system\",\n \"audio_old_system\",\n \"audio_stereo\",\n \"bm_add\",\n \"bm_complex\",\n \"bm_dest_alpha\",\n \"bm_dest_color\",\n \"bm_dest_colour\",\n \"bm_inv_dest_alpha\",\n \"bm_inv_dest_color\",\n \"bm_inv_dest_colour\",\n \"bm_inv_src_alpha\",\n \"bm_inv_src_color\",\n \"bm_inv_src_colour\",\n \"bm_max\",\n \"bm_normal\",\n \"bm_one\",\n \"bm_src_alpha\",\n \"bm_src_alpha_sat\",\n \"bm_src_color\",\n \"bm_src_colour\",\n \"bm_subtract\",\n \"bm_zero\",\n \"browser_chrome\",\n \"browser_edge\",\n \"browser_firefox\",\n \"browser_ie\",\n \"browser_ie_mobile\",\n \"browser_not_a_browser\",\n \"browser_opera\",\n \"browser_safari\",\n \"browser_safari_mobile\",\n \"browser_tizen\",\n \"browser_unknown\",\n \"browser_windows_store\",\n \"buffer_bool\",\n \"buffer_f16\",\n \"buffer_f32\",\n \"buffer_f64\",\n \"buffer_fast\",\n \"buffer_fixed\",\n \"buffer_generalerror\",\n \"buffer_grow\",\n \"buffer_invalidtype\",\n \"buffer_network\",\n \"buffer_outofbounds\",\n \"buffer_outofspace\",\n \"buffer_s16\",\n \"buffer_s32\",\n \"buffer_s8\",\n \"buffer_seek_end\",\n \"buffer_seek_relative\",\n \"buffer_seek_start\",\n \"buffer_string\",\n \"buffer_surface_copy\",\n \"buffer_text\",\n \"buffer_u16\",\n \"buffer_u32\",\n \"buffer_u64\",\n \"buffer_u8\",\n \"buffer_vbuffer\",\n \"buffer_wrap\",\n \"button_type\",\n \"c_aqua\",\n \"c_black\",\n \"c_blue\",\n \"c_dkgray\",\n \"c_fuchsia\",\n \"c_gray\",\n \"c_green\",\n \"c_lime\",\n \"c_ltgray\",\n \"c_maroon\",\n \"c_navy\",\n \"c_olive\",\n \"c_orange\",\n \"c_purple\",\n \"c_red\",\n \"c_silver\",\n \"c_teal\",\n \"c_white\",\n \"c_yellow\",\n \"cmpfunc_always\",\n \"cmpfunc_equal\",\n \"cmpfunc_greater\",\n \"cmpfunc_greaterequal\",\n \"cmpfunc_less\",\n \"cmpfunc_lessequal\",\n \"cmpfunc_never\",\n \"cmpfunc_notequal\",\n \"cr_appstart\",\n \"cr_arrow\",\n \"cr_beam\",\n \"cr_cross\",\n \"cr_default\",\n \"cr_drag\",\n \"cr_handpoint\",\n \"cr_hourglass\",\n \"cr_none\",\n \"cr_size_all\",\n \"cr_size_nesw\",\n \"cr_size_ns\",\n \"cr_size_nwse\",\n \"cr_size_we\",\n \"cr_uparrow\",\n \"cull_clockwise\",\n \"cull_counterclockwise\",\n \"cull_noculling\",\n \"device_emulator\",\n \"device_ios_ipad\",\n \"device_ios_ipad_retina\",\n \"device_ios_iphone\",\n \"device_ios_iphone5\",\n \"device_ios_iphone6\",\n \"device_ios_iphone6plus\",\n \"device_ios_iphone_retina\",\n \"device_ios_unknown\",\n \"device_tablet\",\n \"display_landscape\",\n \"display_landscape_flipped\",\n \"display_portrait\",\n \"display_portrait_flipped\",\n \"dll_cdecl\",\n \"dll_stdcall\",\n \"ds_type_grid\",\n \"ds_type_list\",\n \"ds_type_map\",\n \"ds_type_priority\",\n \"ds_type_queue\",\n \"ds_type_stack\",\n \"ef_cloud\",\n \"ef_ellipse\",\n \"ef_explosion\",\n \"ef_firework\",\n \"ef_flare\",\n \"ef_rain\",\n \"ef_ring\",\n \"ef_smoke\",\n \"ef_smokeup\",\n \"ef_snow\",\n \"ef_spark\",\n \"ef_star\",\n // for example ev_ are types of events\n \"ev_alarm\",\n \"ev_animation_end\",\n \"ev_boundary\",\n \"ev_cleanup\",\n \"ev_close_button\",\n \"ev_collision\",\n \"ev_create\",\n \"ev_destroy\",\n \"ev_draw\",\n \"ev_draw_begin\",\n \"ev_draw_end\",\n \"ev_draw_post\",\n \"ev_draw_pre\",\n \"ev_end_of_path\",\n \"ev_game_end\",\n \"ev_game_start\",\n \"ev_gesture\",\n \"ev_gesture_double_tap\",\n \"ev_gesture_drag_end\",\n \"ev_gesture_drag_start\",\n \"ev_gesture_dragging\",\n \"ev_gesture_flick\",\n \"ev_gesture_pinch_end\",\n \"ev_gesture_pinch_in\",\n \"ev_gesture_pinch_out\",\n \"ev_gesture_pinch_start\",\n \"ev_gesture_rotate_end\",\n \"ev_gesture_rotate_start\",\n \"ev_gesture_rotating\",\n \"ev_gesture_tap\",\n \"ev_global_gesture_double_tap\",\n \"ev_global_gesture_drag_end\",\n \"ev_global_gesture_drag_start\",\n \"ev_global_gesture_dragging\",\n \"ev_global_gesture_flick\",\n \"ev_global_gesture_pinch_end\",\n \"ev_global_gesture_pinch_in\",\n \"ev_global_gesture_pinch_out\",\n \"ev_global_gesture_pinch_start\",\n \"ev_global_gesture_rotate_end\",\n \"ev_global_gesture_rotate_start\",\n \"ev_global_gesture_rotating\",\n \"ev_global_gesture_tap\",\n \"ev_global_left_button\",\n \"ev_global_left_press\",\n \"ev_global_left_release\",\n \"ev_global_middle_button\",\n \"ev_global_middle_press\",\n \"ev_global_middle_release\",\n \"ev_global_right_button\",\n \"ev_global_right_press\",\n \"ev_global_right_release\",\n \"ev_gui\",\n \"ev_gui_begin\",\n \"ev_gui_end\",\n \"ev_joystick1_button1\",\n \"ev_joystick1_button2\",\n \"ev_joystick1_button3\",\n \"ev_joystick1_button4\",\n \"ev_joystick1_button5\",\n \"ev_joystick1_button6\",\n \"ev_joystick1_button7\",\n \"ev_joystick1_button8\",\n \"ev_joystick1_down\",\n \"ev_joystick1_left\",\n \"ev_joystick1_right\",\n \"ev_joystick1_up\",\n \"ev_joystick2_button1\",\n \"ev_joystick2_button2\",\n \"ev_joystick2_button3\",\n \"ev_joystick2_button4\",\n \"ev_joystick2_button5\",\n \"ev_joystick2_button6\",\n \"ev_joystick2_button7\",\n \"ev_joystick2_button8\",\n \"ev_joystick2_down\",\n \"ev_joystick2_left\",\n \"ev_joystick2_right\",\n \"ev_joystick2_up\",\n \"ev_keyboard\",\n \"ev_keypress\",\n \"ev_keyrelease\",\n \"ev_left_button\",\n \"ev_left_press\",\n \"ev_left_release\",\n \"ev_middle_button\",\n \"ev_middle_press\",\n \"ev_middle_release\",\n \"ev_mouse\",\n \"ev_mouse_enter\",\n \"ev_mouse_leave\",\n \"ev_mouse_wheel_down\",\n \"ev_mouse_wheel_up\",\n \"ev_no_button\",\n \"ev_no_more_health\",\n \"ev_no_more_lives\",\n \"ev_other\",\n \"ev_outside\",\n \"ev_right_button\",\n \"ev_right_press\",\n \"ev_right_release\",\n \"ev_room_end\",\n \"ev_room_start\",\n \"ev_step\",\n \"ev_step_begin\",\n \"ev_step_end\",\n \"ev_step_normal\",\n \"ev_trigger\",\n \"ev_user0\",\n \"ev_user1\",\n \"ev_user2\",\n \"ev_user3\",\n \"ev_user4\",\n \"ev_user5\",\n \"ev_user6\",\n \"ev_user7\",\n \"ev_user8\",\n \"ev_user9\",\n \"ev_user10\",\n \"ev_user11\",\n \"ev_user12\",\n \"ev_user13\",\n \"ev_user14\",\n \"ev_user15\",\n \"fa_archive\",\n \"fa_bottom\",\n \"fa_center\",\n \"fa_directory\",\n \"fa_hidden\",\n \"fa_left\",\n \"fa_middle\",\n \"fa_readonly\",\n \"fa_right\",\n \"fa_sysfile\",\n \"fa_top\",\n \"fa_volumeid\",\n \"fb_login_default\",\n \"fb_login_fallback_to_webview\",\n \"fb_login_forcing_safari\",\n \"fb_login_forcing_webview\",\n \"fb_login_no_fallback_to_webview\",\n \"fb_login_use_system_account\",\n \"gamespeed_fps\",\n \"gamespeed_microseconds\",\n \"ge_lose\",\n \"global\",\n \"gp_axislh\",\n \"gp_axislv\",\n \"gp_axisrh\",\n \"gp_axisrv\",\n \"gp_face1\",\n \"gp_face2\",\n \"gp_face3\",\n \"gp_face4\",\n \"gp_padd\",\n \"gp_padl\",\n \"gp_padr\",\n \"gp_padu\",\n \"gp_select\",\n \"gp_shoulderl\",\n \"gp_shoulderlb\",\n \"gp_shoulderr\",\n \"gp_shoulderrb\",\n \"gp_start\",\n \"gp_stickl\",\n \"gp_stickr\",\n \"iap_available\",\n \"iap_canceled\",\n \"iap_ev_consume\",\n \"iap_ev_product\",\n \"iap_ev_purchase\",\n \"iap_ev_restore\",\n \"iap_ev_storeload\",\n \"iap_failed\",\n \"iap_purchased\",\n \"iap_refunded\",\n \"iap_status_available\",\n \"iap_status_loading\",\n \"iap_status_processing\",\n \"iap_status_restoring\",\n \"iap_status_unavailable\",\n \"iap_status_uninitialised\",\n \"iap_storeload_failed\",\n \"iap_storeload_ok\",\n \"iap_unavailable\",\n \"input_type\",\n \"kbv_autocapitalize_characters\",\n \"kbv_autocapitalize_none\",\n \"kbv_autocapitalize_sentences\",\n \"kbv_autocapitalize_words\",\n \"kbv_returnkey_continue\",\n \"kbv_returnkey_default\",\n \"kbv_returnkey_done\",\n \"kbv_returnkey_emergency\",\n \"kbv_returnkey_go\",\n \"kbv_returnkey_google\",\n \"kbv_returnkey_join\",\n \"kbv_returnkey_next\",\n \"kbv_returnkey_route\",\n \"kbv_returnkey_search\",\n \"kbv_returnkey_send\",\n \"kbv_returnkey_yahoo\",\n \"kbv_type_ascii\",\n \"kbv_type_default\",\n \"kbv_type_email\",\n \"kbv_type_numbers\",\n \"kbv_type_phone\",\n \"kbv_type_phone_name\",\n \"kbv_type_url\",\n \"layerelementtype_background\",\n \"layerelementtype_instance\",\n \"layerelementtype_oldtilemap\",\n \"layerelementtype_particlesystem\",\n \"layerelementtype_sprite\",\n \"layerelementtype_tile\",\n \"layerelementtype_tilemap\",\n \"layerelementtype_undefined\",\n \"lb_disp_none\",\n \"lb_disp_numeric\",\n \"lb_disp_time_ms\",\n \"lb_disp_time_sec\",\n \"lb_sort_ascending\",\n \"lb_sort_descending\",\n \"lb_sort_none\",\n \"leaderboard_type_number\",\n \"leaderboard_type_time_mins_secs\",\n \"lighttype_dir\",\n \"lighttype_point\",\n \"local\",\n \"matrix_projection\",\n \"matrix_view\",\n \"matrix_world\",\n \"mb_any\",\n \"mb_left\",\n \"mb_middle\",\n \"mb_none\",\n \"mb_right\",\n \"mip_markedonly\",\n \"mip_off\",\n \"mip_on\",\n \"network_config_connect_timeout\",\n \"network_config_disable_reliable_udp\",\n \"network_config_enable_reliable_udp\",\n \"network_config_use_non_blocking_socket\",\n \"network_socket_bluetooth\",\n \"network_socket_tcp\",\n \"network_socket_udp\",\n \"network_type_connect\",\n \"network_type_data\",\n \"network_type_disconnect\",\n \"network_type_non_blocking_connect\",\n \"of_challen\",\n \"of_challenge_tie\",\n \"of_challenge_win\",\n \"os_3ds\",\n \"os_android\",\n \"os_bb10\",\n \"os_ios\",\n \"os_linux\",\n \"os_macosx\",\n \"os_ps3\",\n \"os_ps4\",\n \"os_psvita\",\n \"os_switch\",\n \"os_symbian\",\n \"os_tizen\",\n \"os_tvos\",\n \"os_unknown\",\n \"os_uwp\",\n \"os_wiiu\",\n \"os_win32\",\n \"os_win8native\",\n \"os_windows\",\n \"os_winphone\",\n \"os_xbox360\",\n \"os_xboxone\",\n \"other\",\n \"ov_achievements\",\n \"ov_community\",\n \"ov_friends\",\n \"ov_gamegroup\",\n \"ov_players\",\n \"ov_settings\",\n \"path_action_continue\",\n \"path_action_restart\",\n \"path_action_reverse\",\n \"path_action_stop\",\n \"phy_debug_render_aabb\",\n \"phy_debug_render_collision_pairs\",\n \"phy_debug_render_coms\",\n \"phy_debug_render_core_shapes\",\n \"phy_debug_render_joints\",\n \"phy_debug_render_obb\",\n \"phy_debug_render_shapes\",\n \"phy_joint_anchor_1_x\",\n \"phy_joint_anchor_1_y\",\n \"phy_joint_anchor_2_x\",\n \"phy_joint_anchor_2_y\",\n \"phy_joint_angle\",\n \"phy_joint_angle_limits\",\n \"phy_joint_damping_ratio\",\n \"phy_joint_frequency\",\n \"phy_joint_length_1\",\n \"phy_joint_length_2\",\n \"phy_joint_lower_angle_limit\",\n \"phy_joint_max_force\",\n \"phy_joint_max_length\",\n \"phy_joint_max_motor_force\",\n \"phy_joint_max_motor_torque\",\n \"phy_joint_max_torque\",\n \"phy_joint_motor_force\",\n \"phy_joint_motor_speed\",\n \"phy_joint_motor_torque\",\n \"phy_joint_reaction_force_x\",\n \"phy_joint_reaction_force_y\",\n \"phy_joint_reaction_torque\",\n \"phy_joint_speed\",\n \"phy_joint_translation\",\n \"phy_joint_upper_angle_limit\",\n \"phy_particle_data_flag_category\",\n \"phy_particle_data_flag_color\",\n \"phy_particle_data_flag_colour\",\n \"phy_particle_data_flag_position\",\n \"phy_particle_data_flag_typeflags\",\n \"phy_particle_data_flag_velocity\",\n \"phy_particle_flag_colormixing\",\n \"phy_particle_flag_colourmixing\",\n \"phy_particle_flag_elastic\",\n \"phy_particle_flag_powder\",\n \"phy_particle_flag_spring\",\n \"phy_particle_flag_tensile\",\n \"phy_particle_flag_viscous\",\n \"phy_particle_flag_wall\",\n \"phy_particle_flag_water\",\n \"phy_particle_flag_zombie\",\n \"phy_particle_group_flag_rigid\",\n \"phy_particle_group_flag_solid\",\n \"pi\",\n \"pr_linelist\",\n \"pr_linestrip\",\n \"pr_pointlist\",\n \"pr_trianglefan\",\n \"pr_trianglelist\",\n \"pr_trianglestrip\",\n \"ps_distr_gaussian\",\n \"ps_distr_invgaussian\",\n \"ps_distr_linear\",\n \"ps_shape_diamond\",\n \"ps_shape_ellipse\",\n \"ps_shape_line\",\n \"ps_shape_rectangle\",\n \"pt_shape_circle\",\n \"pt_shape_cloud\",\n \"pt_shape_disk\",\n \"pt_shape_explosion\",\n \"pt_shape_flare\",\n \"pt_shape_line\",\n \"pt_shape_pixel\",\n \"pt_shape_ring\",\n \"pt_shape_smoke\",\n \"pt_shape_snow\",\n \"pt_shape_spark\",\n \"pt_shape_sphere\",\n \"pt_shape_square\",\n \"pt_shape_star\",\n \"spritespeed_framespergameframe\",\n \"spritespeed_framespersecond\",\n \"text_type\",\n \"tf_anisotropic\",\n \"tf_linear\",\n \"tf_point\",\n \"tile_flip\",\n \"tile_index_mask\",\n \"tile_mirror\",\n \"tile_rotate\",\n \"timezone_local\",\n \"timezone_utc\",\n \"tm_countvsyncs\",\n \"tm_sleep\",\n \"ty_real\",\n \"ty_string\",\n \"ugc_filetype_community\",\n \"ugc_filetype_microtrans\",\n \"ugc_list_Favorited\",\n \"ugc_list_Followed\",\n \"ugc_list_Published\",\n \"ugc_list_Subscribed\",\n \"ugc_list_UsedOrPlayed\",\n \"ugc_list_VotedDown\",\n \"ugc_list_VotedOn\",\n \"ugc_list_VotedUp\",\n \"ugc_list_WillVoteLater\",\n \"ugc_match_AllGuides\",\n \"ugc_match_Artwork\",\n \"ugc_match_Collections\",\n \"ugc_match_ControllerBindings\",\n \"ugc_match_IntegratedGuides\",\n \"ugc_match_Items\",\n \"ugc_match_Items_Mtx\",\n \"ugc_match_Items_ReadyToUse\",\n \"ugc_match_Screenshots\",\n \"ugc_match_UsableInGame\",\n \"ugc_match_Videos\",\n \"ugc_match_WebGuides\",\n \"ugc_query_AcceptedForGameRankedByAcceptanceDate\",\n \"ugc_query_CreatedByFollowedUsersRankedByPublicationDate\",\n \"ugc_query_CreatedByFriendsRankedByPublicationDate\",\n \"ugc_query_FavoritedByFriendsRankedByPublicationDate\",\n \"ugc_query_NotYetRated\",\n \"ugc_query_RankedByNumTimesReported\",\n \"ugc_query_RankedByPublicationDate\",\n \"ugc_query_RankedByTextSearch\",\n \"ugc_query_RankedByTotalVotesAsc\",\n \"ugc_query_RankedByTrend\",\n \"ugc_query_RankedByVote\",\n \"ugc_query_RankedByVotesUp\",\n \"ugc_result_success\",\n \"ugc_sortorder_CreationOrderAsc\",\n \"ugc_sortorder_CreationOrderDesc\",\n \"ugc_sortorder_ForModeration\",\n \"ugc_sortorder_LastUpdatedDesc\",\n \"ugc_sortorder_SubscriptionDateDesc\",\n \"ugc_sortorder_TitleAsc\",\n \"ugc_sortorder_VoteScoreDesc\",\n \"ugc_visibility_friends_only\",\n \"ugc_visibility_private\",\n \"ugc_visibility_public\",\n \"vertex_type_color\",\n \"vertex_type_colour\",\n \"vertex_type_float1\",\n \"vertex_type_float2\",\n \"vertex_type_float3\",\n \"vertex_type_float4\",\n \"vertex_type_ubyte4\",\n \"vertex_usage_binormal\",\n \"vertex_usage_blendindices\",\n \"vertex_usage_blendweight\",\n \"vertex_usage_color\",\n \"vertex_usage_colour\",\n \"vertex_usage_depth\",\n \"vertex_usage_fog\",\n \"vertex_usage_normal\",\n \"vertex_usage_position\",\n \"vertex_usage_psize\",\n \"vertex_usage_sample\",\n \"vertex_usage_tangent\",\n \"vertex_usage_texcoord\",\n \"vertex_usage_textcoord\",\n \"vk_add\",\n \"vk_alt\",\n \"vk_anykey\",\n \"vk_backspace\",\n \"vk_control\",\n \"vk_decimal\",\n \"vk_delete\",\n \"vk_divide\",\n \"vk_down\",\n \"vk_end\",\n \"vk_enter\",\n \"vk_escape\",\n \"vk_f1\",\n \"vk_f2\",\n \"vk_f3\",\n \"vk_f4\",\n \"vk_f5\",\n \"vk_f6\",\n \"vk_f7\",\n \"vk_f8\",\n \"vk_f9\",\n \"vk_f10\",\n \"vk_f11\",\n \"vk_f12\",\n \"vk_home\",\n \"vk_insert\",\n \"vk_lalt\",\n \"vk_lcontrol\",\n \"vk_left\",\n \"vk_lshift\",\n \"vk_multiply\",\n \"vk_nokey\",\n \"vk_numpad0\",\n \"vk_numpad1\",\n \"vk_numpad2\",\n \"vk_numpad3\",\n \"vk_numpad4\",\n \"vk_numpad5\",\n \"vk_numpad6\",\n \"vk_numpad7\",\n \"vk_numpad8\",\n \"vk_numpad9\",\n \"vk_pagedown\",\n \"vk_pageup\",\n \"vk_pause\",\n \"vk_printscreen\",\n \"vk_ralt\",\n \"vk_rcontrol\",\n \"vk_return\",\n \"vk_right\",\n \"vk_rshift\",\n \"vk_shift\",\n \"vk_space\",\n \"vk_subtract\",\n \"vk_tab\",\n \"vk_up\"\n ];\n const LANGUAGE_VARIABLES = [\n \"alarm\",\n \"application_surface\",\n \"argument\",\n \"argument0\",\n \"argument1\",\n \"argument2\",\n \"argument3\",\n \"argument4\",\n \"argument5\",\n \"argument6\",\n \"argument7\",\n \"argument8\",\n \"argument9\",\n \"argument10\",\n \"argument11\",\n \"argument12\",\n \"argument13\",\n \"argument14\",\n \"argument15\",\n \"argument_count\",\n \"argument_relative\",\n \"async_load\",\n \"background_color\",\n \"background_colour\",\n \"background_showcolor\",\n \"background_showcolour\",\n \"bbox_bottom\",\n \"bbox_left\",\n \"bbox_right\",\n \"bbox_top\",\n \"browser_height\",\n \"browser_width\",\n \"caption_health\",\n \"caption_lives\",\n \"caption_score\",\n \"current_day\",\n \"current_hour\",\n \"current_minute\",\n \"current_month\",\n \"current_second\",\n \"current_time\",\n \"current_weekday\",\n \"current_year\",\n \"cursor_sprite\",\n \"debug_mode\",\n \"delta_time\",\n \"depth\",\n \"direction\",\n \"display_aa\",\n \"error_last\",\n \"error_occurred\",\n \"event_action\",\n \"event_data\",\n \"event_number\",\n \"event_object\",\n \"event_type\",\n \"fps\",\n \"fps_real\",\n \"friction\",\n \"game_display_name\",\n \"game_id\",\n \"game_project_name\",\n \"game_save_id\",\n \"gamemaker_pro\",\n \"gamemaker_registered\",\n \"gamemaker_version\",\n \"gravity\",\n \"gravity_direction\",\n \"health\",\n \"hspeed\",\n \"iap_data\",\n \"id|0\",\n \"image_alpha\",\n \"image_angle\",\n \"image_blend\",\n \"image_index\",\n \"image_number\",\n \"image_speed\",\n \"image_xscale\",\n \"image_yscale\",\n \"instance_count\",\n \"instance_id\",\n \"keyboard_key\",\n \"keyboard_lastchar\",\n \"keyboard_lastkey\",\n \"keyboard_string\",\n \"layer\",\n \"lives\",\n \"mask_index\",\n \"mouse_button\",\n \"mouse_lastbutton\",\n \"mouse_x\",\n \"mouse_y\",\n \"object_index\",\n \"os_browser\",\n \"os_device\",\n \"os_type\",\n \"os_version\",\n \"path_endaction\",\n \"path_index\",\n \"path_orientation\",\n \"path_position\",\n \"path_positionprevious\",\n \"path_scale\",\n \"path_speed\",\n \"persistent\",\n \"phy_active\",\n \"phy_angular_damping\",\n \"phy_angular_velocity\",\n \"phy_bullet\",\n \"phy_col_normal_x\",\n \"phy_col_normal_y\",\n \"phy_collision_points\",\n \"phy_collision_x\",\n \"phy_collision_y\",\n \"phy_com_x\",\n \"phy_com_y\",\n \"phy_dynamic\",\n \"phy_fixed_rotation\",\n \"phy_inertia\",\n \"phy_kinematic\",\n \"phy_linear_damping\",\n \"phy_linear_velocity_x\",\n \"phy_linear_velocity_y\",\n \"phy_mass\",\n \"phy_position_x\",\n \"phy_position_xprevious\",\n \"phy_position_y\",\n \"phy_position_yprevious\",\n \"phy_rotation\",\n \"phy_sleeping\",\n \"phy_speed\",\n \"phy_speed_x\",\n \"phy_speed_y\",\n \"program_directory\",\n \"room\",\n \"room_caption\",\n \"room_first\",\n \"room_height\",\n \"room_last\",\n \"room_persistent\",\n \"room_speed\",\n \"room_width\",\n \"score\",\n \"self\",\n \"show_health\",\n \"show_lives\",\n \"show_score\",\n \"solid\",\n \"speed\",\n \"sprite_height\",\n \"sprite_index\",\n \"sprite_width\",\n \"sprite_xoffset\",\n \"sprite_yoffset\",\n \"temp_directory\",\n \"timeline_index\",\n \"timeline_loop\",\n \"timeline_position\",\n \"timeline_running\",\n \"timeline_speed\",\n \"view_angle\",\n \"view_camera\",\n \"view_current\",\n \"view_enabled\",\n \"view_hborder\",\n \"view_hport\",\n \"view_hspeed\",\n \"view_hview\",\n \"view_object\",\n \"view_surface_id\",\n \"view_vborder\",\n \"view_visible\",\n \"view_vspeed\",\n \"view_wport\",\n \"view_wview\",\n \"view_xport\",\n \"view_xview\",\n \"view_yport\",\n \"view_yview\",\n \"visible\",\n \"vspeed\",\n \"webgl_enabled\",\n \"working_directory\",\n \"xprevious\",\n \"xstart\",\n \"x|0\",\n \"yprevious\",\n \"ystart\",\n \"y|0\"\n ];\n\n return {\n name: 'GML',\n case_insensitive: false, // language is case-insensitive\n keywords: {\n keyword: KEYWORDS,\n built_in: BUILT_INS,\n literal: LITERALS,\n symbol: SYMBOLS,\n \"variable.language\": LANGUAGE_VARIABLES\n },\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.C_NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = gml;\n", "/*\nLanguage: Go\nAuthor: Stephan Kountso aka StepLg <steplg@gmail.com>\nContributors: Evgeny Stepanischev <imbolk@gmail.com>\nDescription: Google go language (golang). For info about language\nWebsite: http://golang.org/\nCategory: common, system\n*/\n\nfunction go(hljs) {\n const LITERALS = [\n \"true\",\n \"false\",\n \"iota\",\n \"nil\"\n ];\n const BUILT_INS = [\n \"append\",\n \"cap\",\n \"close\",\n \"complex\",\n \"copy\",\n \"imag\",\n \"len\",\n \"make\",\n \"new\",\n \"panic\",\n \"print\",\n \"println\",\n \"real\",\n \"recover\",\n \"delete\"\n ];\n const TYPES = [\n \"bool\",\n \"byte\",\n \"complex64\",\n \"complex128\",\n \"error\",\n \"float32\",\n \"float64\",\n \"int8\",\n \"int16\",\n \"int32\",\n \"int64\",\n \"string\",\n \"uint8\",\n \"uint16\",\n \"uint32\",\n \"uint64\",\n \"int\",\n \"uint\",\n \"uintptr\",\n \"rune\"\n ];\n const KWS = [\n \"break\",\n \"case\",\n \"chan\",\n \"const\",\n \"continue\",\n \"default\",\n \"defer\",\n \"else\",\n \"fallthrough\",\n \"for\",\n \"func\",\n \"go\",\n \"goto\",\n \"if\",\n \"import\",\n \"interface\",\n \"map\",\n \"package\",\n \"range\",\n \"return\",\n \"select\",\n \"struct\",\n \"switch\",\n \"type\",\n \"var\",\n ];\n const KEYWORDS = {\n keyword: KWS,\n type: TYPES,\n literal: LITERALS,\n built_in: BUILT_INS\n };\n return {\n name: 'Go',\n aliases: [ 'golang' ],\n keywords: KEYWORDS,\n illegal: '</',\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n {\n className: 'string',\n variants: [\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n {\n begin: '`',\n end: '`'\n }\n ]\n },\n {\n className: 'number',\n variants: [\n {\n begin: hljs.C_NUMBER_RE + '[i]',\n relevance: 1\n },\n hljs.C_NUMBER_MODE\n ]\n },\n { begin: /:=/ // relevance booster\n },\n {\n className: 'function',\n beginKeywords: 'func',\n end: '\\\\s*(\\\\{|$)',\n excludeEnd: true,\n contains: [\n hljs.TITLE_MODE,\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n endsParent: true,\n keywords: KEYWORDS,\n illegal: /[\"']/\n }\n ]\n }\n ]\n };\n}\n\nmodule.exports = go;\n", "/*\nLanguage: Golo\nAuthor: Philippe Charriere <ph.charriere@gmail.com>\nDescription: a lightweight dynamic language for the JVM\nWebsite: http://golo-lang.org/\n*/\n\nfunction golo(hljs) {\n const KEYWORDS = [\n \"println\",\n \"readln\",\n \"print\",\n \"import\",\n \"module\",\n \"function\",\n \"local\",\n \"return\",\n \"let\",\n \"var\",\n \"while\",\n \"for\",\n \"foreach\",\n \"times\",\n \"in\",\n \"case\",\n \"when\",\n \"match\",\n \"with\",\n \"break\",\n \"continue\",\n \"augment\",\n \"augmentation\",\n \"each\",\n \"find\",\n \"filter\",\n \"reduce\",\n \"if\",\n \"then\",\n \"else\",\n \"otherwise\",\n \"try\",\n \"catch\",\n \"finally\",\n \"raise\",\n \"throw\",\n \"orIfNull\",\n \"DynamicObject|10\",\n \"DynamicVariable\",\n \"struct\",\n \"Observable\",\n \"map\",\n \"set\",\n \"vector\",\n \"list\",\n \"array\"\n ];\n\n return {\n name: 'Golo',\n keywords: {\n keyword: KEYWORDS,\n literal: [\n \"true\",\n \"false\",\n \"null\"\n ]\n },\n contains: [\n hljs.HASH_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.C_NUMBER_MODE,\n {\n className: 'meta',\n begin: '@[A-Za-z]+'\n }\n ]\n };\n}\n\nmodule.exports = golo;\n", "/*\nLanguage: Gradle\nDescription: Gradle is an open-source build automation tool focused on flexibility and performance.\nWebsite: https://gradle.org\nAuthor: Damian Mee <mee.damian@gmail.com>\n*/\n\nfunction gradle(hljs) {\n const KEYWORDS = [\n \"task\",\n \"project\",\n \"allprojects\",\n \"subprojects\",\n \"artifacts\",\n \"buildscript\",\n \"configurations\",\n \"dependencies\",\n \"repositories\",\n \"sourceSets\",\n \"description\",\n \"delete\",\n \"from\",\n \"into\",\n \"include\",\n \"exclude\",\n \"source\",\n \"classpath\",\n \"destinationDir\",\n \"includes\",\n \"options\",\n \"sourceCompatibility\",\n \"targetCompatibility\",\n \"group\",\n \"flatDir\",\n \"doLast\",\n \"doFirst\",\n \"flatten\",\n \"todir\",\n \"fromdir\",\n \"ant\",\n \"def\",\n \"abstract\",\n \"break\",\n \"case\",\n \"catch\",\n \"continue\",\n \"default\",\n \"do\",\n \"else\",\n \"extends\",\n \"final\",\n \"finally\",\n \"for\",\n \"if\",\n \"implements\",\n \"instanceof\",\n \"native\",\n \"new\",\n \"private\",\n \"protected\",\n \"public\",\n \"return\",\n \"static\",\n \"switch\",\n \"synchronized\",\n \"throw\",\n \"throws\",\n \"transient\",\n \"try\",\n \"volatile\",\n \"while\",\n \"strictfp\",\n \"package\",\n \"import\",\n \"false\",\n \"null\",\n \"super\",\n \"this\",\n \"true\",\n \"antlrtask\",\n \"checkstyle\",\n \"codenarc\",\n \"copy\",\n \"boolean\",\n \"byte\",\n \"char\",\n \"class\",\n \"double\",\n \"float\",\n \"int\",\n \"interface\",\n \"long\",\n \"short\",\n \"void\",\n \"compile\",\n \"runTime\",\n \"file\",\n \"fileTree\",\n \"abs\",\n \"any\",\n \"append\",\n \"asList\",\n \"asWritable\",\n \"call\",\n \"collect\",\n \"compareTo\",\n \"count\",\n \"div\",\n \"dump\",\n \"each\",\n \"eachByte\",\n \"eachFile\",\n \"eachLine\",\n \"every\",\n \"find\",\n \"findAll\",\n \"flatten\",\n \"getAt\",\n \"getErr\",\n \"getIn\",\n \"getOut\",\n \"getText\",\n \"grep\",\n \"immutable\",\n \"inject\",\n \"inspect\",\n \"intersect\",\n \"invokeMethods\",\n \"isCase\",\n \"join\",\n \"leftShift\",\n \"minus\",\n \"multiply\",\n \"newInputStream\",\n \"newOutputStream\",\n \"newPrintWriter\",\n \"newReader\",\n \"newWriter\",\n \"next\",\n \"plus\",\n \"pop\",\n \"power\",\n \"previous\",\n \"print\",\n \"println\",\n \"push\",\n \"putAt\",\n \"read\",\n \"readBytes\",\n \"readLines\",\n \"reverse\",\n \"reverseEach\",\n \"round\",\n \"size\",\n \"sort\",\n \"splitEachLine\",\n \"step\",\n \"subMap\",\n \"times\",\n \"toInteger\",\n \"toList\",\n \"tokenize\",\n \"upto\",\n \"waitForOrKill\",\n \"withPrintWriter\",\n \"withReader\",\n \"withStream\",\n \"withWriter\",\n \"withWriterAppend\",\n \"write\",\n \"writeLine\"\n ];\n return {\n name: 'Gradle',\n case_insensitive: true,\n keywords: KEYWORDS,\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.NUMBER_MODE,\n hljs.REGEXP_MODE\n\n ]\n };\n}\n\nmodule.exports = gradle;\n", "/*\n Language: GraphQL\n Author: John Foster (GH jf990), and others\n Description: GraphQL is a query language for APIs\n Category: web, common\n*/\n\n/** @type LanguageFn */\nfunction graphql(hljs) {\n const regex = hljs.regex;\n const GQL_NAME = /[_A-Za-z][_0-9A-Za-z]*/;\n return {\n name: \"GraphQL\",\n aliases: [ \"gql\" ],\n case_insensitive: true,\n disableAutodetect: false,\n keywords: {\n keyword: [\n \"query\",\n \"mutation\",\n \"subscription\",\n \"type\",\n \"input\",\n \"schema\",\n \"directive\",\n \"interface\",\n \"union\",\n \"scalar\",\n \"fragment\",\n \"enum\",\n \"on\"\n ],\n literal: [\n \"true\",\n \"false\",\n \"null\"\n ]\n },\n contains: [\n hljs.HASH_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.NUMBER_MODE,\n {\n scope: \"punctuation\",\n match: /[.]{3}/,\n relevance: 0\n },\n {\n scope: \"punctuation\",\n begin: /[\\!\\(\\)\\:\\=\\[\\]\\{\\|\\}]{1}/,\n relevance: 0\n },\n {\n scope: \"variable\",\n begin: /\\$/,\n end: /\\W/,\n excludeEnd: true,\n relevance: 0\n },\n {\n scope: \"meta\",\n match: /@\\w+/,\n excludeEnd: true\n },\n {\n scope: \"symbol\",\n begin: regex.concat(GQL_NAME, regex.lookahead(/\\s*:/)),\n relevance: 0\n }\n ],\n illegal: [\n /[;<']/,\n /BEGIN/\n ]\n };\n}\n\nmodule.exports = graphql;\n", "/*\n Language: Groovy\n Author: Guillaume Laforge <glaforge@gmail.com>\n Description: Groovy programming language implementation inspired from Vsevolod's Java mode\n Website: https://groovy-lang.org\n */\n\nfunction variants(variants, obj = {}) {\n obj.variants = variants;\n return obj;\n}\n\nfunction groovy(hljs) {\n const regex = hljs.regex;\n const IDENT_RE = '[A-Za-z0-9_$]+';\n const COMMENT = variants([\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.COMMENT(\n '/\\\\*\\\\*',\n '\\\\*/',\n {\n relevance: 0,\n contains: [\n {\n // eat up @'s in emails to prevent them to be recognized as doctags\n begin: /\\w+@/,\n relevance: 0\n },\n {\n className: 'doctag',\n begin: '@[A-Za-z]+'\n }\n ]\n }\n )\n ]);\n const REGEXP = {\n className: 'regexp',\n begin: /~?\\/[^\\/\\n]+\\//,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n };\n const NUMBER = variants([\n hljs.BINARY_NUMBER_MODE,\n hljs.C_NUMBER_MODE\n ]);\n const STRING = variants([\n {\n begin: /\"\"\"/,\n end: /\"\"\"/\n },\n {\n begin: /'''/,\n end: /'''/\n },\n {\n begin: \"\\\\$/\",\n end: \"/\\\\$\",\n relevance: 10\n },\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ],\n { className: \"string\" }\n );\n\n const CLASS_DEFINITION = {\n match: [\n /(class|interface|trait|enum|extends|implements)/,\n /\\s+/,\n hljs.UNDERSCORE_IDENT_RE\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.class\",\n }\n };\n const TYPES = [\n \"byte\",\n \"short\",\n \"char\",\n \"int\",\n \"long\",\n \"boolean\",\n \"float\",\n \"double\",\n \"void\"\n ];\n const KEYWORDS = [\n // groovy specific keywords\n \"def\",\n \"as\",\n \"in\",\n \"assert\",\n \"trait\",\n // common keywords with Java\n \"abstract\",\n \"static\",\n \"volatile\",\n \"transient\",\n \"public\",\n \"private\",\n \"protected\",\n \"synchronized\",\n \"final\",\n \"class\",\n \"interface\",\n \"enum\",\n \"if\",\n \"else\",\n \"for\",\n \"while\",\n \"switch\",\n \"case\",\n \"break\",\n \"default\",\n \"continue\",\n \"throw\",\n \"throws\",\n \"try\",\n \"catch\",\n \"finally\",\n \"implements\",\n \"extends\",\n \"new\",\n \"import\",\n \"package\",\n \"return\",\n \"instanceof\"\n ];\n\n return {\n name: 'Groovy',\n keywords: {\n \"variable.language\": 'this super',\n literal: 'true false null',\n type: TYPES,\n keyword: KEYWORDS\n },\n contains: [\n hljs.SHEBANG({\n binary: \"groovy\",\n relevance: 10\n }),\n COMMENT,\n STRING,\n REGEXP,\n NUMBER,\n CLASS_DEFINITION,\n {\n className: 'meta',\n begin: '@[A-Za-z]+',\n relevance: 0\n },\n {\n // highlight map keys and named parameters as attrs\n className: 'attr',\n begin: IDENT_RE + '[ \\t]*:',\n relevance: 0\n },\n {\n // catch middle element of the ternary operator\n // to avoid highlight it as a label, named parameter, or map key\n begin: /\\?/,\n end: /:/,\n relevance: 0,\n contains: [\n COMMENT,\n STRING,\n REGEXP,\n NUMBER,\n 'self'\n ]\n },\n {\n // highlight labeled statements\n className: 'symbol',\n begin: '^[ \\t]*' + regex.lookahead(IDENT_RE + ':'),\n excludeBegin: true,\n end: IDENT_RE + ':',\n relevance: 0\n }\n ],\n illegal: /#|<\\//\n };\n}\n\nmodule.exports = groovy;\n", "/*\nLanguage: HAML\nRequires: ruby.js\nAuthor: Dan Allen <dan.j.allen@gmail.com>\nWebsite: http://haml.info\nCategory: template\n*/\n\n// TODO support filter tags like :javascript, support inline HTML\nfunction haml(hljs) {\n return {\n name: 'HAML',\n case_insensitive: true,\n contains: [\n {\n className: 'meta',\n begin: '^!!!( (5|1\\\\.1|Strict|Frameset|Basic|Mobile|RDFa|XML\\\\b.*))?$',\n relevance: 10\n },\n // FIXME these comments should be allowed to span indented lines\n hljs.COMMENT(\n '^\\\\s*(!=#|=#|-#|/).*$',\n null,\n { relevance: 0 }\n ),\n {\n begin: '^\\\\s*(-|=|!=)(?!#)',\n end: /$/,\n subLanguage: 'ruby',\n excludeBegin: true,\n excludeEnd: true\n },\n {\n className: 'tag',\n begin: '^\\\\s*%',\n contains: [\n {\n className: 'selector-tag',\n begin: '\\\\w+'\n },\n {\n className: 'selector-id',\n begin: '#[\\\\w-]+'\n },\n {\n className: 'selector-class',\n begin: '\\\\.[\\\\w-]+'\n },\n {\n begin: /\\{\\s*/,\n end: /\\s*\\}/,\n contains: [\n {\n begin: ':\\\\w+\\\\s*=>',\n end: ',\\\\s+',\n returnBegin: true,\n endsWithParent: true,\n contains: [\n {\n className: 'attr',\n begin: ':\\\\w+'\n },\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n {\n begin: '\\\\w+',\n relevance: 0\n }\n ]\n }\n ]\n },\n {\n begin: '\\\\(\\\\s*',\n end: '\\\\s*\\\\)',\n excludeEnd: true,\n contains: [\n {\n begin: '\\\\w+\\\\s*=',\n end: '\\\\s+',\n returnBegin: true,\n endsWithParent: true,\n contains: [\n {\n className: 'attr',\n begin: '\\\\w+',\n relevance: 0\n },\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n {\n begin: '\\\\w+',\n relevance: 0\n }\n ]\n }\n ]\n }\n ]\n },\n { begin: '^\\\\s*[=~]\\\\s*' },\n {\n begin: /#\\{/,\n end: /\\}/,\n subLanguage: 'ruby',\n excludeBegin: true,\n excludeEnd: true\n }\n ]\n };\n}\n\nmodule.exports = haml;\n", "/*\nLanguage: Handlebars\nRequires: xml.js\nAuthor: Robin Ward <robin.ward@gmail.com>\nDescription: Matcher for Handlebars as well as EmberJS additions.\nWebsite: https://handlebarsjs.com\nCategory: template\n*/\n\nfunction handlebars(hljs) {\n const regex = hljs.regex;\n const BUILT_INS = {\n $pattern: /[\\w.\\/]+/,\n built_in: [\n 'action',\n 'bindattr',\n 'collection',\n 'component',\n 'concat',\n 'debugger',\n 'each',\n 'each-in',\n 'get',\n 'hash',\n 'if',\n 'in',\n 'input',\n 'link-to',\n 'loc',\n 'log',\n 'lookup',\n 'mut',\n 'outlet',\n 'partial',\n 'query-params',\n 'render',\n 'template',\n 'textarea',\n 'unbound',\n 'unless',\n 'view',\n 'with',\n 'yield'\n ]\n };\n\n const LITERALS = {\n $pattern: /[\\w.\\/]+/,\n literal: [\n 'true',\n 'false',\n 'undefined',\n 'null'\n ]\n };\n\n // as defined in https://handlebarsjs.com/guide/expressions.html#literal-segments\n // this regex matches literal segments like ' abc ' or [ abc ] as well as helpers and paths\n // like a/b, ./abc/cde, and abc.bcd\n\n const DOUBLE_QUOTED_ID_REGEX = /\"\"|\"[^\"]+\"/;\n const SINGLE_QUOTED_ID_REGEX = /''|'[^']+'/;\n const BRACKET_QUOTED_ID_REGEX = /\\[\\]|\\[[^\\]]+\\]/;\n const PLAIN_ID_REGEX = /[^\\s!\"#%&'()*+,.\\/;<=>@\\[\\\\\\]^`{|}~]+/;\n const PATH_DELIMITER_REGEX = /(\\.|\\/)/;\n const ANY_ID = regex.either(\n DOUBLE_QUOTED_ID_REGEX,\n SINGLE_QUOTED_ID_REGEX,\n BRACKET_QUOTED_ID_REGEX,\n PLAIN_ID_REGEX\n );\n\n const IDENTIFIER_REGEX = regex.concat(\n regex.optional(/\\.|\\.\\/|\\//), // relative or absolute path\n ANY_ID,\n regex.anyNumberOfTimes(regex.concat(\n PATH_DELIMITER_REGEX,\n ANY_ID\n ))\n );\n\n // identifier followed by a equal-sign (without the equal sign)\n const HASH_PARAM_REGEX = regex.concat(\n '(',\n BRACKET_QUOTED_ID_REGEX, '|',\n PLAIN_ID_REGEX,\n ')(?==)'\n );\n\n const HELPER_NAME_OR_PATH_EXPRESSION = { begin: IDENTIFIER_REGEX };\n\n const HELPER_PARAMETER = hljs.inherit(HELPER_NAME_OR_PATH_EXPRESSION, { keywords: LITERALS });\n\n const SUB_EXPRESSION = {\n begin: /\\(/,\n end: /\\)/\n // the \"contains\" is added below when all necessary sub-modes are defined\n };\n\n const HASH = {\n // fka \"attribute-assignment\", parameters of the form 'key=value'\n className: 'attr',\n begin: HASH_PARAM_REGEX,\n relevance: 0,\n starts: {\n begin: /=/,\n end: /=/,\n starts: { contains: [\n hljs.NUMBER_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n HELPER_PARAMETER,\n SUB_EXPRESSION\n ] }\n }\n };\n\n const BLOCK_PARAMS = {\n // parameters of the form '{{#with x as | y |}}...{{/with}}'\n begin: /as\\s+\\|/,\n keywords: { keyword: 'as' },\n end: /\\|/,\n contains: [\n {\n // define sub-mode in order to prevent highlighting of block-parameter named \"as\"\n begin: /\\w+/ }\n ]\n };\n\n const HELPER_PARAMETERS = {\n contains: [\n hljs.NUMBER_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n BLOCK_PARAMS,\n HASH,\n HELPER_PARAMETER,\n SUB_EXPRESSION\n ],\n returnEnd: true\n // the property \"end\" is defined through inheritance when the mode is used. If depends\n // on the surrounding mode, but \"endsWithParent\" does not work here (i.e. it includes the\n // end-token of the surrounding mode)\n };\n\n const SUB_EXPRESSION_CONTENTS = hljs.inherit(HELPER_NAME_OR_PATH_EXPRESSION, {\n className: 'name',\n keywords: BUILT_INS,\n starts: hljs.inherit(HELPER_PARAMETERS, { end: /\\)/ })\n });\n\n SUB_EXPRESSION.contains = [ SUB_EXPRESSION_CONTENTS ];\n\n const OPENING_BLOCK_MUSTACHE_CONTENTS = hljs.inherit(HELPER_NAME_OR_PATH_EXPRESSION, {\n keywords: BUILT_INS,\n className: 'name',\n starts: hljs.inherit(HELPER_PARAMETERS, { end: /\\}\\}/ })\n });\n\n const CLOSING_BLOCK_MUSTACHE_CONTENTS = hljs.inherit(HELPER_NAME_OR_PATH_EXPRESSION, {\n keywords: BUILT_INS,\n className: 'name'\n });\n\n const BASIC_MUSTACHE_CONTENTS = hljs.inherit(HELPER_NAME_OR_PATH_EXPRESSION, {\n className: 'name',\n keywords: BUILT_INS,\n starts: hljs.inherit(HELPER_PARAMETERS, { end: /\\}\\}/ })\n });\n\n const ESCAPE_MUSTACHE_WITH_PRECEEDING_BACKSLASH = {\n begin: /\\\\\\{\\{/,\n skip: true\n };\n const PREVENT_ESCAPE_WITH_ANOTHER_PRECEEDING_BACKSLASH = {\n begin: /\\\\\\\\(?=\\{\\{)/,\n skip: true\n };\n\n return {\n name: 'Handlebars',\n aliases: [\n 'hbs',\n 'html.hbs',\n 'html.handlebars',\n 'htmlbars'\n ],\n case_insensitive: true,\n subLanguage: 'xml',\n contains: [\n ESCAPE_MUSTACHE_WITH_PRECEEDING_BACKSLASH,\n PREVENT_ESCAPE_WITH_ANOTHER_PRECEEDING_BACKSLASH,\n hljs.COMMENT(/\\{\\{!--/, /--\\}\\}/),\n hljs.COMMENT(/\\{\\{!/, /\\}\\}/),\n {\n // open raw block \"{{{{raw}}}} content not evaluated {{{{/raw}}}}\"\n className: 'template-tag',\n begin: /\\{\\{\\{\\{(?!\\/)/,\n end: /\\}\\}\\}\\}/,\n contains: [ OPENING_BLOCK_MUSTACHE_CONTENTS ],\n starts: {\n end: /\\{\\{\\{\\{\\//,\n returnEnd: true,\n subLanguage: 'xml'\n }\n },\n {\n // close raw block\n className: 'template-tag',\n begin: /\\{\\{\\{\\{\\//,\n end: /\\}\\}\\}\\}/,\n contains: [ CLOSING_BLOCK_MUSTACHE_CONTENTS ]\n },\n {\n // open block statement\n className: 'template-tag',\n begin: /\\{\\{#/,\n end: /\\}\\}/,\n contains: [ OPENING_BLOCK_MUSTACHE_CONTENTS ]\n },\n {\n className: 'template-tag',\n begin: /\\{\\{(?=else\\}\\})/,\n end: /\\}\\}/,\n keywords: 'else'\n },\n {\n className: 'template-tag',\n begin: /\\{\\{(?=else if)/,\n end: /\\}\\}/,\n keywords: 'else if'\n },\n {\n // closing block statement\n className: 'template-tag',\n begin: /\\{\\{\\//,\n end: /\\}\\}/,\n contains: [ CLOSING_BLOCK_MUSTACHE_CONTENTS ]\n },\n {\n // template variable or helper-call that is NOT html-escaped\n className: 'template-variable',\n begin: /\\{\\{\\{/,\n end: /\\}\\}\\}/,\n contains: [ BASIC_MUSTACHE_CONTENTS ]\n },\n {\n // template variable or helper-call that is html-escaped\n className: 'template-variable',\n begin: /\\{\\{/,\n end: /\\}\\}/,\n contains: [ BASIC_MUSTACHE_CONTENTS ]\n }\n ]\n };\n}\n\nmodule.exports = handlebars;\n", "/*\nLanguage: Haskell\nAuthor: Jeremy Hull <sourdrums@gmail.com>\nContributors: Zena Treep <zena.treep@gmail.com>\nWebsite: https://www.haskell.org\nCategory: functional\n*/\n\nfunction haskell(hljs) {\n const COMMENT = { variants: [\n hljs.COMMENT('--', '$'),\n hljs.COMMENT(\n /\\{-/,\n /-\\}/,\n { contains: [ 'self' ] }\n )\n ] };\n\n const PRAGMA = {\n className: 'meta',\n begin: /\\{-#/,\n end: /#-\\}/\n };\n\n const PREPROCESSOR = {\n className: 'meta',\n begin: '^#',\n end: '$'\n };\n\n const CONSTRUCTOR = {\n className: 'type',\n begin: '\\\\b[A-Z][\\\\w\\']*', // TODO: other constructors (build-in, infix).\n relevance: 0\n };\n\n const LIST = {\n begin: '\\\\(',\n end: '\\\\)',\n illegal: '\"',\n contains: [\n PRAGMA,\n PREPROCESSOR,\n {\n className: 'type',\n begin: '\\\\b[A-Z][\\\\w]*(\\\\((\\\\.\\\\.|,|\\\\w+)\\\\))?'\n },\n hljs.inherit(hljs.TITLE_MODE, { begin: '[_a-z][\\\\w\\']*' }),\n COMMENT\n ]\n };\n\n const RECORD = {\n begin: /\\{/,\n end: /\\}/,\n contains: LIST.contains\n };\n\n /* See:\n\n - https://www.haskell.org/onlinereport/lexemes.html\n - https://downloads.haskell.org/ghc/9.0.1/docs/html/users_guide/exts/binary_literals.html\n - https://downloads.haskell.org/ghc/9.0.1/docs/html/users_guide/exts/numeric_underscores.html\n - https://downloads.haskell.org/ghc/9.0.1/docs/html/users_guide/exts/hex_float_literals.html\n\n */\n const decimalDigits = '([0-9]_*)+';\n const hexDigits = '([0-9a-fA-F]_*)+';\n const binaryDigits = '([01]_*)+';\n const octalDigits = '([0-7]_*)+';\n\n const NUMBER = {\n className: 'number',\n relevance: 0,\n variants: [\n // decimal floating-point-literal (subsumes decimal-literal)\n { match: `\\\\b(${decimalDigits})(\\\\.(${decimalDigits}))?` + `([eE][+-]?(${decimalDigits}))?\\\\b` },\n // hexadecimal floating-point-literal (subsumes hexadecimal-literal)\n { match: `\\\\b0[xX]_*(${hexDigits})(\\\\.(${hexDigits}))?` + `([pP][+-]?(${decimalDigits}))?\\\\b` },\n // octal-literal\n { match: `\\\\b0[oO](${octalDigits})\\\\b` },\n // binary-literal\n { match: `\\\\b0[bB](${binaryDigits})\\\\b` }\n ]\n };\n\n return {\n name: 'Haskell',\n aliases: [ 'hs' ],\n keywords:\n 'let in if then else case of where do module import hiding '\n + 'qualified type data newtype deriving class instance as default '\n + 'infix infixl infixr foreign export ccall stdcall cplusplus '\n + 'jvm dotnet safe unsafe family forall mdo proc rec',\n contains: [\n // Top-level constructions.\n {\n beginKeywords: 'module',\n end: 'where',\n keywords: 'module where',\n contains: [\n LIST,\n COMMENT\n ],\n illegal: '\\\\W\\\\.|;'\n },\n {\n begin: '\\\\bimport\\\\b',\n end: '$',\n keywords: 'import qualified as hiding',\n contains: [\n LIST,\n COMMENT\n ],\n illegal: '\\\\W\\\\.|;'\n },\n {\n className: 'class',\n begin: '^(\\\\s*)?(class|instance)\\\\b',\n end: 'where',\n keywords: 'class family instance where',\n contains: [\n CONSTRUCTOR,\n LIST,\n COMMENT\n ]\n },\n {\n className: 'class',\n begin: '\\\\b(data|(new)?type)\\\\b',\n end: '$',\n keywords: 'data family type newtype deriving',\n contains: [\n PRAGMA,\n CONSTRUCTOR,\n LIST,\n RECORD,\n COMMENT\n ]\n },\n {\n beginKeywords: 'default',\n end: '$',\n contains: [\n CONSTRUCTOR,\n LIST,\n COMMENT\n ]\n },\n {\n beginKeywords: 'infix infixl infixr',\n end: '$',\n contains: [\n hljs.C_NUMBER_MODE,\n COMMENT\n ]\n },\n {\n begin: '\\\\bforeign\\\\b',\n end: '$',\n keywords: 'foreign import export ccall stdcall cplusplus jvm '\n + 'dotnet safe unsafe',\n contains: [\n CONSTRUCTOR,\n hljs.QUOTE_STRING_MODE,\n COMMENT\n ]\n },\n {\n className: 'meta',\n begin: '#!\\\\/usr\\\\/bin\\\\/env\\ runhaskell',\n end: '$'\n },\n // \"Whitespaces\".\n PRAGMA,\n PREPROCESSOR,\n\n // Literals and names.\n\n // Single characters.\n {\n scope: 'string',\n begin: /'(?=\\\\?.')/,\n end: /'/,\n contains: [\n {\n scope: 'char.escape',\n match: /\\\\./,\n },\n ]\n },\n hljs.QUOTE_STRING_MODE,\n NUMBER,\n CONSTRUCTOR,\n hljs.inherit(hljs.TITLE_MODE, { begin: '^[_a-z][\\\\w\\']*' }),\n COMMENT,\n { // No markup, relevance booster\n begin: '->|<-' }\n ]\n };\n}\n\nmodule.exports = haskell;\n", "/*\nLanguage: Haxe\nDescription: Haxe is an open source toolkit based on a modern, high level, strictly typed programming language.\nAuthor: Christopher Kaster <ikasoki@gmail.com> (Based on the actionscript.js language file by Alexander Myadzel)\nContributors: Kenton Hamaluik <kentonh@gmail.com>\nWebsite: https://haxe.org\n*/\n\nfunction haxe(hljs) {\n\n const HAXE_BASIC_TYPES = 'Int Float String Bool Dynamic Void Array ';\n\n return {\n name: 'Haxe',\n aliases: [ 'hx' ],\n keywords: {\n keyword: 'break case cast catch continue default do dynamic else enum extern '\n + 'for function here if import in inline never new override package private get set '\n + 'public return static super switch this throw trace try typedef untyped using var while '\n + HAXE_BASIC_TYPES,\n built_in:\n 'trace this',\n literal:\n 'true false null _'\n },\n contains: [\n {\n className: 'string', // interpolate-able strings\n begin: '\\'',\n end: '\\'',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n {\n className: 'subst', // interpolation\n begin: '\\\\$\\\\{',\n end: '\\\\}'\n },\n {\n className: 'subst', // interpolation\n begin: '\\\\$',\n end: /\\W\\}/\n }\n ]\n },\n hljs.QUOTE_STRING_MODE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.C_NUMBER_MODE,\n {\n className: 'meta', // compiler meta\n begin: '@:',\n end: '$'\n },\n {\n className: 'meta', // compiler conditionals\n begin: '#',\n end: '$',\n keywords: { keyword: 'if else elseif end error' }\n },\n {\n className: 'type', // function types\n begin: ':[ \\t]*',\n end: '[^A-Za-z0-9_ \\t\\\\->]',\n excludeBegin: true,\n excludeEnd: true,\n relevance: 0\n },\n {\n className: 'type', // types\n begin: ':[ \\t]*',\n end: '\\\\W',\n excludeBegin: true,\n excludeEnd: true\n },\n {\n className: 'type', // instantiation\n begin: 'new *',\n end: '\\\\W',\n excludeBegin: true,\n excludeEnd: true\n },\n {\n className: 'class', // enums\n beginKeywords: 'enum',\n end: '\\\\{',\n contains: [ hljs.TITLE_MODE ]\n },\n {\n className: 'class', // abstracts\n beginKeywords: 'abstract',\n end: '[\\\\{$]',\n contains: [\n {\n className: 'type',\n begin: '\\\\(',\n end: '\\\\)',\n excludeBegin: true,\n excludeEnd: true\n },\n {\n className: 'type',\n begin: 'from +',\n end: '\\\\W',\n excludeBegin: true,\n excludeEnd: true\n },\n {\n className: 'type',\n begin: 'to +',\n end: '\\\\W',\n excludeBegin: true,\n excludeEnd: true\n },\n hljs.TITLE_MODE\n ],\n keywords: { keyword: 'abstract from to' }\n },\n {\n className: 'class', // classes\n begin: '\\\\b(class|interface) +',\n end: '[\\\\{$]',\n excludeEnd: true,\n keywords: 'class interface',\n contains: [\n {\n className: 'keyword',\n begin: '\\\\b(extends|implements) +',\n keywords: 'extends implements',\n contains: [\n {\n className: 'type',\n begin: hljs.IDENT_RE,\n relevance: 0\n }\n ]\n },\n hljs.TITLE_MODE\n ]\n },\n {\n className: 'function',\n beginKeywords: 'function',\n end: '\\\\(',\n excludeEnd: true,\n illegal: '\\\\S',\n contains: [ hljs.TITLE_MODE ]\n }\n ],\n illegal: /<\\//\n };\n}\n\nmodule.exports = haxe;\n", "/*\nLanguage: HSP\nAuthor: prince <MC.prince.0203@gmail.com>\nWebsite: https://en.wikipedia.org/wiki/Hot_Soup_Processor\nCategory: scripting\n*/\n\nfunction hsp(hljs) {\n return {\n name: 'HSP',\n case_insensitive: true,\n keywords: {\n $pattern: /[\\w._]+/,\n keyword: 'goto gosub return break repeat loop continue wait await dim sdim foreach dimtype dup dupptr end stop newmod delmod mref run exgoto on mcall assert logmes newlab resume yield onexit onerror onkey onclick oncmd exist delete mkdir chdir dirlist bload bsave bcopy memfile if else poke wpoke lpoke getstr chdpm memexpand memcpy memset notesel noteadd notedel noteload notesave randomize noteunsel noteget split strrep setease button chgdisp exec dialog mmload mmplay mmstop mci pset pget syscolor mes print title pos circle cls font sysfont objsize picload color palcolor palette redraw width gsel gcopy gzoom gmode bmpsave hsvcolor getkey listbox chkbox combox input mesbox buffer screen bgscr mouse objsel groll line clrobj boxf objprm objmode stick grect grotate gsquare gradf objimage objskip objenable celload celdiv celput newcom querycom delcom cnvstow comres axobj winobj sendmsg comevent comevarg sarrayconv callfunc cnvwtos comevdisp libptr system hspstat hspver stat cnt err strsize looplev sublev iparam wparam lparam refstr refdval int rnd strlen length length2 length3 length4 vartype gettime peek wpeek lpeek varptr varuse noteinfo instr abs limit getease str strmid strf getpath strtrim sin cos tan atan sqrt double absf expf logf limitf powf geteasef mousex mousey mousew hwnd hinstance hdc ginfo objinfo dirinfo sysinfo thismod __hspver__ __hsp30__ __date__ __time__ __line__ __file__ _debug __hspdef__ and or xor not screen_normal screen_palette screen_hide screen_fixedsize screen_tool screen_frame gmode_gdi gmode_mem gmode_rgb0 gmode_alpha gmode_rgb0alpha gmode_add gmode_sub gmode_pixela ginfo_mx ginfo_my ginfo_act ginfo_sel ginfo_wx1 ginfo_wy1 ginfo_wx2 ginfo_wy2 ginfo_vx ginfo_vy ginfo_sizex ginfo_sizey ginfo_winx ginfo_winy ginfo_mesx ginfo_mesy ginfo_r ginfo_g ginfo_b ginfo_paluse ginfo_dispx ginfo_dispy ginfo_cx ginfo_cy ginfo_intid ginfo_newid ginfo_sx ginfo_sy objinfo_mode objinfo_bmscr objinfo_hwnd notemax notesize dir_cur dir_exe dir_win dir_sys dir_cmdline dir_desktop dir_mydoc dir_tv font_normal font_bold font_italic font_underline font_strikeout font_antialias objmode_normal objmode_guifont objmode_usefont gsquare_grad msgothic msmincho do until while wend for next _break _continue switch case default swbreak swend ddim ldim alloc m_pi rad2deg deg2rad ease_linear ease_quad_in ease_quad_out ease_quad_inout ease_cubic_in ease_cubic_out ease_cubic_inout ease_quartic_in ease_quartic_out ease_quartic_inout ease_bounce_in ease_bounce_out ease_bounce_inout ease_shake_in ease_shake_out ease_shake_inout ease_loop'\n },\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n\n {\n // multi-line string\n className: 'string',\n begin: /\\{\"/,\n end: /\"\\}/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n\n hljs.COMMENT(';', '$', { relevance: 0 }),\n\n {\n // pre-processor\n className: 'meta',\n begin: '#',\n end: '$',\n keywords: { keyword: 'addion cfunc cmd cmpopt comfunc const defcfunc deffunc define else endif enum epack func global if ifdef ifndef include modcfunc modfunc modinit modterm module pack packopt regcmd runtime undef usecom uselib' },\n contains: [\n hljs.inherit(hljs.QUOTE_STRING_MODE, { className: 'string' }),\n hljs.NUMBER_MODE,\n hljs.C_NUMBER_MODE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n\n {\n // label\n className: 'symbol',\n begin: '^\\\\*(\\\\w+|@)'\n },\n\n hljs.NUMBER_MODE,\n hljs.C_NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = hsp;\n", "/*\nLanguage: HTTP\nDescription: HTTP request and response headers with automatic body highlighting\nAuthor: Ivan Sagalaev <maniac@softwaremaniacs.org>\nCategory: protocols, web\nWebsite: https://developer.mozilla.org/en-US/docs/Web/HTTP/Overview\n*/\n\nfunction http(hljs) {\n const regex = hljs.regex;\n const VERSION = 'HTTP/([32]|1\\\\.[01])';\n const HEADER_NAME = /[A-Za-z][A-Za-z0-9-]*/;\n const HEADER = {\n className: 'attribute',\n begin: regex.concat('^', HEADER_NAME, '(?=\\\\:\\\\s)'),\n starts: { contains: [\n {\n className: \"punctuation\",\n begin: /: /,\n relevance: 0,\n starts: {\n end: '$',\n relevance: 0\n }\n }\n ] }\n };\n const HEADERS_AND_BODY = [\n HEADER,\n {\n begin: '\\\\n\\\\n',\n starts: {\n subLanguage: [],\n endsWithParent: true\n }\n }\n ];\n\n return {\n name: 'HTTP',\n aliases: [ 'https' ],\n illegal: /\\S/,\n contains: [\n // response\n {\n begin: '^(?=' + VERSION + \" \\\\d{3})\",\n end: /$/,\n contains: [\n {\n className: \"meta\",\n begin: VERSION\n },\n {\n className: 'number',\n begin: '\\\\b\\\\d{3}\\\\b'\n }\n ],\n starts: {\n end: /\\b\\B/,\n illegal: /\\S/,\n contains: HEADERS_AND_BODY\n }\n },\n // request\n {\n begin: '(?=^[A-Z]+ (.*?) ' + VERSION + '$)',\n end: /$/,\n contains: [\n {\n className: 'string',\n begin: ' ',\n end: ' ',\n excludeBegin: true,\n excludeEnd: true\n },\n {\n className: \"meta\",\n begin: VERSION\n },\n {\n className: 'keyword',\n begin: '[A-Z]+'\n }\n ],\n starts: {\n end: /\\b\\B/,\n illegal: /\\S/,\n contains: HEADERS_AND_BODY\n }\n },\n // to allow headers to work even without a preamble\n hljs.inherit(HEADER, { relevance: 0 })\n ]\n };\n}\n\nmodule.exports = http;\n", "/*\nLanguage: Hy\nDescription: Hy is a wonderful dialect of Lisp that\u2019s embedded in Python.\nAuthor: Sergey Sobko <s.sobko@profitware.ru>\nWebsite: http://docs.hylang.org/en/stable/\nCategory: lisp\n*/\n\nfunction hy(hljs) {\n const SYMBOLSTART = 'a-zA-Z_\\\\-!.?+*=<>&#\\'';\n const SYMBOL_RE = '[' + SYMBOLSTART + '][' + SYMBOLSTART + '0-9/;:]*';\n const keywords = {\n $pattern: SYMBOL_RE,\n built_in:\n // keywords\n '!= % %= & &= * ** **= *= *map '\n + '+ += , --build-class-- --import-- -= . / // //= '\n + '/= < << <<= <= = > >= >> >>= '\n + '@ @= ^ ^= abs accumulate all and any ap-compose '\n + 'ap-dotimes ap-each ap-each-while ap-filter ap-first ap-if ap-last ap-map ap-map-when ap-pipe '\n + 'ap-reduce ap-reject apply as-> ascii assert assoc bin break butlast '\n + 'callable calling-module-name car case cdr chain chr coll? combinations compile '\n + 'compress cond cons cons? continue count curry cut cycle dec '\n + 'def default-method defclass defmacro defmacro-alias defmacro/g! defmain defmethod defmulti defn '\n + 'defn-alias defnc defnr defreader defseq del delattr delete-route dict-comp dir '\n + 'disassemble dispatch-reader-macro distinct divmod do doto drop drop-last drop-while empty? '\n + 'end-sequence eval eval-and-compile eval-when-compile even? every? except exec filter first '\n + 'flatten float? fn fnc fnr for for* format fraction genexpr '\n + 'gensym get getattr global globals group-by hasattr hash hex id '\n + 'identity if if* if-not if-python2 import in inc input instance? '\n + 'integer integer-char? integer? interleave interpose is is-coll is-cons is-empty is-even '\n + 'is-every is-float is-instance is-integer is-integer-char is-iterable is-iterator is-keyword is-neg is-none '\n + 'is-not is-numeric is-odd is-pos is-string is-symbol is-zero isinstance islice issubclass '\n + 'iter iterable? iterate iterator? keyword keyword? lambda last len let '\n + 'lif lif-not list* list-comp locals loop macro-error macroexpand macroexpand-1 macroexpand-all '\n + 'map max merge-with method-decorator min multi-decorator multicombinations name neg? next '\n + 'none? nonlocal not not-in not? nth numeric? oct odd? open '\n + 'or ord partition permutations pos? post-route postwalk pow prewalk print '\n + 'product profile/calls profile/cpu put-route quasiquote quote raise range read read-str '\n + 'recursive-replace reduce remove repeat repeatedly repr require rest round route '\n + 'route-with-methods rwm second seq set-comp setattr setv some sorted string '\n + 'string? sum switch symbol? take take-nth take-while tee try unless '\n + 'unquote unquote-splicing vars walk when while with with* with-decorator with-gensyms '\n + 'xi xor yield yield-from zero? zip zip-longest | |= ~'\n };\n\n const SIMPLE_NUMBER_RE = '[-+]?\\\\d+(\\\\.\\\\d+)?';\n\n const SYMBOL = {\n begin: SYMBOL_RE,\n relevance: 0\n };\n const NUMBER = {\n className: 'number',\n begin: SIMPLE_NUMBER_RE,\n relevance: 0\n };\n const STRING = hljs.inherit(hljs.QUOTE_STRING_MODE, { illegal: null });\n const COMMENT = hljs.COMMENT(\n ';',\n '$',\n { relevance: 0 }\n );\n const LITERAL = {\n className: 'literal',\n begin: /\\b([Tt]rue|[Ff]alse|nil|None)\\b/\n };\n const COLLECTION = {\n begin: '[\\\\[\\\\{]',\n end: '[\\\\]\\\\}]',\n relevance: 0\n };\n const HINT = {\n className: 'comment',\n begin: '\\\\^' + SYMBOL_RE\n };\n const HINT_COL = hljs.COMMENT('\\\\^\\\\{', '\\\\}');\n const KEY = {\n className: 'symbol',\n begin: '[:]{1,2}' + SYMBOL_RE\n };\n const LIST = {\n begin: '\\\\(',\n end: '\\\\)'\n };\n const BODY = {\n endsWithParent: true,\n relevance: 0\n };\n const NAME = {\n className: 'name',\n relevance: 0,\n keywords: keywords,\n begin: SYMBOL_RE,\n starts: BODY\n };\n const DEFAULT_CONTAINS = [\n LIST,\n STRING,\n HINT,\n HINT_COL,\n COMMENT,\n KEY,\n COLLECTION,\n NUMBER,\n LITERAL,\n SYMBOL\n ];\n\n LIST.contains = [\n hljs.COMMENT('comment', ''),\n NAME,\n BODY\n ];\n BODY.contains = DEFAULT_CONTAINS;\n COLLECTION.contains = DEFAULT_CONTAINS;\n\n return {\n name: 'Hy',\n aliases: [ 'hylang' ],\n illegal: /\\S/,\n contains: [\n hljs.SHEBANG(),\n LIST,\n STRING,\n HINT,\n HINT_COL,\n COMMENT,\n KEY,\n COLLECTION,\n NUMBER,\n LITERAL\n ]\n };\n}\n\nmodule.exports = hy;\n", "/*\nLanguage: Inform 7\nAuthor: Bruno Dias <bruno.r.dias@gmail.com>\nDescription: Language definition for Inform 7, a DSL for writing parser interactive fiction.\nWebsite: http://inform7.com\n*/\n\nfunction inform7(hljs) {\n const START_BRACKET = '\\\\[';\n const END_BRACKET = '\\\\]';\n return {\n name: 'Inform 7',\n aliases: [ 'i7' ],\n case_insensitive: true,\n keywords: {\n // Some keywords more or less unique to I7, for relevance.\n keyword:\n // kind:\n 'thing room person man woman animal container '\n + 'supporter backdrop door '\n // characteristic:\n + 'scenery open closed locked inside gender '\n // verb:\n + 'is are say understand '\n // misc keyword:\n + 'kind of rule' },\n contains: [\n {\n className: 'string',\n begin: '\"',\n end: '\"',\n relevance: 0,\n contains: [\n {\n className: 'subst',\n begin: START_BRACKET,\n end: END_BRACKET\n }\n ]\n },\n {\n className: 'section',\n begin: /^(Volume|Book|Part|Chapter|Section|Table)\\b/,\n end: '$'\n },\n {\n // Rule definition\n // This is here for relevance.\n begin: /^(Check|Carry out|Report|Instead of|To|Rule|When|Before|After)\\b/,\n end: ':',\n contains: [\n {\n // Rule name\n begin: '\\\\(This',\n end: '\\\\)'\n }\n ]\n },\n {\n className: 'comment',\n begin: START_BRACKET,\n end: END_BRACKET,\n contains: [ 'self' ]\n }\n ]\n };\n}\n\nmodule.exports = inform7;\n", "/*\nLanguage: TOML, also INI\nDescription: TOML aims to be a minimal configuration file format that's easy to read due to obvious semantics.\nContributors: Guillaume Gomez <guillaume1.gomez@gmail.com>\nCategory: common, config\nWebsite: https://github.com/toml-lang/toml\n*/\n\nfunction ini(hljs) {\n const regex = hljs.regex;\n const NUMBERS = {\n className: 'number',\n relevance: 0,\n variants: [\n { begin: /([+-]+)?[\\d]+_[\\d_]+/ },\n { begin: hljs.NUMBER_RE }\n ]\n };\n const COMMENTS = hljs.COMMENT();\n COMMENTS.variants = [\n {\n begin: /;/,\n end: /$/\n },\n {\n begin: /#/,\n end: /$/\n }\n ];\n const VARIABLES = {\n className: 'variable',\n variants: [\n { begin: /\\$[\\w\\d\"][\\w\\d_]*/ },\n { begin: /\\$\\{(.*?)\\}/ }\n ]\n };\n const LITERALS = {\n className: 'literal',\n begin: /\\bon|off|true|false|yes|no\\b/\n };\n const STRINGS = {\n className: \"string\",\n contains: [ hljs.BACKSLASH_ESCAPE ],\n variants: [\n {\n begin: \"'''\",\n end: \"'''\",\n relevance: 10\n },\n {\n begin: '\"\"\"',\n end: '\"\"\"',\n relevance: 10\n },\n {\n begin: '\"',\n end: '\"'\n },\n {\n begin: \"'\",\n end: \"'\"\n }\n ]\n };\n const ARRAY = {\n begin: /\\[/,\n end: /\\]/,\n contains: [\n COMMENTS,\n LITERALS,\n VARIABLES,\n STRINGS,\n NUMBERS,\n 'self'\n ],\n relevance: 0\n };\n\n const BARE_KEY = /[A-Za-z0-9_-]+/;\n const QUOTED_KEY_DOUBLE_QUOTE = /\"(\\\\\"|[^\"])*\"/;\n const QUOTED_KEY_SINGLE_QUOTE = /'[^']*'/;\n const ANY_KEY = regex.either(\n BARE_KEY, QUOTED_KEY_DOUBLE_QUOTE, QUOTED_KEY_SINGLE_QUOTE\n );\n const DOTTED_KEY = regex.concat(\n ANY_KEY, '(\\\\s*\\\\.\\\\s*', ANY_KEY, ')*',\n regex.lookahead(/\\s*=\\s*[^#\\s]/)\n );\n\n return {\n name: 'TOML, also INI',\n aliases: [ 'toml' ],\n case_insensitive: true,\n illegal: /\\S/,\n contains: [\n COMMENTS,\n {\n className: 'section',\n begin: /\\[+/,\n end: /\\]+/\n },\n {\n begin: DOTTED_KEY,\n className: 'attr',\n starts: {\n end: /$/,\n contains: [\n COMMENTS,\n ARRAY,\n LITERALS,\n VARIABLES,\n STRINGS,\n NUMBERS\n ]\n }\n }\n ]\n };\n}\n\nmodule.exports = ini;\n", "/*\nLanguage: IRPF90\nAuthor: Anthony Scemama <scemama@irsamc.ups-tlse.fr>\nDescription: IRPF90 is an open-source Fortran code generator\nWebsite: http://irpf90.ups-tlse.fr\nCategory: scientific\n*/\n\n/** @type LanguageFn */\nfunction irpf90(hljs) {\n const regex = hljs.regex;\n const PARAMS = {\n className: 'params',\n begin: '\\\\(',\n end: '\\\\)'\n };\n\n // regex in both fortran and irpf90 should match\n const OPTIONAL_NUMBER_SUFFIX = /(_[a-z_\\d]+)?/;\n const OPTIONAL_NUMBER_EXP = /([de][+-]?\\d+)?/;\n const NUMBER = {\n className: 'number',\n variants: [\n { begin: regex.concat(/\\b\\d+/, /\\.(\\d*)/, OPTIONAL_NUMBER_EXP, OPTIONAL_NUMBER_SUFFIX) },\n { begin: regex.concat(/\\b\\d+/, OPTIONAL_NUMBER_EXP, OPTIONAL_NUMBER_SUFFIX) },\n { begin: regex.concat(/\\.\\d+/, OPTIONAL_NUMBER_EXP, OPTIONAL_NUMBER_SUFFIX) }\n ],\n relevance: 0\n };\n\n const F_KEYWORDS = {\n literal: '.False. .True.',\n keyword: 'kind do while private call intrinsic where elsewhere '\n + 'type endtype endmodule endselect endinterface end enddo endif if forall endforall only contains default return stop then '\n + 'public subroutine|10 function program .and. .or. .not. .le. .eq. .ge. .gt. .lt. '\n + 'goto save else use module select case '\n + 'access blank direct exist file fmt form formatted iostat name named nextrec number opened rec recl sequential status unformatted unit '\n + 'continue format pause cycle exit '\n + 'c_null_char c_alert c_backspace c_form_feed flush wait decimal round iomsg '\n + 'synchronous nopass non_overridable pass protected volatile abstract extends import '\n + 'non_intrinsic value deferred generic final enumerator class associate bind enum '\n + 'c_int c_short c_long c_long_long c_signed_char c_size_t c_int8_t c_int16_t c_int32_t c_int64_t c_int_least8_t c_int_least16_t '\n + 'c_int_least32_t c_int_least64_t c_int_fast8_t c_int_fast16_t c_int_fast32_t c_int_fast64_t c_intmax_t C_intptr_t c_float c_double '\n + 'c_long_double c_float_complex c_double_complex c_long_double_complex c_bool c_char c_null_ptr c_null_funptr '\n + 'c_new_line c_carriage_return c_horizontal_tab c_vertical_tab iso_c_binding c_loc c_funloc c_associated c_f_pointer '\n + 'c_ptr c_funptr iso_fortran_env character_storage_size error_unit file_storage_size input_unit iostat_end iostat_eor '\n + 'numeric_storage_size output_unit c_f_procpointer ieee_arithmetic ieee_support_underflow_control '\n + 'ieee_get_underflow_mode ieee_set_underflow_mode newunit contiguous recursive '\n + 'pad position action delim readwrite eor advance nml interface procedure namelist include sequence elemental pure '\n + 'integer real character complex logical dimension allocatable|10 parameter '\n + 'external implicit|10 none double precision assign intent optional pointer '\n + 'target in out common equivalence data '\n // IRPF90 special keywords\n + 'begin_provider &begin_provider end_provider begin_shell end_shell begin_template end_template subst assert touch '\n + 'soft_touch provide no_dep free irp_if irp_else irp_endif irp_write irp_read',\n built_in: 'alog alog10 amax0 amax1 amin0 amin1 amod cabs ccos cexp clog csin csqrt dabs dacos dasin datan datan2 dcos dcosh ddim dexp dint '\n + 'dlog dlog10 dmax1 dmin1 dmod dnint dsign dsin dsinh dsqrt dtan dtanh float iabs idim idint idnint ifix isign max0 max1 min0 min1 sngl '\n + 'algama cdabs cdcos cdexp cdlog cdsin cdsqrt cqabs cqcos cqexp cqlog cqsin cqsqrt dcmplx dconjg derf derfc dfloat dgamma dimag dlgama '\n + 'iqint qabs qacos qasin qatan qatan2 qcmplx qconjg qcos qcosh qdim qerf qerfc qexp qgamma qimag qlgama qlog qlog10 qmax1 qmin1 qmod '\n + 'qnint qsign qsin qsinh qsqrt qtan qtanh abs acos aimag aint anint asin atan atan2 char cmplx conjg cos cosh exp ichar index int log '\n + 'log10 max min nint sign sin sinh sqrt tan tanh print write dim lge lgt lle llt mod nullify allocate deallocate '\n + 'adjustl adjustr all allocated any associated bit_size btest ceiling count cshift date_and_time digits dot_product '\n + 'eoshift epsilon exponent floor fraction huge iand ibclr ibits ibset ieor ior ishft ishftc lbound len_trim matmul '\n + 'maxexponent maxloc maxval merge minexponent minloc minval modulo mvbits nearest pack present product '\n + 'radix random_number random_seed range repeat reshape rrspacing scale scan selected_int_kind selected_real_kind '\n + 'set_exponent shape size spacing spread sum system_clock tiny transpose trim ubound unpack verify achar iachar transfer '\n + 'dble entry dprod cpu_time command_argument_count get_command get_command_argument get_environment_variable is_iostat_end '\n + 'ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode '\n + 'is_iostat_eor move_alloc new_line selected_char_kind same_type_as extends_type_of '\n + 'acosh asinh atanh bessel_j0 bessel_j1 bessel_jn bessel_y0 bessel_y1 bessel_yn erf erfc erfc_scaled gamma log_gamma hypot norm2 '\n + 'atomic_define atomic_ref execute_command_line leadz trailz storage_size merge_bits '\n + 'bge bgt ble blt dshiftl dshiftr findloc iall iany iparity image_index lcobound ucobound maskl maskr '\n + 'num_images parity popcnt poppar shifta shiftl shiftr this_image '\n // IRPF90 special built_ins\n + 'IRP_ALIGN irp_here'\n };\n return {\n name: 'IRPF90',\n case_insensitive: true,\n keywords: F_KEYWORDS,\n illegal: /\\/\\*/,\n contains: [\n hljs.inherit(hljs.APOS_STRING_MODE, {\n className: 'string',\n relevance: 0\n }),\n hljs.inherit(hljs.QUOTE_STRING_MODE, {\n className: 'string',\n relevance: 0\n }),\n {\n className: 'function',\n beginKeywords: 'subroutine function program',\n illegal: '[${=\\\\n]',\n contains: [\n hljs.UNDERSCORE_TITLE_MODE,\n PARAMS\n ]\n },\n hljs.COMMENT('!', '$', { relevance: 0 }),\n hljs.COMMENT('begin_doc', 'end_doc', { relevance: 10 }),\n NUMBER\n ]\n };\n}\n\nmodule.exports = irpf90;\n", "/*\nLanguage: ISBL\nAuthor: Dmitriy Tarasov <dimatar@gmail.com>\nDescription: built-in language DIRECTUM\nCategory: enterprise\n*/\n\nfunction isbl(hljs) {\n // \u041E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435 \u0438\u0434\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u043E\u0432\n const UNDERSCORE_IDENT_RE = \"[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_!][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]*\";\n\n // \u041E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435 \u0438\u043C\u0435\u043D \u0444\u0443\u043D\u043A\u0446\u0438\u0439\n const FUNCTION_NAME_IDENT_RE = \"[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]*\";\n\n // keyword : \u043A\u043B\u044E\u0447\u0435\u0432\u044B\u0435 \u0441\u043B\u043E\u0432\u0430\n const KEYWORD =\n \"and \u0438 else \u0438\u043D\u0430\u0447\u0435 endexcept endfinally endforeach \u043A\u043E\u043D\u0435\u0446\u0432\u0441\u0435 endif \u043A\u043E\u043D\u0435\u0446\u0435\u0441\u043B\u0438 endwhile \u043A\u043E\u043D\u0435\u0446\u043F\u043E\u043A\u0430 \"\n + \"except exitfor finally foreach \u0432\u0441\u0435 if \u0435\u0441\u043B\u0438 in \u0432 not \u043D\u0435 or \u0438\u043B\u0438 try while \u043F\u043E\u043A\u0430 \";\n\n // SYSRES Constants\n const sysres_constants =\n \"SYSRES_CONST_ACCES_RIGHT_TYPE_EDIT \"\n + \"SYSRES_CONST_ACCES_RIGHT_TYPE_FULL \"\n + \"SYSRES_CONST_ACCES_RIGHT_TYPE_VIEW \"\n + \"SYSRES_CONST_ACCESS_MODE_REQUISITE_CODE \"\n + \"SYSRES_CONST_ACCESS_NO_ACCESS_VIEW \"\n + \"SYSRES_CONST_ACCESS_NO_ACCESS_VIEW_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_ADD_REQUISITE_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_ADD_REQUISITE_YES_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_CHANGE_REQUISITE_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_CHANGE_REQUISITE_YES_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_DELETE_REQUISITE_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_DELETE_REQUISITE_YES_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_EXECUTE_REQUISITE_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_EXECUTE_REQUISITE_YES_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_NO_ACCESS_REQUISITE_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_NO_ACCESS_REQUISITE_YES_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_RATIFY_REQUISITE_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_RATIFY_REQUISITE_YES_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_REQUISITE_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_VIEW \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_VIEW_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_VIEW_REQUISITE_CODE \"\n + \"SYSRES_CONST_ACCESS_RIGHTS_VIEW_REQUISITE_YES_CODE \"\n + \"SYSRES_CONST_ACCESS_TYPE_CHANGE \"\n + \"SYSRES_CONST_ACCESS_TYPE_CHANGE_CODE \"\n + \"SYSRES_CONST_ACCESS_TYPE_EXISTS \"\n + \"SYSRES_CONST_ACCESS_TYPE_EXISTS_CODE \"\n + \"SYSRES_CONST_ACCESS_TYPE_FULL \"\n + \"SYSRES_CONST_ACCESS_TYPE_FULL_CODE \"\n + \"SYSRES_CONST_ACCESS_TYPE_VIEW \"\n + \"SYSRES_CONST_ACCESS_TYPE_VIEW_CODE \"\n + \"SYSRES_CONST_ACTION_TYPE_ABORT \"\n + \"SYSRES_CONST_ACTION_TYPE_ACCEPT \"\n + \"SYSRES_CONST_ACTION_TYPE_ACCESS_RIGHTS \"\n + \"SYSRES_CONST_ACTION_TYPE_ADD_ATTACHMENT \"\n + \"SYSRES_CONST_ACTION_TYPE_CHANGE_CARD \"\n + \"SYSRES_CONST_ACTION_TYPE_CHANGE_KIND \"\n + \"SYSRES_CONST_ACTION_TYPE_CHANGE_STORAGE \"\n + \"SYSRES_CONST_ACTION_TYPE_CONTINUE \"\n + \"SYSRES_CONST_ACTION_TYPE_COPY \"\n + \"SYSRES_CONST_ACTION_TYPE_CREATE \"\n + \"SYSRES_CONST_ACTION_TYPE_CREATE_VERSION \"\n + \"SYSRES_CONST_ACTION_TYPE_DELETE \"\n + \"SYSRES_CONST_ACTION_TYPE_DELETE_ATTACHMENT \"\n + \"SYSRES_CONST_ACTION_TYPE_DELETE_VERSION \"\n + \"SYSRES_CONST_ACTION_TYPE_DISABLE_DELEGATE_ACCESS_RIGHTS \"\n + \"SYSRES_CONST_ACTION_TYPE_ENABLE_DELEGATE_ACCESS_RIGHTS \"\n + \"SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_CERTIFICATE \"\n + \"SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_CERTIFICATE_AND_PASSWORD \"\n + \"SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_PASSWORD \"\n + \"SYSRES_CONST_ACTION_TYPE_EXPORT_WITH_LOCK \"\n + \"SYSRES_CONST_ACTION_TYPE_EXPORT_WITHOUT_LOCK \"\n + \"SYSRES_CONST_ACTION_TYPE_IMPORT_WITH_UNLOCK \"\n + \"SYSRES_CONST_ACTION_TYPE_IMPORT_WITHOUT_UNLOCK \"\n + \"SYSRES_CONST_ACTION_TYPE_LIFE_CYCLE_STAGE \"\n + \"SYSRES_CONST_ACTION_TYPE_LOCK \"\n + \"SYSRES_CONST_ACTION_TYPE_LOCK_FOR_SERVER \"\n + \"SYSRES_CONST_ACTION_TYPE_LOCK_MODIFY \"\n + \"SYSRES_CONST_ACTION_TYPE_MARK_AS_READED \"\n + \"SYSRES_CONST_ACTION_TYPE_MARK_AS_UNREADED \"\n + \"SYSRES_CONST_ACTION_TYPE_MODIFY \"\n + \"SYSRES_CONST_ACTION_TYPE_MODIFY_CARD \"\n + \"SYSRES_CONST_ACTION_TYPE_MOVE_TO_ARCHIVE \"\n + \"SYSRES_CONST_ACTION_TYPE_OFF_ENCRYPTION \"\n + \"SYSRES_CONST_ACTION_TYPE_PASSWORD_CHANGE \"\n + \"SYSRES_CONST_ACTION_TYPE_PERFORM \"\n + \"SYSRES_CONST_ACTION_TYPE_RECOVER_FROM_LOCAL_COPY \"\n + \"SYSRES_CONST_ACTION_TYPE_RESTART \"\n + \"SYSRES_CONST_ACTION_TYPE_RESTORE_FROM_ARCHIVE \"\n + \"SYSRES_CONST_ACTION_TYPE_REVISION \"\n + \"SYSRES_CONST_ACTION_TYPE_SEND_BY_MAIL \"\n + \"SYSRES_CONST_ACTION_TYPE_SIGN \"\n + \"SYSRES_CONST_ACTION_TYPE_START \"\n + \"SYSRES_CONST_ACTION_TYPE_UNLOCK \"\n + \"SYSRES_CONST_ACTION_TYPE_UNLOCK_FROM_SERVER \"\n + \"SYSRES_CONST_ACTION_TYPE_VERSION_STATE \"\n + \"SYSRES_CONST_ACTION_TYPE_VERSION_VISIBILITY \"\n + \"SYSRES_CONST_ACTION_TYPE_VIEW \"\n + \"SYSRES_CONST_ACTION_TYPE_VIEW_SHADOW_COPY \"\n + \"SYSRES_CONST_ACTION_TYPE_WORKFLOW_DESCRIPTION_MODIFY \"\n + \"SYSRES_CONST_ACTION_TYPE_WRITE_HISTORY \"\n + \"SYSRES_CONST_ACTIVE_VERSION_STATE_PICK_VALUE \"\n + \"SYSRES_CONST_ADD_REFERENCE_MODE_NAME \"\n + \"SYSRES_CONST_ADDITION_REQUISITE_CODE \"\n + \"SYSRES_CONST_ADDITIONAL_PARAMS_REQUISITE_CODE \"\n + \"SYSRES_CONST_ADITIONAL_JOB_END_DATE_REQUISITE_NAME \"\n + \"SYSRES_CONST_ADITIONAL_JOB_READ_REQUISITE_NAME \"\n + \"SYSRES_CONST_ADITIONAL_JOB_START_DATE_REQUISITE_NAME \"\n + \"SYSRES_CONST_ADITIONAL_JOB_STATE_REQUISITE_NAME \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_ADDING_USER_TO_GROUP_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_ADDING_USER_TO_GROUP_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_COMP_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_COMP_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_GROUP_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_GROUP_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_USER_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_USER_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_CREATION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_CREATION_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_DELETION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_DELETION_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_COMP_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_COMP_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_GROUP_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_GROUP_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_FROM_GROUP_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_FROM_GROUP_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_RESTRICTION_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_RESTRICTION_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_PRIVILEGE_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_PRIVILEGE_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_RIGHTS_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_RIGHTS_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_IS_MAIN_SERVER_CHANGED_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_IS_MAIN_SERVER_CHANGED_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_IS_PUBLIC_CHANGED_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_IS_PUBLIC_CHANGED_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_RESTRICTION_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_RESTRICTION_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_PRIVILEGE_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_PRIVILEGE_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_RIGHTS_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_RIGHTS_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_CREATION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_CREATION_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_DELETION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_DELETION_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_CATEGORY_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_CATEGORY_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_COMP_TITLE_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_COMP_TITLE_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_FULL_NAME_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_FULL_NAME_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_GROUP_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_GROUP_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_PARENT_GROUP_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_PARENT_GROUP_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_AUTH_TYPE_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_AUTH_TYPE_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_LOGIN_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_LOGIN_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_STATUS_ACTION \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_STATUS_ACTION_CODE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_USER_PASSWORD_CHANGE \"\n + \"SYSRES_CONST_ADMINISTRATION_HISTORY_USER_PASSWORD_CHANGE_ACTION \"\n + \"SYSRES_CONST_ALL_ACCEPT_CONDITION_RUS \"\n + \"SYSRES_CONST_ALL_USERS_GROUP \"\n + \"SYSRES_CONST_ALL_USERS_GROUP_NAME \"\n + \"SYSRES_CONST_ALL_USERS_SERVER_GROUP_NAME \"\n + \"SYSRES_CONST_ALLOWED_ACCESS_TYPE_CODE \"\n + \"SYSRES_CONST_ALLOWED_ACCESS_TYPE_NAME \"\n + \"SYSRES_CONST_APP_VIEWER_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_APPROVING_SIGNATURE_NAME \"\n + \"SYSRES_CONST_APPROVING_SIGNATURE_REQUISITE_CODE \"\n + \"SYSRES_CONST_ASSISTANT_SUBSTITUE_TYPE \"\n + \"SYSRES_CONST_ASSISTANT_SUBSTITUE_TYPE_CODE \"\n + \"SYSRES_CONST_ATTACH_TYPE_COMPONENT_TOKEN \"\n + \"SYSRES_CONST_ATTACH_TYPE_DOC \"\n + \"SYSRES_CONST_ATTACH_TYPE_EDOC \"\n + \"SYSRES_CONST_ATTACH_TYPE_FOLDER \"\n + \"SYSRES_CONST_ATTACH_TYPE_JOB \"\n + \"SYSRES_CONST_ATTACH_TYPE_REFERENCE \"\n + \"SYSRES_CONST_ATTACH_TYPE_TASK \"\n + \"SYSRES_CONST_AUTH_ENCODED_PASSWORD \"\n + \"SYSRES_CONST_AUTH_ENCODED_PASSWORD_CODE \"\n + \"SYSRES_CONST_AUTH_NOVELL \"\n + \"SYSRES_CONST_AUTH_PASSWORD \"\n + \"SYSRES_CONST_AUTH_PASSWORD_CODE \"\n + \"SYSRES_CONST_AUTH_WINDOWS \"\n + \"SYSRES_CONST_AUTHENTICATING_SIGNATURE_NAME \"\n + \"SYSRES_CONST_AUTHENTICATING_SIGNATURE_REQUISITE_CODE \"\n + \"SYSRES_CONST_AUTO_ENUM_METHOD_FLAG \"\n + \"SYSRES_CONST_AUTO_NUMERATION_CODE \"\n + \"SYSRES_CONST_AUTO_STRONG_ENUM_METHOD_FLAG \"\n + \"SYSRES_CONST_AUTOTEXT_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_AUTOTEXT_TEXT_REQUISITE_CODE \"\n + \"SYSRES_CONST_AUTOTEXT_USAGE_ALL \"\n + \"SYSRES_CONST_AUTOTEXT_USAGE_ALL_CODE \"\n + \"SYSRES_CONST_AUTOTEXT_USAGE_SIGN \"\n + \"SYSRES_CONST_AUTOTEXT_USAGE_SIGN_CODE \"\n + \"SYSRES_CONST_AUTOTEXT_USAGE_WORK \"\n + \"SYSRES_CONST_AUTOTEXT_USAGE_WORK_CODE \"\n + \"SYSRES_CONST_AUTOTEXT_USE_ANYWHERE_CODE \"\n + \"SYSRES_CONST_AUTOTEXT_USE_ON_SIGNING_CODE \"\n + \"SYSRES_CONST_AUTOTEXT_USE_ON_WORK_CODE \"\n + \"SYSRES_CONST_BEGIN_DATE_REQUISITE_CODE \"\n + \"SYSRES_CONST_BLACK_LIFE_CYCLE_STAGE_FONT_COLOR \"\n + \"SYSRES_CONST_BLUE_LIFE_CYCLE_STAGE_FONT_COLOR \"\n + \"SYSRES_CONST_BTN_PART \"\n + \"SYSRES_CONST_CALCULATED_ROLE_TYPE_CODE \"\n + \"SYSRES_CONST_CALL_TYPE_VARIABLE_BUTTON_VALUE \"\n + \"SYSRES_CONST_CALL_TYPE_VARIABLE_PROGRAM_VALUE \"\n + \"SYSRES_CONST_CANCEL_MESSAGE_FUNCTION_RESULT \"\n + \"SYSRES_CONST_CARD_PART \"\n + \"SYSRES_CONST_CARD_REFERENCE_MODE_NAME \"\n + \"SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_ENCRYPT_VALUE \"\n + \"SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_SIGN_AND_ENCRYPT_VALUE \"\n + \"SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_SIGN_VALUE \"\n + \"SYSRES_CONST_CHECK_PARAM_VALUE_DATE_PARAM_TYPE \"\n + \"SYSRES_CONST_CHECK_PARAM_VALUE_FLOAT_PARAM_TYPE \"\n + \"SYSRES_CONST_CHECK_PARAM_VALUE_INTEGER_PARAM_TYPE \"\n + \"SYSRES_CONST_CHECK_PARAM_VALUE_PICK_PARAM_TYPE \"\n + \"SYSRES_CONST_CHECK_PARAM_VALUE_REEFRENCE_PARAM_TYPE \"\n + \"SYSRES_CONST_CLOSED_RECORD_FLAG_VALUE_FEMININE \"\n + \"SYSRES_CONST_CLOSED_RECORD_FLAG_VALUE_MASCULINE \"\n + \"SYSRES_CONST_CODE_COMPONENT_TYPE_ADMIN \"\n + \"SYSRES_CONST_CODE_COMPONENT_TYPE_DEVELOPER \"\n + \"SYSRES_CONST_CODE_COMPONENT_TYPE_DOCS \"\n + \"SYSRES_CONST_CODE_COMPONENT_TYPE_EDOC_CARDS \"\n + \"SYSRES_CONST_CODE_COMPONENT_TYPE_EXTERNAL_EXECUTABLE \"\n + \"SYSRES_CONST_CODE_COMPONENT_TYPE_OTHER \"\n + \"SYSRES_CONST_CODE_COMPONENT_TYPE_REFERENCE \"\n + \"SYSRES_CONST_CODE_COMPONENT_TYPE_REPORT \"\n + \"SYSRES_CONST_CODE_COMPONENT_TYPE_SCRIPT \"\n + \"SYSRES_CONST_CODE_COMPONENT_TYPE_URL \"\n + \"SYSRES_CONST_CODE_REQUISITE_ACCESS \"\n + \"SYSRES_CONST_CODE_REQUISITE_CODE \"\n + \"SYSRES_CONST_CODE_REQUISITE_COMPONENT \"\n + \"SYSRES_CONST_CODE_REQUISITE_DESCRIPTION \"\n + \"SYSRES_CONST_CODE_REQUISITE_EXCLUDE_COMPONENT \"\n + \"SYSRES_CONST_CODE_REQUISITE_RECORD \"\n + \"SYSRES_CONST_COMMENT_REQ_CODE \"\n + \"SYSRES_CONST_COMMON_SETTINGS_REQUISITE_CODE \"\n + \"SYSRES_CONST_COMP_CODE_GRD \"\n + \"SYSRES_CONST_COMPONENT_GROUP_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_COMPONENT_TYPE_ADMIN_COMPONENTS \"\n + \"SYSRES_CONST_COMPONENT_TYPE_DEVELOPER_COMPONENTS \"\n + \"SYSRES_CONST_COMPONENT_TYPE_DOCS \"\n + \"SYSRES_CONST_COMPONENT_TYPE_EDOC_CARDS \"\n + \"SYSRES_CONST_COMPONENT_TYPE_EDOCS \"\n + \"SYSRES_CONST_COMPONENT_TYPE_EXTERNAL_EXECUTABLE \"\n + \"SYSRES_CONST_COMPONENT_TYPE_OTHER \"\n + \"SYSRES_CONST_COMPONENT_TYPE_REFERENCE_TYPES \"\n + \"SYSRES_CONST_COMPONENT_TYPE_REFERENCES \"\n + \"SYSRES_CONST_COMPONENT_TYPE_REPORTS \"\n + \"SYSRES_CONST_COMPONENT_TYPE_SCRIPTS \"\n + \"SYSRES_CONST_COMPONENT_TYPE_URL \"\n + \"SYSRES_CONST_COMPONENTS_REMOTE_SERVERS_VIEW_CODE \"\n + \"SYSRES_CONST_CONDITION_BLOCK_DESCRIPTION \"\n + \"SYSRES_CONST_CONST_FIRM_STATUS_COMMON \"\n + \"SYSRES_CONST_CONST_FIRM_STATUS_INDIVIDUAL \"\n + \"SYSRES_CONST_CONST_NEGATIVE_VALUE \"\n + \"SYSRES_CONST_CONST_POSITIVE_VALUE \"\n + \"SYSRES_CONST_CONST_SERVER_STATUS_DONT_REPLICATE \"\n + \"SYSRES_CONST_CONST_SERVER_STATUS_REPLICATE \"\n + \"SYSRES_CONST_CONTENTS_REQUISITE_CODE \"\n + \"SYSRES_CONST_DATA_TYPE_BOOLEAN \"\n + \"SYSRES_CONST_DATA_TYPE_DATE \"\n + \"SYSRES_CONST_DATA_TYPE_FLOAT \"\n + \"SYSRES_CONST_DATA_TYPE_INTEGER \"\n + \"SYSRES_CONST_DATA_TYPE_PICK \"\n + \"SYSRES_CONST_DATA_TYPE_REFERENCE \"\n + \"SYSRES_CONST_DATA_TYPE_STRING \"\n + \"SYSRES_CONST_DATA_TYPE_TEXT \"\n + \"SYSRES_CONST_DATA_TYPE_VARIANT \"\n + \"SYSRES_CONST_DATE_CLOSE_REQ_CODE \"\n + \"SYSRES_CONST_DATE_FORMAT_DATE_ONLY_CHAR \"\n + \"SYSRES_CONST_DATE_OPEN_REQ_CODE \"\n + \"SYSRES_CONST_DATE_REQUISITE \"\n + \"SYSRES_CONST_DATE_REQUISITE_CODE \"\n + \"SYSRES_CONST_DATE_REQUISITE_NAME \"\n + \"SYSRES_CONST_DATE_REQUISITE_TYPE \"\n + \"SYSRES_CONST_DATE_TYPE_CHAR \"\n + \"SYSRES_CONST_DATETIME_FORMAT_VALUE \"\n + \"SYSRES_CONST_DEA_ACCESS_RIGHTS_ACTION_CODE \"\n + \"SYSRES_CONST_DESCRIPTION_LOCALIZE_ID_REQUISITE_CODE \"\n + \"SYSRES_CONST_DESCRIPTION_REQUISITE_CODE \"\n + \"SYSRES_CONST_DET1_PART \"\n + \"SYSRES_CONST_DET2_PART \"\n + \"SYSRES_CONST_DET3_PART \"\n + \"SYSRES_CONST_DET4_PART \"\n + \"SYSRES_CONST_DET5_PART \"\n + \"SYSRES_CONST_DET6_PART \"\n + \"SYSRES_CONST_DETAIL_DATASET_KEY_REQUISITE_CODE \"\n + \"SYSRES_CONST_DETAIL_PICK_REQUISITE_CODE \"\n + \"SYSRES_CONST_DETAIL_REQ_CODE \"\n + \"SYSRES_CONST_DO_NOT_USE_ACCESS_TYPE_CODE \"\n + \"SYSRES_CONST_DO_NOT_USE_ACCESS_TYPE_NAME \"\n + \"SYSRES_CONST_DO_NOT_USE_ON_VIEW_ACCESS_TYPE_CODE \"\n + \"SYSRES_CONST_DO_NOT_USE_ON_VIEW_ACCESS_TYPE_NAME \"\n + \"SYSRES_CONST_DOCUMENT_STORAGES_CODE \"\n + \"SYSRES_CONST_DOCUMENT_TEMPLATES_TYPE_NAME \"\n + \"SYSRES_CONST_DOUBLE_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDITOR_CLOSE_FILE_OBSERV_TYPE_CODE \"\n + \"SYSRES_CONST_EDITOR_CLOSE_PROCESS_OBSERV_TYPE_CODE \"\n + \"SYSRES_CONST_EDITOR_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDITORS_APPLICATION_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDITORS_CREATE_SEVERAL_PROCESSES_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDITORS_EXTENSION_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDITORS_OBSERVER_BY_PROCESS_TYPE \"\n + \"SYSRES_CONST_EDITORS_REFERENCE_CODE \"\n + \"SYSRES_CONST_EDITORS_REPLACE_SPEC_CHARS_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDITORS_USE_PLUGINS_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDITORS_VIEW_DOCUMENT_OPENED_TO_EDIT_CODE \"\n + \"SYSRES_CONST_EDOC_CARD_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_CARD_TYPES_LINK_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_CERTIFICATE_AND_PASSWORD_ENCODE_CODE \"\n + \"SYSRES_CONST_EDOC_CERTIFICATE_ENCODE_CODE \"\n + \"SYSRES_CONST_EDOC_DATE_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_KIND_REFERENCE_CODE \"\n + \"SYSRES_CONST_EDOC_KINDS_BY_TEMPLATE_ACTION_CODE \"\n + \"SYSRES_CONST_EDOC_MANAGE_ACCESS_CODE \"\n + \"SYSRES_CONST_EDOC_NONE_ENCODE_CODE \"\n + \"SYSRES_CONST_EDOC_NUMBER_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_PASSWORD_ENCODE_CODE \"\n + \"SYSRES_CONST_EDOC_READONLY_ACCESS_CODE \"\n + \"SYSRES_CONST_EDOC_SHELL_LIFE_TYPE_VIEW_VALUE \"\n + \"SYSRES_CONST_EDOC_SIZE_RESTRICTION_PRIORITY_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_STORAGE_CHECK_ACCESS_RIGHTS_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_STORAGE_COMPUTER_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_STORAGE_DATABASE_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_STORAGE_EDIT_IN_STORAGE_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_STORAGE_LOCAL_PATH_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_STORAGE_SHARED_SOURCE_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_TEMPLATE_REQUISITE_CODE \"\n + \"SYSRES_CONST_EDOC_TYPES_REFERENCE_CODE \"\n + \"SYSRES_CONST_EDOC_VERSION_ACTIVE_STAGE_CODE \"\n + \"SYSRES_CONST_EDOC_VERSION_DESIGN_STAGE_CODE \"\n + \"SYSRES_CONST_EDOC_VERSION_OBSOLETE_STAGE_CODE \"\n + \"SYSRES_CONST_EDOC_WRITE_ACCES_CODE \"\n + \"SYSRES_CONST_EDOCUMENT_CARD_REQUISITES_REFERENCE_CODE_SELECTED_REQUISITE \"\n + \"SYSRES_CONST_ENCODE_CERTIFICATE_TYPE_CODE \"\n + \"SYSRES_CONST_END_DATE_REQUISITE_CODE \"\n + \"SYSRES_CONST_ENUMERATION_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_EXECUTE_ACCESS_RIGHTS_TYPE_CODE \"\n + \"SYSRES_CONST_EXECUTIVE_FILE_STORAGE_TYPE \"\n + \"SYSRES_CONST_EXIST_CONST \"\n + \"SYSRES_CONST_EXIST_VALUE \"\n + \"SYSRES_CONST_EXPORT_LOCK_TYPE_ASK \"\n + \"SYSRES_CONST_EXPORT_LOCK_TYPE_WITH_LOCK \"\n + \"SYSRES_CONST_EXPORT_LOCK_TYPE_WITHOUT_LOCK \"\n + \"SYSRES_CONST_EXPORT_VERSION_TYPE_ASK \"\n + \"SYSRES_CONST_EXPORT_VERSION_TYPE_LAST \"\n + \"SYSRES_CONST_EXPORT_VERSION_TYPE_LAST_ACTIVE \"\n + \"SYSRES_CONST_EXTENSION_REQUISITE_CODE \"\n + \"SYSRES_CONST_FILTER_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_FILTER_REQUISITE_CODE \"\n + \"SYSRES_CONST_FILTER_TYPE_COMMON_CODE \"\n + \"SYSRES_CONST_FILTER_TYPE_COMMON_NAME \"\n + \"SYSRES_CONST_FILTER_TYPE_USER_CODE \"\n + \"SYSRES_CONST_FILTER_TYPE_USER_NAME \"\n + \"SYSRES_CONST_FILTER_VALUE_REQUISITE_NAME \"\n + \"SYSRES_CONST_FLOAT_NUMBER_FORMAT_CHAR \"\n + \"SYSRES_CONST_FLOAT_REQUISITE_TYPE \"\n + \"SYSRES_CONST_FOLDER_AUTHOR_VALUE \"\n + \"SYSRES_CONST_FOLDER_KIND_ANY_OBJECTS \"\n + \"SYSRES_CONST_FOLDER_KIND_COMPONENTS \"\n + \"SYSRES_CONST_FOLDER_KIND_EDOCS \"\n + \"SYSRES_CONST_FOLDER_KIND_JOBS \"\n + \"SYSRES_CONST_FOLDER_KIND_TASKS \"\n + \"SYSRES_CONST_FOLDER_TYPE_COMMON \"\n + \"SYSRES_CONST_FOLDER_TYPE_COMPONENT \"\n + \"SYSRES_CONST_FOLDER_TYPE_FAVORITES \"\n + \"SYSRES_CONST_FOLDER_TYPE_INBOX \"\n + \"SYSRES_CONST_FOLDER_TYPE_OUTBOX \"\n + \"SYSRES_CONST_FOLDER_TYPE_QUICK_LAUNCH \"\n + \"SYSRES_CONST_FOLDER_TYPE_SEARCH \"\n + \"SYSRES_CONST_FOLDER_TYPE_SHORTCUTS \"\n + \"SYSRES_CONST_FOLDER_TYPE_USER \"\n + \"SYSRES_CONST_FROM_DICTIONARY_ENUM_METHOD_FLAG \"\n + \"SYSRES_CONST_FULL_SUBSTITUTE_TYPE \"\n + \"SYSRES_CONST_FULL_SUBSTITUTE_TYPE_CODE \"\n + \"SYSRES_CONST_FUNCTION_CANCEL_RESULT \"\n + \"SYSRES_CONST_FUNCTION_CATEGORY_SYSTEM \"\n + \"SYSRES_CONST_FUNCTION_CATEGORY_USER \"\n + \"SYSRES_CONST_FUNCTION_FAILURE_RESULT \"\n + \"SYSRES_CONST_FUNCTION_SAVE_RESULT \"\n + \"SYSRES_CONST_GENERATED_REQUISITE \"\n + \"SYSRES_CONST_GREEN_LIFE_CYCLE_STAGE_FONT_COLOR \"\n + \"SYSRES_CONST_GROUP_ACCOUNT_TYPE_VALUE_CODE \"\n + \"SYSRES_CONST_GROUP_CATEGORY_NORMAL_CODE \"\n + \"SYSRES_CONST_GROUP_CATEGORY_NORMAL_NAME \"\n + \"SYSRES_CONST_GROUP_CATEGORY_SERVICE_CODE \"\n + \"SYSRES_CONST_GROUP_CATEGORY_SERVICE_NAME \"\n + \"SYSRES_CONST_GROUP_COMMON_CATEGORY_FIELD_VALUE \"\n + \"SYSRES_CONST_GROUP_FULL_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_GROUP_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_GROUP_RIGHTS_T_REQUISITE_CODE \"\n + \"SYSRES_CONST_GROUP_SERVER_CODES_REQUISITE_CODE \"\n + \"SYSRES_CONST_GROUP_SERVER_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_GROUP_SERVICE_CATEGORY_FIELD_VALUE \"\n + \"SYSRES_CONST_GROUP_USER_REQUISITE_CODE \"\n + \"SYSRES_CONST_GROUPS_REFERENCE_CODE \"\n + \"SYSRES_CONST_GROUPS_REQUISITE_CODE \"\n + \"SYSRES_CONST_HIDDEN_MODE_NAME \"\n + \"SYSRES_CONST_HIGH_LVL_REQUISITE_CODE \"\n + \"SYSRES_CONST_HISTORY_ACTION_CREATE_CODE \"\n + \"SYSRES_CONST_HISTORY_ACTION_DELETE_CODE \"\n + \"SYSRES_CONST_HISTORY_ACTION_EDIT_CODE \"\n + \"SYSRES_CONST_HOUR_CHAR \"\n + \"SYSRES_CONST_ID_REQUISITE_CODE \"\n + \"SYSRES_CONST_IDSPS_REQUISITE_CODE \"\n + \"SYSRES_CONST_IMAGE_MODE_COLOR \"\n + \"SYSRES_CONST_IMAGE_MODE_GREYSCALE \"\n + \"SYSRES_CONST_IMAGE_MODE_MONOCHROME \"\n + \"SYSRES_CONST_IMPORTANCE_HIGH \"\n + \"SYSRES_CONST_IMPORTANCE_LOW \"\n + \"SYSRES_CONST_IMPORTANCE_NORMAL \"\n + \"SYSRES_CONST_IN_DESIGN_VERSION_STATE_PICK_VALUE \"\n + \"SYSRES_CONST_INCOMING_WORK_RULE_TYPE_CODE \"\n + \"SYSRES_CONST_INT_REQUISITE \"\n + \"SYSRES_CONST_INT_REQUISITE_TYPE \"\n + \"SYSRES_CONST_INTEGER_NUMBER_FORMAT_CHAR \"\n + \"SYSRES_CONST_INTEGER_TYPE_CHAR \"\n + \"SYSRES_CONST_IS_GENERATED_REQUISITE_NEGATIVE_VALUE \"\n + \"SYSRES_CONST_IS_PUBLIC_ROLE_REQUISITE_CODE \"\n + \"SYSRES_CONST_IS_REMOTE_USER_NEGATIVE_VALUE \"\n + \"SYSRES_CONST_IS_REMOTE_USER_POSITIVE_VALUE \"\n + \"SYSRES_CONST_IS_STORED_REQUISITE_NEGATIVE_VALUE \"\n + \"SYSRES_CONST_IS_STORED_REQUISITE_STORED_VALUE \"\n + \"SYSRES_CONST_ITALIC_LIFE_CYCLE_STAGE_DRAW_STYLE \"\n + \"SYSRES_CONST_JOB_BLOCK_DESCRIPTION \"\n + \"SYSRES_CONST_JOB_KIND_CONTROL_JOB \"\n + \"SYSRES_CONST_JOB_KIND_JOB \"\n + \"SYSRES_CONST_JOB_KIND_NOTICE \"\n + \"SYSRES_CONST_JOB_STATE_ABORTED \"\n + \"SYSRES_CONST_JOB_STATE_COMPLETE \"\n + \"SYSRES_CONST_JOB_STATE_WORKING \"\n + \"SYSRES_CONST_KIND_REQUISITE_CODE \"\n + \"SYSRES_CONST_KIND_REQUISITE_NAME \"\n + \"SYSRES_CONST_KINDS_CREATE_SHADOW_COPIES_REQUISITE_CODE \"\n + \"SYSRES_CONST_KINDS_DEFAULT_EDOC_LIFE_STAGE_REQUISITE_CODE \"\n + \"SYSRES_CONST_KINDS_EDOC_ALL_TEPLATES_ALLOWED_REQUISITE_CODE \"\n + \"SYSRES_CONST_KINDS_EDOC_ALLOW_LIFE_CYCLE_STAGE_CHANGING_REQUISITE_CODE \"\n + \"SYSRES_CONST_KINDS_EDOC_ALLOW_MULTIPLE_ACTIVE_VERSIONS_REQUISITE_CODE \"\n + \"SYSRES_CONST_KINDS_EDOC_SHARE_ACCES_RIGHTS_BY_DEFAULT_CODE \"\n + \"SYSRES_CONST_KINDS_EDOC_TEMPLATE_REQUISITE_CODE \"\n + \"SYSRES_CONST_KINDS_EDOC_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_KINDS_SIGNERS_REQUISITES_CODE \"\n + \"SYSRES_CONST_KOD_INPUT_TYPE \"\n + \"SYSRES_CONST_LAST_UPDATE_DATE_REQUISITE_CODE \"\n + \"SYSRES_CONST_LIFE_CYCLE_START_STAGE_REQUISITE_CODE \"\n + \"SYSRES_CONST_LILAC_LIFE_CYCLE_STAGE_FONT_COLOR \"\n + \"SYSRES_CONST_LINK_OBJECT_KIND_COMPONENT \"\n + \"SYSRES_CONST_LINK_OBJECT_KIND_DOCUMENT \"\n + \"SYSRES_CONST_LINK_OBJECT_KIND_EDOC \"\n + \"SYSRES_CONST_LINK_OBJECT_KIND_FOLDER \"\n + \"SYSRES_CONST_LINK_OBJECT_KIND_JOB \"\n + \"SYSRES_CONST_LINK_OBJECT_KIND_REFERENCE \"\n + \"SYSRES_CONST_LINK_OBJECT_KIND_TASK \"\n + \"SYSRES_CONST_LINK_REF_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_LIST_REFERENCE_MODE_NAME \"\n + \"SYSRES_CONST_LOCALIZATION_DICTIONARY_MAIN_VIEW_CODE \"\n + \"SYSRES_CONST_MAIN_VIEW_CODE \"\n + \"SYSRES_CONST_MANUAL_ENUM_METHOD_FLAG \"\n + \"SYSRES_CONST_MASTER_COMP_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_MASTER_TABLE_REC_ID_REQUISITE_CODE \"\n + \"SYSRES_CONST_MAXIMIZED_MODE_NAME \"\n + \"SYSRES_CONST_ME_VALUE \"\n + \"SYSRES_CONST_MESSAGE_ATTENTION_CAPTION \"\n + \"SYSRES_CONST_MESSAGE_CONFIRMATION_CAPTION \"\n + \"SYSRES_CONST_MESSAGE_ERROR_CAPTION \"\n + \"SYSRES_CONST_MESSAGE_INFORMATION_CAPTION \"\n + \"SYSRES_CONST_MINIMIZED_MODE_NAME \"\n + \"SYSRES_CONST_MINUTE_CHAR \"\n + \"SYSRES_CONST_MODULE_REQUISITE_CODE \"\n + \"SYSRES_CONST_MONITORING_BLOCK_DESCRIPTION \"\n + \"SYSRES_CONST_MONTH_FORMAT_VALUE \"\n + \"SYSRES_CONST_NAME_LOCALIZE_ID_REQUISITE_CODE \"\n + \"SYSRES_CONST_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_NAME_SINGULAR_REQUISITE_CODE \"\n + \"SYSRES_CONST_NAMEAN_INPUT_TYPE \"\n + \"SYSRES_CONST_NEGATIVE_PICK_VALUE \"\n + \"SYSRES_CONST_NEGATIVE_VALUE \"\n + \"SYSRES_CONST_NO \"\n + \"SYSRES_CONST_NO_PICK_VALUE \"\n + \"SYSRES_CONST_NO_SIGNATURE_REQUISITE_CODE \"\n + \"SYSRES_CONST_NO_VALUE \"\n + \"SYSRES_CONST_NONE_ACCESS_RIGHTS_TYPE_CODE \"\n + \"SYSRES_CONST_NONOPERATING_RECORD_FLAG_VALUE \"\n + \"SYSRES_CONST_NONOPERATING_RECORD_FLAG_VALUE_MASCULINE \"\n + \"SYSRES_CONST_NORMAL_ACCESS_RIGHTS_TYPE_CODE \"\n + \"SYSRES_CONST_NORMAL_LIFE_CYCLE_STAGE_DRAW_STYLE \"\n + \"SYSRES_CONST_NORMAL_MODE_NAME \"\n + \"SYSRES_CONST_NOT_ALLOWED_ACCESS_TYPE_CODE \"\n + \"SYSRES_CONST_NOT_ALLOWED_ACCESS_TYPE_NAME \"\n + \"SYSRES_CONST_NOTE_REQUISITE_CODE \"\n + \"SYSRES_CONST_NOTICE_BLOCK_DESCRIPTION \"\n + \"SYSRES_CONST_NUM_REQUISITE \"\n + \"SYSRES_CONST_NUM_STR_REQUISITE_CODE \"\n + \"SYSRES_CONST_NUMERATION_AUTO_NOT_STRONG \"\n + \"SYSRES_CONST_NUMERATION_AUTO_STRONG \"\n + \"SYSRES_CONST_NUMERATION_FROM_DICTONARY \"\n + \"SYSRES_CONST_NUMERATION_MANUAL \"\n + \"SYSRES_CONST_NUMERIC_TYPE_CHAR \"\n + \"SYSRES_CONST_NUMREQ_REQUISITE_CODE \"\n + \"SYSRES_CONST_OBSOLETE_VERSION_STATE_PICK_VALUE \"\n + \"SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE \"\n + \"SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_CODE \"\n + \"SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_FEMININE \"\n + \"SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_MASCULINE \"\n + \"SYSRES_CONST_OPTIONAL_FORM_COMP_REQCODE_PREFIX \"\n + \"SYSRES_CONST_ORANGE_LIFE_CYCLE_STAGE_FONT_COLOR \"\n + \"SYSRES_CONST_ORIGINALREF_REQUISITE_CODE \"\n + \"SYSRES_CONST_OURFIRM_REF_CODE \"\n + \"SYSRES_CONST_OURFIRM_REQUISITE_CODE \"\n + \"SYSRES_CONST_OURFIRM_VAR \"\n + \"SYSRES_CONST_OUTGOING_WORK_RULE_TYPE_CODE \"\n + \"SYSRES_CONST_PICK_NEGATIVE_RESULT \"\n + \"SYSRES_CONST_PICK_POSITIVE_RESULT \"\n + \"SYSRES_CONST_PICK_REQUISITE \"\n + \"SYSRES_CONST_PICK_REQUISITE_TYPE \"\n + \"SYSRES_CONST_PICK_TYPE_CHAR \"\n + \"SYSRES_CONST_PLAN_STATUS_REQUISITE_CODE \"\n + \"SYSRES_CONST_PLATFORM_VERSION_COMMENT \"\n + \"SYSRES_CONST_PLUGINS_SETTINGS_DESCRIPTION_REQUISITE_CODE \"\n + \"SYSRES_CONST_POSITIVE_PICK_VALUE \"\n + \"SYSRES_CONST_POWER_TO_CREATE_ACTION_CODE \"\n + \"SYSRES_CONST_POWER_TO_SIGN_ACTION_CODE \"\n + \"SYSRES_CONST_PRIORITY_REQUISITE_CODE \"\n + \"SYSRES_CONST_QUALIFIED_TASK_TYPE \"\n + \"SYSRES_CONST_QUALIFIED_TASK_TYPE_CODE \"\n + \"SYSRES_CONST_RECSTAT_REQUISITE_CODE \"\n + \"SYSRES_CONST_RED_LIFE_CYCLE_STAGE_FONT_COLOR \"\n + \"SYSRES_CONST_REF_ID_T_REF_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_REF_REQUISITE \"\n + \"SYSRES_CONST_REF_REQUISITE_TYPE \"\n + \"SYSRES_CONST_REF_REQUISITES_REFERENCE_CODE_SELECTED_REQUISITE \"\n + \"SYSRES_CONST_REFERENCE_RECORD_HISTORY_CREATE_ACTION_CODE \"\n + \"SYSRES_CONST_REFERENCE_RECORD_HISTORY_DELETE_ACTION_CODE \"\n + \"SYSRES_CONST_REFERENCE_RECORD_HISTORY_MODIFY_ACTION_CODE \"\n + \"SYSRES_CONST_REFERENCE_TYPE_CHAR \"\n + \"SYSRES_CONST_REFERENCE_TYPE_REQUISITE_NAME \"\n + \"SYSRES_CONST_REFERENCES_ADD_PARAMS_REQUISITE_CODE \"\n + \"SYSRES_CONST_REFERENCES_DISPLAY_REQUISITE_REQUISITE_CODE \"\n + \"SYSRES_CONST_REMOTE_SERVER_STATUS_WORKING \"\n + \"SYSRES_CONST_REMOTE_SERVER_TYPE_MAIN \"\n + \"SYSRES_CONST_REMOTE_SERVER_TYPE_SECONDARY \"\n + \"SYSRES_CONST_REMOTE_USER_FLAG_VALUE_CODE \"\n + \"SYSRES_CONST_REPORT_APP_EDITOR_INTERNAL \"\n + \"SYSRES_CONST_REPORT_BASE_REPORT_ID_REQUISITE_CODE \"\n + \"SYSRES_CONST_REPORT_BASE_REPORT_REQUISITE_CODE \"\n + \"SYSRES_CONST_REPORT_SCRIPT_REQUISITE_CODE \"\n + \"SYSRES_CONST_REPORT_TEMPLATE_REQUISITE_CODE \"\n + \"SYSRES_CONST_REPORT_VIEWER_CODE_REQUISITE_CODE \"\n + \"SYSRES_CONST_REQ_ALLOW_COMPONENT_DEFAULT_VALUE \"\n + \"SYSRES_CONST_REQ_ALLOW_RECORD_DEFAULT_VALUE \"\n + \"SYSRES_CONST_REQ_ALLOW_SERVER_COMPONENT_DEFAULT_VALUE \"\n + \"SYSRES_CONST_REQ_MODE_AVAILABLE_CODE \"\n + \"SYSRES_CONST_REQ_MODE_EDIT_CODE \"\n + \"SYSRES_CONST_REQ_MODE_HIDDEN_CODE \"\n + \"SYSRES_CONST_REQ_MODE_NOT_AVAILABLE_CODE \"\n + \"SYSRES_CONST_REQ_MODE_VIEW_CODE \"\n + \"SYSRES_CONST_REQ_NUMBER_REQUISITE_CODE \"\n + \"SYSRES_CONST_REQ_SECTION_VALUE \"\n + \"SYSRES_CONST_REQ_TYPE_VALUE \"\n + \"SYSRES_CONST_REQUISITE_FORMAT_BY_UNIT \"\n + \"SYSRES_CONST_REQUISITE_FORMAT_DATE_FULL \"\n + \"SYSRES_CONST_REQUISITE_FORMAT_DATE_TIME \"\n + \"SYSRES_CONST_REQUISITE_FORMAT_LEFT \"\n + \"SYSRES_CONST_REQUISITE_FORMAT_RIGHT \"\n + \"SYSRES_CONST_REQUISITE_FORMAT_WITHOUT_UNIT \"\n + \"SYSRES_CONST_REQUISITE_NUMBER_REQUISITE_CODE \"\n + \"SYSRES_CONST_REQUISITE_SECTION_ACTIONS \"\n + \"SYSRES_CONST_REQUISITE_SECTION_BUTTON \"\n + \"SYSRES_CONST_REQUISITE_SECTION_BUTTONS \"\n + \"SYSRES_CONST_REQUISITE_SECTION_CARD \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE10 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE11 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE12 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE13 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE14 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE15 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE16 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE17 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE18 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE19 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE2 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE20 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE21 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE22 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE23 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE24 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE3 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE4 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE5 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE6 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE7 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE8 \"\n + \"SYSRES_CONST_REQUISITE_SECTION_TABLE9 \"\n + \"SYSRES_CONST_REQUISITES_PSEUDOREFERENCE_REQUISITE_NUMBER_REQUISITE_CODE \"\n + \"SYSRES_CONST_RIGHT_ALIGNMENT_CODE \"\n + \"SYSRES_CONST_ROLES_REFERENCE_CODE \"\n + \"SYSRES_CONST_ROUTE_STEP_AFTER_RUS \"\n + \"SYSRES_CONST_ROUTE_STEP_AND_CONDITION_RUS \"\n + \"SYSRES_CONST_ROUTE_STEP_OR_CONDITION_RUS \"\n + \"SYSRES_CONST_ROUTE_TYPE_COMPLEX \"\n + \"SYSRES_CONST_ROUTE_TYPE_PARALLEL \"\n + \"SYSRES_CONST_ROUTE_TYPE_SERIAL \"\n + \"SYSRES_CONST_SBDATASETDESC_NEGATIVE_VALUE \"\n + \"SYSRES_CONST_SBDATASETDESC_POSITIVE_VALUE \"\n + \"SYSRES_CONST_SBVIEWSDESC_POSITIVE_VALUE \"\n + \"SYSRES_CONST_SCRIPT_BLOCK_DESCRIPTION \"\n + \"SYSRES_CONST_SEARCH_BY_TEXT_REQUISITE_CODE \"\n + \"SYSRES_CONST_SEARCHES_COMPONENT_CONTENT \"\n + \"SYSRES_CONST_SEARCHES_CRITERIA_ACTION_NAME \"\n + \"SYSRES_CONST_SEARCHES_EDOC_CONTENT \"\n + \"SYSRES_CONST_SEARCHES_FOLDER_CONTENT \"\n + \"SYSRES_CONST_SEARCHES_JOB_CONTENT \"\n + \"SYSRES_CONST_SEARCHES_REFERENCE_CODE \"\n + \"SYSRES_CONST_SEARCHES_TASK_CONTENT \"\n + \"SYSRES_CONST_SECOND_CHAR \"\n + \"SYSRES_CONST_SECTION_REQUISITE_ACTIONS_VALUE \"\n + \"SYSRES_CONST_SECTION_REQUISITE_CARD_VALUE \"\n + \"SYSRES_CONST_SECTION_REQUISITE_CODE \"\n + \"SYSRES_CONST_SECTION_REQUISITE_DETAIL_1_VALUE \"\n + \"SYSRES_CONST_SECTION_REQUISITE_DETAIL_2_VALUE \"\n + \"SYSRES_CONST_SECTION_REQUISITE_DETAIL_3_VALUE \"\n + \"SYSRES_CONST_SECTION_REQUISITE_DETAIL_4_VALUE \"\n + \"SYSRES_CONST_SECTION_REQUISITE_DETAIL_5_VALUE \"\n + \"SYSRES_CONST_SECTION_REQUISITE_DETAIL_6_VALUE \"\n + \"SYSRES_CONST_SELECT_REFERENCE_MODE_NAME \"\n + \"SYSRES_CONST_SELECT_TYPE_SELECTABLE \"\n + \"SYSRES_CONST_SELECT_TYPE_SELECTABLE_ONLY_CHILD \"\n + \"SYSRES_CONST_SELECT_TYPE_SELECTABLE_WITH_CHILD \"\n + \"SYSRES_CONST_SELECT_TYPE_UNSLECTABLE \"\n + \"SYSRES_CONST_SERVER_TYPE_MAIN \"\n + \"SYSRES_CONST_SERVICE_USER_CATEGORY_FIELD_VALUE \"\n + \"SYSRES_CONST_SETTINGS_USER_REQUISITE_CODE \"\n + \"SYSRES_CONST_SIGNATURE_AND_ENCODE_CERTIFICATE_TYPE_CODE \"\n + \"SYSRES_CONST_SIGNATURE_CERTIFICATE_TYPE_CODE \"\n + \"SYSRES_CONST_SINGULAR_TITLE_REQUISITE_CODE \"\n + \"SYSRES_CONST_SQL_SERVER_AUTHENTIFICATION_FLAG_VALUE_CODE \"\n + \"SYSRES_CONST_SQL_SERVER_ENCODE_AUTHENTIFICATION_FLAG_VALUE_CODE \"\n + \"SYSRES_CONST_STANDART_ROUTE_REFERENCE_CODE \"\n + \"SYSRES_CONST_STANDART_ROUTE_REFERENCE_COMMENT_REQUISITE_CODE \"\n + \"SYSRES_CONST_STANDART_ROUTES_GROUPS_REFERENCE_CODE \"\n + \"SYSRES_CONST_STATE_REQ_NAME \"\n + \"SYSRES_CONST_STATE_REQUISITE_ACTIVE_VALUE \"\n + \"SYSRES_CONST_STATE_REQUISITE_CLOSED_VALUE \"\n + \"SYSRES_CONST_STATE_REQUISITE_CODE \"\n + \"SYSRES_CONST_STATIC_ROLE_TYPE_CODE \"\n + \"SYSRES_CONST_STATUS_PLAN_DEFAULT_VALUE \"\n + \"SYSRES_CONST_STATUS_VALUE_AUTOCLEANING \"\n + \"SYSRES_CONST_STATUS_VALUE_BLUE_SQUARE \"\n + \"SYSRES_CONST_STATUS_VALUE_COMPLETE \"\n + \"SYSRES_CONST_STATUS_VALUE_GREEN_SQUARE \"\n + \"SYSRES_CONST_STATUS_VALUE_ORANGE_SQUARE \"\n + \"SYSRES_CONST_STATUS_VALUE_PURPLE_SQUARE \"\n + \"SYSRES_CONST_STATUS_VALUE_RED_SQUARE \"\n + \"SYSRES_CONST_STATUS_VALUE_SUSPEND \"\n + \"SYSRES_CONST_STATUS_VALUE_YELLOW_SQUARE \"\n + \"SYSRES_CONST_STDROUTE_SHOW_TO_USERS_REQUISITE_CODE \"\n + \"SYSRES_CONST_STORAGE_TYPE_FILE \"\n + \"SYSRES_CONST_STORAGE_TYPE_SQL_SERVER \"\n + \"SYSRES_CONST_STR_REQUISITE \"\n + \"SYSRES_CONST_STRIKEOUT_LIFE_CYCLE_STAGE_DRAW_STYLE \"\n + \"SYSRES_CONST_STRING_FORMAT_LEFT_ALIGN_CHAR \"\n + \"SYSRES_CONST_STRING_FORMAT_RIGHT_ALIGN_CHAR \"\n + \"SYSRES_CONST_STRING_REQUISITE_CODE \"\n + \"SYSRES_CONST_STRING_REQUISITE_TYPE \"\n + \"SYSRES_CONST_STRING_TYPE_CHAR \"\n + \"SYSRES_CONST_SUBSTITUTES_PSEUDOREFERENCE_CODE \"\n + \"SYSRES_CONST_SUBTASK_BLOCK_DESCRIPTION \"\n + \"SYSRES_CONST_SYSTEM_SETTING_CURRENT_USER_PARAM_VALUE \"\n + \"SYSRES_CONST_SYSTEM_SETTING_EMPTY_VALUE_PARAM_VALUE \"\n + \"SYSRES_CONST_SYSTEM_VERSION_COMMENT \"\n + \"SYSRES_CONST_TASK_ACCESS_TYPE_ALL \"\n + \"SYSRES_CONST_TASK_ACCESS_TYPE_ALL_MEMBERS \"\n + \"SYSRES_CONST_TASK_ACCESS_TYPE_MANUAL \"\n + \"SYSRES_CONST_TASK_ENCODE_TYPE_CERTIFICATION \"\n + \"SYSRES_CONST_TASK_ENCODE_TYPE_CERTIFICATION_AND_PASSWORD \"\n + \"SYSRES_CONST_TASK_ENCODE_TYPE_NONE \"\n + \"SYSRES_CONST_TASK_ENCODE_TYPE_PASSWORD \"\n + \"SYSRES_CONST_TASK_ROUTE_ALL_CONDITION \"\n + \"SYSRES_CONST_TASK_ROUTE_AND_CONDITION \"\n + \"SYSRES_CONST_TASK_ROUTE_OR_CONDITION \"\n + \"SYSRES_CONST_TASK_STATE_ABORTED \"\n + \"SYSRES_CONST_TASK_STATE_COMPLETE \"\n + \"SYSRES_CONST_TASK_STATE_CONTINUED \"\n + \"SYSRES_CONST_TASK_STATE_CONTROL \"\n + \"SYSRES_CONST_TASK_STATE_INIT \"\n + \"SYSRES_CONST_TASK_STATE_WORKING \"\n + \"SYSRES_CONST_TASK_TITLE \"\n + \"SYSRES_CONST_TASK_TYPES_GROUPS_REFERENCE_CODE \"\n + \"SYSRES_CONST_TASK_TYPES_REFERENCE_CODE \"\n + \"SYSRES_CONST_TEMPLATES_REFERENCE_CODE \"\n + \"SYSRES_CONST_TEST_DATE_REQUISITE_NAME \"\n + \"SYSRES_CONST_TEST_DEV_DATABASE_NAME \"\n + \"SYSRES_CONST_TEST_DEV_SYSTEM_CODE \"\n + \"SYSRES_CONST_TEST_EDMS_DATABASE_NAME \"\n + \"SYSRES_CONST_TEST_EDMS_MAIN_CODE \"\n + \"SYSRES_CONST_TEST_EDMS_MAIN_DB_NAME \"\n + \"SYSRES_CONST_TEST_EDMS_SECOND_CODE \"\n + \"SYSRES_CONST_TEST_EDMS_SECOND_DB_NAME \"\n + \"SYSRES_CONST_TEST_EDMS_SYSTEM_CODE \"\n + \"SYSRES_CONST_TEST_NUMERIC_REQUISITE_NAME \"\n + \"SYSRES_CONST_TEXT_REQUISITE \"\n + \"SYSRES_CONST_TEXT_REQUISITE_CODE \"\n + \"SYSRES_CONST_TEXT_REQUISITE_TYPE \"\n + \"SYSRES_CONST_TEXT_TYPE_CHAR \"\n + \"SYSRES_CONST_TYPE_CODE_REQUISITE_CODE \"\n + \"SYSRES_CONST_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_UNDEFINED_LIFE_CYCLE_STAGE_FONT_COLOR \"\n + \"SYSRES_CONST_UNITS_SECTION_ID_REQUISITE_CODE \"\n + \"SYSRES_CONST_UNITS_SECTION_REQUISITE_CODE \"\n + \"SYSRES_CONST_UNOPERATING_RECORD_FLAG_VALUE_CODE \"\n + \"SYSRES_CONST_UNSTORED_DATA_REQUISITE_CODE \"\n + \"SYSRES_CONST_UNSTORED_DATA_REQUISITE_NAME \"\n + \"SYSRES_CONST_USE_ACCESS_TYPE_CODE \"\n + \"SYSRES_CONST_USE_ACCESS_TYPE_NAME \"\n + \"SYSRES_CONST_USER_ACCOUNT_TYPE_VALUE_CODE \"\n + \"SYSRES_CONST_USER_ADDITIONAL_INFORMATION_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_AND_GROUP_ID_FROM_PSEUDOREFERENCE_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_CATEGORY_NORMAL \"\n + \"SYSRES_CONST_USER_CERTIFICATE_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_CERTIFICATE_STATE_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_CERTIFICATE_SUBJECT_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_CERTIFICATE_THUMBPRINT_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_COMMON_CATEGORY \"\n + \"SYSRES_CONST_USER_COMMON_CATEGORY_CODE \"\n + \"SYSRES_CONST_USER_FULL_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_GROUP_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_LOGIN_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_REMOTE_CONTROLLER_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_REMOTE_SYSTEM_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_RIGHTS_T_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_SERVER_NAME_REQUISITE_CODE \"\n + \"SYSRES_CONST_USER_SERVICE_CATEGORY \"\n + \"SYSRES_CONST_USER_SERVICE_CATEGORY_CODE \"\n + \"SYSRES_CONST_USER_STATUS_ADMINISTRATOR_CODE \"\n + \"SYSRES_CONST_USER_STATUS_ADMINISTRATOR_NAME \"\n + \"SYSRES_CONST_USER_STATUS_DEVELOPER_CODE \"\n + \"SYSRES_CONST_USER_STATUS_DEVELOPER_NAME \"\n + \"SYSRES_CONST_USER_STATUS_DISABLED_CODE \"\n + \"SYSRES_CONST_USER_STATUS_DISABLED_NAME \"\n + \"SYSRES_CONST_USER_STATUS_SYSTEM_DEVELOPER_CODE \"\n + \"SYSRES_CONST_USER_STATUS_USER_CODE \"\n + \"SYSRES_CONST_USER_STATUS_USER_NAME \"\n + \"SYSRES_CONST_USER_STATUS_USER_NAME_DEPRECATED \"\n + \"SYSRES_CONST_USER_TYPE_FIELD_VALUE_USER \"\n + \"SYSRES_CONST_USER_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_USERS_CONTROLLER_REQUISITE_CODE \"\n + \"SYSRES_CONST_USERS_IS_MAIN_SERVER_REQUISITE_CODE \"\n + \"SYSRES_CONST_USERS_REFERENCE_CODE \"\n + \"SYSRES_CONST_USERS_REGISTRATION_CERTIFICATES_ACTION_NAME \"\n + \"SYSRES_CONST_USERS_REQUISITE_CODE \"\n + \"SYSRES_CONST_USERS_SYSTEM_REQUISITE_CODE \"\n + \"SYSRES_CONST_USERS_USER_ACCESS_RIGHTS_TYPR_REQUISITE_CODE \"\n + \"SYSRES_CONST_USERS_USER_AUTHENTICATION_REQUISITE_CODE \"\n + \"SYSRES_CONST_USERS_USER_COMPONENT_REQUISITE_CODE \"\n + \"SYSRES_CONST_USERS_USER_GROUP_REQUISITE_CODE \"\n + \"SYSRES_CONST_USERS_VIEW_CERTIFICATES_ACTION_NAME \"\n + \"SYSRES_CONST_VIEW_DEFAULT_CODE \"\n + \"SYSRES_CONST_VIEW_DEFAULT_NAME \"\n + \"SYSRES_CONST_VIEWER_REQUISITE_CODE \"\n + \"SYSRES_CONST_WAITING_BLOCK_DESCRIPTION \"\n + \"SYSRES_CONST_WIZARD_FORM_LABEL_TEST_STRING \"\n + \"SYSRES_CONST_WIZARD_QUERY_PARAM_HEIGHT_ETALON_STRING \"\n + \"SYSRES_CONST_WIZARD_REFERENCE_COMMENT_REQUISITE_CODE \"\n + \"SYSRES_CONST_WORK_RULES_DESCRIPTION_REQUISITE_CODE \"\n + \"SYSRES_CONST_WORK_TIME_CALENDAR_REFERENCE_CODE \"\n + \"SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE \"\n + \"SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE_CODE \"\n + \"SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE_CODE_RUS \"\n + \"SYSRES_CONST_WORK_WORKFLOW_SOFT_ROUTE_TYPE_VALUE_CODE_RUS \"\n + \"SYSRES_CONST_WORKFLOW_ROUTE_TYPR_HARD \"\n + \"SYSRES_CONST_WORKFLOW_ROUTE_TYPR_SOFT \"\n + \"SYSRES_CONST_XML_ENCODING \"\n + \"SYSRES_CONST_XREC_STAT_REQUISITE_CODE \"\n + \"SYSRES_CONST_XRECID_FIELD_NAME \"\n + \"SYSRES_CONST_YES \"\n + \"SYSRES_CONST_YES_NO_2_REQUISITE_CODE \"\n + \"SYSRES_CONST_YES_NO_REQUISITE_CODE \"\n + \"SYSRES_CONST_YES_NO_T_REF_TYPE_REQUISITE_CODE \"\n + \"SYSRES_CONST_YES_PICK_VALUE \"\n + \"SYSRES_CONST_YES_VALUE \";\n\n // Base constant\n const base_constants = \"CR FALSE nil NO_VALUE NULL TAB TRUE YES_VALUE \";\n\n // Base group name\n const base_group_name_constants =\n \"ADMINISTRATORS_GROUP_NAME CUSTOMIZERS_GROUP_NAME DEVELOPERS_GROUP_NAME SERVICE_USERS_GROUP_NAME \";\n\n // Decision block properties\n const decision_block_properties_constants =\n \"DECISION_BLOCK_FIRST_OPERAND_PROPERTY DECISION_BLOCK_NAME_PROPERTY DECISION_BLOCK_OPERATION_PROPERTY \"\n + \"DECISION_BLOCK_RESULT_TYPE_PROPERTY DECISION_BLOCK_SECOND_OPERAND_PROPERTY \";\n\n // File extension\n const file_extension_constants =\n \"ANY_FILE_EXTENTION COMPRESSED_DOCUMENT_EXTENSION EXTENDED_DOCUMENT_EXTENSION \"\n + \"SHORT_COMPRESSED_DOCUMENT_EXTENSION SHORT_EXTENDED_DOCUMENT_EXTENSION \";\n\n // Job block properties\n const job_block_properties_constants =\n \"JOB_BLOCK_ABORT_DEADLINE_PROPERTY \"\n + \"JOB_BLOCK_AFTER_FINISH_EVENT \"\n + \"JOB_BLOCK_AFTER_QUERY_PARAMETERS_EVENT \"\n + \"JOB_BLOCK_ATTACHMENT_PROPERTY \"\n + \"JOB_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY \"\n + \"JOB_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY \"\n + \"JOB_BLOCK_BEFORE_QUERY_PARAMETERS_EVENT \"\n + \"JOB_BLOCK_BEFORE_START_EVENT \"\n + \"JOB_BLOCK_CREATED_JOBS_PROPERTY \"\n + \"JOB_BLOCK_DEADLINE_PROPERTY \"\n + \"JOB_BLOCK_EXECUTION_RESULTS_PROPERTY \"\n + \"JOB_BLOCK_IS_PARALLEL_PROPERTY \"\n + \"JOB_BLOCK_IS_RELATIVE_ABORT_DEADLINE_PROPERTY \"\n + \"JOB_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY \"\n + \"JOB_BLOCK_JOB_TEXT_PROPERTY \"\n + \"JOB_BLOCK_NAME_PROPERTY \"\n + \"JOB_BLOCK_NEED_SIGN_ON_PERFORM_PROPERTY \"\n + \"JOB_BLOCK_PERFORMER_PROPERTY \"\n + \"JOB_BLOCK_RELATIVE_ABORT_DEADLINE_TYPE_PROPERTY \"\n + \"JOB_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY \"\n + \"JOB_BLOCK_SUBJECT_PROPERTY \";\n\n // Language code\n const language_code_constants = \"ENGLISH_LANGUAGE_CODE RUSSIAN_LANGUAGE_CODE \";\n\n // Launching external applications\n const launching_external_applications_constants =\n \"smHidden smMaximized smMinimized smNormal wmNo wmYes \";\n\n // Link kind\n const link_kind_constants =\n \"COMPONENT_TOKEN_LINK_KIND \"\n + \"DOCUMENT_LINK_KIND \"\n + \"EDOCUMENT_LINK_KIND \"\n + \"FOLDER_LINK_KIND \"\n + \"JOB_LINK_KIND \"\n + \"REFERENCE_LINK_KIND \"\n + \"TASK_LINK_KIND \";\n\n // Lock type\n const lock_type_constants =\n \"COMPONENT_TOKEN_LOCK_TYPE EDOCUMENT_VERSION_LOCK_TYPE \";\n\n // Monitor block properties\n const monitor_block_properties_constants =\n \"MONITOR_BLOCK_AFTER_FINISH_EVENT \"\n + \"MONITOR_BLOCK_BEFORE_START_EVENT \"\n + \"MONITOR_BLOCK_DEADLINE_PROPERTY \"\n + \"MONITOR_BLOCK_INTERVAL_PROPERTY \"\n + \"MONITOR_BLOCK_INTERVAL_TYPE_PROPERTY \"\n + \"MONITOR_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY \"\n + \"MONITOR_BLOCK_NAME_PROPERTY \"\n + \"MONITOR_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY \"\n + \"MONITOR_BLOCK_SEARCH_SCRIPT_PROPERTY \";\n\n // Notice block properties\n const notice_block_properties_constants =\n \"NOTICE_BLOCK_AFTER_FINISH_EVENT \"\n + \"NOTICE_BLOCK_ATTACHMENT_PROPERTY \"\n + \"NOTICE_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY \"\n + \"NOTICE_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY \"\n + \"NOTICE_BLOCK_BEFORE_START_EVENT \"\n + \"NOTICE_BLOCK_CREATED_NOTICES_PROPERTY \"\n + \"NOTICE_BLOCK_DEADLINE_PROPERTY \"\n + \"NOTICE_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY \"\n + \"NOTICE_BLOCK_NAME_PROPERTY \"\n + \"NOTICE_BLOCK_NOTICE_TEXT_PROPERTY \"\n + \"NOTICE_BLOCK_PERFORMER_PROPERTY \"\n + \"NOTICE_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY \"\n + \"NOTICE_BLOCK_SUBJECT_PROPERTY \";\n\n // Object events\n const object_events_constants =\n \"dseAfterCancel \"\n + \"dseAfterClose \"\n + \"dseAfterDelete \"\n + \"dseAfterDeleteOutOfTransaction \"\n + \"dseAfterInsert \"\n + \"dseAfterOpen \"\n + \"dseAfterScroll \"\n + \"dseAfterUpdate \"\n + \"dseAfterUpdateOutOfTransaction \"\n + \"dseBeforeCancel \"\n + \"dseBeforeClose \"\n + \"dseBeforeDelete \"\n + \"dseBeforeDetailUpdate \"\n + \"dseBeforeInsert \"\n + \"dseBeforeOpen \"\n + \"dseBeforeUpdate \"\n + \"dseOnAnyRequisiteChange \"\n + \"dseOnCloseRecord \"\n + \"dseOnDeleteError \"\n + \"dseOnOpenRecord \"\n + \"dseOnPrepareUpdate \"\n + \"dseOnUpdateError \"\n + \"dseOnUpdateRatifiedRecord \"\n + \"dseOnValidDelete \"\n + \"dseOnValidUpdate \"\n + \"reOnChange \"\n + \"reOnChangeValues \"\n + \"SELECTION_BEGIN_ROUTE_EVENT \"\n + \"SELECTION_END_ROUTE_EVENT \";\n\n // Object params\n const object_params_constants =\n \"CURRENT_PERIOD_IS_REQUIRED \"\n + \"PREVIOUS_CARD_TYPE_NAME \"\n + \"SHOW_RECORD_PROPERTIES_FORM \";\n\n // Other\n const other_constants =\n \"ACCESS_RIGHTS_SETTING_DIALOG_CODE \"\n + \"ADMINISTRATOR_USER_CODE \"\n + \"ANALYTIC_REPORT_TYPE \"\n + \"asrtHideLocal \"\n + \"asrtHideRemote \"\n + \"CALCULATED_ROLE_TYPE_CODE \"\n + \"COMPONENTS_REFERENCE_DEVELOPER_VIEW_CODE \"\n + \"DCTS_TEST_PROTOCOLS_FOLDER_PATH \"\n + \"E_EDOC_VERSION_ALREADY_APPROVINGLY_SIGNED \"\n + \"E_EDOC_VERSION_ALREADY_APPROVINGLY_SIGNED_BY_USER \"\n + \"E_EDOC_VERSION_ALREDY_SIGNED \"\n + \"E_EDOC_VERSION_ALREDY_SIGNED_BY_USER \"\n + \"EDOC_TYPES_CODE_REQUISITE_FIELD_NAME \"\n + \"EDOCUMENTS_ALIAS_NAME \"\n + \"FILES_FOLDER_PATH \"\n + \"FILTER_OPERANDS_DELIMITER \"\n + \"FILTER_OPERATIONS_DELIMITER \"\n + \"FORMCARD_NAME \"\n + \"FORMLIST_NAME \"\n + \"GET_EXTENDED_DOCUMENT_EXTENSION_CREATION_MODE \"\n + \"GET_EXTENDED_DOCUMENT_EXTENSION_IMPORT_MODE \"\n + \"INTEGRATED_REPORT_TYPE \"\n + \"IS_BUILDER_APPLICATION_ROLE \"\n + \"IS_BUILDER_APPLICATION_ROLE2 \"\n + \"IS_BUILDER_USERS \"\n + \"ISBSYSDEV \"\n + \"LOG_FOLDER_PATH \"\n + \"mbCancel \"\n + \"mbNo \"\n + \"mbNoToAll \"\n + \"mbOK \"\n + \"mbYes \"\n + \"mbYesToAll \"\n + \"MEMORY_DATASET_DESRIPTIONS_FILENAME \"\n + \"mrNo \"\n + \"mrNoToAll \"\n + \"mrYes \"\n + \"mrYesToAll \"\n + \"MULTIPLE_SELECT_DIALOG_CODE \"\n + \"NONOPERATING_RECORD_FLAG_FEMININE \"\n + \"NONOPERATING_RECORD_FLAG_MASCULINE \"\n + \"OPERATING_RECORD_FLAG_FEMININE \"\n + \"OPERATING_RECORD_FLAG_MASCULINE \"\n + \"PROFILING_SETTINGS_COMMON_SETTINGS_CODE_VALUE \"\n + \"PROGRAM_INITIATED_LOOKUP_ACTION \"\n + \"ratDelete \"\n + \"ratEdit \"\n + \"ratInsert \"\n + \"REPORT_TYPE \"\n + \"REQUIRED_PICK_VALUES_VARIABLE \"\n + \"rmCard \"\n + \"rmList \"\n + \"SBRTE_PROGID_DEV \"\n + \"SBRTE_PROGID_RELEASE \"\n + \"STATIC_ROLE_TYPE_CODE \"\n + \"SUPPRESS_EMPTY_TEMPLATE_CREATION \"\n + \"SYSTEM_USER_CODE \"\n + \"UPDATE_DIALOG_DATASET \"\n + \"USED_IN_OBJECT_HINT_PARAM \"\n + \"USER_INITIATED_LOOKUP_ACTION \"\n + \"USER_NAME_FORMAT \"\n + \"USER_SELECTION_RESTRICTIONS \"\n + \"WORKFLOW_TEST_PROTOCOLS_FOLDER_PATH \"\n + \"ELS_SUBTYPE_CONTROL_NAME \"\n + \"ELS_FOLDER_KIND_CONTROL_NAME \"\n + \"REPEAT_PROCESS_CURRENT_OBJECT_EXCEPTION_NAME \";\n\n // Privileges\n const privileges_constants =\n \"PRIVILEGE_COMPONENT_FULL_ACCESS \"\n + \"PRIVILEGE_DEVELOPMENT_EXPORT \"\n + \"PRIVILEGE_DEVELOPMENT_IMPORT \"\n + \"PRIVILEGE_DOCUMENT_DELETE \"\n + \"PRIVILEGE_ESD \"\n + \"PRIVILEGE_FOLDER_DELETE \"\n + \"PRIVILEGE_MANAGE_ACCESS_RIGHTS \"\n + \"PRIVILEGE_MANAGE_REPLICATION \"\n + \"PRIVILEGE_MANAGE_SESSION_SERVER \"\n + \"PRIVILEGE_OBJECT_FULL_ACCESS \"\n + \"PRIVILEGE_OBJECT_VIEW \"\n + \"PRIVILEGE_RESERVE_LICENSE \"\n + \"PRIVILEGE_SYSTEM_CUSTOMIZE \"\n + \"PRIVILEGE_SYSTEM_DEVELOP \"\n + \"PRIVILEGE_SYSTEM_INSTALL \"\n + \"PRIVILEGE_TASK_DELETE \"\n + \"PRIVILEGE_USER_PLUGIN_SETTINGS_CUSTOMIZE \"\n + \"PRIVILEGES_PSEUDOREFERENCE_CODE \";\n\n // Pseudoreference code\n const pseudoreference_code_constants =\n \"ACCESS_TYPES_PSEUDOREFERENCE_CODE \"\n + \"ALL_AVAILABLE_COMPONENTS_PSEUDOREFERENCE_CODE \"\n + \"ALL_AVAILABLE_PRIVILEGES_PSEUDOREFERENCE_CODE \"\n + \"ALL_REPLICATE_COMPONENTS_PSEUDOREFERENCE_CODE \"\n + \"AVAILABLE_DEVELOPERS_COMPONENTS_PSEUDOREFERENCE_CODE \"\n + \"COMPONENTS_PSEUDOREFERENCE_CODE \"\n + \"FILTRATER_SETTINGS_CONFLICTS_PSEUDOREFERENCE_CODE \"\n + \"GROUPS_PSEUDOREFERENCE_CODE \"\n + \"RECEIVE_PROTOCOL_PSEUDOREFERENCE_CODE \"\n + \"REFERENCE_REQUISITE_PSEUDOREFERENCE_CODE \"\n + \"REFERENCE_REQUISITES_PSEUDOREFERENCE_CODE \"\n + \"REFTYPES_PSEUDOREFERENCE_CODE \"\n + \"REPLICATION_SEANCES_DIARY_PSEUDOREFERENCE_CODE \"\n + \"SEND_PROTOCOL_PSEUDOREFERENCE_CODE \"\n + \"SUBSTITUTES_PSEUDOREFERENCE_CODE \"\n + \"SYSTEM_SETTINGS_PSEUDOREFERENCE_CODE \"\n + \"UNITS_PSEUDOREFERENCE_CODE \"\n + \"USERS_PSEUDOREFERENCE_CODE \"\n + \"VIEWERS_PSEUDOREFERENCE_CODE \";\n\n // Requisite ISBCertificateType values\n const requisite_ISBCertificateType_values_constants =\n \"CERTIFICATE_TYPE_ENCRYPT \"\n + \"CERTIFICATE_TYPE_SIGN \"\n + \"CERTIFICATE_TYPE_SIGN_AND_ENCRYPT \";\n\n // Requisite ISBEDocStorageType values\n const requisite_ISBEDocStorageType_values_constants =\n \"STORAGE_TYPE_FILE \"\n + \"STORAGE_TYPE_NAS_CIFS \"\n + \"STORAGE_TYPE_SAPERION \"\n + \"STORAGE_TYPE_SQL_SERVER \";\n\n // Requisite CompType2 values\n const requisite_compType2_values_constants =\n \"COMPTYPE2_REQUISITE_DOCUMENTS_VALUE \"\n + \"COMPTYPE2_REQUISITE_TASKS_VALUE \"\n + \"COMPTYPE2_REQUISITE_FOLDERS_VALUE \"\n + \"COMPTYPE2_REQUISITE_REFERENCES_VALUE \";\n\n // Requisite name\n const requisite_name_constants =\n \"SYSREQ_CODE \"\n + \"SYSREQ_COMPTYPE2 \"\n + \"SYSREQ_CONST_AVAILABLE_FOR_WEB \"\n + \"SYSREQ_CONST_COMMON_CODE \"\n + \"SYSREQ_CONST_COMMON_VALUE \"\n + \"SYSREQ_CONST_FIRM_CODE \"\n + \"SYSREQ_CONST_FIRM_STATUS \"\n + \"SYSREQ_CONST_FIRM_VALUE \"\n + \"SYSREQ_CONST_SERVER_STATUS \"\n + \"SYSREQ_CONTENTS \"\n + \"SYSREQ_DATE_OPEN \"\n + \"SYSREQ_DATE_CLOSE \"\n + \"SYSREQ_DESCRIPTION \"\n + \"SYSREQ_DESCRIPTION_LOCALIZE_ID \"\n + \"SYSREQ_DOUBLE \"\n + \"SYSREQ_EDOC_ACCESS_TYPE \"\n + \"SYSREQ_EDOC_AUTHOR \"\n + \"SYSREQ_EDOC_CREATED \"\n + \"SYSREQ_EDOC_DELEGATE_RIGHTS_REQUISITE_CODE \"\n + \"SYSREQ_EDOC_EDITOR \"\n + \"SYSREQ_EDOC_ENCODE_TYPE \"\n + \"SYSREQ_EDOC_ENCRYPTION_PLUGIN_NAME \"\n + \"SYSREQ_EDOC_ENCRYPTION_PLUGIN_VERSION \"\n + \"SYSREQ_EDOC_EXPORT_DATE \"\n + \"SYSREQ_EDOC_EXPORTER \"\n + \"SYSREQ_EDOC_KIND \"\n + \"SYSREQ_EDOC_LIFE_STAGE_NAME \"\n + \"SYSREQ_EDOC_LOCKED_FOR_SERVER_CODE \"\n + \"SYSREQ_EDOC_MODIFIED \"\n + \"SYSREQ_EDOC_NAME \"\n + \"SYSREQ_EDOC_NOTE \"\n + \"SYSREQ_EDOC_QUALIFIED_ID \"\n + \"SYSREQ_EDOC_SESSION_KEY \"\n + \"SYSREQ_EDOC_SESSION_KEY_ENCRYPTION_PLUGIN_NAME \"\n + \"SYSREQ_EDOC_SESSION_KEY_ENCRYPTION_PLUGIN_VERSION \"\n + \"SYSREQ_EDOC_SIGNATURE_TYPE \"\n + \"SYSREQ_EDOC_SIGNED \"\n + \"SYSREQ_EDOC_STORAGE \"\n + \"SYSREQ_EDOC_STORAGES_ARCHIVE_STORAGE \"\n + \"SYSREQ_EDOC_STORAGES_CHECK_RIGHTS \"\n + \"SYSREQ_EDOC_STORAGES_COMPUTER_NAME \"\n + \"SYSREQ_EDOC_STORAGES_EDIT_IN_STORAGE \"\n + \"SYSREQ_EDOC_STORAGES_EXECUTIVE_STORAGE \"\n + \"SYSREQ_EDOC_STORAGES_FUNCTION \"\n + \"SYSREQ_EDOC_STORAGES_INITIALIZED \"\n + \"SYSREQ_EDOC_STORAGES_LOCAL_PATH \"\n + \"SYSREQ_EDOC_STORAGES_SAPERION_DATABASE_NAME \"\n + \"SYSREQ_EDOC_STORAGES_SEARCH_BY_TEXT \"\n + \"SYSREQ_EDOC_STORAGES_SERVER_NAME \"\n + \"SYSREQ_EDOC_STORAGES_SHARED_SOURCE_NAME \"\n + \"SYSREQ_EDOC_STORAGES_TYPE \"\n + \"SYSREQ_EDOC_TEXT_MODIFIED \"\n + \"SYSREQ_EDOC_TYPE_ACT_CODE \"\n + \"SYSREQ_EDOC_TYPE_ACT_DESCRIPTION \"\n + \"SYSREQ_EDOC_TYPE_ACT_DESCRIPTION_LOCALIZE_ID \"\n + \"SYSREQ_EDOC_TYPE_ACT_ON_EXECUTE \"\n + \"SYSREQ_EDOC_TYPE_ACT_ON_EXECUTE_EXISTS \"\n + \"SYSREQ_EDOC_TYPE_ACT_SECTION \"\n + \"SYSREQ_EDOC_TYPE_ADD_PARAMS \"\n + \"SYSREQ_EDOC_TYPE_COMMENT \"\n + \"SYSREQ_EDOC_TYPE_EVENT_TEXT \"\n + \"SYSREQ_EDOC_TYPE_NAME_IN_SINGULAR \"\n + \"SYSREQ_EDOC_TYPE_NAME_IN_SINGULAR_LOCALIZE_ID \"\n + \"SYSREQ_EDOC_TYPE_NAME_LOCALIZE_ID \"\n + \"SYSREQ_EDOC_TYPE_NUMERATION_METHOD \"\n + \"SYSREQ_EDOC_TYPE_PSEUDO_REQUISITE_CODE \"\n + \"SYSREQ_EDOC_TYPE_REQ_CODE \"\n + \"SYSREQ_EDOC_TYPE_REQ_DESCRIPTION \"\n + \"SYSREQ_EDOC_TYPE_REQ_DESCRIPTION_LOCALIZE_ID \"\n + \"SYSREQ_EDOC_TYPE_REQ_IS_LEADING \"\n + \"SYSREQ_EDOC_TYPE_REQ_IS_REQUIRED \"\n + \"SYSREQ_EDOC_TYPE_REQ_NUMBER \"\n + \"SYSREQ_EDOC_TYPE_REQ_ON_CHANGE \"\n + \"SYSREQ_EDOC_TYPE_REQ_ON_CHANGE_EXISTS \"\n + \"SYSREQ_EDOC_TYPE_REQ_ON_SELECT \"\n + \"SYSREQ_EDOC_TYPE_REQ_ON_SELECT_KIND \"\n + \"SYSREQ_EDOC_TYPE_REQ_SECTION \"\n + \"SYSREQ_EDOC_TYPE_VIEW_CARD \"\n + \"SYSREQ_EDOC_TYPE_VIEW_CODE \"\n + \"SYSREQ_EDOC_TYPE_VIEW_COMMENT \"\n + \"SYSREQ_EDOC_TYPE_VIEW_IS_MAIN \"\n + \"SYSREQ_EDOC_TYPE_VIEW_NAME \"\n + \"SYSREQ_EDOC_TYPE_VIEW_NAME_LOCALIZE_ID \"\n + \"SYSREQ_EDOC_VERSION_AUTHOR \"\n + \"SYSREQ_EDOC_VERSION_CRC \"\n + \"SYSREQ_EDOC_VERSION_DATA \"\n + \"SYSREQ_EDOC_VERSION_EDITOR \"\n + \"SYSREQ_EDOC_VERSION_EXPORT_DATE \"\n + \"SYSREQ_EDOC_VERSION_EXPORTER \"\n + \"SYSREQ_EDOC_VERSION_HIDDEN \"\n + \"SYSREQ_EDOC_VERSION_LIFE_STAGE \"\n + \"SYSREQ_EDOC_VERSION_MODIFIED \"\n + \"SYSREQ_EDOC_VERSION_NOTE \"\n + \"SYSREQ_EDOC_VERSION_SIGNATURE_TYPE \"\n + \"SYSREQ_EDOC_VERSION_SIGNED \"\n + \"SYSREQ_EDOC_VERSION_SIZE \"\n + \"SYSREQ_EDOC_VERSION_SOURCE \"\n + \"SYSREQ_EDOC_VERSION_TEXT_MODIFIED \"\n + \"SYSREQ_EDOCKIND_DEFAULT_VERSION_STATE_CODE \"\n + \"SYSREQ_FOLDER_KIND \"\n + \"SYSREQ_FUNC_CATEGORY \"\n + \"SYSREQ_FUNC_COMMENT \"\n + \"SYSREQ_FUNC_GROUP \"\n + \"SYSREQ_FUNC_GROUP_COMMENT \"\n + \"SYSREQ_FUNC_GROUP_NUMBER \"\n + \"SYSREQ_FUNC_HELP \"\n + \"SYSREQ_FUNC_PARAM_DEF_VALUE \"\n + \"SYSREQ_FUNC_PARAM_IDENT \"\n + \"SYSREQ_FUNC_PARAM_NUMBER \"\n + \"SYSREQ_FUNC_PARAM_TYPE \"\n + \"SYSREQ_FUNC_TEXT \"\n + \"SYSREQ_GROUP_CATEGORY \"\n + \"SYSREQ_ID \"\n + \"SYSREQ_LAST_UPDATE \"\n + \"SYSREQ_LEADER_REFERENCE \"\n + \"SYSREQ_LINE_NUMBER \"\n + \"SYSREQ_MAIN_RECORD_ID \"\n + \"SYSREQ_NAME \"\n + \"SYSREQ_NAME_LOCALIZE_ID \"\n + \"SYSREQ_NOTE \"\n + \"SYSREQ_ORIGINAL_RECORD \"\n + \"SYSREQ_OUR_FIRM \"\n + \"SYSREQ_PROFILING_SETTINGS_BATCH_LOGING \"\n + \"SYSREQ_PROFILING_SETTINGS_BATCH_SIZE \"\n + \"SYSREQ_PROFILING_SETTINGS_PROFILING_ENABLED \"\n + \"SYSREQ_PROFILING_SETTINGS_SQL_PROFILING_ENABLED \"\n + \"SYSREQ_PROFILING_SETTINGS_START_LOGGED \"\n + \"SYSREQ_RECORD_STATUS \"\n + \"SYSREQ_REF_REQ_FIELD_NAME \"\n + \"SYSREQ_REF_REQ_FORMAT \"\n + \"SYSREQ_REF_REQ_GENERATED \"\n + \"SYSREQ_REF_REQ_LENGTH \"\n + \"SYSREQ_REF_REQ_PRECISION \"\n + \"SYSREQ_REF_REQ_REFERENCE \"\n + \"SYSREQ_REF_REQ_SECTION \"\n + \"SYSREQ_REF_REQ_STORED \"\n + \"SYSREQ_REF_REQ_TOKENS \"\n + \"SYSREQ_REF_REQ_TYPE \"\n + \"SYSREQ_REF_REQ_VIEW \"\n + \"SYSREQ_REF_TYPE_ACT_CODE \"\n + \"SYSREQ_REF_TYPE_ACT_DESCRIPTION \"\n + \"SYSREQ_REF_TYPE_ACT_DESCRIPTION_LOCALIZE_ID \"\n + \"SYSREQ_REF_TYPE_ACT_ON_EXECUTE \"\n + \"SYSREQ_REF_TYPE_ACT_ON_EXECUTE_EXISTS \"\n + \"SYSREQ_REF_TYPE_ACT_SECTION \"\n + \"SYSREQ_REF_TYPE_ADD_PARAMS \"\n + \"SYSREQ_REF_TYPE_COMMENT \"\n + \"SYSREQ_REF_TYPE_COMMON_SETTINGS \"\n + \"SYSREQ_REF_TYPE_DISPLAY_REQUISITE_NAME \"\n + \"SYSREQ_REF_TYPE_EVENT_TEXT \"\n + \"SYSREQ_REF_TYPE_MAIN_LEADING_REF \"\n + \"SYSREQ_REF_TYPE_NAME_IN_SINGULAR \"\n + \"SYSREQ_REF_TYPE_NAME_IN_SINGULAR_LOCALIZE_ID \"\n + \"SYSREQ_REF_TYPE_NAME_LOCALIZE_ID \"\n + \"SYSREQ_REF_TYPE_NUMERATION_METHOD \"\n + \"SYSREQ_REF_TYPE_REQ_CODE \"\n + \"SYSREQ_REF_TYPE_REQ_DESCRIPTION \"\n + \"SYSREQ_REF_TYPE_REQ_DESCRIPTION_LOCALIZE_ID \"\n + \"SYSREQ_REF_TYPE_REQ_IS_CONTROL \"\n + \"SYSREQ_REF_TYPE_REQ_IS_FILTER \"\n + \"SYSREQ_REF_TYPE_REQ_IS_LEADING \"\n + \"SYSREQ_REF_TYPE_REQ_IS_REQUIRED \"\n + \"SYSREQ_REF_TYPE_REQ_NUMBER \"\n + \"SYSREQ_REF_TYPE_REQ_ON_CHANGE \"\n + \"SYSREQ_REF_TYPE_REQ_ON_CHANGE_EXISTS \"\n + \"SYSREQ_REF_TYPE_REQ_ON_SELECT \"\n + \"SYSREQ_REF_TYPE_REQ_ON_SELECT_KIND \"\n + \"SYSREQ_REF_TYPE_REQ_SECTION \"\n + \"SYSREQ_REF_TYPE_VIEW_CARD \"\n + \"SYSREQ_REF_TYPE_VIEW_CODE \"\n + \"SYSREQ_REF_TYPE_VIEW_COMMENT \"\n + \"SYSREQ_REF_TYPE_VIEW_IS_MAIN \"\n + \"SYSREQ_REF_TYPE_VIEW_NAME \"\n + \"SYSREQ_REF_TYPE_VIEW_NAME_LOCALIZE_ID \"\n + \"SYSREQ_REFERENCE_TYPE_ID \"\n + \"SYSREQ_STATE \"\n + \"SYSREQ_STAT\u0415 \"\n + \"SYSREQ_SYSTEM_SETTINGS_VALUE \"\n + \"SYSREQ_TYPE \"\n + \"SYSREQ_UNIT \"\n + \"SYSREQ_UNIT_ID \"\n + \"SYSREQ_USER_GROUPS_GROUP_FULL_NAME \"\n + \"SYSREQ_USER_GROUPS_GROUP_NAME \"\n + \"SYSREQ_USER_GROUPS_GROUP_SERVER_NAME \"\n + \"SYSREQ_USERS_ACCESS_RIGHTS \"\n + \"SYSREQ_USERS_AUTHENTICATION \"\n + \"SYSREQ_USERS_CATEGORY \"\n + \"SYSREQ_USERS_COMPONENT \"\n + \"SYSREQ_USERS_COMPONENT_USER_IS_PUBLIC \"\n + \"SYSREQ_USERS_DOMAIN \"\n + \"SYSREQ_USERS_FULL_USER_NAME \"\n + \"SYSREQ_USERS_GROUP \"\n + \"SYSREQ_USERS_IS_MAIN_SERVER \"\n + \"SYSREQ_USERS_LOGIN \"\n + \"SYSREQ_USERS_REFERENCE_USER_IS_PUBLIC \"\n + \"SYSREQ_USERS_STATUS \"\n + \"SYSREQ_USERS_USER_CERTIFICATE \"\n + \"SYSREQ_USERS_USER_CERTIFICATE_INFO \"\n + \"SYSREQ_USERS_USER_CERTIFICATE_PLUGIN_NAME \"\n + \"SYSREQ_USERS_USER_CERTIFICATE_PLUGIN_VERSION \"\n + \"SYSREQ_USERS_USER_CERTIFICATE_STATE \"\n + \"SYSREQ_USERS_USER_CERTIFICATE_SUBJECT_NAME \"\n + \"SYSREQ_USERS_USER_CERTIFICATE_THUMBPRINT \"\n + \"SYSREQ_USERS_USER_DEFAULT_CERTIFICATE \"\n + \"SYSREQ_USERS_USER_DESCRIPTION \"\n + \"SYSREQ_USERS_USER_GLOBAL_NAME \"\n + \"SYSREQ_USERS_USER_LOGIN \"\n + \"SYSREQ_USERS_USER_MAIN_SERVER \"\n + \"SYSREQ_USERS_USER_TYPE \"\n + \"SYSREQ_WORK_RULES_FOLDER_ID \";\n\n // Result\n const result_constants = \"RESULT_VAR_NAME RESULT_VAR_NAME_ENG \";\n\n // Rule identification\n const rule_identification_constants =\n \"AUTO_NUMERATION_RULE_ID \"\n + \"CANT_CHANGE_ID_REQUISITE_RULE_ID \"\n + \"CANT_CHANGE_OURFIRM_REQUISITE_RULE_ID \"\n + \"CHECK_CHANGING_REFERENCE_RECORD_USE_RULE_ID \"\n + \"CHECK_CODE_REQUISITE_RULE_ID \"\n + \"CHECK_DELETING_REFERENCE_RECORD_USE_RULE_ID \"\n + \"CHECK_FILTRATER_CHANGES_RULE_ID \"\n + \"CHECK_RECORD_INTERVAL_RULE_ID \"\n + \"CHECK_REFERENCE_INTERVAL_RULE_ID \"\n + \"CHECK_REQUIRED_DATA_FULLNESS_RULE_ID \"\n + \"CHECK_REQUIRED_REQUISITES_FULLNESS_RULE_ID \"\n + \"MAKE_RECORD_UNRATIFIED_RULE_ID \"\n + \"RESTORE_AUTO_NUMERATION_RULE_ID \"\n + \"SET_FIRM_CONTEXT_FROM_RECORD_RULE_ID \"\n + \"SET_FIRST_RECORD_IN_LIST_FORM_RULE_ID \"\n + \"SET_IDSPS_VALUE_RULE_ID \"\n + \"SET_NEXT_CODE_VALUE_RULE_ID \"\n + \"SET_OURFIRM_BOUNDS_RULE_ID \"\n + \"SET_OURFIRM_REQUISITE_RULE_ID \";\n\n // Script block properties\n const script_block_properties_constants =\n \"SCRIPT_BLOCK_AFTER_FINISH_EVENT \"\n + \"SCRIPT_BLOCK_BEFORE_START_EVENT \"\n + \"SCRIPT_BLOCK_EXECUTION_RESULTS_PROPERTY \"\n + \"SCRIPT_BLOCK_NAME_PROPERTY \"\n + \"SCRIPT_BLOCK_SCRIPT_PROPERTY \";\n\n // Subtask block properties\n const subtask_block_properties_constants =\n \"SUBTASK_BLOCK_ABORT_DEADLINE_PROPERTY \"\n + \"SUBTASK_BLOCK_AFTER_FINISH_EVENT \"\n + \"SUBTASK_BLOCK_ASSIGN_PARAMS_EVENT \"\n + \"SUBTASK_BLOCK_ATTACHMENTS_PROPERTY \"\n + \"SUBTASK_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY \"\n + \"SUBTASK_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY \"\n + \"SUBTASK_BLOCK_BEFORE_START_EVENT \"\n + \"SUBTASK_BLOCK_CREATED_TASK_PROPERTY \"\n + \"SUBTASK_BLOCK_CREATION_EVENT \"\n + \"SUBTASK_BLOCK_DEADLINE_PROPERTY \"\n + \"SUBTASK_BLOCK_IMPORTANCE_PROPERTY \"\n + \"SUBTASK_BLOCK_INITIATOR_PROPERTY \"\n + \"SUBTASK_BLOCK_IS_RELATIVE_ABORT_DEADLINE_PROPERTY \"\n + \"SUBTASK_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY \"\n + \"SUBTASK_BLOCK_JOBS_TYPE_PROPERTY \"\n + \"SUBTASK_BLOCK_NAME_PROPERTY \"\n + \"SUBTASK_BLOCK_PARALLEL_ROUTE_PROPERTY \"\n + \"SUBTASK_BLOCK_PERFORMERS_PROPERTY \"\n + \"SUBTASK_BLOCK_RELATIVE_ABORT_DEADLINE_TYPE_PROPERTY \"\n + \"SUBTASK_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY \"\n + \"SUBTASK_BLOCK_REQUIRE_SIGN_PROPERTY \"\n + \"SUBTASK_BLOCK_STANDARD_ROUTE_PROPERTY \"\n + \"SUBTASK_BLOCK_START_EVENT \"\n + \"SUBTASK_BLOCK_STEP_CONTROL_PROPERTY \"\n + \"SUBTASK_BLOCK_SUBJECT_PROPERTY \"\n + \"SUBTASK_BLOCK_TASK_CONTROL_PROPERTY \"\n + \"SUBTASK_BLOCK_TEXT_PROPERTY \"\n + \"SUBTASK_BLOCK_UNLOCK_ATTACHMENTS_ON_STOP_PROPERTY \"\n + \"SUBTASK_BLOCK_USE_STANDARD_ROUTE_PROPERTY \"\n + \"SUBTASK_BLOCK_WAIT_FOR_TASK_COMPLETE_PROPERTY \";\n\n // System component\n const system_component_constants =\n \"SYSCOMP_CONTROL_JOBS \"\n + \"SYSCOMP_FOLDERS \"\n + \"SYSCOMP_JOBS \"\n + \"SYSCOMP_NOTICES \"\n + \"SYSCOMP_TASKS \";\n\n // System dialogs\n const system_dialogs_constants =\n \"SYSDLG_CREATE_EDOCUMENT \"\n + \"SYSDLG_CREATE_EDOCUMENT_VERSION \"\n + \"SYSDLG_CURRENT_PERIOD \"\n + \"SYSDLG_EDIT_FUNCTION_HELP \"\n + \"SYSDLG_EDOCUMENT_KINDS_FOR_TEMPLATE \"\n + \"SYSDLG_EXPORT_MULTIPLE_EDOCUMENTS \"\n + \"SYSDLG_EXPORT_SINGLE_EDOCUMENT \"\n + \"SYSDLG_IMPORT_EDOCUMENT \"\n + \"SYSDLG_MULTIPLE_SELECT \"\n + \"SYSDLG_SETUP_ACCESS_RIGHTS \"\n + \"SYSDLG_SETUP_DEFAULT_RIGHTS \"\n + \"SYSDLG_SETUP_FILTER_CONDITION \"\n + \"SYSDLG_SETUP_SIGN_RIGHTS \"\n + \"SYSDLG_SETUP_TASK_OBSERVERS \"\n + \"SYSDLG_SETUP_TASK_ROUTE \"\n + \"SYSDLG_SETUP_USERS_LIST \"\n + \"SYSDLG_SIGN_EDOCUMENT \"\n + \"SYSDLG_SIGN_MULTIPLE_EDOCUMENTS \";\n\n // System reference names\n const system_reference_names_constants =\n \"SYSREF_ACCESS_RIGHTS_TYPES \"\n + \"SYSREF_ADMINISTRATION_HISTORY \"\n + \"SYSREF_ALL_AVAILABLE_COMPONENTS \"\n + \"SYSREF_ALL_AVAILABLE_PRIVILEGES \"\n + \"SYSREF_ALL_REPLICATING_COMPONENTS \"\n + \"SYSREF_AVAILABLE_DEVELOPERS_COMPONENTS \"\n + \"SYSREF_CALENDAR_EVENTS \"\n + \"SYSREF_COMPONENT_TOKEN_HISTORY \"\n + \"SYSREF_COMPONENT_TOKENS \"\n + \"SYSREF_COMPONENTS \"\n + \"SYSREF_CONSTANTS \"\n + \"SYSREF_DATA_RECEIVE_PROTOCOL \"\n + \"SYSREF_DATA_SEND_PROTOCOL \"\n + \"SYSREF_DIALOGS \"\n + \"SYSREF_DIALOGS_REQUISITES \"\n + \"SYSREF_EDITORS \"\n + \"SYSREF_EDOC_CARDS \"\n + \"SYSREF_EDOC_TYPES \"\n + \"SYSREF_EDOCUMENT_CARD_REQUISITES \"\n + \"SYSREF_EDOCUMENT_CARD_TYPES \"\n + \"SYSREF_EDOCUMENT_CARD_TYPES_REFERENCE \"\n + \"SYSREF_EDOCUMENT_CARDS \"\n + \"SYSREF_EDOCUMENT_HISTORY \"\n + \"SYSREF_EDOCUMENT_KINDS \"\n + \"SYSREF_EDOCUMENT_REQUISITES \"\n + \"SYSREF_EDOCUMENT_SIGNATURES \"\n + \"SYSREF_EDOCUMENT_TEMPLATES \"\n + \"SYSREF_EDOCUMENT_TEXT_STORAGES \"\n + \"SYSREF_EDOCUMENT_VIEWS \"\n + \"SYSREF_FILTERER_SETUP_CONFLICTS \"\n + \"SYSREF_FILTRATER_SETTING_CONFLICTS \"\n + \"SYSREF_FOLDER_HISTORY \"\n + \"SYSREF_FOLDERS \"\n + \"SYSREF_FUNCTION_GROUPS \"\n + \"SYSREF_FUNCTION_PARAMS \"\n + \"SYSREF_FUNCTIONS \"\n + \"SYSREF_JOB_HISTORY \"\n + \"SYSREF_LINKS \"\n + \"SYSREF_LOCALIZATION_DICTIONARY \"\n + \"SYSREF_LOCALIZATION_LANGUAGES \"\n + \"SYSREF_MODULES \"\n + \"SYSREF_PRIVILEGES \"\n + \"SYSREF_RECORD_HISTORY \"\n + \"SYSREF_REFERENCE_REQUISITES \"\n + \"SYSREF_REFERENCE_TYPE_VIEWS \"\n + \"SYSREF_REFERENCE_TYPES \"\n + \"SYSREF_REFERENCES \"\n + \"SYSREF_REFERENCES_REQUISITES \"\n + \"SYSREF_REMOTE_SERVERS \"\n + \"SYSREF_REPLICATION_SESSIONS_LOG \"\n + \"SYSREF_REPLICATION_SESSIONS_PROTOCOL \"\n + \"SYSREF_REPORTS \"\n + \"SYSREF_ROLES \"\n + \"SYSREF_ROUTE_BLOCK_GROUPS \"\n + \"SYSREF_ROUTE_BLOCKS \"\n + \"SYSREF_SCRIPTS \"\n + \"SYSREF_SEARCHES \"\n + \"SYSREF_SERVER_EVENTS \"\n + \"SYSREF_SERVER_EVENTS_HISTORY \"\n + \"SYSREF_STANDARD_ROUTE_GROUPS \"\n + \"SYSREF_STANDARD_ROUTES \"\n + \"SYSREF_STATUSES \"\n + \"SYSREF_SYSTEM_SETTINGS \"\n + \"SYSREF_TASK_HISTORY \"\n + \"SYSREF_TASK_KIND_GROUPS \"\n + \"SYSREF_TASK_KINDS \"\n + \"SYSREF_TASK_RIGHTS \"\n + \"SYSREF_TASK_SIGNATURES \"\n + \"SYSREF_TASKS \"\n + \"SYSREF_UNITS \"\n + \"SYSREF_USER_GROUPS \"\n + \"SYSREF_USER_GROUPS_REFERENCE \"\n + \"SYSREF_USER_SUBSTITUTION \"\n + \"SYSREF_USERS \"\n + \"SYSREF_USERS_REFERENCE \"\n + \"SYSREF_VIEWERS \"\n + \"SYSREF_WORKING_TIME_CALENDARS \";\n\n // Table name\n const table_name_constants =\n \"ACCESS_RIGHTS_TABLE_NAME \"\n + \"EDMS_ACCESS_TABLE_NAME \"\n + \"EDOC_TYPES_TABLE_NAME \";\n\n // Test\n const test_constants =\n \"TEST_DEV_DB_NAME \"\n + \"TEST_DEV_SYSTEM_CODE \"\n + \"TEST_EDMS_DB_NAME \"\n + \"TEST_EDMS_MAIN_CODE \"\n + \"TEST_EDMS_MAIN_DB_NAME \"\n + \"TEST_EDMS_SECOND_CODE \"\n + \"TEST_EDMS_SECOND_DB_NAME \"\n + \"TEST_EDMS_SYSTEM_CODE \"\n + \"TEST_ISB5_MAIN_CODE \"\n + \"TEST_ISB5_SECOND_CODE \"\n + \"TEST_SQL_SERVER_2005_NAME \"\n + \"TEST_SQL_SERVER_NAME \";\n\n // Using the dialog windows\n const using_the_dialog_windows_constants =\n \"ATTENTION_CAPTION \"\n + \"cbsCommandLinks \"\n + \"cbsDefault \"\n + \"CONFIRMATION_CAPTION \"\n + \"ERROR_CAPTION \"\n + \"INFORMATION_CAPTION \"\n + \"mrCancel \"\n + \"mrOk \";\n\n // Using the document\n const using_the_document_constants =\n \"EDOC_VERSION_ACTIVE_STAGE_CODE \"\n + \"EDOC_VERSION_DESIGN_STAGE_CODE \"\n + \"EDOC_VERSION_OBSOLETE_STAGE_CODE \";\n\n // Using the EA and encryption\n const using_the_EA_and_encryption_constants =\n \"cpDataEnciphermentEnabled \"\n + \"cpDigitalSignatureEnabled \"\n + \"cpID \"\n + \"cpIssuer \"\n + \"cpPluginVersion \"\n + \"cpSerial \"\n + \"cpSubjectName \"\n + \"cpSubjSimpleName \"\n + \"cpValidFromDate \"\n + \"cpValidToDate \";\n\n // Using the ISBL-editor\n const using_the_ISBL_editor_constants =\n \"ISBL_SYNTAX \" + \"NO_SYNTAX \" + \"XML_SYNTAX \";\n\n // Wait block properties\n const wait_block_properties_constants =\n \"WAIT_BLOCK_AFTER_FINISH_EVENT \"\n + \"WAIT_BLOCK_BEFORE_START_EVENT \"\n + \"WAIT_BLOCK_DEADLINE_PROPERTY \"\n + \"WAIT_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY \"\n + \"WAIT_BLOCK_NAME_PROPERTY \"\n + \"WAIT_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY \";\n\n // SYSRES Common\n const sysres_common_constants =\n \"SYSRES_COMMON \"\n + \"SYSRES_CONST \"\n + \"SYSRES_MBFUNC \"\n + \"SYSRES_SBDATA \"\n + \"SYSRES_SBGUI \"\n + \"SYSRES_SBINTF \"\n + \"SYSRES_SBREFDSC \"\n + \"SYSRES_SQLERRORS \"\n + \"SYSRES_SYSCOMP \";\n\n // \u041A\u043E\u043D\u0441\u0442\u0430\u043D\u0442\u044B ==> built_in\n const CONSTANTS =\n sysres_constants\n + base_constants\n + base_group_name_constants\n + decision_block_properties_constants\n + file_extension_constants\n + job_block_properties_constants\n + language_code_constants\n + launching_external_applications_constants\n + link_kind_constants\n + lock_type_constants\n + monitor_block_properties_constants\n + notice_block_properties_constants\n + object_events_constants\n + object_params_constants\n + other_constants\n + privileges_constants\n + pseudoreference_code_constants\n + requisite_ISBCertificateType_values_constants\n + requisite_ISBEDocStorageType_values_constants\n + requisite_compType2_values_constants\n + requisite_name_constants\n + result_constants\n + rule_identification_constants\n + script_block_properties_constants\n + subtask_block_properties_constants\n + system_component_constants\n + system_dialogs_constants\n + system_reference_names_constants\n + table_name_constants\n + test_constants\n + using_the_dialog_windows_constants\n + using_the_document_constants\n + using_the_EA_and_encryption_constants\n + using_the_ISBL_editor_constants\n + wait_block_properties_constants\n + sysres_common_constants;\n\n // enum TAccountType\n const TAccountType = \"atUser atGroup atRole \";\n\n // enum TActionEnabledMode\n const TActionEnabledMode =\n \"aemEnabledAlways \"\n + \"aemDisabledAlways \"\n + \"aemEnabledOnBrowse \"\n + \"aemEnabledOnEdit \"\n + \"aemDisabledOnBrowseEmpty \";\n\n // enum TAddPosition\n const TAddPosition = \"apBegin apEnd \";\n\n // enum TAlignment\n const TAlignment = \"alLeft alRight \";\n\n // enum TAreaShowMode\n const TAreaShowMode =\n \"asmNever \"\n + \"asmNoButCustomize \"\n + \"asmAsLastTime \"\n + \"asmYesButCustomize \"\n + \"asmAlways \";\n\n // enum TCertificateInvalidationReason\n const TCertificateInvalidationReason = \"cirCommon cirRevoked \";\n\n // enum TCertificateType\n const TCertificateType = \"ctSignature ctEncode ctSignatureEncode \";\n\n // enum TCheckListBoxItemState\n const TCheckListBoxItemState = \"clbUnchecked clbChecked clbGrayed \";\n\n // enum TCloseOnEsc\n const TCloseOnEsc = \"ceISB ceAlways ceNever \";\n\n // enum TCompType\n const TCompType =\n \"ctDocument \"\n + \"ctReference \"\n + \"ctScript \"\n + \"ctUnknown \"\n + \"ctReport \"\n + \"ctDialog \"\n + \"ctFunction \"\n + \"ctFolder \"\n + \"ctEDocument \"\n + \"ctTask \"\n + \"ctJob \"\n + \"ctNotice \"\n + \"ctControlJob \";\n\n // enum TConditionFormat\n const TConditionFormat = \"cfInternal cfDisplay \";\n\n // enum TConnectionIntent\n const TConnectionIntent = \"ciUnspecified ciWrite ciRead \";\n\n // enum TContentKind\n const TContentKind =\n \"ckFolder \"\n + \"ckEDocument \"\n + \"ckTask \"\n + \"ckJob \"\n + \"ckComponentToken \"\n + \"ckAny \"\n + \"ckReference \"\n + \"ckScript \"\n + \"ckReport \"\n + \"ckDialog \";\n\n // enum TControlType\n const TControlType =\n \"ctISBLEditor \"\n + \"ctBevel \"\n + \"ctButton \"\n + \"ctCheckListBox \"\n + \"ctComboBox \"\n + \"ctComboEdit \"\n + \"ctGrid \"\n + \"ctDBCheckBox \"\n + \"ctDBComboBox \"\n + \"ctDBEdit \"\n + \"ctDBEllipsis \"\n + \"ctDBMemo \"\n + \"ctDBNavigator \"\n + \"ctDBRadioGroup \"\n + \"ctDBStatusLabel \"\n + \"ctEdit \"\n + \"ctGroupBox \"\n + \"ctInplaceHint \"\n + \"ctMemo \"\n + \"ctPanel \"\n + \"ctListBox \"\n + \"ctRadioButton \"\n + \"ctRichEdit \"\n + \"ctTabSheet \"\n + \"ctWebBrowser \"\n + \"ctImage \"\n + \"ctHyperLink \"\n + \"ctLabel \"\n + \"ctDBMultiEllipsis \"\n + \"ctRibbon \"\n + \"ctRichView \"\n + \"ctInnerPanel \"\n + \"ctPanelGroup \"\n + \"ctBitButton \";\n\n // enum TCriterionContentType\n const TCriterionContentType =\n \"cctDate \"\n + \"cctInteger \"\n + \"cctNumeric \"\n + \"cctPick \"\n + \"cctReference \"\n + \"cctString \"\n + \"cctText \";\n\n // enum TCultureType\n const TCultureType = \"cltInternal cltPrimary cltGUI \";\n\n // enum TDataSetEventType\n const TDataSetEventType =\n \"dseBeforeOpen \"\n + \"dseAfterOpen \"\n + \"dseBeforeClose \"\n + \"dseAfterClose \"\n + \"dseOnValidDelete \"\n + \"dseBeforeDelete \"\n + \"dseAfterDelete \"\n + \"dseAfterDeleteOutOfTransaction \"\n + \"dseOnDeleteError \"\n + \"dseBeforeInsert \"\n + \"dseAfterInsert \"\n + \"dseOnValidUpdate \"\n + \"dseBeforeUpdate \"\n + \"dseOnUpdateRatifiedRecord \"\n + \"dseAfterUpdate \"\n + \"dseAfterUpdateOutOfTransaction \"\n + \"dseOnUpdateError \"\n + \"dseAfterScroll \"\n + \"dseOnOpenRecord \"\n + \"dseOnCloseRecord \"\n + \"dseBeforeCancel \"\n + \"dseAfterCancel \"\n + \"dseOnUpdateDeadlockError \"\n + \"dseBeforeDetailUpdate \"\n + \"dseOnPrepareUpdate \"\n + \"dseOnAnyRequisiteChange \";\n\n // enum TDataSetState\n const TDataSetState = \"dssEdit dssInsert dssBrowse dssInActive \";\n\n // enum TDateFormatType\n const TDateFormatType = \"dftDate dftShortDate dftDateTime dftTimeStamp \";\n\n // enum TDateOffsetType\n const TDateOffsetType = \"dotDays dotHours dotMinutes dotSeconds \";\n\n // enum TDateTimeKind\n const TDateTimeKind = \"dtkndLocal dtkndUTC \";\n\n // enum TDeaAccessRights\n const TDeaAccessRights = \"arNone arView arEdit arFull \";\n\n // enum TDocumentDefaultAction\n const TDocumentDefaultAction = \"ddaView ddaEdit \";\n\n // enum TEditMode\n const TEditMode =\n \"emLock \"\n + \"emEdit \"\n + \"emSign \"\n + \"emExportWithLock \"\n + \"emImportWithUnlock \"\n + \"emChangeVersionNote \"\n + \"emOpenForModify \"\n + \"emChangeLifeStage \"\n + \"emDelete \"\n + \"emCreateVersion \"\n + \"emImport \"\n + \"emUnlockExportedWithLock \"\n + \"emStart \"\n + \"emAbort \"\n + \"emReInit \"\n + \"emMarkAsReaded \"\n + \"emMarkAsUnreaded \"\n + \"emPerform \"\n + \"emAccept \"\n + \"emResume \"\n + \"emChangeRights \"\n + \"emEditRoute \"\n + \"emEditObserver \"\n + \"emRecoveryFromLocalCopy \"\n + \"emChangeWorkAccessType \"\n + \"emChangeEncodeTypeToCertificate \"\n + \"emChangeEncodeTypeToPassword \"\n + \"emChangeEncodeTypeToNone \"\n + \"emChangeEncodeTypeToCertificatePassword \"\n + \"emChangeStandardRoute \"\n + \"emGetText \"\n + \"emOpenForView \"\n + \"emMoveToStorage \"\n + \"emCreateObject \"\n + \"emChangeVersionHidden \"\n + \"emDeleteVersion \"\n + \"emChangeLifeCycleStage \"\n + \"emApprovingSign \"\n + \"emExport \"\n + \"emContinue \"\n + \"emLockFromEdit \"\n + \"emUnLockForEdit \"\n + \"emLockForServer \"\n + \"emUnlockFromServer \"\n + \"emDelegateAccessRights \"\n + \"emReEncode \";\n\n // enum TEditorCloseObservType\n const TEditorCloseObservType = \"ecotFile ecotProcess \";\n\n // enum TEdmsApplicationAction\n const TEdmsApplicationAction = \"eaGet eaCopy eaCreate eaCreateStandardRoute \";\n\n // enum TEDocumentLockType\n const TEDocumentLockType = \"edltAll edltNothing edltQuery \";\n\n // enum TEDocumentStepShowMode\n const TEDocumentStepShowMode = \"essmText essmCard \";\n\n // enum TEDocumentStepVersionType\n const TEDocumentStepVersionType = \"esvtLast esvtLastActive esvtSpecified \";\n\n // enum TEDocumentStorageFunction\n const TEDocumentStorageFunction = \"edsfExecutive edsfArchive \";\n\n // enum TEDocumentStorageType\n const TEDocumentStorageType = \"edstSQLServer edstFile \";\n\n // enum TEDocumentVersionSourceType\n const TEDocumentVersionSourceType =\n \"edvstNone edvstEDocumentVersionCopy edvstFile edvstTemplate edvstScannedFile \";\n\n // enum TEDocumentVersionState\n const TEDocumentVersionState = \"vsDefault vsDesign vsActive vsObsolete \";\n\n // enum TEncodeType\n const TEncodeType = \"etNone etCertificate etPassword etCertificatePassword \";\n\n // enum TExceptionCategory\n const TExceptionCategory = \"ecException ecWarning ecInformation \";\n\n // enum TExportedSignaturesType\n const TExportedSignaturesType = \"estAll estApprovingOnly \";\n\n // enum TExportedVersionType\n const TExportedVersionType = \"evtLast evtLastActive evtQuery \";\n\n // enum TFieldDataType\n const TFieldDataType =\n \"fdtString \"\n + \"fdtNumeric \"\n + \"fdtInteger \"\n + \"fdtDate \"\n + \"fdtText \"\n + \"fdtUnknown \"\n + \"fdtWideString \"\n + \"fdtLargeInteger \";\n\n // enum TFolderType\n const TFolderType =\n \"ftInbox \"\n + \"ftOutbox \"\n + \"ftFavorites \"\n + \"ftCommonFolder \"\n + \"ftUserFolder \"\n + \"ftComponents \"\n + \"ftQuickLaunch \"\n + \"ftShortcuts \"\n + \"ftSearch \";\n\n // enum TGridRowHeight\n const TGridRowHeight = \"grhAuto \" + \"grhX1 \" + \"grhX2 \" + \"grhX3 \";\n\n // enum THyperlinkType\n const THyperlinkType = \"hltText \" + \"hltRTF \" + \"hltHTML \";\n\n // enum TImageFileFormat\n const TImageFileFormat =\n \"iffBMP \"\n + \"iffJPEG \"\n + \"iffMultiPageTIFF \"\n + \"iffSinglePageTIFF \"\n + \"iffTIFF \"\n + \"iffPNG \";\n\n // enum TImageMode\n const TImageMode = \"im8bGrayscale \" + \"im24bRGB \" + \"im1bMonochrome \";\n\n // enum TImageType\n const TImageType = \"itBMP \" + \"itJPEG \" + \"itWMF \" + \"itPNG \";\n\n // enum TInplaceHintKind\n const TInplaceHintKind =\n \"ikhInformation \" + \"ikhWarning \" + \"ikhError \" + \"ikhNoIcon \";\n\n // enum TISBLContext\n const TISBLContext =\n \"icUnknown \"\n + \"icScript \"\n + \"icFunction \"\n + \"icIntegratedReport \"\n + \"icAnalyticReport \"\n + \"icDataSetEventHandler \"\n + \"icActionHandler \"\n + \"icFormEventHandler \"\n + \"icLookUpEventHandler \"\n + \"icRequisiteChangeEventHandler \"\n + \"icBeforeSearchEventHandler \"\n + \"icRoleCalculation \"\n + \"icSelectRouteEventHandler \"\n + \"icBlockPropertyCalculation \"\n + \"icBlockQueryParamsEventHandler \"\n + \"icChangeSearchResultEventHandler \"\n + \"icBlockEventHandler \"\n + \"icSubTaskInitEventHandler \"\n + \"icEDocDataSetEventHandler \"\n + \"icEDocLookUpEventHandler \"\n + \"icEDocActionHandler \"\n + \"icEDocFormEventHandler \"\n + \"icEDocRequisiteChangeEventHandler \"\n + \"icStructuredConversionRule \"\n + \"icStructuredConversionEventBefore \"\n + \"icStructuredConversionEventAfter \"\n + \"icWizardEventHandler \"\n + \"icWizardFinishEventHandler \"\n + \"icWizardStepEventHandler \"\n + \"icWizardStepFinishEventHandler \"\n + \"icWizardActionEnableEventHandler \"\n + \"icWizardActionExecuteEventHandler \"\n + \"icCreateJobsHandler \"\n + \"icCreateNoticesHandler \"\n + \"icBeforeLookUpEventHandler \"\n + \"icAfterLookUpEventHandler \"\n + \"icTaskAbortEventHandler \"\n + \"icWorkflowBlockActionHandler \"\n + \"icDialogDataSetEventHandler \"\n + \"icDialogActionHandler \"\n + \"icDialogLookUpEventHandler \"\n + \"icDialogRequisiteChangeEventHandler \"\n + \"icDialogFormEventHandler \"\n + \"icDialogValidCloseEventHandler \"\n + \"icBlockFormEventHandler \"\n + \"icTaskFormEventHandler \"\n + \"icReferenceMethod \"\n + \"icEDocMethod \"\n + \"icDialogMethod \"\n + \"icProcessMessageHandler \";\n\n // enum TItemShow\n const TItemShow = \"isShow \" + \"isHide \" + \"isByUserSettings \";\n\n // enum TJobKind\n const TJobKind = \"jkJob \" + \"jkNotice \" + \"jkControlJob \";\n\n // enum TJoinType\n const TJoinType = \"jtInner \" + \"jtLeft \" + \"jtRight \" + \"jtFull \" + \"jtCross \";\n\n // enum TLabelPos\n const TLabelPos = \"lbpAbove \" + \"lbpBelow \" + \"lbpLeft \" + \"lbpRight \";\n\n // enum TLicensingType\n const TLicensingType = \"eltPerConnection \" + \"eltPerUser \";\n\n // enum TLifeCycleStageFontColor\n const TLifeCycleStageFontColor =\n \"sfcUndefined \"\n + \"sfcBlack \"\n + \"sfcGreen \"\n + \"sfcRed \"\n + \"sfcBlue \"\n + \"sfcOrange \"\n + \"sfcLilac \";\n\n // enum TLifeCycleStageFontStyle\n const TLifeCycleStageFontStyle = \"sfsItalic \" + \"sfsStrikeout \" + \"sfsNormal \";\n\n // enum TLockableDevelopmentComponentType\n const TLockableDevelopmentComponentType =\n \"ldctStandardRoute \"\n + \"ldctWizard \"\n + \"ldctScript \"\n + \"ldctFunction \"\n + \"ldctRouteBlock \"\n + \"ldctIntegratedReport \"\n + \"ldctAnalyticReport \"\n + \"ldctReferenceType \"\n + \"ldctEDocumentType \"\n + \"ldctDialog \"\n + \"ldctServerEvents \";\n\n // enum TMaxRecordCountRestrictionType\n const TMaxRecordCountRestrictionType =\n \"mrcrtNone \" + \"mrcrtUser \" + \"mrcrtMaximal \" + \"mrcrtCustom \";\n\n // enum TRangeValueType\n const TRangeValueType =\n \"vtEqual \" + \"vtGreaterOrEqual \" + \"vtLessOrEqual \" + \"vtRange \";\n\n // enum TRelativeDate\n const TRelativeDate =\n \"rdYesterday \"\n + \"rdToday \"\n + \"rdTomorrow \"\n + \"rdThisWeek \"\n + \"rdThisMonth \"\n + \"rdThisYear \"\n + \"rdNextMonth \"\n + \"rdNextWeek \"\n + \"rdLastWeek \"\n + \"rdLastMonth \";\n\n // enum TReportDestination\n const TReportDestination = \"rdWindow \" + \"rdFile \" + \"rdPrinter \";\n\n // enum TReqDataType\n const TReqDataType =\n \"rdtString \"\n + \"rdtNumeric \"\n + \"rdtInteger \"\n + \"rdtDate \"\n + \"rdtReference \"\n + \"rdtAccount \"\n + \"rdtText \"\n + \"rdtPick \"\n + \"rdtUnknown \"\n + \"rdtLargeInteger \"\n + \"rdtDocument \";\n\n // enum TRequisiteEventType\n const TRequisiteEventType = \"reOnChange \" + \"reOnChangeValues \";\n\n // enum TSBTimeType\n const TSBTimeType = \"ttGlobal \" + \"ttLocal \" + \"ttUser \" + \"ttSystem \";\n\n // enum TSearchShowMode\n const TSearchShowMode =\n \"ssmBrowse \" + \"ssmSelect \" + \"ssmMultiSelect \" + \"ssmBrowseModal \";\n\n // enum TSelectMode\n const TSelectMode = \"smSelect \" + \"smLike \" + \"smCard \";\n\n // enum TSignatureType\n const TSignatureType = \"stNone \" + \"stAuthenticating \" + \"stApproving \";\n\n // enum TSignerContentType\n const TSignerContentType = \"sctString \" + \"sctStream \";\n\n // enum TStringsSortType\n const TStringsSortType = \"sstAnsiSort \" + \"sstNaturalSort \";\n\n // enum TStringValueType\n const TStringValueType = \"svtEqual \" + \"svtContain \";\n\n // enum TStructuredObjectAttributeType\n const TStructuredObjectAttributeType =\n \"soatString \"\n + \"soatNumeric \"\n + \"soatInteger \"\n + \"soatDatetime \"\n + \"soatReferenceRecord \"\n + \"soatText \"\n + \"soatPick \"\n + \"soatBoolean \"\n + \"soatEDocument \"\n + \"soatAccount \"\n + \"soatIntegerCollection \"\n + \"soatNumericCollection \"\n + \"soatStringCollection \"\n + \"soatPickCollection \"\n + \"soatDatetimeCollection \"\n + \"soatBooleanCollection \"\n + \"soatReferenceRecordCollection \"\n + \"soatEDocumentCollection \"\n + \"soatAccountCollection \"\n + \"soatContents \"\n + \"soatUnknown \";\n\n // enum TTaskAbortReason\n const TTaskAbortReason = \"tarAbortByUser \" + \"tarAbortByWorkflowException \";\n\n // enum TTextValueType\n const TTextValueType = \"tvtAllWords \" + \"tvtExactPhrase \" + \"tvtAnyWord \";\n\n // enum TUserObjectStatus\n const TUserObjectStatus =\n \"usNone \"\n + \"usCompleted \"\n + \"usRedSquare \"\n + \"usBlueSquare \"\n + \"usYellowSquare \"\n + \"usGreenSquare \"\n + \"usOrangeSquare \"\n + \"usPurpleSquare \"\n + \"usFollowUp \";\n\n // enum TUserType\n const TUserType =\n \"utUnknown \"\n + \"utUser \"\n + \"utDeveloper \"\n + \"utAdministrator \"\n + \"utSystemDeveloper \"\n + \"utDisconnected \";\n\n // enum TValuesBuildType\n const TValuesBuildType =\n \"btAnd \" + \"btDetailAnd \" + \"btOr \" + \"btNotOr \" + \"btOnly \";\n\n // enum TViewMode\n const TViewMode = \"vmView \" + \"vmSelect \" + \"vmNavigation \";\n\n // enum TViewSelectionMode\n const TViewSelectionMode =\n \"vsmSingle \" + \"vsmMultiple \" + \"vsmMultipleCheck \" + \"vsmNoSelection \";\n\n // enum TWizardActionType\n const TWizardActionType =\n \"wfatPrevious \" + \"wfatNext \" + \"wfatCancel \" + \"wfatFinish \";\n\n // enum TWizardFormElementProperty\n const TWizardFormElementProperty =\n \"wfepUndefined \"\n + \"wfepText3 \"\n + \"wfepText6 \"\n + \"wfepText9 \"\n + \"wfepSpinEdit \"\n + \"wfepDropDown \"\n + \"wfepRadioGroup \"\n + \"wfepFlag \"\n + \"wfepText12 \"\n + \"wfepText15 \"\n + \"wfepText18 \"\n + \"wfepText21 \"\n + \"wfepText24 \"\n + \"wfepText27 \"\n + \"wfepText30 \"\n + \"wfepRadioGroupColumn1 \"\n + \"wfepRadioGroupColumn2 \"\n + \"wfepRadioGroupColumn3 \";\n\n // enum TWizardFormElementType\n const TWizardFormElementType =\n \"wfetQueryParameter \" + \"wfetText \" + \"wfetDelimiter \" + \"wfetLabel \";\n\n // enum TWizardParamType\n const TWizardParamType =\n \"wptString \"\n + \"wptInteger \"\n + \"wptNumeric \"\n + \"wptBoolean \"\n + \"wptDateTime \"\n + \"wptPick \"\n + \"wptText \"\n + \"wptUser \"\n + \"wptUserList \"\n + \"wptEDocumentInfo \"\n + \"wptEDocumentInfoList \"\n + \"wptReferenceRecordInfo \"\n + \"wptReferenceRecordInfoList \"\n + \"wptFolderInfo \"\n + \"wptTaskInfo \"\n + \"wptContents \"\n + \"wptFileName \"\n + \"wptDate \";\n\n // enum TWizardStepResult\n const TWizardStepResult =\n \"wsrComplete \"\n + \"wsrGoNext \"\n + \"wsrGoPrevious \"\n + \"wsrCustom \"\n + \"wsrCancel \"\n + \"wsrGoFinal \";\n\n // enum TWizardStepType\n const TWizardStepType =\n \"wstForm \"\n + \"wstEDocument \"\n + \"wstTaskCard \"\n + \"wstReferenceRecordCard \"\n + \"wstFinal \";\n\n // enum TWorkAccessType\n const TWorkAccessType = \"waAll \" + \"waPerformers \" + \"waManual \";\n\n // enum TWorkflowBlockType\n const TWorkflowBlockType =\n \"wsbStart \"\n + \"wsbFinish \"\n + \"wsbNotice \"\n + \"wsbStep \"\n + \"wsbDecision \"\n + \"wsbWait \"\n + \"wsbMonitor \"\n + \"wsbScript \"\n + \"wsbConnector \"\n + \"wsbSubTask \"\n + \"wsbLifeCycleStage \"\n + \"wsbPause \";\n\n // enum TWorkflowDataType\n const TWorkflowDataType =\n \"wdtInteger \"\n + \"wdtFloat \"\n + \"wdtString \"\n + \"wdtPick \"\n + \"wdtDateTime \"\n + \"wdtBoolean \"\n + \"wdtTask \"\n + \"wdtJob \"\n + \"wdtFolder \"\n + \"wdtEDocument \"\n + \"wdtReferenceRecord \"\n + \"wdtUser \"\n + \"wdtGroup \"\n + \"wdtRole \"\n + \"wdtIntegerCollection \"\n + \"wdtFloatCollection \"\n + \"wdtStringCollection \"\n + \"wdtPickCollection \"\n + \"wdtDateTimeCollection \"\n + \"wdtBooleanCollection \"\n + \"wdtTaskCollection \"\n + \"wdtJobCollection \"\n + \"wdtFolderCollection \"\n + \"wdtEDocumentCollection \"\n + \"wdtReferenceRecordCollection \"\n + \"wdtUserCollection \"\n + \"wdtGroupCollection \"\n + \"wdtRoleCollection \"\n + \"wdtContents \"\n + \"wdtUserList \"\n + \"wdtSearchDescription \"\n + \"wdtDeadLine \"\n + \"wdtPickSet \"\n + \"wdtAccountCollection \";\n\n // enum TWorkImportance\n const TWorkImportance = \"wiLow \" + \"wiNormal \" + \"wiHigh \";\n\n // enum TWorkRouteType\n const TWorkRouteType = \"wrtSoft \" + \"wrtHard \";\n\n // enum TWorkState\n const TWorkState =\n \"wsInit \"\n + \"wsRunning \"\n + \"wsDone \"\n + \"wsControlled \"\n + \"wsAborted \"\n + \"wsContinued \";\n\n // enum TWorkTextBuildingMode\n const TWorkTextBuildingMode =\n \"wtmFull \" + \"wtmFromCurrent \" + \"wtmOnlyCurrent \";\n\n // \u041F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F\n const ENUMS =\n TAccountType\n + TActionEnabledMode\n + TAddPosition\n + TAlignment\n + TAreaShowMode\n + TCertificateInvalidationReason\n + TCertificateType\n + TCheckListBoxItemState\n + TCloseOnEsc\n + TCompType\n + TConditionFormat\n + TConnectionIntent\n + TContentKind\n + TControlType\n + TCriterionContentType\n + TCultureType\n + TDataSetEventType\n + TDataSetState\n + TDateFormatType\n + TDateOffsetType\n + TDateTimeKind\n + TDeaAccessRights\n + TDocumentDefaultAction\n + TEditMode\n + TEditorCloseObservType\n + TEdmsApplicationAction\n + TEDocumentLockType\n + TEDocumentStepShowMode\n + TEDocumentStepVersionType\n + TEDocumentStorageFunction\n + TEDocumentStorageType\n + TEDocumentVersionSourceType\n + TEDocumentVersionState\n + TEncodeType\n + TExceptionCategory\n + TExportedSignaturesType\n + TExportedVersionType\n + TFieldDataType\n + TFolderType\n + TGridRowHeight\n + THyperlinkType\n + TImageFileFormat\n + TImageMode\n + TImageType\n + TInplaceHintKind\n + TISBLContext\n + TItemShow\n + TJobKind\n + TJoinType\n + TLabelPos\n + TLicensingType\n + TLifeCycleStageFontColor\n + TLifeCycleStageFontStyle\n + TLockableDevelopmentComponentType\n + TMaxRecordCountRestrictionType\n + TRangeValueType\n + TRelativeDate\n + TReportDestination\n + TReqDataType\n + TRequisiteEventType\n + TSBTimeType\n + TSearchShowMode\n + TSelectMode\n + TSignatureType\n + TSignerContentType\n + TStringsSortType\n + TStringValueType\n + TStructuredObjectAttributeType\n + TTaskAbortReason\n + TTextValueType\n + TUserObjectStatus\n + TUserType\n + TValuesBuildType\n + TViewMode\n + TViewSelectionMode\n + TWizardActionType\n + TWizardFormElementProperty\n + TWizardFormElementType\n + TWizardParamType\n + TWizardStepResult\n + TWizardStepType\n + TWorkAccessType\n + TWorkflowBlockType\n + TWorkflowDataType\n + TWorkImportance\n + TWorkRouteType\n + TWorkState\n + TWorkTextBuildingMode;\n\n // \u0421\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u0444\u0443\u043D\u043A\u0446\u0438\u0438 ==> SYSFUNCTIONS\n const system_functions =\n \"AddSubString \"\n + \"AdjustLineBreaks \"\n + \"AmountInWords \"\n + \"Analysis \"\n + \"ArrayDimCount \"\n + \"ArrayHighBound \"\n + \"ArrayLowBound \"\n + \"ArrayOf \"\n + \"ArrayReDim \"\n + \"Assert \"\n + \"Assigned \"\n + \"BeginOfMonth \"\n + \"BeginOfPeriod \"\n + \"BuildProfilingOperationAnalysis \"\n + \"CallProcedure \"\n + \"CanReadFile \"\n + \"CArrayElement \"\n + \"CDataSetRequisite \"\n + \"ChangeDate \"\n + \"ChangeReferenceDataset \"\n + \"Char \"\n + \"CharPos \"\n + \"CheckParam \"\n + \"CheckParamValue \"\n + \"CompareStrings \"\n + \"ConstantExists \"\n + \"ControlState \"\n + \"ConvertDateStr \"\n + \"Copy \"\n + \"CopyFile \"\n + \"CreateArray \"\n + \"CreateCachedReference \"\n + \"CreateConnection \"\n + \"CreateDialog \"\n + \"CreateDualListDialog \"\n + \"CreateEditor \"\n + \"CreateException \"\n + \"CreateFile \"\n + \"CreateFolderDialog \"\n + \"CreateInputDialog \"\n + \"CreateLinkFile \"\n + \"CreateList \"\n + \"CreateLock \"\n + \"CreateMemoryDataSet \"\n + \"CreateObject \"\n + \"CreateOpenDialog \"\n + \"CreateProgress \"\n + \"CreateQuery \"\n + \"CreateReference \"\n + \"CreateReport \"\n + \"CreateSaveDialog \"\n + \"CreateScript \"\n + \"CreateSQLPivotFunction \"\n + \"CreateStringList \"\n + \"CreateTreeListSelectDialog \"\n + \"CSelectSQL \"\n + \"CSQL \"\n + \"CSubString \"\n + \"CurrentUserID \"\n + \"CurrentUserName \"\n + \"CurrentVersion \"\n + \"DataSetLocateEx \"\n + \"DateDiff \"\n + \"DateTimeDiff \"\n + \"DateToStr \"\n + \"DayOfWeek \"\n + \"DeleteFile \"\n + \"DirectoryExists \"\n + \"DisableCheckAccessRights \"\n + \"DisableCheckFullShowingRestriction \"\n + \"DisableMassTaskSendingRestrictions \"\n + \"DropTable \"\n + \"DupeString \"\n + \"EditText \"\n + \"EnableCheckAccessRights \"\n + \"EnableCheckFullShowingRestriction \"\n + \"EnableMassTaskSendingRestrictions \"\n + \"EndOfMonth \"\n + \"EndOfPeriod \"\n + \"ExceptionExists \"\n + \"ExceptionsOff \"\n + \"ExceptionsOn \"\n + \"Execute \"\n + \"ExecuteProcess \"\n + \"Exit \"\n + \"ExpandEnvironmentVariables \"\n + \"ExtractFileDrive \"\n + \"ExtractFileExt \"\n + \"ExtractFileName \"\n + \"ExtractFilePath \"\n + \"ExtractParams \"\n + \"FileExists \"\n + \"FileSize \"\n + \"FindFile \"\n + \"FindSubString \"\n + \"FirmContext \"\n + \"ForceDirectories \"\n + \"Format \"\n + \"FormatDate \"\n + \"FormatNumeric \"\n + \"FormatSQLDate \"\n + \"FormatString \"\n + \"FreeException \"\n + \"GetComponent \"\n + \"GetComponentLaunchParam \"\n + \"GetConstant \"\n + \"GetLastException \"\n + \"GetReferenceRecord \"\n + \"GetRefTypeByRefID \"\n + \"GetTableID \"\n + \"GetTempFolder \"\n + \"IfThen \"\n + \"In \"\n + \"IndexOf \"\n + \"InputDialog \"\n + \"InputDialogEx \"\n + \"InteractiveMode \"\n + \"IsFileLocked \"\n + \"IsGraphicFile \"\n + \"IsNumeric \"\n + \"Length \"\n + \"LoadString \"\n + \"LoadStringFmt \"\n + \"LocalTimeToUTC \"\n + \"LowerCase \"\n + \"Max \"\n + \"MessageBox \"\n + \"MessageBoxEx \"\n + \"MimeDecodeBinary \"\n + \"MimeDecodeString \"\n + \"MimeEncodeBinary \"\n + \"MimeEncodeString \"\n + \"Min \"\n + \"MoneyInWords \"\n + \"MoveFile \"\n + \"NewID \"\n + \"Now \"\n + \"OpenFile \"\n + \"Ord \"\n + \"Precision \"\n + \"Raise \"\n + \"ReadCertificateFromFile \"\n + \"ReadFile \"\n + \"ReferenceCodeByID \"\n + \"ReferenceNumber \"\n + \"ReferenceRequisiteMode \"\n + \"ReferenceRequisiteValue \"\n + \"RegionDateSettings \"\n + \"RegionNumberSettings \"\n + \"RegionTimeSettings \"\n + \"RegRead \"\n + \"RegWrite \"\n + \"RenameFile \"\n + \"Replace \"\n + \"Round \"\n + \"SelectServerCode \"\n + \"SelectSQL \"\n + \"ServerDateTime \"\n + \"SetConstant \"\n + \"SetManagedFolderFieldsState \"\n + \"ShowConstantsInputDialog \"\n + \"ShowMessage \"\n + \"Sleep \"\n + \"Split \"\n + \"SQL \"\n + \"SQL2XLSTAB \"\n + \"SQLProfilingSendReport \"\n + \"StrToDate \"\n + \"SubString \"\n + \"SubStringCount \"\n + \"SystemSetting \"\n + \"Time \"\n + \"TimeDiff \"\n + \"Today \"\n + \"Transliterate \"\n + \"Trim \"\n + \"UpperCase \"\n + \"UserStatus \"\n + \"UTCToLocalTime \"\n + \"ValidateXML \"\n + \"VarIsClear \"\n + \"VarIsEmpty \"\n + \"VarIsNull \"\n + \"WorkTimeDiff \"\n + \"WriteFile \"\n + \"WriteFileEx \"\n + \"WriteObjectHistory \"\n + \"\u0410\u043D\u0430\u043B\u0438\u0437 \"\n + \"\u0411\u0430\u0437\u0430\u0414\u0430\u043D\u043D\u044B\u0445 \"\n + \"\u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C \"\n + \"\u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C\u0420\u0430\u0441\u0448 \"\n + \"\u0411\u043B\u043E\u043A\u0418\u043D\u0444\u043E \"\n + \"\u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C \"\n + \"\u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C\u0420\u0430\u0441\u0448 \"\n + \"\u0411\u043B\u043E\u043A\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \"\n + \"\u0412\u0432\u043E\u0434 \"\n + \"\u0412\u0432\u043E\u0434\u041C\u0435\u043D\u044E \"\n + \"\u0412\u0435\u0434\u0421 \"\n + \"\u0412\u0435\u0434\u0421\u043F\u0440 \"\n + \"\u0412\u0435\u0440\u0445\u043D\u044F\u044F\u0413\u0440\u0430\u043D\u0438\u0446\u0430\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \"\n + \"\u0412\u043D\u0435\u0448\u041F\u0440\u043E\u0433\u0440 \"\n + \"\u0412\u043E\u0441\u0441\u0442 \"\n + \"\u0412\u0440\u0435\u043C\u0435\u043D\u043D\u0430\u044F\u041F\u0430\u043F\u043A\u0430 \"\n + \"\u0412\u0440\u0435\u043C\u044F \"\n + \"\u0412\u044B\u0431\u043E\u0440SQL \"\n + \"\u0412\u044B\u0431\u0440\u0430\u0442\u044C\u0417\u0430\u043F\u0438\u0441\u044C \"\n + \"\u0412\u044B\u0434\u0435\u043B\u0438\u0442\u044C\u0421\u0442\u0440 \"\n + \"\u0412\u044B\u0437\u0432\u0430\u0442\u044C \"\n + \"\u0412\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C \"\n + \"\u0412\u044B\u043F\u041F\u0440\u043E\u0433\u0440 \"\n + \"\u0413\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0438\u0439\u0424\u0430\u0439\u043B \"\n + \"\u0413\u0440\u0443\u043F\u043F\u0430\u0414\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E \"\n + \"\u0414\u0430\u0442\u0430\u0412\u0440\u0435\u043C\u044F\u0421\u0435\u0440\u0432 \"\n + \"\u0414\u0435\u043D\u044C\u041D\u0435\u0434\u0435\u043B\u0438 \"\n + \"\u0414\u0438\u0430\u043B\u043E\u0433\u0414\u0430\u041D\u0435\u0442 \"\n + \"\u0414\u043B\u0438\u043D\u0430\u0421\u0442\u0440 \"\n + \"\u0414\u043E\u0431\u041F\u043E\u0434\u0441\u0442\u0440 \"\n + \"\u0415\u041F\u0443\u0441\u0442\u043E \"\n + \"\u0415\u0441\u043B\u0438\u0422\u043E \"\n + \"\u0415\u0427\u0438\u0441\u043B\u043E \"\n + \"\u0417\u0430\u043C\u041F\u043E\u0434\u0441\u0442\u0440 \"\n + \"\u0417\u0430\u043F\u0438\u0441\u044C\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \"\n + \"\u0417\u043D\u0430\u0447\u041F\u043E\u043B\u044F\u0421\u043F\u0440 \"\n + \"\u0418\u0414\u0422\u0438\u043F\u0421\u043F\u0440 \"\n + \"\u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0414\u0438\u0441\u043A \"\n + \"\u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0418\u043C\u044F\u0424\u0430\u0439\u043B\u0430 \"\n + \"\u0418\u0437\u0432\u043B\u0435\u0447\u044C\u041F\u0443\u0442\u044C \"\n + \"\u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435 \"\n + \"\u0418\u0437\u043C\u0414\u0430\u0442 \"\n + \"\u0418\u0437\u043C\u0435\u043D\u0438\u0442\u044C\u0420\u0430\u0437\u043C\u0435\u0440\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \"\n + \"\u0418\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \"\n + \"\u0418\u043C\u044F\u041E\u0440\u0433 \"\n + \"\u0418\u043C\u044F\u041F\u043E\u043B\u044F\u0421\u043F\u0440 \"\n + \"\u0418\u043D\u0434\u0435\u043A\u0441 \"\n + \"\u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0417\u0430\u043A\u0440\u044B\u0442\u044C \"\n + \"\u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u041E\u0442\u043A\u0440\u044B\u0442\u044C \"\n + \"\u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0428\u0430\u0433 \"\n + \"\u0418\u043D\u0442\u0435\u0440\u0430\u043A\u0442\u0438\u0432\u043D\u044B\u0439\u0420\u0435\u0436\u0438\u043C \"\n + \"\u0418\u0442\u043E\u0433\u0422\u0431\u043B\u0421\u043F\u0440 \"\n + \"\u041A\u043E\u0434\u0412\u0438\u0434\u0412\u0435\u0434\u0421\u043F\u0440 \"\n + \"\u041A\u043E\u0434\u0412\u0438\u0434\u0421\u043F\u0440\u041F\u043E\u0418\u0414 \"\n + \"\u041A\u043E\u0434\u041F\u043EAnalit \"\n + \"\u041A\u043E\u0434\u0421\u0438\u043C\u0432\u043E\u043B\u0430 \"\n + \"\u041A\u043E\u0434\u0421\u043F\u0440 \"\n + \"\u041A\u043E\u043B\u041F\u043E\u0434\u0441\u0442\u0440 \"\n + \"\u041A\u043E\u043B\u041F\u0440\u043E\u043F \"\n + \"\u041A\u043E\u043D\u041C\u0435\u0441 \"\n + \"\u041A\u043E\u043D\u0441\u0442 \"\n + \"\u041A\u043E\u043D\u0441\u0442\u0415\u0441\u0442\u044C \"\n + \"\u041A\u043E\u043D\u0441\u0442\u0417\u043D\u0430\u0447 \"\n + \"\u041A\u043E\u043D\u0422\u0440\u0430\u043D \"\n + \"\u041A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0424\u0430\u0439\u043B \"\n + \"\u041A\u043E\u043F\u0438\u044F\u0421\u0442\u0440 \"\n + \"\u041A\u041F\u0435\u0440\u0438\u043E\u0434 \"\n + \"\u041A\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \"\n + \"\u041C\u0430\u043A\u0441 \"\n + \"\u041C\u0430\u043A\u0441\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \"\n + \"\u041C\u0430\u0441\u0441\u0438\u0432 \"\n + \"\u041C\u0435\u043D\u044E \"\n + \"\u041C\u0435\u043D\u044E\u0420\u0430\u0441\u0448 \"\n + \"\u041C\u0438\u043D \"\n + \"\u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445\u041D\u0430\u0439\u0442\u0438\u0420\u0430\u0441\u0448 \"\n + \"\u041D\u0430\u0438\u043C\u0412\u0438\u0434\u0421\u043F\u0440 \"\n + \"\u041D\u0430\u0438\u043C\u041F\u043EAnalit \"\n + \"\u041D\u0430\u0438\u043C\u0421\u043F\u0440 \"\n + \"\u041D\u0430\u0441\u0442\u0440\u043E\u0438\u0442\u044C\u041F\u0435\u0440\u0435\u0432\u043E\u0434\u044B\u0421\u0442\u0440\u043E\u043A \"\n + \"\u041D\u0430\u0447\u041C\u0435\u0441 \"\n + \"\u041D\u0430\u0447\u0422\u0440\u0430\u043D \"\n + \"\u041D\u0438\u0436\u043D\u044F\u044F\u0413\u0440\u0430\u043D\u0438\u0446\u0430\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \"\n + \"\u041D\u043E\u043C\u0435\u0440\u0421\u043F\u0440 \"\n + \"\u041D\u041F\u0435\u0440\u0438\u043E\u0434 \"\n + \"\u041E\u043A\u043D\u043E \"\n + \"\u041E\u043A\u0440 \"\n + \"\u041E\u043A\u0440\u0443\u0436\u0435\u043D\u0438\u0435 \"\n + \"\u041E\u0442\u043B\u0418\u043D\u0444\u0414\u043E\u0431\u0430\u0432\u0438\u0442\u044C \"\n + \"\u041E\u0442\u043B\u0418\u043D\u0444\u0423\u0434\u0430\u043B\u0438\u0442\u044C \"\n + \"\u041E\u0442\u0447\u0435\u0442 \"\n + \"\u041E\u0442\u0447\u0435\u0442\u0410\u043D\u0430\u043B \"\n + \"\u041E\u0442\u0447\u0435\u0442\u0418\u043D\u0442 \"\n + \"\u041F\u0430\u043F\u043A\u0430\u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u0435\u0442 \"\n + \"\u041F\u0430\u0443\u0437\u0430 \"\n + \"\u041F\u0412\u044B\u0431\u043E\u0440SQL \"\n + \"\u041F\u0435\u0440\u0435\u0438\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u044C\u0424\u0430\u0439\u043B \"\n + \"\u041F\u0435\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0435 \"\n + \"\u041F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0424\u0430\u0439\u043B \"\n + \"\u041F\u043E\u0434\u0441\u0442\u0440 \"\n + \"\u041F\u043E\u0438\u0441\u043A\u041F\u043E\u0434\u0441\u0442\u0440 \"\n + \"\u041F\u043E\u0438\u0441\u043A\u0421\u0442\u0440 \"\n + \"\u041F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0418\u0414\u0422\u0430\u0431\u043B\u0438\u0446\u044B \"\n + \"\u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0414\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E \"\n + \"\u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0418\u0414 \"\n + \"\u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0418\u043C\u044F \"\n + \"\u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0421\u0442\u0430\u0442\u0443\u0441 \"\n + \"\u041F\u0440\u0435\u0440\u0432\u0430\u0442\u044C \"\n + \"\u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u041F\u0430\u0440\u0430\u043C\u0435\u0442\u0440 \"\n + \"\u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u041F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0417\u043D\u0430\u0447 \"\n + \"\u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u0423\u0441\u043B\u043E\u0432\u0438\u0435 \"\n + \"\u0420\u0430\u0437\u0431\u0421\u0442\u0440 \"\n + \"\u0420\u0430\u0437\u043D\u0412\u0440\u0435\u043C\u044F \"\n + \"\u0420\u0430\u0437\u043D\u0414\u0430\u0442 \"\n + \"\u0420\u0430\u0437\u043D\u0414\u0430\u0442\u0430\u0412\u0440\u0435\u043C\u044F \"\n + \"\u0420\u0430\u0437\u043D\u0420\u0430\u0431\u0412\u0440\u0435\u043C\u044F \"\n + \"\u0420\u0435\u0433\u0423\u0441\u0442\u0412\u0440\u0435\u043C \"\n + \"\u0420\u0435\u0433\u0423\u0441\u0442\u0414\u0430\u0442 \"\n + \"\u0420\u0435\u0433\u0423\u0441\u0442\u0427\u0441\u043B \"\n + \"\u0420\u0435\u0434\u0422\u0435\u043A\u0441\u0442 \"\n + \"\u0420\u0435\u0435\u0441\u0442\u0440\u0417\u0430\u043F\u0438\u0441\u044C \"\n + \"\u0420\u0435\u0435\u0441\u0442\u0440\u0421\u043F\u0438\u0441\u043E\u043A\u0418\u043C\u0435\u043D\u041F\u0430\u0440\u0430\u043C \"\n + \"\u0420\u0435\u0435\u0441\u0442\u0440\u0427\u0442\u0435\u043D\u0438\u0435 \"\n + \"\u0420\u0435\u043A\u0432\u0421\u043F\u0440 \"\n + \"\u0420\u0435\u043A\u0432\u0421\u043F\u0440\u041F\u0440 \"\n + \"\u0421\u0435\u0433\u043E\u0434\u043D\u044F \"\n + \"\u0421\u0435\u0439\u0447\u0430\u0441 \"\n + \"\u0421\u0435\u0440\u0432\u0435\u0440 \"\n + \"\u0421\u0435\u0440\u0432\u0435\u0440\u041F\u0440\u043E\u0446\u0435\u0441\u0441\u0418\u0414 \"\n + \"\u0421\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0424\u0430\u0439\u043B\u0421\u0447\u0438\u0442\u0430\u0442\u044C \"\n + \"\u0421\u0436\u041F\u0440\u043E\u0431 \"\n + \"\u0421\u0438\u043C\u0432\u043E\u043B \"\n + \"\u0421\u0438\u0441\u0442\u0435\u043C\u0430\u0414\u0438\u0440\u0435\u043A\u0442\u0443\u043C\u041A\u043E\u0434 \"\n + \"\u0421\u0438\u0441\u0442\u0435\u043C\u0430\u0418\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F \"\n + \"\u0421\u0438\u0441\u0442\u0435\u043C\u0430\u041A\u043E\u0434 \"\n + \"\u0421\u043E\u0434\u0435\u0440\u0436\u0438\u0442 \"\n + \"\u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0417\u0430\u043A\u0440\u044B\u0442\u044C \"\n + \"\u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u041E\u0442\u043A\u0440\u044B\u0442\u044C \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0412\u044B\u0431\u043E\u0440\u0430\u0418\u0437\u0414\u0432\u0443\u0445\u0421\u043F\u0438\u0441\u043A\u043E\u0432 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0412\u044B\u0431\u043E\u0440\u0430\u041F\u0430\u043F\u043A\u0438 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u041E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0424\u0430\u0439\u043B\u0430 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0421\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u0424\u0430\u0439\u043B\u0430 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0417\u0430\u043F\u0440\u043E\u0441 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0418\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041A\u044D\u0448\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041C\u0430\u0441\u0441\u0438\u0432 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041E\u0431\u044A\u0435\u043A\u0442 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041E\u0442\u0447\u0435\u0442 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041F\u0430\u043F\u043A\u0443 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0420\u0435\u0434\u0430\u043A\u0442\u043E\u0440 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0438\u0441\u043E\u043A \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0438\u0441\u043E\u043A\u0421\u0442\u0440\u043E\u043A \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \"\n + \"\u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439 \"\n + \"\u0421\u043E\u0437\u0434\u0421\u043F\u0440 \"\n + \"\u0421\u043E\u0441\u0442\u0421\u043F\u0440 \"\n + \"\u0421\u043E\u0445\u0440 \"\n + \"\u0421\u043E\u0445\u0440\u0421\u043F\u0440 \"\n + \"\u0421\u043F\u0438\u0441\u043E\u043A\u0421\u0438\u0441\u0442\u0435\u043C \"\n + \"\u0421\u043F\u0440 \"\n + \"\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \"\n + \"\u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C \"\n + \"\u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C \"\n + \"\u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C\u0420\u0430\u0441\u0448 \"\n + \"\u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \"\n + \"\u0421\u043F\u0440\u0418\u0437\u043C\u041D\u0430\u0431\u0414\u0430\u043D \"\n + \"\u0421\u043F\u0440\u041A\u043E\u0434 \"\n + \"\u0421\u043F\u0440\u041D\u043E\u043C\u0435\u0440 \"\n + \"\u0421\u043F\u0440\u041E\u0431\u043D\u043E\u0432\u0438\u0442\u044C \"\n + \"\u0421\u043F\u0440\u041E\u0442\u043A\u0440\u044B\u0442\u044C \"\n + \"\u0421\u043F\u0440\u041E\u0442\u043C\u0435\u043D\u0438\u0442\u044C \"\n + \"\u0421\u043F\u0440\u041F\u0430\u0440\u0430\u043C \"\n + \"\u0421\u043F\u0440\u041F\u043E\u043B\u0435\u0417\u043D\u0430\u0447 \"\n + \"\u0421\u043F\u0440\u041F\u043E\u043B\u0435\u0418\u043C\u044F \"\n + \"\u0421\u043F\u0440\u0420\u0435\u043A\u0432 \"\n + \"\u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0412\u0432\u0435\u0434\u0417\u043D \"\n + \"\u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041D\u043E\u0432\u044B\u0435 \"\n + \"\u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041F\u0440 \"\n + \"\u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041F\u0440\u0435\u0434\u0417\u043D \"\n + \"\u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0420\u0435\u0436\u0438\u043C \"\n + \"\u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0422\u0438\u043F\u0422\u0435\u043A\u0441\u0442 \"\n + \"\u0421\u043F\u0440\u0421\u043E\u0437\u0434\u0430\u0442\u044C \"\n + \"\u0421\u043F\u0440\u0421\u043E\u0441\u0442 \"\n + \"\u0421\u043F\u0440\u0421\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C \"\n + \"\u0421\u043F\u0440\u0422\u0431\u043B\u0418\u0442\u043E\u0433 \"\n + \"\u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440 \"\n + \"\u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041A\u043E\u043B \"\n + \"\u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041C\u0430\u043A\u0441 \"\n + \"\u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041C\u0438\u043D \"\n + \"\u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041F\u0440\u0435\u0434 \"\n + \"\u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0421\u043B\u0435\u0434 \"\n + \"\u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0421\u043E\u0437\u0434 \"\n + \"\u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0423\u0434 \"\n + \"\u0421\u043F\u0440\u0422\u0435\u043A\u041F\u0440\u0435\u0434\u0441\u0442 \"\n + \"\u0421\u043F\u0440\u0423\u0434\u0430\u043B\u0438\u0442\u044C \"\n + \"\u0421\u0440\u0430\u0432\u043D\u0438\u0442\u044C\u0421\u0442\u0440 \"\n + \"\u0421\u0442\u0440\u0412\u0435\u0440\u0445\u0420\u0435\u0433\u0438\u0441\u0442\u0440 \"\n + \"\u0421\u0442\u0440\u041D\u0438\u0436\u043D\u0420\u0435\u0433\u0438\u0441\u0442\u0440 \"\n + \"\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \"\n + \"\u0421\u0443\u043C\u041F\u0440\u043E\u043F \"\n + \"\u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439 \"\n + \"\u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439\u041F\u0430\u0440\u0430\u043C \"\n + \"\u0422\u0435\u043A\u0412\u0435\u0440\u0441\u0438\u044F \"\n + \"\u0422\u0435\u043A\u041E\u0440\u0433 \"\n + \"\u0422\u043E\u0447\u043D \"\n + \"\u0422\u0440\u0430\u043D \"\n + \"\u0422\u0440\u0430\u043D\u0441\u043B\u0438\u0442\u0435\u0440\u0430\u0446\u0438\u044F \"\n + \"\u0423\u0434\u0430\u043B\u0438\u0442\u044C\u0422\u0430\u0431\u043B\u0438\u0446\u0443 \"\n + \"\u0423\u0434\u0430\u043B\u0438\u0442\u044C\u0424\u0430\u0439\u043B \"\n + \"\u0423\u0434\u0421\u043F\u0440 \"\n + \"\u0423\u0434\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \"\n + \"\u0423\u0441\u0442 \"\n + \"\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438\u041A\u043E\u043D\u0441\u0442\u0430\u043D\u0442 \"\n + \"\u0424\u0430\u0439\u043B\u0410\u0442\u0440\u0438\u0431\u0443\u0442\u0421\u0447\u0438\u0442\u0430\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u0410\u0442\u0440\u0438\u0431\u0443\u0442\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u0412\u0440\u0435\u043C\u044F \"\n + \"\u0424\u0430\u0439\u043B\u0412\u0440\u0435\u043C\u044F\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u0412\u044B\u0431\u0440\u0430\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u0417\u0430\u043D\u044F\u0442 \"\n + \"\u0424\u0430\u0439\u043B\u0417\u0430\u043F\u0438\u0441\u0430\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u0418\u0441\u043A\u0430\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u041A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u041C\u043E\u0436\u043D\u043E\u0427\u0438\u0442\u0430\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u041E\u0442\u043A\u0440\u044B\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u0438\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u041F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0435\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u0420\u0430\u0437\u043C\u0435\u0440 \"\n + \"\u0424\u0430\u0439\u043B\u0421\u043E\u0437\u0434\u0430\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u0421\u0441\u044B\u043B\u043A\u0430\u0421\u043E\u0437\u0434\u0430\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u0435\u0442 \"\n + \"\u0424\u0430\u0439\u043B\u0421\u0447\u0438\u0442\u0430\u0442\u044C \"\n + \"\u0424\u0430\u0439\u043B\u0423\u0434\u0430\u043B\u0438\u0442\u044C \"\n + \"\u0424\u043C\u0442SQL\u0414\u0430\u0442 \"\n + \"\u0424\u043C\u0442\u0414\u0430\u0442 \"\n + \"\u0424\u043C\u0442\u0421\u0442\u0440 \"\n + \"\u0424\u043C\u0442\u0427\u0441\u043B \"\n + \"\u0424\u043E\u0440\u043C\u0430\u0442 \"\n + \"\u0426\u041C\u0430\u0441\u0441\u0438\u0432\u042D\u043B\u0435\u043C\u0435\u043D\u0442 \"\n + \"\u0426\u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445\u0420\u0435\u043A\u0432\u0438\u0437\u0438\u0442 \"\n + \"\u0426\u041F\u043E\u0434\u0441\u0442\u0440 \";\n\n // \u041F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0435 \u043F\u0435\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0435 ==> built_in\n const predefined_variables =\n \"AltState \"\n + \"Application \"\n + \"CallType \"\n + \"ComponentTokens \"\n + \"CreatedJobs \"\n + \"CreatedNotices \"\n + \"ControlState \"\n + \"DialogResult \"\n + \"Dialogs \"\n + \"EDocuments \"\n + \"EDocumentVersionSource \"\n + \"Folders \"\n + \"GlobalIDs \"\n + \"Job \"\n + \"Jobs \"\n + \"InputValue \"\n + \"LookUpReference \"\n + \"LookUpRequisiteNames \"\n + \"LookUpSearch \"\n + \"Object \"\n + \"ParentComponent \"\n + \"Processes \"\n + \"References \"\n + \"Requisite \"\n + \"ReportName \"\n + \"Reports \"\n + \"Result \"\n + \"Scripts \"\n + \"Searches \"\n + \"SelectedAttachments \"\n + \"SelectedItems \"\n + \"SelectMode \"\n + \"Sender \"\n + \"ServerEvents \"\n + \"ServiceFactory \"\n + \"ShiftState \"\n + \"SubTask \"\n + \"SystemDialogs \"\n + \"Tasks \"\n + \"Wizard \"\n + \"Wizards \"\n + \"Work \"\n + \"\u0412\u044B\u0437\u043E\u0432\u0421\u043F\u043E\u0441\u043E\u0431 \"\n + \"\u0418\u043C\u044F\u041E\u0442\u0447\u0435\u0442\u0430 \"\n + \"\u0420\u0435\u043A\u0432\u0417\u043D\u0430\u0447 \";\n\n // \u0418\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u044B ==> type\n const interfaces =\n \"IApplication \"\n + \"IAccessRights \"\n + \"IAccountRepository \"\n + \"IAccountSelectionRestrictions \"\n + \"IAction \"\n + \"IActionList \"\n + \"IAdministrationHistoryDescription \"\n + \"IAnchors \"\n + \"IApplication \"\n + \"IArchiveInfo \"\n + \"IAttachment \"\n + \"IAttachmentList \"\n + \"ICheckListBox \"\n + \"ICheckPointedList \"\n + \"IColumn \"\n + \"IComponent \"\n + \"IComponentDescription \"\n + \"IComponentToken \"\n + \"IComponentTokenFactory \"\n + \"IComponentTokenInfo \"\n + \"ICompRecordInfo \"\n + \"IConnection \"\n + \"IContents \"\n + \"IControl \"\n + \"IControlJob \"\n + \"IControlJobInfo \"\n + \"IControlList \"\n + \"ICrypto \"\n + \"ICrypto2 \"\n + \"ICustomJob \"\n + \"ICustomJobInfo \"\n + \"ICustomListBox \"\n + \"ICustomObjectWizardStep \"\n + \"ICustomWork \"\n + \"ICustomWorkInfo \"\n + \"IDataSet \"\n + \"IDataSetAccessInfo \"\n + \"IDataSigner \"\n + \"IDateCriterion \"\n + \"IDateRequisite \"\n + \"IDateRequisiteDescription \"\n + \"IDateValue \"\n + \"IDeaAccessRights \"\n + \"IDeaObjectInfo \"\n + \"IDevelopmentComponentLock \"\n + \"IDialog \"\n + \"IDialogFactory \"\n + \"IDialogPickRequisiteItems \"\n + \"IDialogsFactory \"\n + \"IDICSFactory \"\n + \"IDocRequisite \"\n + \"IDocumentInfo \"\n + \"IDualListDialog \"\n + \"IECertificate \"\n + \"IECertificateInfo \"\n + \"IECertificates \"\n + \"IEditControl \"\n + \"IEditorForm \"\n + \"IEdmsExplorer \"\n + \"IEdmsObject \"\n + \"IEdmsObjectDescription \"\n + \"IEdmsObjectFactory \"\n + \"IEdmsObjectInfo \"\n + \"IEDocument \"\n + \"IEDocumentAccessRights \"\n + \"IEDocumentDescription \"\n + \"IEDocumentEditor \"\n + \"IEDocumentFactory \"\n + \"IEDocumentInfo \"\n + \"IEDocumentStorage \"\n + \"IEDocumentVersion \"\n + \"IEDocumentVersionListDialog \"\n + \"IEDocumentVersionSource \"\n + \"IEDocumentWizardStep \"\n + \"IEDocVerSignature \"\n + \"IEDocVersionState \"\n + \"IEnabledMode \"\n + \"IEncodeProvider \"\n + \"IEncrypter \"\n + \"IEvent \"\n + \"IEventList \"\n + \"IException \"\n + \"IExternalEvents \"\n + \"IExternalHandler \"\n + \"IFactory \"\n + \"IField \"\n + \"IFileDialog \"\n + \"IFolder \"\n + \"IFolderDescription \"\n + \"IFolderDialog \"\n + \"IFolderFactory \"\n + \"IFolderInfo \"\n + \"IForEach \"\n + \"IForm \"\n + \"IFormTitle \"\n + \"IFormWizardStep \"\n + \"IGlobalIDFactory \"\n + \"IGlobalIDInfo \"\n + \"IGrid \"\n + \"IHasher \"\n + \"IHistoryDescription \"\n + \"IHyperLinkControl \"\n + \"IImageButton \"\n + \"IImageControl \"\n + \"IInnerPanel \"\n + \"IInplaceHint \"\n + \"IIntegerCriterion \"\n + \"IIntegerList \"\n + \"IIntegerRequisite \"\n + \"IIntegerValue \"\n + \"IISBLEditorForm \"\n + \"IJob \"\n + \"IJobDescription \"\n + \"IJobFactory \"\n + \"IJobForm \"\n + \"IJobInfo \"\n + \"ILabelControl \"\n + \"ILargeIntegerCriterion \"\n + \"ILargeIntegerRequisite \"\n + \"ILargeIntegerValue \"\n + \"ILicenseInfo \"\n + \"ILifeCycleStage \"\n + \"IList \"\n + \"IListBox \"\n + \"ILocalIDInfo \"\n + \"ILocalization \"\n + \"ILock \"\n + \"IMemoryDataSet \"\n + \"IMessagingFactory \"\n + \"IMetadataRepository \"\n + \"INotice \"\n + \"INoticeInfo \"\n + \"INumericCriterion \"\n + \"INumericRequisite \"\n + \"INumericValue \"\n + \"IObject \"\n + \"IObjectDescription \"\n + \"IObjectImporter \"\n + \"IObjectInfo \"\n + \"IObserver \"\n + \"IPanelGroup \"\n + \"IPickCriterion \"\n + \"IPickProperty \"\n + \"IPickRequisite \"\n + \"IPickRequisiteDescription \"\n + \"IPickRequisiteItem \"\n + \"IPickRequisiteItems \"\n + \"IPickValue \"\n + \"IPrivilege \"\n + \"IPrivilegeList \"\n + \"IProcess \"\n + \"IProcessFactory \"\n + \"IProcessMessage \"\n + \"IProgress \"\n + \"IProperty \"\n + \"IPropertyChangeEvent \"\n + \"IQuery \"\n + \"IReference \"\n + \"IReferenceCriterion \"\n + \"IReferenceEnabledMode \"\n + \"IReferenceFactory \"\n + \"IReferenceHistoryDescription \"\n + \"IReferenceInfo \"\n + \"IReferenceRecordCardWizardStep \"\n + \"IReferenceRequisiteDescription \"\n + \"IReferencesFactory \"\n + \"IReferenceValue \"\n + \"IRefRequisite \"\n + \"IReport \"\n + \"IReportFactory \"\n + \"IRequisite \"\n + \"IRequisiteDescription \"\n + \"IRequisiteDescriptionList \"\n + \"IRequisiteFactory \"\n + \"IRichEdit \"\n + \"IRouteStep \"\n + \"IRule \"\n + \"IRuleList \"\n + \"ISchemeBlock \"\n + \"IScript \"\n + \"IScriptFactory \"\n + \"ISearchCriteria \"\n + \"ISearchCriterion \"\n + \"ISearchDescription \"\n + \"ISearchFactory \"\n + \"ISearchFolderInfo \"\n + \"ISearchForObjectDescription \"\n + \"ISearchResultRestrictions \"\n + \"ISecuredContext \"\n + \"ISelectDialog \"\n + \"IServerEvent \"\n + \"IServerEventFactory \"\n + \"IServiceDialog \"\n + \"IServiceFactory \"\n + \"ISignature \"\n + \"ISignProvider \"\n + \"ISignProvider2 \"\n + \"ISignProvider3 \"\n + \"ISimpleCriterion \"\n + \"IStringCriterion \"\n + \"IStringList \"\n + \"IStringRequisite \"\n + \"IStringRequisiteDescription \"\n + \"IStringValue \"\n + \"ISystemDialogsFactory \"\n + \"ISystemInfo \"\n + \"ITabSheet \"\n + \"ITask \"\n + \"ITaskAbortReasonInfo \"\n + \"ITaskCardWizardStep \"\n + \"ITaskDescription \"\n + \"ITaskFactory \"\n + \"ITaskInfo \"\n + \"ITaskRoute \"\n + \"ITextCriterion \"\n + \"ITextRequisite \"\n + \"ITextValue \"\n + \"ITreeListSelectDialog \"\n + \"IUser \"\n + \"IUserList \"\n + \"IValue \"\n + \"IView \"\n + \"IWebBrowserControl \"\n + \"IWizard \"\n + \"IWizardAction \"\n + \"IWizardFactory \"\n + \"IWizardFormElement \"\n + \"IWizardParam \"\n + \"IWizardPickParam \"\n + \"IWizardReferenceParam \"\n + \"IWizardStep \"\n + \"IWorkAccessRights \"\n + \"IWorkDescription \"\n + \"IWorkflowAskableParam \"\n + \"IWorkflowAskableParams \"\n + \"IWorkflowBlock \"\n + \"IWorkflowBlockResult \"\n + \"IWorkflowEnabledMode \"\n + \"IWorkflowParam \"\n + \"IWorkflowPickParam \"\n + \"IWorkflowReferenceParam \"\n + \"IWorkState \"\n + \"IWorkTreeCustomNode \"\n + \"IWorkTreeJobNode \"\n + \"IWorkTreeTaskNode \"\n + \"IXMLEditorForm \"\n + \"SBCrypto \";\n\n // built_in : \u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0435 \u0438\u043B\u0438 \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u0447\u043D\u044B\u0435 \u043E\u0431\u044A\u0435\u043A\u0442\u044B (\u043A\u043E\u043D\u0441\u0442\u0430\u043D\u0442\u044B, \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F)\n const BUILTIN = CONSTANTS + ENUMS;\n\n // class: \u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0435 \u043D\u0430\u0431\u043E\u0440\u044B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439, \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0435 \u043E\u0431\u044A\u0435\u043A\u0442\u044B, \u0444\u0430\u0431\u0440\u0438\u043A\u0438\n const CLASS = predefined_variables;\n\n // literal : \u043F\u0440\u0438\u043C\u0438\u0442\u0438\u0432\u043D\u044B\u0435 \u0442\u0438\u043F\u044B\n const LITERAL = \"null true false nil \";\n\n // number : \u0447\u0438\u0441\u043B\u0430\n const NUMBERS = {\n className: \"number\",\n begin: hljs.NUMBER_RE,\n relevance: 0\n };\n\n // string : \u0441\u0442\u0440\u043E\u043A\u0438\n const STRINGS = {\n className: \"string\",\n variants: [\n {\n begin: '\"',\n end: '\"'\n },\n {\n begin: \"'\",\n end: \"'\"\n }\n ]\n };\n\n // \u0422\u043E\u043A\u0435\u043D\u044B\n const DOCTAGS = {\n className: \"doctag\",\n begin: \"\\\\b(?:TODO|DONE|BEGIN|END|STUB|CHG|FIXME|NOTE|BUG|XXX)\\\\b\",\n relevance: 0\n };\n\n // \u041E\u0434\u043D\u043E\u0441\u0442\u0440\u043E\u0447\u043D\u044B\u0439 \u043A\u043E\u043C\u043C\u0435\u043D\u0442\u0430\u0440\u0438\u0439\n const ISBL_LINE_COMMENT_MODE = {\n className: \"comment\",\n begin: \"//\",\n end: \"$\",\n relevance: 0,\n contains: [\n hljs.PHRASAL_WORDS_MODE,\n DOCTAGS\n ]\n };\n\n // \u041C\u043D\u043E\u0433\u043E\u0441\u0442\u0440\u043E\u0447\u043D\u044B\u0439 \u043A\u043E\u043C\u043C\u0435\u043D\u0442\u0430\u0440\u0438\u0439\n const ISBL_BLOCK_COMMENT_MODE = {\n className: \"comment\",\n begin: \"/\\\\*\",\n end: \"\\\\*/\",\n relevance: 0,\n contains: [\n hljs.PHRASAL_WORDS_MODE,\n DOCTAGS\n ]\n };\n\n // comment : \u043A\u043E\u043C\u043C\u0435\u043D\u0442\u0430\u0440\u0438\u0438\n const COMMENTS = { variants: [\n ISBL_LINE_COMMENT_MODE,\n ISBL_BLOCK_COMMENT_MODE\n ] };\n\n // keywords : \u043A\u043B\u044E\u0447\u0435\u0432\u044B\u0435 \u0441\u043B\u043E\u0432\u0430\n const KEYWORDS = {\n $pattern: UNDERSCORE_IDENT_RE,\n keyword: KEYWORD,\n built_in: BUILTIN,\n class: CLASS,\n literal: LITERAL\n };\n\n // methods : \u043C\u0435\u0442\u043E\u0434\u044B\n const METHODS = {\n begin: \"\\\\.\\\\s*\" + hljs.UNDERSCORE_IDENT_RE,\n keywords: KEYWORDS,\n relevance: 0\n };\n\n // type : \u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0435 \u0442\u0438\u043F\u044B\n const TYPES = {\n className: \"type\",\n begin: \":[ \\\\t]*(\" + interfaces.trim().replace(/\\s/g, \"|\") + \")\",\n end: \"[ \\\\t]*=\",\n excludeEnd: true\n };\n\n // variables : \u043F\u0435\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0435\n const VARIABLES = {\n className: \"variable\",\n keywords: KEYWORDS,\n begin: UNDERSCORE_IDENT_RE,\n relevance: 0,\n contains: [\n TYPES,\n METHODS\n ]\n };\n\n // \u0418\u043C\u0435\u043D\u0430 \u0444\u0443\u043D\u043A\u0446\u0438\u0439\n const FUNCTION_TITLE = FUNCTION_NAME_IDENT_RE + \"\\\\(\";\n\n const TITLE_MODE = {\n className: \"title\",\n keywords: {\n $pattern: UNDERSCORE_IDENT_RE,\n built_in: system_functions\n },\n begin: FUNCTION_TITLE,\n end: \"\\\\(\",\n returnBegin: true,\n excludeEnd: true\n };\n\n // function : \u0444\u0443\u043D\u043A\u0446\u0438\u0438\n const FUNCTIONS = {\n className: \"function\",\n begin: FUNCTION_TITLE,\n end: \"\\\\)$\",\n returnBegin: true,\n keywords: KEYWORDS,\n illegal: \"[\\\\[\\\\]\\\\|\\\\$\\\\?%,~#@]\",\n contains: [\n TITLE_MODE,\n METHODS,\n VARIABLES,\n STRINGS,\n NUMBERS,\n COMMENTS\n ]\n };\n\n return {\n name: 'ISBL',\n case_insensitive: true,\n keywords: KEYWORDS,\n illegal: \"\\\\$|\\\\?|%|,|;$|~|#|@|</\",\n contains: [\n FUNCTIONS,\n TYPES,\n METHODS,\n VARIABLES,\n STRINGS,\n NUMBERS,\n COMMENTS\n ]\n };\n}\n\nmodule.exports = isbl;\n", "// https://docs.oracle.com/javase/specs/jls/se15/html/jls-3.html#jls-3.10\nvar decimalDigits = '[0-9](_*[0-9])*';\nvar frac = `\\\\.(${decimalDigits})`;\nvar hexDigits = '[0-9a-fA-F](_*[0-9a-fA-F])*';\nvar NUMERIC = {\n className: 'number',\n variants: [\n // DecimalFloatingPointLiteral\n // including ExponentPart\n { begin: `(\\\\b(${decimalDigits})((${frac})|\\\\.)?|(${frac}))` +\n `[eE][+-]?(${decimalDigits})[fFdD]?\\\\b` },\n // excluding ExponentPart\n { begin: `\\\\b(${decimalDigits})((${frac})[fFdD]?\\\\b|\\\\.([fFdD]\\\\b)?)` },\n { begin: `(${frac})[fFdD]?\\\\b` },\n { begin: `\\\\b(${decimalDigits})[fFdD]\\\\b` },\n\n // HexadecimalFloatingPointLiteral\n { begin: `\\\\b0[xX]((${hexDigits})\\\\.?|(${hexDigits})?\\\\.(${hexDigits}))` +\n `[pP][+-]?(${decimalDigits})[fFdD]?\\\\b` },\n\n // DecimalIntegerLiteral\n { begin: '\\\\b(0|[1-9](_*[0-9])*)[lL]?\\\\b' },\n\n // HexIntegerLiteral\n { begin: `\\\\b0[xX](${hexDigits})[lL]?\\\\b` },\n\n // OctalIntegerLiteral\n { begin: '\\\\b0(_*[0-7])*[lL]?\\\\b' },\n\n // BinaryIntegerLiteral\n { begin: '\\\\b0[bB][01](_*[01])*[lL]?\\\\b' },\n ],\n relevance: 0\n};\n\n/*\nLanguage: Java\nAuthor: Vsevolod Solovyov <vsevolod.solovyov@gmail.com>\nCategory: common, enterprise\nWebsite: https://www.java.com/\n*/\n\n/**\n * Allows recursive regex expressions to a given depth\n *\n * ie: recurRegex(\"(abc~~~)\", /~~~/g, 2) becomes:\n * (abc(abc(abc)))\n *\n * @param {string} re\n * @param {RegExp} substitution (should be a g mode regex)\n * @param {number} depth\n * @returns {string}``\n */\nfunction recurRegex(re, substitution, depth) {\n if (depth === -1) return \"\";\n\n return re.replace(substitution, _ => {\n return recurRegex(re, substitution, depth - 1);\n });\n}\n\n/** @type LanguageFn */\nfunction java(hljs) {\n const regex = hljs.regex;\n const JAVA_IDENT_RE = '[\\u00C0-\\u02B8a-zA-Z_$][\\u00C0-\\u02B8a-zA-Z_$0-9]*';\n const GENERIC_IDENT_RE = JAVA_IDENT_RE\n + recurRegex('(?:<' + JAVA_IDENT_RE + '~~~(?:\\\\s*,\\\\s*' + JAVA_IDENT_RE + '~~~)*>)?', /~~~/g, 2);\n const MAIN_KEYWORDS = [\n 'synchronized',\n 'abstract',\n 'private',\n 'var',\n 'static',\n 'if',\n 'const ',\n 'for',\n 'while',\n 'strictfp',\n 'finally',\n 'protected',\n 'import',\n 'native',\n 'final',\n 'void',\n 'enum',\n 'else',\n 'break',\n 'transient',\n 'catch',\n 'instanceof',\n 'volatile',\n 'case',\n 'assert',\n 'package',\n 'default',\n 'public',\n 'try',\n 'switch',\n 'continue',\n 'throws',\n 'protected',\n 'public',\n 'private',\n 'module',\n 'requires',\n 'exports',\n 'do',\n 'sealed',\n 'yield',\n 'permits'\n ];\n\n const BUILT_INS = [\n 'super',\n 'this'\n ];\n\n const LITERALS = [\n 'false',\n 'true',\n 'null'\n ];\n\n const TYPES = [\n 'char',\n 'boolean',\n 'long',\n 'float',\n 'int',\n 'byte',\n 'short',\n 'double'\n ];\n\n const KEYWORDS = {\n keyword: MAIN_KEYWORDS,\n literal: LITERALS,\n type: TYPES,\n built_in: BUILT_INS\n };\n\n const ANNOTATION = {\n className: 'meta',\n begin: '@' + JAVA_IDENT_RE,\n contains: [\n {\n begin: /\\(/,\n end: /\\)/,\n contains: [ \"self\" ] // allow nested () inside our annotation\n }\n ]\n };\n const PARAMS = {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS,\n relevance: 0,\n contains: [ hljs.C_BLOCK_COMMENT_MODE ],\n endsParent: true\n };\n\n return {\n name: 'Java',\n aliases: [ 'jsp' ],\n keywords: KEYWORDS,\n illegal: /<\\/|#/,\n contains: [\n hljs.COMMENT(\n '/\\\\*\\\\*',\n '\\\\*/',\n {\n relevance: 0,\n contains: [\n {\n // eat up @'s in emails to prevent them to be recognized as doctags\n begin: /\\w+@/,\n relevance: 0\n },\n {\n className: 'doctag',\n begin: '@[A-Za-z]+'\n }\n ]\n }\n ),\n // relevance boost\n {\n begin: /import java\\.[a-z]+\\./,\n keywords: \"import\",\n relevance: 2\n },\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n {\n begin: /\"\"\"/,\n end: /\"\"\"/,\n className: \"string\",\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n {\n match: [\n /\\b(?:class|interface|enum|extends|implements|new)/,\n /\\s+/,\n JAVA_IDENT_RE\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.class\"\n }\n },\n {\n // Exceptions for hyphenated keywords\n match: /non-sealed/,\n scope: \"keyword\"\n },\n {\n begin: [\n regex.concat(/(?!else)/, JAVA_IDENT_RE),\n /\\s+/,\n JAVA_IDENT_RE,\n /\\s+/,\n /=(?!=)/\n ],\n className: {\n 1: \"type\",\n 3: \"variable\",\n 5: \"operator\"\n }\n },\n {\n begin: [\n /record/,\n /\\s+/,\n JAVA_IDENT_RE\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.class\"\n },\n contains: [\n PARAMS,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n {\n // Expression keywords prevent 'keyword Name(...)' from being\n // recognized as a function definition\n beginKeywords: 'new throw return else',\n relevance: 0\n },\n {\n begin: [\n '(?:' + GENERIC_IDENT_RE + '\\\\s+)',\n hljs.UNDERSCORE_IDENT_RE,\n /\\s*(?=\\()/\n ],\n className: { 2: \"title.function\" },\n keywords: KEYWORDS,\n contains: [\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS,\n relevance: 0,\n contains: [\n ANNOTATION,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n NUMERIC,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n NUMERIC,\n ANNOTATION\n ]\n };\n}\n\nmodule.exports = java;\n", "const IDENT_RE = '[A-Za-z$_][0-9A-Za-z$_]*';\nconst KEYWORDS = [\n \"as\", // for exports\n \"in\",\n \"of\",\n \"if\",\n \"for\",\n \"while\",\n \"finally\",\n \"var\",\n \"new\",\n \"function\",\n \"do\",\n \"return\",\n \"void\",\n \"else\",\n \"break\",\n \"catch\",\n \"instanceof\",\n \"with\",\n \"throw\",\n \"case\",\n \"default\",\n \"try\",\n \"switch\",\n \"continue\",\n \"typeof\",\n \"delete\",\n \"let\",\n \"yield\",\n \"const\",\n \"class\",\n // JS handles these with a special rule\n // \"get\",\n // \"set\",\n \"debugger\",\n \"async\",\n \"await\",\n \"static\",\n \"import\",\n \"from\",\n \"export\",\n \"extends\"\n];\nconst LITERALS = [\n \"true\",\n \"false\",\n \"null\",\n \"undefined\",\n \"NaN\",\n \"Infinity\"\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects\nconst TYPES = [\n // Fundamental objects\n \"Object\",\n \"Function\",\n \"Boolean\",\n \"Symbol\",\n // numbers and dates\n \"Math\",\n \"Date\",\n \"Number\",\n \"BigInt\",\n // text\n \"String\",\n \"RegExp\",\n // Indexed collections\n \"Array\",\n \"Float32Array\",\n \"Float64Array\",\n \"Int8Array\",\n \"Uint8Array\",\n \"Uint8ClampedArray\",\n \"Int16Array\",\n \"Int32Array\",\n \"Uint16Array\",\n \"Uint32Array\",\n \"BigInt64Array\",\n \"BigUint64Array\",\n // Keyed collections\n \"Set\",\n \"Map\",\n \"WeakSet\",\n \"WeakMap\",\n // Structured data\n \"ArrayBuffer\",\n \"SharedArrayBuffer\",\n \"Atomics\",\n \"DataView\",\n \"JSON\",\n // Control abstraction objects\n \"Promise\",\n \"Generator\",\n \"GeneratorFunction\",\n \"AsyncFunction\",\n // Reflection\n \"Reflect\",\n \"Proxy\",\n // Internationalization\n \"Intl\",\n // WebAssembly\n \"WebAssembly\"\n];\n\nconst ERROR_TYPES = [\n \"Error\",\n \"EvalError\",\n \"InternalError\",\n \"RangeError\",\n \"ReferenceError\",\n \"SyntaxError\",\n \"TypeError\",\n \"URIError\"\n];\n\nconst BUILT_IN_GLOBALS = [\n \"setInterval\",\n \"setTimeout\",\n \"clearInterval\",\n \"clearTimeout\",\n\n \"require\",\n \"exports\",\n\n \"eval\",\n \"isFinite\",\n \"isNaN\",\n \"parseFloat\",\n \"parseInt\",\n \"decodeURI\",\n \"decodeURIComponent\",\n \"encodeURI\",\n \"encodeURIComponent\",\n \"escape\",\n \"unescape\"\n];\n\nconst BUILT_IN_VARIABLES = [\n \"arguments\",\n \"this\",\n \"super\",\n \"console\",\n \"window\",\n \"document\",\n \"localStorage\",\n \"sessionStorage\",\n \"module\",\n \"global\" // Node.js\n];\n\nconst BUILT_INS = [].concat(\n BUILT_IN_GLOBALS,\n TYPES,\n ERROR_TYPES\n);\n\n/*\nLanguage: JavaScript\nDescription: JavaScript (JS) is a lightweight, interpreted, or just-in-time compiled programming language with first-class functions.\nCategory: common, scripting, web\nWebsite: https://developer.mozilla.org/en-US/docs/Web/JavaScript\n*/\n\n/** @type LanguageFn */\nfunction javascript(hljs) {\n const regex = hljs.regex;\n /**\n * Takes a string like \"<Booger\" and checks to see\n * if we can find a matching \"</Booger\" later in the\n * content.\n * @param {RegExpMatchArray} match\n * @param {{after:number}} param1\n */\n const hasClosingTag = (match, { after }) => {\n const tag = \"</\" + match[0].slice(1);\n const pos = match.input.indexOf(tag, after);\n return pos !== -1;\n };\n\n const IDENT_RE$1 = IDENT_RE;\n const FRAGMENT = {\n begin: '<>',\n end: '</>'\n };\n // to avoid some special cases inside isTrulyOpeningTag\n const XML_SELF_CLOSING = /<[A-Za-z0-9\\\\._:-]+\\s*\\/>/;\n const XML_TAG = {\n begin: /<[A-Za-z0-9\\\\._:-]+/,\n end: /\\/[A-Za-z0-9\\\\._:-]+>|\\/>/,\n /**\n * @param {RegExpMatchArray} match\n * @param {CallbackResponse} response\n */\n isTrulyOpeningTag: (match, response) => {\n const afterMatchIndex = match[0].length + match.index;\n const nextChar = match.input[afterMatchIndex];\n if (\n // HTML should not include another raw `<` inside a tag\n // nested type?\n // `<Array<Array<number>>`, etc.\n nextChar === \"<\" ||\n // the , gives away that this is not HTML\n // `<T, A extends keyof T, V>`\n nextChar === \",\"\n ) {\n response.ignoreMatch();\n return;\n }\n\n // `<something>`\n // Quite possibly a tag, lets look for a matching closing tag...\n if (nextChar === \">\") {\n // if we cannot find a matching closing tag, then we\n // will ignore it\n if (!hasClosingTag(match, { after: afterMatchIndex })) {\n response.ignoreMatch();\n }\n }\n\n // `<blah />` (self-closing)\n // handled by simpleSelfClosing rule\n\n let m;\n const afterMatch = match.input.substring(afterMatchIndex);\n\n // some more template typing stuff\n // <T = any>(key?: string) => Modify<\n if ((m = afterMatch.match(/^\\s*=/))) {\n response.ignoreMatch();\n return;\n }\n\n // `<From extends string>`\n // technically this could be HTML, but it smells like a type\n // NOTE: This is ugh, but added specifically for https://github.com/highlightjs/highlight.js/issues/3276\n if ((m = afterMatch.match(/^\\s+extends\\s+/))) {\n if (m.index === 0) {\n response.ignoreMatch();\n // eslint-disable-next-line no-useless-return\n return;\n }\n }\n }\n };\n const KEYWORDS$1 = {\n $pattern: IDENT_RE,\n keyword: KEYWORDS,\n literal: LITERALS,\n built_in: BUILT_INS,\n \"variable.language\": BUILT_IN_VARIABLES\n };\n\n // https://tc39.es/ecma262/#sec-literals-numeric-literals\n const decimalDigits = '[0-9](_?[0-9])*';\n const frac = `\\\\.(${decimalDigits})`;\n // DecimalIntegerLiteral, including Annex B NonOctalDecimalIntegerLiteral\n // https://tc39.es/ecma262/#sec-additional-syntax-numeric-literals\n const decimalInteger = `0|[1-9](_?[0-9])*|0[0-7]*[89][0-9]*`;\n const NUMBER = {\n className: 'number',\n variants: [\n // DecimalLiteral\n { begin: `(\\\\b(${decimalInteger})((${frac})|\\\\.)?|(${frac}))` +\n `[eE][+-]?(${decimalDigits})\\\\b` },\n { begin: `\\\\b(${decimalInteger})\\\\b((${frac})\\\\b|\\\\.)?|(${frac})\\\\b` },\n\n // DecimalBigIntegerLiteral\n { begin: `\\\\b(0|[1-9](_?[0-9])*)n\\\\b` },\n\n // NonDecimalIntegerLiteral\n { begin: \"\\\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*n?\\\\b\" },\n { begin: \"\\\\b0[bB][0-1](_?[0-1])*n?\\\\b\" },\n { begin: \"\\\\b0[oO][0-7](_?[0-7])*n?\\\\b\" },\n\n // LegacyOctalIntegerLiteral (does not include underscore separators)\n // https://tc39.es/ecma262/#sec-additional-syntax-numeric-literals\n { begin: \"\\\\b0[0-7]+n?\\\\b\" },\n ],\n relevance: 0\n };\n\n const SUBST = {\n className: 'subst',\n begin: '\\\\$\\\\{',\n end: '\\\\}',\n keywords: KEYWORDS$1,\n contains: [] // defined later\n };\n const HTML_TEMPLATE = {\n begin: 'html`',\n end: '',\n starts: {\n end: '`',\n returnEnd: false,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n subLanguage: 'xml'\n }\n };\n const CSS_TEMPLATE = {\n begin: 'css`',\n end: '',\n starts: {\n end: '`',\n returnEnd: false,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n subLanguage: 'css'\n }\n };\n const GRAPHQL_TEMPLATE = {\n begin: 'gql`',\n end: '',\n starts: {\n end: '`',\n returnEnd: false,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n subLanguage: 'graphql'\n }\n };\n const TEMPLATE_STRING = {\n className: 'string',\n begin: '`',\n end: '`',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ]\n };\n const JSDOC_COMMENT = hljs.COMMENT(\n /\\/\\*\\*(?!\\/)/,\n '\\\\*/',\n {\n relevance: 0,\n contains: [\n {\n begin: '(?=@[A-Za-z]+)',\n relevance: 0,\n contains: [\n {\n className: 'doctag',\n begin: '@[A-Za-z]+'\n },\n {\n className: 'type',\n begin: '\\\\{',\n end: '\\\\}',\n excludeEnd: true,\n excludeBegin: true,\n relevance: 0\n },\n {\n className: 'variable',\n begin: IDENT_RE$1 + '(?=\\\\s*(-)|$)',\n endsParent: true,\n relevance: 0\n },\n // eat spaces (not newlines) so we can find\n // types or variables\n {\n begin: /(?=[^\\n])\\s/,\n relevance: 0\n }\n ]\n }\n ]\n }\n );\n const COMMENT = {\n className: \"comment\",\n variants: [\n JSDOC_COMMENT,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.C_LINE_COMMENT_MODE\n ]\n };\n const SUBST_INTERNALS = [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n HTML_TEMPLATE,\n CSS_TEMPLATE,\n GRAPHQL_TEMPLATE,\n TEMPLATE_STRING,\n // Skip numbers when they are part of a variable name\n { match: /\\$\\d+/ },\n NUMBER,\n // This is intentional:\n // See https://github.com/highlightjs/highlight.js/issues/3288\n // hljs.REGEXP_MODE\n ];\n SUBST.contains = SUBST_INTERNALS\n .concat({\n // we need to pair up {} inside our subst to prevent\n // it from ending too early by matching another }\n begin: /\\{/,\n end: /\\}/,\n keywords: KEYWORDS$1,\n contains: [\n \"self\"\n ].concat(SUBST_INTERNALS)\n });\n const SUBST_AND_COMMENTS = [].concat(COMMENT, SUBST.contains);\n const PARAMS_CONTAINS = SUBST_AND_COMMENTS.concat([\n // eat recursive parens in sub expressions\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS$1,\n contains: [\"self\"].concat(SUBST_AND_COMMENTS)\n }\n ]);\n const PARAMS = {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n keywords: KEYWORDS$1,\n contains: PARAMS_CONTAINS\n };\n\n // ES6 classes\n const CLASS_OR_EXTENDS = {\n variants: [\n // class Car extends vehicle\n {\n match: [\n /class/,\n /\\s+/,\n IDENT_RE$1,\n /\\s+/,\n /extends/,\n /\\s+/,\n regex.concat(IDENT_RE$1, \"(\", regex.concat(/\\./, IDENT_RE$1), \")*\")\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.class\",\n 5: \"keyword\",\n 7: \"title.class.inherited\"\n }\n },\n // class Car\n {\n match: [\n /class/,\n /\\s+/,\n IDENT_RE$1\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.class\"\n }\n },\n\n ]\n };\n\n const CLASS_REFERENCE = {\n relevance: 0,\n match:\n regex.either(\n // Hard coded exceptions\n /\\bJSON/,\n // Float32Array, OutT\n /\\b[A-Z][a-z]+([A-Z][a-z]*|\\d)*/,\n // CSSFactory, CSSFactoryT\n /\\b[A-Z]{2,}([A-Z][a-z]+|\\d)+([A-Z][a-z]*)*/,\n // FPs, FPsT\n /\\b[A-Z]{2,}[a-z]+([A-Z][a-z]+|\\d)*([A-Z][a-z]*)*/,\n // P\n // single letters are not highlighted\n // BLAH\n // this will be flagged as a UPPER_CASE_CONSTANT instead\n ),\n className: \"title.class\",\n keywords: {\n _: [\n // se we still get relevance credit for JS library classes\n ...TYPES,\n ...ERROR_TYPES\n ]\n }\n };\n\n const USE_STRICT = {\n label: \"use_strict\",\n className: 'meta',\n relevance: 10,\n begin: /^\\s*['\"]use (strict|asm)['\"]/\n };\n\n const FUNCTION_DEFINITION = {\n variants: [\n {\n match: [\n /function/,\n /\\s+/,\n IDENT_RE$1,\n /(?=\\s*\\()/\n ]\n },\n // anonymous function\n {\n match: [\n /function/,\n /\\s*(?=\\()/\n ]\n }\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.function\"\n },\n label: \"func.def\",\n contains: [ PARAMS ],\n illegal: /%/\n };\n\n const UPPER_CASE_CONSTANT = {\n relevance: 0,\n match: /\\b[A-Z][A-Z_0-9]+\\b/,\n className: \"variable.constant\"\n };\n\n function noneOf(list) {\n return regex.concat(\"(?!\", list.join(\"|\"), \")\");\n }\n\n const FUNCTION_CALL = {\n match: regex.concat(\n /\\b/,\n noneOf([\n ...BUILT_IN_GLOBALS,\n \"super\",\n \"import\"\n ]),\n IDENT_RE$1, regex.lookahead(/\\(/)),\n className: \"title.function\",\n relevance: 0\n };\n\n const PROPERTY_ACCESS = {\n begin: regex.concat(/\\./, regex.lookahead(\n regex.concat(IDENT_RE$1, /(?![0-9A-Za-z$_(])/)\n )),\n end: IDENT_RE$1,\n excludeBegin: true,\n keywords: \"prototype\",\n className: \"property\",\n relevance: 0\n };\n\n const GETTER_OR_SETTER = {\n match: [\n /get|set/,\n /\\s+/,\n IDENT_RE$1,\n /(?=\\()/\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.function\"\n },\n contains: [\n { // eat to avoid empty params\n begin: /\\(\\)/\n },\n PARAMS\n ]\n };\n\n const FUNC_LEAD_IN_RE = '(\\\\(' +\n '[^()]*(\\\\(' +\n '[^()]*(\\\\(' +\n '[^()]*' +\n '\\\\)[^()]*)*' +\n '\\\\)[^()]*)*' +\n '\\\\)|' + hljs.UNDERSCORE_IDENT_RE + ')\\\\s*=>';\n\n const FUNCTION_VARIABLE = {\n match: [\n /const|var|let/, /\\s+/,\n IDENT_RE$1, /\\s*/,\n /=\\s*/,\n /(async\\s*)?/, // async is optional\n regex.lookahead(FUNC_LEAD_IN_RE)\n ],\n keywords: \"async\",\n className: {\n 1: \"keyword\",\n 3: \"title.function\"\n },\n contains: [\n PARAMS\n ]\n };\n\n return {\n name: 'JavaScript',\n aliases: ['js', 'jsx', 'mjs', 'cjs'],\n keywords: KEYWORDS$1,\n // this will be extended by TypeScript\n exports: { PARAMS_CONTAINS, CLASS_REFERENCE },\n illegal: /#(?![$_A-z])/,\n contains: [\n hljs.SHEBANG({\n label: \"shebang\",\n binary: \"node\",\n relevance: 5\n }),\n USE_STRICT,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n HTML_TEMPLATE,\n CSS_TEMPLATE,\n GRAPHQL_TEMPLATE,\n TEMPLATE_STRING,\n COMMENT,\n // Skip numbers when they are part of a variable name\n { match: /\\$\\d+/ },\n NUMBER,\n CLASS_REFERENCE,\n {\n className: 'attr',\n begin: IDENT_RE$1 + regex.lookahead(':'),\n relevance: 0\n },\n FUNCTION_VARIABLE,\n { // \"value\" container\n begin: '(' + hljs.RE_STARTERS_RE + '|\\\\b(case|return|throw)\\\\b)\\\\s*',\n keywords: 'return throw case',\n relevance: 0,\n contains: [\n COMMENT,\n hljs.REGEXP_MODE,\n {\n className: 'function',\n // we have to count the parens to make sure we actually have the\n // correct bounding ( ) before the =>. There could be any number of\n // sub-expressions inside also surrounded by parens.\n begin: FUNC_LEAD_IN_RE,\n returnBegin: true,\n end: '\\\\s*=>',\n contains: [\n {\n className: 'params',\n variants: [\n {\n begin: hljs.UNDERSCORE_IDENT_RE,\n relevance: 0\n },\n {\n className: null,\n begin: /\\(\\s*\\)/,\n skip: true\n },\n {\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n keywords: KEYWORDS$1,\n contains: PARAMS_CONTAINS\n }\n ]\n }\n ]\n },\n { // could be a comma delimited list of params to a function call\n begin: /,/,\n relevance: 0\n },\n {\n match: /\\s+/,\n relevance: 0\n },\n { // JSX\n variants: [\n { begin: FRAGMENT.begin, end: FRAGMENT.end },\n { match: XML_SELF_CLOSING },\n {\n begin: XML_TAG.begin,\n // we carefully check the opening tag to see if it truly\n // is a tag and not a false positive\n 'on:begin': XML_TAG.isTrulyOpeningTag,\n end: XML_TAG.end\n }\n ],\n subLanguage: 'xml',\n contains: [\n {\n begin: XML_TAG.begin,\n end: XML_TAG.end,\n skip: true,\n contains: ['self']\n }\n ]\n }\n ],\n },\n FUNCTION_DEFINITION,\n {\n // prevent this from getting swallowed up by function\n // since they appear \"function like\"\n beginKeywords: \"while if switch catch for\"\n },\n {\n // we have to count the parens to make sure we actually have the correct\n // bounding ( ). There could be any number of sub-expressions inside\n // also surrounded by parens.\n begin: '\\\\b(?!function)' + hljs.UNDERSCORE_IDENT_RE +\n '\\\\(' + // first parens\n '[^()]*(\\\\(' +\n '[^()]*(\\\\(' +\n '[^()]*' +\n '\\\\)[^()]*)*' +\n '\\\\)[^()]*)*' +\n '\\\\)\\\\s*\\\\{', // end parens\n returnBegin:true,\n label: \"func.def\",\n contains: [\n PARAMS,\n hljs.inherit(hljs.TITLE_MODE, { begin: IDENT_RE$1, className: \"title.function\" })\n ]\n },\n // catch ... so it won't trigger the property rule below\n {\n match: /\\.\\.\\./,\n relevance: 0\n },\n PROPERTY_ACCESS,\n // hack: prevents detection of keywords in some circumstances\n // .keyword()\n // $keyword = x\n {\n match: '\\\\$' + IDENT_RE$1,\n relevance: 0\n },\n {\n match: [ /\\bconstructor(?=\\s*\\()/ ],\n className: { 1: \"title.function\" },\n contains: [ PARAMS ]\n },\n FUNCTION_CALL,\n UPPER_CASE_CONSTANT,\n CLASS_OR_EXTENDS,\n GETTER_OR_SETTER,\n {\n match: /\\$[(.]/ // relevance booster for a pattern common to JS libs: `$(something)` and `$.something`\n }\n ]\n };\n}\n\nmodule.exports = javascript;\n", "/*\n Language: JBoss CLI\n Author: Rapha\u00EBl Parr\u00EBe <rparree@edc4it.com>\n Description: language definition jboss cli\n Website: https://docs.jboss.org/author/display/WFLY/Command+Line+Interface\n Category: config\n */\n\nfunction jbossCli(hljs) {\n const PARAM = {\n begin: /[\\w-]+ *=/,\n returnBegin: true,\n relevance: 0,\n contains: [\n {\n className: 'attr',\n begin: /[\\w-]+/\n }\n ]\n };\n const PARAMSBLOCK = {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n contains: [ PARAM ],\n relevance: 0\n };\n const OPERATION = {\n className: 'function',\n begin: /:[\\w\\-.]+/,\n relevance: 0\n };\n const PATH = {\n className: 'string',\n begin: /\\B([\\/.])[\\w\\-.\\/=]+/\n };\n const COMMAND_PARAMS = {\n className: 'params',\n begin: /--[\\w\\-=\\/]+/\n };\n return {\n name: 'JBoss CLI',\n aliases: [ 'wildfly-cli' ],\n keywords: {\n $pattern: '[a-z\\-]+',\n keyword: 'alias batch cd clear command connect connection-factory connection-info data-source deploy '\n + 'deployment-info deployment-overlay echo echo-dmr help history if jdbc-driver-info jms-queue|20 jms-topic|20 ls '\n + 'patch pwd quit read-attribute read-operation reload rollout-plan run-batch set shutdown try unalias '\n + 'undeploy unset version xa-data-source', // module\n literal: 'true false'\n },\n contains: [\n hljs.HASH_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n COMMAND_PARAMS,\n OPERATION,\n PATH,\n PARAMSBLOCK\n ]\n };\n}\n\nmodule.exports = jbossCli;\n", "/*\nLanguage: JSON\nDescription: JSON (JavaScript Object Notation) is a lightweight data-interchange format.\nAuthor: Ivan Sagalaev <maniac@softwaremaniacs.org>\nWebsite: http://www.json.org\nCategory: common, protocols, web\n*/\n\nfunction json(hljs) {\n const ATTRIBUTE = {\n className: 'attr',\n begin: /\"(\\\\.|[^\\\\\"\\r\\n])*\"(?=\\s*:)/,\n relevance: 1.01\n };\n const PUNCTUATION = {\n match: /[{}[\\],:]/,\n className: \"punctuation\",\n relevance: 0\n };\n const LITERALS = [\n \"true\",\n \"false\",\n \"null\"\n ];\n // NOTE: normally we would rely on `keywords` for this but using a mode here allows us\n // - to use the very tight `illegal: \\S` rule later to flag any other character\n // - as illegal indicating that despite looking like JSON we do not truly have\n // - JSON and thus improve false-positively greatly since JSON will try and claim\n // - all sorts of JSON looking stuff\n const LITERALS_MODE = {\n scope: \"literal\",\n beginKeywords: LITERALS.join(\" \"),\n };\n\n return {\n name: 'JSON',\n keywords:{\n literal: LITERALS,\n },\n contains: [\n ATTRIBUTE,\n PUNCTUATION,\n hljs.QUOTE_STRING_MODE,\n LITERALS_MODE,\n hljs.C_NUMBER_MODE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ],\n illegal: '\\\\S'\n };\n}\n\nmodule.exports = json;\n", "/*\nLanguage: Julia\nDescription: Julia is a high-level, high-performance, dynamic programming language.\nAuthor: Kenta Sato <bicycle1885@gmail.com>\nContributors: Alex Arslan <ararslan@comcast.net>, Fredrik Ekre <ekrefredrik@gmail.com>\nWebsite: https://julialang.org\n*/\n\nfunction julia(hljs) {\n // Since there are numerous special names in Julia, it is too much trouble\n // to maintain them by hand. Hence these names (i.e. keywords, literals and\n // built-ins) are automatically generated from Julia 1.5.2 itself through\n // the following scripts for each.\n\n // ref: https://docs.julialang.org/en/v1/manual/variables/#Allowed-Variable-Names\n const VARIABLE_NAME_RE = '[A-Za-z_\\\\u00A1-\\\\uFFFF][A-Za-z_0-9\\\\u00A1-\\\\uFFFF]*';\n\n // # keyword generator, multi-word keywords handled manually below (Julia 1.5.2)\n // import REPL.REPLCompletions\n // res = String[\"in\", \"isa\", \"where\"]\n // for kw in collect(x.keyword for x in REPLCompletions.complete_keyword(\"\"))\n // if !(contains(kw, \" \") || kw == \"struct\")\n // push!(res, kw)\n // end\n // end\n // sort!(unique!(res))\n // foreach(x -> println(\"\\'\", x, \"\\',\"), res)\n const KEYWORD_LIST = [\n 'baremodule',\n 'begin',\n 'break',\n 'catch',\n 'ccall',\n 'const',\n 'continue',\n 'do',\n 'else',\n 'elseif',\n 'end',\n 'export',\n 'false',\n 'finally',\n 'for',\n 'function',\n 'global',\n 'if',\n 'import',\n 'in',\n 'isa',\n 'let',\n 'local',\n 'macro',\n 'module',\n 'quote',\n 'return',\n 'true',\n 'try',\n 'using',\n 'where',\n 'while',\n ];\n\n // # literal generator (Julia 1.5.2)\n // import REPL.REPLCompletions\n // res = String[\"true\", \"false\"]\n // for compl in filter!(x -> isa(x, REPLCompletions.ModuleCompletion) && (x.parent === Base || x.parent === Core),\n // REPLCompletions.completions(\"\", 0)[1])\n // try\n // v = eval(Symbol(compl.mod))\n // if !(v isa Function || v isa Type || v isa TypeVar || v isa Module || v isa Colon)\n // push!(res, compl.mod)\n // end\n // catch e\n // end\n // end\n // sort!(unique!(res))\n // foreach(x -> println(\"\\'\", x, \"\\',\"), res)\n const LITERAL_LIST = [\n 'ARGS',\n 'C_NULL',\n 'DEPOT_PATH',\n 'ENDIAN_BOM',\n 'ENV',\n 'Inf',\n 'Inf16',\n 'Inf32',\n 'Inf64',\n 'InsertionSort',\n 'LOAD_PATH',\n 'MergeSort',\n 'NaN',\n 'NaN16',\n 'NaN32',\n 'NaN64',\n 'PROGRAM_FILE',\n 'QuickSort',\n 'RoundDown',\n 'RoundFromZero',\n 'RoundNearest',\n 'RoundNearestTiesAway',\n 'RoundNearestTiesUp',\n 'RoundToZero',\n 'RoundUp',\n 'VERSION|0',\n 'devnull',\n 'false',\n 'im',\n 'missing',\n 'nothing',\n 'pi',\n 'stderr',\n 'stdin',\n 'stdout',\n 'true',\n 'undef',\n '\u03C0',\n '\u212F',\n ];\n\n // # built_in generator (Julia 1.5.2)\n // import REPL.REPLCompletions\n // res = String[]\n // for compl in filter!(x -> isa(x, REPLCompletions.ModuleCompletion) && (x.parent === Base || x.parent === Core),\n // REPLCompletions.completions(\"\", 0)[1])\n // try\n // v = eval(Symbol(compl.mod))\n // if (v isa Type || v isa TypeVar) && (compl.mod != \"=>\")\n // push!(res, compl.mod)\n // end\n // catch e\n // end\n // end\n // sort!(unique!(res))\n // foreach(x -> println(\"\\'\", x, \"\\',\"), res)\n const BUILT_IN_LIST = [\n 'AbstractArray',\n 'AbstractChannel',\n 'AbstractChar',\n 'AbstractDict',\n 'AbstractDisplay',\n 'AbstractFloat',\n 'AbstractIrrational',\n 'AbstractMatrix',\n 'AbstractRange',\n 'AbstractSet',\n 'AbstractString',\n 'AbstractUnitRange',\n 'AbstractVecOrMat',\n 'AbstractVector',\n 'Any',\n 'ArgumentError',\n 'Array',\n 'AssertionError',\n 'BigFloat',\n 'BigInt',\n 'BitArray',\n 'BitMatrix',\n 'BitSet',\n 'BitVector',\n 'Bool',\n 'BoundsError',\n 'CapturedException',\n 'CartesianIndex',\n 'CartesianIndices',\n 'Cchar',\n 'Cdouble',\n 'Cfloat',\n 'Channel',\n 'Char',\n 'Cint',\n 'Cintmax_t',\n 'Clong',\n 'Clonglong',\n 'Cmd',\n 'Colon',\n 'Complex',\n 'ComplexF16',\n 'ComplexF32',\n 'ComplexF64',\n 'CompositeException',\n 'Condition',\n 'Cptrdiff_t',\n 'Cshort',\n 'Csize_t',\n 'Cssize_t',\n 'Cstring',\n 'Cuchar',\n 'Cuint',\n 'Cuintmax_t',\n 'Culong',\n 'Culonglong',\n 'Cushort',\n 'Cvoid',\n 'Cwchar_t',\n 'Cwstring',\n 'DataType',\n 'DenseArray',\n 'DenseMatrix',\n 'DenseVecOrMat',\n 'DenseVector',\n 'Dict',\n 'DimensionMismatch',\n 'Dims',\n 'DivideError',\n 'DomainError',\n 'EOFError',\n 'Enum',\n 'ErrorException',\n 'Exception',\n 'ExponentialBackOff',\n 'Expr',\n 'Float16',\n 'Float32',\n 'Float64',\n 'Function',\n 'GlobalRef',\n 'HTML',\n 'IO',\n 'IOBuffer',\n 'IOContext',\n 'IOStream',\n 'IdDict',\n 'IndexCartesian',\n 'IndexLinear',\n 'IndexStyle',\n 'InexactError',\n 'InitError',\n 'Int',\n 'Int128',\n 'Int16',\n 'Int32',\n 'Int64',\n 'Int8',\n 'Integer',\n 'InterruptException',\n 'InvalidStateException',\n 'Irrational',\n 'KeyError',\n 'LinRange',\n 'LineNumberNode',\n 'LinearIndices',\n 'LoadError',\n 'MIME',\n 'Matrix',\n 'Method',\n 'MethodError',\n 'Missing',\n 'MissingException',\n 'Module',\n 'NTuple',\n 'NamedTuple',\n 'Nothing',\n 'Number',\n 'OrdinalRange',\n 'OutOfMemoryError',\n 'OverflowError',\n 'Pair',\n 'PartialQuickSort',\n 'PermutedDimsArray',\n 'Pipe',\n 'ProcessFailedException',\n 'Ptr',\n 'QuoteNode',\n 'Rational',\n 'RawFD',\n 'ReadOnlyMemoryError',\n 'Real',\n 'ReentrantLock',\n 'Ref',\n 'Regex',\n 'RegexMatch',\n 'RoundingMode',\n 'SegmentationFault',\n 'Set',\n 'Signed',\n 'Some',\n 'StackOverflowError',\n 'StepRange',\n 'StepRangeLen',\n 'StridedArray',\n 'StridedMatrix',\n 'StridedVecOrMat',\n 'StridedVector',\n 'String',\n 'StringIndexError',\n 'SubArray',\n 'SubString',\n 'SubstitutionString',\n 'Symbol',\n 'SystemError',\n 'Task',\n 'TaskFailedException',\n 'Text',\n 'TextDisplay',\n 'Timer',\n 'Tuple',\n 'Type',\n 'TypeError',\n 'TypeVar',\n 'UInt',\n 'UInt128',\n 'UInt16',\n 'UInt32',\n 'UInt64',\n 'UInt8',\n 'UndefInitializer',\n 'UndefKeywordError',\n 'UndefRefError',\n 'UndefVarError',\n 'Union',\n 'UnionAll',\n 'UnitRange',\n 'Unsigned',\n 'Val',\n 'Vararg',\n 'VecElement',\n 'VecOrMat',\n 'Vector',\n 'VersionNumber',\n 'WeakKeyDict',\n 'WeakRef',\n ];\n\n const KEYWORDS = {\n $pattern: VARIABLE_NAME_RE,\n keyword: KEYWORD_LIST,\n literal: LITERAL_LIST,\n built_in: BUILT_IN_LIST,\n };\n\n // placeholder for recursive self-reference\n const DEFAULT = {\n keywords: KEYWORDS,\n illegal: /<\\//\n };\n\n // ref: https://docs.julialang.org/en/v1/manual/integers-and-floating-point-numbers/\n const NUMBER = {\n className: 'number',\n // supported numeric literals:\n // * binary literal (e.g. 0x10)\n // * octal literal (e.g. 0o76543210)\n // * hexadecimal literal (e.g. 0xfedcba876543210)\n // * hexadecimal floating point literal (e.g. 0x1p0, 0x1.2p2)\n // * decimal literal (e.g. 9876543210, 100_000_000)\n // * floating pointe literal (e.g. 1.2, 1.2f, .2, 1., 1.2e10, 1.2e-10)\n begin: /(\\b0x[\\d_]*(\\.[\\d_]*)?|0x\\.\\d[\\d_]*)p[-+]?\\d+|\\b0[box][a-fA-F0-9][a-fA-F0-9_]*|(\\b\\d[\\d_]*(\\.[\\d_]*)?|\\.\\d[\\d_]*)([eEfF][-+]?\\d+)?/,\n relevance: 0\n };\n\n const CHAR = {\n className: 'string',\n begin: /'(.|\\\\[xXuU][a-zA-Z0-9]+)'/\n };\n\n const INTERPOLATION = {\n className: 'subst',\n begin: /\\$\\(/,\n end: /\\)/,\n keywords: KEYWORDS\n };\n\n const INTERPOLATED_VARIABLE = {\n className: 'variable',\n begin: '\\\\$' + VARIABLE_NAME_RE\n };\n\n // TODO: neatly escape normal code in string literal\n const STRING = {\n className: 'string',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n INTERPOLATION,\n INTERPOLATED_VARIABLE\n ],\n variants: [\n {\n begin: /\\w*\"\"\"/,\n end: /\"\"\"\\w*/,\n relevance: 10\n },\n {\n begin: /\\w*\"/,\n end: /\"\\w*/\n }\n ]\n };\n\n const COMMAND = {\n className: 'string',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n INTERPOLATION,\n INTERPOLATED_VARIABLE\n ],\n begin: '`',\n end: '`'\n };\n\n const MACROCALL = {\n className: 'meta',\n begin: '@' + VARIABLE_NAME_RE\n };\n\n const COMMENT = {\n className: 'comment',\n variants: [\n {\n begin: '#=',\n end: '=#',\n relevance: 10\n },\n {\n begin: '#',\n end: '$'\n }\n ]\n };\n\n DEFAULT.name = 'Julia';\n DEFAULT.contains = [\n NUMBER,\n CHAR,\n STRING,\n COMMAND,\n MACROCALL,\n COMMENT,\n hljs.HASH_COMMENT_MODE,\n {\n className: 'keyword',\n begin:\n '\\\\b(((abstract|primitive)\\\\s+)type|(mutable\\\\s+)?struct)\\\\b'\n },\n { begin: /<:/ } // relevance booster\n ];\n INTERPOLATION.contains = DEFAULT.contains;\n\n return DEFAULT;\n}\n\nmodule.exports = julia;\n", "/*\nLanguage: Julia REPL\nDescription: Julia REPL sessions\nAuthor: Morten Piibeleht <morten.piibeleht@gmail.com>\nWebsite: https://julialang.org\nRequires: julia.js\n\nThe Julia REPL code blocks look something like the following:\n\n julia> function foo(x)\n x + 1\n end\n foo (generic function with 1 method)\n\nThey start on a new line with \"julia>\". Usually there should also be a space after this, but\nwe also allow the code to start right after the > character. The code may run over multiple\nlines, but the additional lines must start with six spaces (i.e. be indented to match\n\"julia>\"). The rest of the code is assumed to be output from the executed code and will be\nleft un-highlighted.\n\nUsing simply spaces to identify line continuations may get a false-positive if the output\nalso prints out six spaces, but such cases should be rare.\n*/\n\nfunction juliaRepl(hljs) {\n return {\n name: 'Julia REPL',\n contains: [\n {\n className: 'meta.prompt',\n begin: /^julia>/,\n relevance: 10,\n starts: {\n // end the highlighting if we are on a new line and the line does not have at\n // least six spaces in the beginning\n end: /^(?![ ]{6})/,\n subLanguage: 'julia'\n },\n },\n ],\n // jldoctest Markdown blocks are used in the Julia manual and package docs indicate\n // code snippets that should be verified when the documentation is built. They can be\n // either REPL-like or script-like, but are usually REPL-like and therefore we apply\n // julia-repl highlighting to them. More information can be found in Documenter's\n // manual: https://juliadocs.github.io/Documenter.jl/latest/man/doctests.html\n aliases: [ 'jldoctest' ],\n };\n}\n\nmodule.exports = juliaRepl;\n", "// https://docs.oracle.com/javase/specs/jls/se15/html/jls-3.html#jls-3.10\nvar decimalDigits = '[0-9](_*[0-9])*';\nvar frac = `\\\\.(${decimalDigits})`;\nvar hexDigits = '[0-9a-fA-F](_*[0-9a-fA-F])*';\nvar NUMERIC = {\n className: 'number',\n variants: [\n // DecimalFloatingPointLiteral\n // including ExponentPart\n { begin: `(\\\\b(${decimalDigits})((${frac})|\\\\.)?|(${frac}))` +\n `[eE][+-]?(${decimalDigits})[fFdD]?\\\\b` },\n // excluding ExponentPart\n { begin: `\\\\b(${decimalDigits})((${frac})[fFdD]?\\\\b|\\\\.([fFdD]\\\\b)?)` },\n { begin: `(${frac})[fFdD]?\\\\b` },\n { begin: `\\\\b(${decimalDigits})[fFdD]\\\\b` },\n\n // HexadecimalFloatingPointLiteral\n { begin: `\\\\b0[xX]((${hexDigits})\\\\.?|(${hexDigits})?\\\\.(${hexDigits}))` +\n `[pP][+-]?(${decimalDigits})[fFdD]?\\\\b` },\n\n // DecimalIntegerLiteral\n { begin: '\\\\b(0|[1-9](_*[0-9])*)[lL]?\\\\b' },\n\n // HexIntegerLiteral\n { begin: `\\\\b0[xX](${hexDigits})[lL]?\\\\b` },\n\n // OctalIntegerLiteral\n { begin: '\\\\b0(_*[0-7])*[lL]?\\\\b' },\n\n // BinaryIntegerLiteral\n { begin: '\\\\b0[bB][01](_*[01])*[lL]?\\\\b' },\n ],\n relevance: 0\n};\n\n/*\n Language: Kotlin\n Description: Kotlin is an OSS statically typed programming language that targets the JVM, Android, JavaScript and Native.\n Author: Sergey Mashkov <cy6erGn0m@gmail.com>\n Website: https://kotlinlang.org\n Category: common\n */\n\nfunction kotlin(hljs) {\n const KEYWORDS = {\n keyword:\n 'abstract as val var vararg get set class object open private protected public noinline '\n + 'crossinline dynamic final enum if else do while for when throw try catch finally '\n + 'import package is in fun override companion reified inline lateinit init '\n + 'interface annotation data sealed internal infix operator out by constructor super '\n + 'tailrec where const inner suspend typealias external expect actual',\n built_in:\n 'Byte Short Char Int Long Boolean Float Double Void Unit Nothing',\n literal:\n 'true false null'\n };\n const KEYWORDS_WITH_LABEL = {\n className: 'keyword',\n begin: /\\b(break|continue|return|this)\\b/,\n starts: { contains: [\n {\n className: 'symbol',\n begin: /@\\w+/\n }\n ] }\n };\n const LABEL = {\n className: 'symbol',\n begin: hljs.UNDERSCORE_IDENT_RE + '@'\n };\n\n // for string templates\n const SUBST = {\n className: 'subst',\n begin: /\\$\\{/,\n end: /\\}/,\n contains: [ hljs.C_NUMBER_MODE ]\n };\n const VARIABLE = {\n className: 'variable',\n begin: '\\\\$' + hljs.UNDERSCORE_IDENT_RE\n };\n const STRING = {\n className: 'string',\n variants: [\n {\n begin: '\"\"\"',\n end: '\"\"\"(?=[^\"])',\n contains: [\n VARIABLE,\n SUBST\n ]\n },\n // Can't use built-in modes easily, as we want to use STRING in the meta\n // context as 'meta-string' and there's no syntax to remove explicitly set\n // classNames in built-in modes.\n {\n begin: '\\'',\n end: '\\'',\n illegal: /\\n/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: '\"',\n end: '\"',\n illegal: /\\n/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n VARIABLE,\n SUBST\n ]\n }\n ]\n };\n SUBST.contains.push(STRING);\n\n const ANNOTATION_USE_SITE = {\n className: 'meta',\n begin: '@(?:file|property|field|get|set|receiver|param|setparam|delegate)\\\\s*:(?:\\\\s*' + hljs.UNDERSCORE_IDENT_RE + ')?'\n };\n const ANNOTATION = {\n className: 'meta',\n begin: '@' + hljs.UNDERSCORE_IDENT_RE,\n contains: [\n {\n begin: /\\(/,\n end: /\\)/,\n contains: [\n hljs.inherit(STRING, { className: 'string' }),\n \"self\"\n ]\n }\n ]\n };\n\n // https://kotlinlang.org/docs/reference/whatsnew11.html#underscores-in-numeric-literals\n // According to the doc above, the number mode of kotlin is the same as java 8,\n // so the code below is copied from java.js\n const KOTLIN_NUMBER_MODE = NUMERIC;\n const KOTLIN_NESTED_COMMENT = hljs.COMMENT(\n '/\\\\*', '\\\\*/',\n { contains: [ hljs.C_BLOCK_COMMENT_MODE ] }\n );\n const KOTLIN_PAREN_TYPE = { variants: [\n {\n className: 'type',\n begin: hljs.UNDERSCORE_IDENT_RE\n },\n {\n begin: /\\(/,\n end: /\\)/,\n contains: [] // defined later\n }\n ] };\n const KOTLIN_PAREN_TYPE2 = KOTLIN_PAREN_TYPE;\n KOTLIN_PAREN_TYPE2.variants[1].contains = [ KOTLIN_PAREN_TYPE ];\n KOTLIN_PAREN_TYPE.variants[1].contains = [ KOTLIN_PAREN_TYPE2 ];\n\n return {\n name: 'Kotlin',\n aliases: [\n 'kt',\n 'kts'\n ],\n keywords: KEYWORDS,\n contains: [\n hljs.COMMENT(\n '/\\\\*\\\\*',\n '\\\\*/',\n {\n relevance: 0,\n contains: [\n {\n className: 'doctag',\n begin: '@[A-Za-z]+'\n }\n ]\n }\n ),\n hljs.C_LINE_COMMENT_MODE,\n KOTLIN_NESTED_COMMENT,\n KEYWORDS_WITH_LABEL,\n LABEL,\n ANNOTATION_USE_SITE,\n ANNOTATION,\n {\n className: 'function',\n beginKeywords: 'fun',\n end: '[(]|$',\n returnBegin: true,\n excludeEnd: true,\n keywords: KEYWORDS,\n relevance: 5,\n contains: [\n {\n begin: hljs.UNDERSCORE_IDENT_RE + '\\\\s*\\\\(',\n returnBegin: true,\n relevance: 0,\n contains: [ hljs.UNDERSCORE_TITLE_MODE ]\n },\n {\n className: 'type',\n begin: /</,\n end: />/,\n keywords: 'reified',\n relevance: 0\n },\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n endsParent: true,\n keywords: KEYWORDS,\n relevance: 0,\n contains: [\n {\n begin: /:/,\n end: /[=,\\/]/,\n endsWithParent: true,\n contains: [\n KOTLIN_PAREN_TYPE,\n hljs.C_LINE_COMMENT_MODE,\n KOTLIN_NESTED_COMMENT\n ],\n relevance: 0\n },\n hljs.C_LINE_COMMENT_MODE,\n KOTLIN_NESTED_COMMENT,\n ANNOTATION_USE_SITE,\n ANNOTATION,\n STRING,\n hljs.C_NUMBER_MODE\n ]\n },\n KOTLIN_NESTED_COMMENT\n ]\n },\n {\n begin: [\n /class|interface|trait/,\n /\\s+/,\n hljs.UNDERSCORE_IDENT_RE\n ],\n beginScope: {\n 3: \"title.class\"\n },\n keywords: 'class interface trait',\n end: /[:\\{(]|$/,\n excludeEnd: true,\n illegal: 'extends implements',\n contains: [\n { beginKeywords: 'public protected internal private constructor' },\n hljs.UNDERSCORE_TITLE_MODE,\n {\n className: 'type',\n begin: /</,\n end: />/,\n excludeBegin: true,\n excludeEnd: true,\n relevance: 0\n },\n {\n className: 'type',\n begin: /[,:]\\s*/,\n end: /[<\\(,){\\s]|$/,\n excludeBegin: true,\n returnEnd: true\n },\n ANNOTATION_USE_SITE,\n ANNOTATION\n ]\n },\n STRING,\n {\n className: 'meta',\n begin: \"^#!/usr/bin/env\",\n end: '$',\n illegal: '\\n'\n },\n KOTLIN_NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = kotlin;\n", "/*\nLanguage: Lasso\nAuthor: Eric Knibbe <eric@lassosoft.com>\nDescription: Lasso is a language and server platform for database-driven web applications. This definition handles Lasso 9 syntax and LassoScript for Lasso 8.6 and earlier.\nWebsite: http://www.lassosoft.com/What-Is-Lasso\n*/\n\nfunction lasso(hljs) {\n const LASSO_IDENT_RE = '[a-zA-Z_][\\\\w.]*';\n const LASSO_ANGLE_RE = '<\\\\?(lasso(script)?|=)';\n const LASSO_CLOSE_RE = '\\\\]|\\\\?>';\n const LASSO_KEYWORDS = {\n $pattern: LASSO_IDENT_RE + '|&[lg]t;',\n literal:\n 'true false none minimal full all void and or not '\n + 'bw nbw ew new cn ncn lt lte gt gte eq neq rx nrx ft',\n built_in:\n 'array date decimal duration integer map pair string tag xml null '\n + 'boolean bytes keyword list locale queue set stack staticarray '\n + 'local var variable global data self inherited currentcapture givenblock',\n keyword:\n 'cache database_names database_schemanames database_tablenames '\n + 'define_tag define_type email_batch encode_set html_comment handle '\n + 'handle_error header if inline iterate ljax_target link '\n + 'link_currentaction link_currentgroup link_currentrecord link_detail '\n + 'link_firstgroup link_firstrecord link_lastgroup link_lastrecord '\n + 'link_nextgroup link_nextrecord link_prevgroup link_prevrecord log '\n + 'loop namespace_using output_none portal private protect records '\n + 'referer referrer repeating resultset rows search_args '\n + 'search_arguments select sort_args sort_arguments thread_atomic '\n + 'value_list while abort case else fail_if fail_ifnot fail if_empty '\n + 'if_false if_null if_true loop_abort loop_continue loop_count params '\n + 'params_up return return_value run_children soap_definetag '\n + 'soap_lastrequest soap_lastresponse tag_name ascending average by '\n + 'define descending do equals frozen group handle_failure import in '\n + 'into join let match max min on order parent protected provide public '\n + 'require returnhome skip split_thread sum take thread to trait type '\n + 'where with yield yieldhome'\n };\n const HTML_COMMENT = hljs.COMMENT(\n '<!--',\n '-->',\n { relevance: 0 }\n );\n const LASSO_NOPROCESS = {\n className: 'meta',\n begin: '\\\\[noprocess\\\\]',\n starts: {\n end: '\\\\[/noprocess\\\\]',\n returnEnd: true,\n contains: [ HTML_COMMENT ]\n }\n };\n const LASSO_START = {\n className: 'meta',\n begin: '\\\\[/noprocess|' + LASSO_ANGLE_RE\n };\n const LASSO_DATAMEMBER = {\n className: 'symbol',\n begin: '\\'' + LASSO_IDENT_RE + '\\''\n };\n const LASSO_CODE = [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.inherit(hljs.C_NUMBER_MODE, { begin: hljs.C_NUMBER_RE + '|(-?infinity|NaN)\\\\b' }),\n hljs.inherit(hljs.APOS_STRING_MODE, { illegal: null }),\n hljs.inherit(hljs.QUOTE_STRING_MODE, { illegal: null }),\n {\n className: 'string',\n begin: '`',\n end: '`'\n },\n { // variables\n variants: [\n { begin: '[#$]' + LASSO_IDENT_RE },\n {\n begin: '#',\n end: '\\\\d+',\n illegal: '\\\\W'\n }\n ] },\n {\n className: 'type',\n begin: '::\\\\s*',\n end: LASSO_IDENT_RE,\n illegal: '\\\\W'\n },\n {\n className: 'params',\n variants: [\n {\n begin: '-(?!infinity)' + LASSO_IDENT_RE,\n relevance: 0\n },\n { begin: '(\\\\.\\\\.\\\\.)' }\n ]\n },\n {\n begin: /(->|\\.)\\s*/,\n relevance: 0,\n contains: [ LASSO_DATAMEMBER ]\n },\n {\n className: 'class',\n beginKeywords: 'define',\n returnEnd: true,\n end: '\\\\(|=>',\n contains: [ hljs.inherit(hljs.TITLE_MODE, { begin: LASSO_IDENT_RE + '(=(?!>))?|[-+*/%](?!>)' }) ]\n }\n ];\n return {\n name: 'Lasso',\n aliases: [\n 'ls',\n 'lassoscript'\n ],\n case_insensitive: true,\n keywords: LASSO_KEYWORDS,\n contains: [\n {\n className: 'meta',\n begin: LASSO_CLOSE_RE,\n relevance: 0,\n starts: { // markup\n end: '\\\\[|' + LASSO_ANGLE_RE,\n returnEnd: true,\n relevance: 0,\n contains: [ HTML_COMMENT ]\n }\n },\n LASSO_NOPROCESS,\n LASSO_START,\n {\n className: 'meta',\n begin: '\\\\[no_square_brackets',\n starts: {\n end: '\\\\[/no_square_brackets\\\\]', // not implemented in the language\n keywords: LASSO_KEYWORDS,\n contains: [\n {\n className: 'meta',\n begin: LASSO_CLOSE_RE,\n relevance: 0,\n starts: {\n end: '\\\\[noprocess\\\\]|' + LASSO_ANGLE_RE,\n returnEnd: true,\n contains: [ HTML_COMMENT ]\n }\n },\n LASSO_NOPROCESS,\n LASSO_START\n ].concat(LASSO_CODE)\n }\n },\n {\n className: 'meta',\n begin: '\\\\[',\n relevance: 0\n },\n {\n className: 'meta',\n begin: '^#!',\n end: 'lasso9$',\n relevance: 10\n }\n ].concat(LASSO_CODE)\n };\n}\n\nmodule.exports = lasso;\n", "/*\nLanguage: LaTeX\nAuthor: Benedikt Wilde <bwilde@posteo.de>\nWebsite: https://www.latex-project.org\nCategory: markup\n*/\n\n/** @type LanguageFn */\nfunction latex(hljs) {\n const regex = hljs.regex;\n const KNOWN_CONTROL_WORDS = regex.either(...[\n '(?:NeedsTeXFormat|RequirePackage|GetIdInfo)',\n 'Provides(?:Expl)?(?:Package|Class|File)',\n '(?:DeclareOption|ProcessOptions)',\n '(?:documentclass|usepackage|input|include)',\n 'makeat(?:letter|other)',\n 'ExplSyntax(?:On|Off)',\n '(?:new|renew|provide)?command',\n '(?:re)newenvironment',\n '(?:New|Renew|Provide|Declare)(?:Expandable)?DocumentCommand',\n '(?:New|Renew|Provide|Declare)DocumentEnvironment',\n '(?:(?:e|g|x)?def|let)',\n '(?:begin|end)',\n '(?:part|chapter|(?:sub){0,2}section|(?:sub)?paragraph)',\n 'caption',\n '(?:label|(?:eq|page|name)?ref|(?:paren|foot|super)?cite)',\n '(?:alpha|beta|[Gg]amma|[Dd]elta|(?:var)?epsilon|zeta|eta|[Tt]heta|vartheta)',\n '(?:iota|(?:var)?kappa|[Ll]ambda|mu|nu|[Xx]i|[Pp]i|varpi|(?:var)rho)',\n '(?:[Ss]igma|varsigma|tau|[Uu]psilon|[Pp]hi|varphi|chi|[Pp]si|[Oo]mega)',\n '(?:frac|sum|prod|lim|infty|times|sqrt|leq|geq|left|right|middle|[bB]igg?)',\n '(?:[lr]angle|q?quad|[lcvdi]?dots|d?dot|hat|tilde|bar)'\n ].map(word => word + '(?![a-zA-Z@:_])'));\n const L3_REGEX = new RegExp([\n // A function \\module_function_name:signature or \\__module_function_name:signature,\n // where both module and function_name need at least two characters and\n // function_name may contain single underscores.\n '(?:__)?[a-zA-Z]{2,}_[a-zA-Z](?:_?[a-zA-Z])+:[a-zA-Z]*',\n // A variable \\scope_module_and_name_type or \\scope__module_ane_name_type,\n // where scope is one of l, g or c, type needs at least two characters\n // and module_and_name may contain single underscores.\n '[lgc]__?[a-zA-Z](?:_?[a-zA-Z])*_[a-zA-Z]{2,}',\n // A quark \\q_the_name or \\q__the_name or\n // scan mark \\s_the_name or \\s__vthe_name,\n // where variable_name needs at least two characters and\n // may contain single underscores.\n '[qs]__?[a-zA-Z](?:_?[a-zA-Z])+',\n // Other LaTeX3 macro names that are not covered by the three rules above.\n 'use(?:_i)?:[a-zA-Z]*',\n '(?:else|fi|or):',\n '(?:if|cs|exp):w',\n '(?:hbox|vbox):n',\n '::[a-zA-Z]_unbraced',\n '::[a-zA-Z:]'\n ].map(pattern => pattern + '(?![a-zA-Z:_])').join('|'));\n const L2_VARIANTS = [\n { begin: /[a-zA-Z@]+/ }, // control word\n { begin: /[^a-zA-Z@]?/ } // control symbol\n ];\n const DOUBLE_CARET_VARIANTS = [\n { begin: /\\^{6}[0-9a-f]{6}/ },\n { begin: /\\^{5}[0-9a-f]{5}/ },\n { begin: /\\^{4}[0-9a-f]{4}/ },\n { begin: /\\^{3}[0-9a-f]{3}/ },\n { begin: /\\^{2}[0-9a-f]{2}/ },\n { begin: /\\^{2}[\\u0000-\\u007f]/ }\n ];\n const CONTROL_SEQUENCE = {\n className: 'keyword',\n begin: /\\\\/,\n relevance: 0,\n contains: [\n {\n endsParent: true,\n begin: KNOWN_CONTROL_WORDS\n },\n {\n endsParent: true,\n begin: L3_REGEX\n },\n {\n endsParent: true,\n variants: DOUBLE_CARET_VARIANTS\n },\n {\n endsParent: true,\n relevance: 0,\n variants: L2_VARIANTS\n }\n ]\n };\n const MACRO_PARAM = {\n className: 'params',\n relevance: 0,\n begin: /#+\\d?/\n };\n const DOUBLE_CARET_CHAR = {\n // relevance: 1\n variants: DOUBLE_CARET_VARIANTS };\n const SPECIAL_CATCODE = {\n className: 'built_in',\n relevance: 0,\n begin: /[$&^_]/\n };\n const MAGIC_COMMENT = {\n className: 'meta',\n begin: /% ?!(T[eE]X|tex|BIB|bib)/,\n end: '$',\n relevance: 10\n };\n const COMMENT = hljs.COMMENT(\n '%',\n '$',\n { relevance: 0 }\n );\n const EVERYTHING_BUT_VERBATIM = [\n CONTROL_SEQUENCE,\n MACRO_PARAM,\n DOUBLE_CARET_CHAR,\n SPECIAL_CATCODE,\n MAGIC_COMMENT,\n COMMENT\n ];\n const BRACE_GROUP_NO_VERBATIM = {\n begin: /\\{/,\n end: /\\}/,\n relevance: 0,\n contains: [\n 'self',\n ...EVERYTHING_BUT_VERBATIM\n ]\n };\n const ARGUMENT_BRACES = hljs.inherit(\n BRACE_GROUP_NO_VERBATIM,\n {\n relevance: 0,\n endsParent: true,\n contains: [\n BRACE_GROUP_NO_VERBATIM,\n ...EVERYTHING_BUT_VERBATIM\n ]\n }\n );\n const ARGUMENT_BRACKETS = {\n begin: /\\[/,\n end: /\\]/,\n endsParent: true,\n relevance: 0,\n contains: [\n BRACE_GROUP_NO_VERBATIM,\n ...EVERYTHING_BUT_VERBATIM\n ]\n };\n const SPACE_GOBBLER = {\n begin: /\\s+/,\n relevance: 0\n };\n const ARGUMENT_M = [ ARGUMENT_BRACES ];\n const ARGUMENT_O = [ ARGUMENT_BRACKETS ];\n const ARGUMENT_AND_THEN = function(arg, starts_mode) {\n return {\n contains: [ SPACE_GOBBLER ],\n starts: {\n relevance: 0,\n contains: arg,\n starts: starts_mode\n }\n };\n };\n const CSNAME = function(csname, starts_mode) {\n return {\n begin: '\\\\\\\\' + csname + '(?![a-zA-Z@:_])',\n keywords: {\n $pattern: /\\\\[a-zA-Z]+/,\n keyword: '\\\\' + csname\n },\n relevance: 0,\n contains: [ SPACE_GOBBLER ],\n starts: starts_mode\n };\n };\n const BEGIN_ENV = function(envname, starts_mode) {\n return hljs.inherit(\n {\n begin: '\\\\\\\\begin(?=[ \\t]*(\\\\r?\\\\n[ \\t]*)?\\\\{' + envname + '\\\\})',\n keywords: {\n $pattern: /\\\\[a-zA-Z]+/,\n keyword: '\\\\begin'\n },\n relevance: 0,\n },\n ARGUMENT_AND_THEN(ARGUMENT_M, starts_mode)\n );\n };\n const VERBATIM_DELIMITED_EQUAL = (innerName = \"string\") => {\n return hljs.END_SAME_AS_BEGIN({\n className: innerName,\n begin: /(.|\\r?\\n)/,\n end: /(.|\\r?\\n)/,\n excludeBegin: true,\n excludeEnd: true,\n endsParent: true\n });\n };\n const VERBATIM_DELIMITED_ENV = function(envname) {\n return {\n className: 'string',\n end: '(?=\\\\\\\\end\\\\{' + envname + '\\\\})'\n };\n };\n\n const VERBATIM_DELIMITED_BRACES = (innerName = \"string\") => {\n return {\n relevance: 0,\n begin: /\\{/,\n starts: {\n endsParent: true,\n contains: [\n {\n className: innerName,\n end: /(?=\\})/,\n endsParent: true,\n contains: [\n {\n begin: /\\{/,\n end: /\\}/,\n relevance: 0,\n contains: [ \"self\" ]\n }\n ],\n }\n ]\n }\n };\n };\n const VERBATIM = [\n ...[\n 'verb',\n 'lstinline'\n ].map(csname => CSNAME(csname, { contains: [ VERBATIM_DELIMITED_EQUAL() ] })),\n CSNAME('mint', ARGUMENT_AND_THEN(ARGUMENT_M, { contains: [ VERBATIM_DELIMITED_EQUAL() ] })),\n CSNAME('mintinline', ARGUMENT_AND_THEN(ARGUMENT_M, { contains: [\n VERBATIM_DELIMITED_BRACES(),\n VERBATIM_DELIMITED_EQUAL()\n ] })),\n CSNAME('url', { contains: [\n VERBATIM_DELIMITED_BRACES(\"link\"),\n VERBATIM_DELIMITED_BRACES(\"link\")\n ] }),\n CSNAME('hyperref', { contains: [ VERBATIM_DELIMITED_BRACES(\"link\") ] }),\n CSNAME('href', ARGUMENT_AND_THEN(ARGUMENT_O, { contains: [ VERBATIM_DELIMITED_BRACES(\"link\") ] })),\n ...[].concat(...[\n '',\n '\\\\*'\n ].map(suffix => [\n BEGIN_ENV('verbatim' + suffix, VERBATIM_DELIMITED_ENV('verbatim' + suffix)),\n BEGIN_ENV('filecontents' + suffix, ARGUMENT_AND_THEN(ARGUMENT_M, VERBATIM_DELIMITED_ENV('filecontents' + suffix))),\n ...[\n '',\n 'B',\n 'L'\n ].map(prefix =>\n BEGIN_ENV(prefix + 'Verbatim' + suffix, ARGUMENT_AND_THEN(ARGUMENT_O, VERBATIM_DELIMITED_ENV(prefix + 'Verbatim' + suffix)))\n )\n ])),\n BEGIN_ENV('minted', ARGUMENT_AND_THEN(ARGUMENT_O, ARGUMENT_AND_THEN(ARGUMENT_M, VERBATIM_DELIMITED_ENV('minted')))),\n ];\n\n return {\n name: 'LaTeX',\n aliases: [ 'tex' ],\n contains: [\n ...VERBATIM,\n ...EVERYTHING_BUT_VERBATIM\n ]\n };\n}\n\nmodule.exports = latex;\n", "/*\nLanguage: LDIF\nContributors: Jacob Childress <jacobc@gmail.com>\nCategory: enterprise, config\nWebsite: https://en.wikipedia.org/wiki/LDAP_Data_Interchange_Format\n*/\n\n/** @type LanguageFn */\nfunction ldif(hljs) {\n return {\n name: 'LDIF',\n contains: [\n {\n className: 'attribute',\n match: '^dn(?=:)',\n relevance: 10\n },\n {\n className: 'attribute',\n match: '^\\\\w+(?=:)'\n },\n {\n className: 'literal',\n match: '^-'\n },\n hljs.HASH_COMMENT_MODE\n ]\n };\n}\n\nmodule.exports = ldif;\n", "/*\nLanguage: Leaf\nAuthor: Hale Chan <halechan@qq.com>\nDescription: Based on the Leaf reference from https://vapor.github.io/documentation/guide/leaf.html.\n*/\n\nfunction leaf(hljs) {\n return {\n name: 'Leaf',\n contains: [\n {\n className: 'function',\n begin: '#+' + '[A-Za-z_0-9]*' + '\\\\(',\n end: / \\{/,\n returnBegin: true,\n excludeEnd: true,\n contains: [\n {\n className: 'keyword',\n begin: '#+'\n },\n {\n className: 'title',\n begin: '[A-Za-z_][A-Za-z_0-9]*'\n },\n {\n className: 'params',\n begin: '\\\\(',\n end: '\\\\)',\n endsParent: true,\n contains: [\n {\n className: 'string',\n begin: '\"',\n end: '\"'\n },\n {\n className: 'variable',\n begin: '[A-Za-z_][A-Za-z_0-9]*'\n }\n ]\n }\n ]\n }\n ]\n };\n}\n\nmodule.exports = leaf;\n", "const MODES = (hljs) => {\n return {\n IMPORTANT: {\n scope: 'meta',\n begin: '!important'\n },\n BLOCK_COMMENT: hljs.C_BLOCK_COMMENT_MODE,\n HEXCOLOR: {\n scope: 'number',\n begin: /#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\\b/\n },\n FUNCTION_DISPATCH: {\n className: \"built_in\",\n begin: /[\\w-]+(?=\\()/\n },\n ATTRIBUTE_SELECTOR_MODE: {\n scope: 'selector-attr',\n begin: /\\[/,\n end: /\\]/,\n illegal: '$',\n contains: [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ]\n },\n CSS_NUMBER_MODE: {\n scope: 'number',\n begin: hljs.NUMBER_RE + '(' +\n '%|em|ex|ch|rem' +\n '|vw|vh|vmin|vmax' +\n '|cm|mm|in|pt|pc|px' +\n '|deg|grad|rad|turn' +\n '|s|ms' +\n '|Hz|kHz' +\n '|dpi|dpcm|dppx' +\n ')?',\n relevance: 0\n },\n CSS_VARIABLE: {\n className: \"attr\",\n begin: /--[A-Za-z][A-Za-z0-9_-]*/\n }\n };\n};\n\nconst TAGS = [\n 'a',\n 'abbr',\n 'address',\n 'article',\n 'aside',\n 'audio',\n 'b',\n 'blockquote',\n 'body',\n 'button',\n 'canvas',\n 'caption',\n 'cite',\n 'code',\n 'dd',\n 'del',\n 'details',\n 'dfn',\n 'div',\n 'dl',\n 'dt',\n 'em',\n 'fieldset',\n 'figcaption',\n 'figure',\n 'footer',\n 'form',\n 'h1',\n 'h2',\n 'h3',\n 'h4',\n 'h5',\n 'h6',\n 'header',\n 'hgroup',\n 'html',\n 'i',\n 'iframe',\n 'img',\n 'input',\n 'ins',\n 'kbd',\n 'label',\n 'legend',\n 'li',\n 'main',\n 'mark',\n 'menu',\n 'nav',\n 'object',\n 'ol',\n 'p',\n 'q',\n 'quote',\n 'samp',\n 'section',\n 'span',\n 'strong',\n 'summary',\n 'sup',\n 'table',\n 'tbody',\n 'td',\n 'textarea',\n 'tfoot',\n 'th',\n 'thead',\n 'time',\n 'tr',\n 'ul',\n 'var',\n 'video'\n];\n\nconst MEDIA_FEATURES = [\n 'any-hover',\n 'any-pointer',\n 'aspect-ratio',\n 'color',\n 'color-gamut',\n 'color-index',\n 'device-aspect-ratio',\n 'device-height',\n 'device-width',\n 'display-mode',\n 'forced-colors',\n 'grid',\n 'height',\n 'hover',\n 'inverted-colors',\n 'monochrome',\n 'orientation',\n 'overflow-block',\n 'overflow-inline',\n 'pointer',\n 'prefers-color-scheme',\n 'prefers-contrast',\n 'prefers-reduced-motion',\n 'prefers-reduced-transparency',\n 'resolution',\n 'scan',\n 'scripting',\n 'update',\n 'width',\n // TODO: find a better solution?\n 'min-width',\n 'max-width',\n 'min-height',\n 'max-height'\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/CSS/Pseudo-classes\nconst PSEUDO_CLASSES = [\n 'active',\n 'any-link',\n 'blank',\n 'checked',\n 'current',\n 'default',\n 'defined',\n 'dir', // dir()\n 'disabled',\n 'drop',\n 'empty',\n 'enabled',\n 'first',\n 'first-child',\n 'first-of-type',\n 'fullscreen',\n 'future',\n 'focus',\n 'focus-visible',\n 'focus-within',\n 'has', // has()\n 'host', // host or host()\n 'host-context', // host-context()\n 'hover',\n 'indeterminate',\n 'in-range',\n 'invalid',\n 'is', // is()\n 'lang', // lang()\n 'last-child',\n 'last-of-type',\n 'left',\n 'link',\n 'local-link',\n 'not', // not()\n 'nth-child', // nth-child()\n 'nth-col', // nth-col()\n 'nth-last-child', // nth-last-child()\n 'nth-last-col', // nth-last-col()\n 'nth-last-of-type', //nth-last-of-type()\n 'nth-of-type', //nth-of-type()\n 'only-child',\n 'only-of-type',\n 'optional',\n 'out-of-range',\n 'past',\n 'placeholder-shown',\n 'read-only',\n 'read-write',\n 'required',\n 'right',\n 'root',\n 'scope',\n 'target',\n 'target-within',\n 'user-invalid',\n 'valid',\n 'visited',\n 'where' // where()\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/CSS/Pseudo-elements\nconst PSEUDO_ELEMENTS = [\n 'after',\n 'backdrop',\n 'before',\n 'cue',\n 'cue-region',\n 'first-letter',\n 'first-line',\n 'grammar-error',\n 'marker',\n 'part',\n 'placeholder',\n 'selection',\n 'slotted',\n 'spelling-error'\n];\n\nconst ATTRIBUTES = [\n 'align-content',\n 'align-items',\n 'align-self',\n 'all',\n 'animation',\n 'animation-delay',\n 'animation-direction',\n 'animation-duration',\n 'animation-fill-mode',\n 'animation-iteration-count',\n 'animation-name',\n 'animation-play-state',\n 'animation-timing-function',\n 'backface-visibility',\n 'background',\n 'background-attachment',\n 'background-blend-mode',\n 'background-clip',\n 'background-color',\n 'background-image',\n 'background-origin',\n 'background-position',\n 'background-repeat',\n 'background-size',\n 'block-size',\n 'border',\n 'border-block',\n 'border-block-color',\n 'border-block-end',\n 'border-block-end-color',\n 'border-block-end-style',\n 'border-block-end-width',\n 'border-block-start',\n 'border-block-start-color',\n 'border-block-start-style',\n 'border-block-start-width',\n 'border-block-style',\n 'border-block-width',\n 'border-bottom',\n 'border-bottom-color',\n 'border-bottom-left-radius',\n 'border-bottom-right-radius',\n 'border-bottom-style',\n 'border-bottom-width',\n 'border-collapse',\n 'border-color',\n 'border-image',\n 'border-image-outset',\n 'border-image-repeat',\n 'border-image-slice',\n 'border-image-source',\n 'border-image-width',\n 'border-inline',\n 'border-inline-color',\n 'border-inline-end',\n 'border-inline-end-color',\n 'border-inline-end-style',\n 'border-inline-end-width',\n 'border-inline-start',\n 'border-inline-start-color',\n 'border-inline-start-style',\n 'border-inline-start-width',\n 'border-inline-style',\n 'border-inline-width',\n 'border-left',\n 'border-left-color',\n 'border-left-style',\n 'border-left-width',\n 'border-radius',\n 'border-right',\n 'border-right-color',\n 'border-right-style',\n 'border-right-width',\n 'border-spacing',\n 'border-style',\n 'border-top',\n 'border-top-color',\n 'border-top-left-radius',\n 'border-top-right-radius',\n 'border-top-style',\n 'border-top-width',\n 'border-width',\n 'bottom',\n 'box-decoration-break',\n 'box-shadow',\n 'box-sizing',\n 'break-after',\n 'break-before',\n 'break-inside',\n 'caption-side',\n 'caret-color',\n 'clear',\n 'clip',\n 'clip-path',\n 'clip-rule',\n 'color',\n 'column-count',\n 'column-fill',\n 'column-gap',\n 'column-rule',\n 'column-rule-color',\n 'column-rule-style',\n 'column-rule-width',\n 'column-span',\n 'column-width',\n 'columns',\n 'contain',\n 'content',\n 'content-visibility',\n 'counter-increment',\n 'counter-reset',\n 'cue',\n 'cue-after',\n 'cue-before',\n 'cursor',\n 'direction',\n 'display',\n 'empty-cells',\n 'filter',\n 'flex',\n 'flex-basis',\n 'flex-direction',\n 'flex-flow',\n 'flex-grow',\n 'flex-shrink',\n 'flex-wrap',\n 'float',\n 'flow',\n 'font',\n 'font-display',\n 'font-family',\n 'font-feature-settings',\n 'font-kerning',\n 'font-language-override',\n 'font-size',\n 'font-size-adjust',\n 'font-smoothing',\n 'font-stretch',\n 'font-style',\n 'font-synthesis',\n 'font-variant',\n 'font-variant-caps',\n 'font-variant-east-asian',\n 'font-variant-ligatures',\n 'font-variant-numeric',\n 'font-variant-position',\n 'font-variation-settings',\n 'font-weight',\n 'gap',\n 'glyph-orientation-vertical',\n 'grid',\n 'grid-area',\n 'grid-auto-columns',\n 'grid-auto-flow',\n 'grid-auto-rows',\n 'grid-column',\n 'grid-column-end',\n 'grid-column-start',\n 'grid-gap',\n 'grid-row',\n 'grid-row-end',\n 'grid-row-start',\n 'grid-template',\n 'grid-template-areas',\n 'grid-template-columns',\n 'grid-template-rows',\n 'hanging-punctuation',\n 'height',\n 'hyphens',\n 'icon',\n 'image-orientation',\n 'image-rendering',\n 'image-resolution',\n 'ime-mode',\n 'inline-size',\n 'isolation',\n 'justify-content',\n 'left',\n 'letter-spacing',\n 'line-break',\n 'line-height',\n 'list-style',\n 'list-style-image',\n 'list-style-position',\n 'list-style-type',\n 'margin',\n 'margin-block',\n 'margin-block-end',\n 'margin-block-start',\n 'margin-bottom',\n 'margin-inline',\n 'margin-inline-end',\n 'margin-inline-start',\n 'margin-left',\n 'margin-right',\n 'margin-top',\n 'marks',\n 'mask',\n 'mask-border',\n 'mask-border-mode',\n 'mask-border-outset',\n 'mask-border-repeat',\n 'mask-border-slice',\n 'mask-border-source',\n 'mask-border-width',\n 'mask-clip',\n 'mask-composite',\n 'mask-image',\n 'mask-mode',\n 'mask-origin',\n 'mask-position',\n 'mask-repeat',\n 'mask-size',\n 'mask-type',\n 'max-block-size',\n 'max-height',\n 'max-inline-size',\n 'max-width',\n 'min-block-size',\n 'min-height',\n 'min-inline-size',\n 'min-width',\n 'mix-blend-mode',\n 'nav-down',\n 'nav-index',\n 'nav-left',\n 'nav-right',\n 'nav-up',\n 'none',\n 'normal',\n 'object-fit',\n 'object-position',\n 'opacity',\n 'order',\n 'orphans',\n 'outline',\n 'outline-color',\n 'outline-offset',\n 'outline-style',\n 'outline-width',\n 'overflow',\n 'overflow-wrap',\n 'overflow-x',\n 'overflow-y',\n 'padding',\n 'padding-block',\n 'padding-block-end',\n 'padding-block-start',\n 'padding-bottom',\n 'padding-inline',\n 'padding-inline-end',\n 'padding-inline-start',\n 'padding-left',\n 'padding-right',\n 'padding-top',\n 'page-break-after',\n 'page-break-before',\n 'page-break-inside',\n 'pause',\n 'pause-after',\n 'pause-before',\n 'perspective',\n 'perspective-origin',\n 'pointer-events',\n 'position',\n 'quotes',\n 'resize',\n 'rest',\n 'rest-after',\n 'rest-before',\n 'right',\n 'row-gap',\n 'scroll-margin',\n 'scroll-margin-block',\n 'scroll-margin-block-end',\n 'scroll-margin-block-start',\n 'scroll-margin-bottom',\n 'scroll-margin-inline',\n 'scroll-margin-inline-end',\n 'scroll-margin-inline-start',\n 'scroll-margin-left',\n 'scroll-margin-right',\n 'scroll-margin-top',\n 'scroll-padding',\n 'scroll-padding-block',\n 'scroll-padding-block-end',\n 'scroll-padding-block-start',\n 'scroll-padding-bottom',\n 'scroll-padding-inline',\n 'scroll-padding-inline-end',\n 'scroll-padding-inline-start',\n 'scroll-padding-left',\n 'scroll-padding-right',\n 'scroll-padding-top',\n 'scroll-snap-align',\n 'scroll-snap-stop',\n 'scroll-snap-type',\n 'scrollbar-color',\n 'scrollbar-gutter',\n 'scrollbar-width',\n 'shape-image-threshold',\n 'shape-margin',\n 'shape-outside',\n 'speak',\n 'speak-as',\n 'src', // @font-face\n 'tab-size',\n 'table-layout',\n 'text-align',\n 'text-align-all',\n 'text-align-last',\n 'text-combine-upright',\n 'text-decoration',\n 'text-decoration-color',\n 'text-decoration-line',\n 'text-decoration-style',\n 'text-emphasis',\n 'text-emphasis-color',\n 'text-emphasis-position',\n 'text-emphasis-style',\n 'text-indent',\n 'text-justify',\n 'text-orientation',\n 'text-overflow',\n 'text-rendering',\n 'text-shadow',\n 'text-transform',\n 'text-underline-position',\n 'top',\n 'transform',\n 'transform-box',\n 'transform-origin',\n 'transform-style',\n 'transition',\n 'transition-delay',\n 'transition-duration',\n 'transition-property',\n 'transition-timing-function',\n 'unicode-bidi',\n 'vertical-align',\n 'visibility',\n 'voice-balance',\n 'voice-duration',\n 'voice-family',\n 'voice-pitch',\n 'voice-range',\n 'voice-rate',\n 'voice-stress',\n 'voice-volume',\n 'white-space',\n 'widows',\n 'width',\n 'will-change',\n 'word-break',\n 'word-spacing',\n 'word-wrap',\n 'writing-mode',\n 'z-index'\n // reverse makes sure longer attributes `font-weight` are matched fully\n // instead of getting false positives on say `font`\n].reverse();\n\n// some grammars use them all as a single group\nconst PSEUDO_SELECTORS = PSEUDO_CLASSES.concat(PSEUDO_ELEMENTS);\n\n/*\nLanguage: Less\nDescription: It's CSS, with just a little more.\nAuthor: Max Mikhailov <seven.phases.max@gmail.com>\nWebsite: http://lesscss.org\nCategory: common, css, web\n*/\n\n/** @type LanguageFn */\nfunction less(hljs) {\n const modes = MODES(hljs);\n const PSEUDO_SELECTORS$1 = PSEUDO_SELECTORS;\n\n const AT_MODIFIERS = \"and or not only\";\n const IDENT_RE = '[\\\\w-]+'; // yes, Less identifiers may begin with a digit\n const INTERP_IDENT_RE = '(' + IDENT_RE + '|@\\\\{' + IDENT_RE + '\\\\})';\n\n /* Generic Modes */\n\n const RULES = []; const VALUE_MODES = []; // forward def. for recursive modes\n\n const STRING_MODE = function(c) {\n return {\n // Less strings are not multiline (also include '~' for more consistent coloring of \"escaped\" strings)\n className: 'string',\n begin: '~?' + c + '.*?' + c\n };\n };\n\n const IDENT_MODE = function(name, begin, relevance) {\n return {\n className: name,\n begin: begin,\n relevance: relevance\n };\n };\n\n const AT_KEYWORDS = {\n $pattern: /[a-z-]+/,\n keyword: AT_MODIFIERS,\n attribute: MEDIA_FEATURES.join(\" \")\n };\n\n const PARENS_MODE = {\n // used only to properly balance nested parens inside mixin call, def. arg list\n begin: '\\\\(',\n end: '\\\\)',\n contains: VALUE_MODES,\n keywords: AT_KEYWORDS,\n relevance: 0\n };\n\n // generic Less highlighter (used almost everywhere except selectors):\n VALUE_MODES.push(\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n STRING_MODE(\"'\"),\n STRING_MODE('\"'),\n modes.CSS_NUMBER_MODE, // fixme: it does not include dot for numbers like .5em :(\n {\n begin: '(url|data-uri)\\\\(',\n starts: {\n className: 'string',\n end: '[\\\\)\\\\n]',\n excludeEnd: true\n }\n },\n modes.HEXCOLOR,\n PARENS_MODE,\n IDENT_MODE('variable', '@@?' + IDENT_RE, 10),\n IDENT_MODE('variable', '@\\\\{' + IDENT_RE + '\\\\}'),\n IDENT_MODE('built_in', '~?`[^`]*?`'), // inline javascript (or whatever host language) *multiline* string\n { // @media features (it\u2019s here to not duplicate things in AT_RULE_MODE with extra PARENS_MODE overriding):\n className: 'attribute',\n begin: IDENT_RE + '\\\\s*:',\n end: ':',\n returnBegin: true,\n excludeEnd: true\n },\n modes.IMPORTANT,\n { beginKeywords: 'and not' },\n modes.FUNCTION_DISPATCH\n );\n\n const VALUE_WITH_RULESETS = VALUE_MODES.concat({\n begin: /\\{/,\n end: /\\}/,\n contains: RULES\n });\n\n const MIXIN_GUARD_MODE = {\n beginKeywords: 'when',\n endsWithParent: true,\n contains: [ { beginKeywords: 'and not' } ].concat(VALUE_MODES) // using this form to override VALUE\u2019s 'function' match\n };\n\n /* Rule-Level Modes */\n\n const RULE_MODE = {\n begin: INTERP_IDENT_RE + '\\\\s*:',\n returnBegin: true,\n end: /[;}]/,\n relevance: 0,\n contains: [\n { begin: /-(webkit|moz|ms|o)-/ },\n modes.CSS_VARIABLE,\n {\n className: 'attribute',\n begin: '\\\\b(' + ATTRIBUTES.join('|') + ')\\\\b',\n end: /(?=:)/,\n starts: {\n endsWithParent: true,\n illegal: '[<=$]',\n relevance: 0,\n contains: VALUE_MODES\n }\n }\n ]\n };\n\n const AT_RULE_MODE = {\n className: 'keyword',\n begin: '@(import|media|charset|font-face|(-[a-z]+-)?keyframes|supports|document|namespace|page|viewport|host)\\\\b',\n starts: {\n end: '[;{}]',\n keywords: AT_KEYWORDS,\n returnEnd: true,\n contains: VALUE_MODES,\n relevance: 0\n }\n };\n\n // variable definitions and calls\n const VAR_RULE_MODE = {\n className: 'variable',\n variants: [\n // using more strict pattern for higher relevance to increase chances of Less detection.\n // this is *the only* Less specific statement used in most of the sources, so...\n // (we\u2019ll still often loose to the css-parser unless there's '//' comment,\n // simply because 1 variable just can't beat 99 properties :)\n {\n begin: '@' + IDENT_RE + '\\\\s*:',\n relevance: 15\n },\n { begin: '@' + IDENT_RE }\n ],\n starts: {\n end: '[;}]',\n returnEnd: true,\n contains: VALUE_WITH_RULESETS\n }\n };\n\n const SELECTOR_MODE = {\n // first parse unambiguous selectors (i.e. those not starting with tag)\n // then fall into the scary lookahead-discriminator variant.\n // this mode also handles mixin definitions and calls\n variants: [\n {\n begin: '[\\\\.#:&\\\\[>]',\n end: '[;{}]' // mixin calls end with ';'\n },\n {\n begin: INTERP_IDENT_RE,\n end: /\\{/\n }\n ],\n returnBegin: true,\n returnEnd: true,\n illegal: '[<=\\'$\"]',\n relevance: 0,\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n MIXIN_GUARD_MODE,\n IDENT_MODE('keyword', 'all\\\\b'),\n IDENT_MODE('variable', '@\\\\{' + IDENT_RE + '\\\\}'), // otherwise it\u2019s identified as tag\n \n {\n begin: '\\\\b(' + TAGS.join('|') + ')\\\\b',\n className: 'selector-tag'\n },\n modes.CSS_NUMBER_MODE,\n IDENT_MODE('selector-tag', INTERP_IDENT_RE, 0),\n IDENT_MODE('selector-id', '#' + INTERP_IDENT_RE),\n IDENT_MODE('selector-class', '\\\\.' + INTERP_IDENT_RE, 0),\n IDENT_MODE('selector-tag', '&', 0),\n modes.ATTRIBUTE_SELECTOR_MODE,\n {\n className: 'selector-pseudo',\n begin: ':(' + PSEUDO_CLASSES.join('|') + ')'\n },\n {\n className: 'selector-pseudo',\n begin: ':(:)?(' + PSEUDO_ELEMENTS.join('|') + ')'\n },\n {\n begin: /\\(/,\n end: /\\)/,\n relevance: 0,\n contains: VALUE_WITH_RULESETS\n }, // argument list of parametric mixins\n { begin: '!important' }, // eat !important after mixin call or it will be colored as tag\n modes.FUNCTION_DISPATCH\n ]\n };\n\n const PSEUDO_SELECTOR_MODE = {\n begin: IDENT_RE + ':(:)?' + `(${PSEUDO_SELECTORS$1.join('|')})`,\n returnBegin: true,\n contains: [ SELECTOR_MODE ]\n };\n\n RULES.push(\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n AT_RULE_MODE,\n VAR_RULE_MODE,\n PSEUDO_SELECTOR_MODE,\n RULE_MODE,\n SELECTOR_MODE,\n MIXIN_GUARD_MODE,\n modes.FUNCTION_DISPATCH\n );\n\n return {\n name: 'Less',\n case_insensitive: true,\n illegal: '[=>\\'/<($\"]',\n contains: RULES\n };\n}\n\nmodule.exports = less;\n", "/*\nLanguage: Lisp\nDescription: Generic lisp syntax\nAuthor: Vasily Polovnyov <vast@whiteants.net>\nCategory: lisp\n*/\n\nfunction lisp(hljs) {\n const LISP_IDENT_RE = '[a-zA-Z_\\\\-+\\\\*\\\\/<=>&#][a-zA-Z0-9_\\\\-+*\\\\/<=>&#!]*';\n const MEC_RE = '\\\\|[^]*?\\\\|';\n const LISP_SIMPLE_NUMBER_RE = '(-|\\\\+)?\\\\d+(\\\\.\\\\d+|\\\\/\\\\d+)?((d|e|f|l|s|D|E|F|L|S)(\\\\+|-)?\\\\d+)?';\n const LITERAL = {\n className: 'literal',\n begin: '\\\\b(t{1}|nil)\\\\b'\n };\n const NUMBER = {\n className: 'number',\n variants: [\n {\n begin: LISP_SIMPLE_NUMBER_RE,\n relevance: 0\n },\n { begin: '#(b|B)[0-1]+(/[0-1]+)?' },\n { begin: '#(o|O)[0-7]+(/[0-7]+)?' },\n { begin: '#(x|X)[0-9a-fA-F]+(/[0-9a-fA-F]+)?' },\n {\n begin: '#(c|C)\\\\(' + LISP_SIMPLE_NUMBER_RE + ' +' + LISP_SIMPLE_NUMBER_RE,\n end: '\\\\)'\n }\n ]\n };\n const STRING = hljs.inherit(hljs.QUOTE_STRING_MODE, { illegal: null });\n const COMMENT = hljs.COMMENT(\n ';', '$',\n { relevance: 0 }\n );\n const VARIABLE = {\n begin: '\\\\*',\n end: '\\\\*'\n };\n const KEYWORD = {\n className: 'symbol',\n begin: '[:&]' + LISP_IDENT_RE\n };\n const IDENT = {\n begin: LISP_IDENT_RE,\n relevance: 0\n };\n const MEC = { begin: MEC_RE };\n const QUOTED_LIST = {\n begin: '\\\\(',\n end: '\\\\)',\n contains: [\n 'self',\n LITERAL,\n STRING,\n NUMBER,\n IDENT\n ]\n };\n const QUOTED = {\n contains: [\n NUMBER,\n STRING,\n VARIABLE,\n KEYWORD,\n QUOTED_LIST,\n IDENT\n ],\n variants: [\n {\n begin: '[\\'`]\\\\(',\n end: '\\\\)'\n },\n {\n begin: '\\\\(quote ',\n end: '\\\\)',\n keywords: { name: 'quote' }\n },\n { begin: '\\'' + MEC_RE }\n ]\n };\n const QUOTED_ATOM = { variants: [\n { begin: '\\'' + LISP_IDENT_RE },\n { begin: '#\\'' + LISP_IDENT_RE + '(::' + LISP_IDENT_RE + ')*' }\n ] };\n const LIST = {\n begin: '\\\\(\\\\s*',\n end: '\\\\)'\n };\n const BODY = {\n endsWithParent: true,\n relevance: 0\n };\n LIST.contains = [\n {\n className: 'name',\n variants: [\n {\n begin: LISP_IDENT_RE,\n relevance: 0,\n },\n { begin: MEC_RE }\n ]\n },\n BODY\n ];\n BODY.contains = [\n QUOTED,\n QUOTED_ATOM,\n LIST,\n LITERAL,\n NUMBER,\n STRING,\n COMMENT,\n VARIABLE,\n KEYWORD,\n MEC,\n IDENT\n ];\n\n return {\n name: 'Lisp',\n illegal: /\\S/,\n contains: [\n NUMBER,\n hljs.SHEBANG(),\n LITERAL,\n STRING,\n COMMENT,\n QUOTED,\n QUOTED_ATOM,\n LIST,\n IDENT\n ]\n };\n}\n\nmodule.exports = lisp;\n", "/*\nLanguage: LiveCode\nAuthor: Ralf Bitter <rabit@revigniter.com>\nDescription: Language definition for LiveCode server accounting for revIgniter (a web application framework) characteristics.\nVersion: 1.1\nDate: 2019-04-17\nCategory: enterprise\n*/\n\nfunction livecodeserver(hljs) {\n const VARIABLE = {\n className: 'variable',\n variants: [\n { begin: '\\\\b([gtps][A-Z]{1}[a-zA-Z0-9]*)(\\\\[.+\\\\])?(?:\\\\s*?)' },\n { begin: '\\\\$_[A-Z]+' }\n ],\n relevance: 0\n };\n const COMMENT_MODES = [\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.HASH_COMMENT_MODE,\n hljs.COMMENT('--', '$'),\n hljs.COMMENT('[^:]//', '$')\n ];\n const TITLE1 = hljs.inherit(hljs.TITLE_MODE, { variants: [\n { begin: '\\\\b_*rig[A-Z][A-Za-z0-9_\\\\-]*' },\n { begin: '\\\\b_[a-z0-9\\\\-]+' }\n ] });\n const TITLE2 = hljs.inherit(hljs.TITLE_MODE, { begin: '\\\\b([A-Za-z0-9_\\\\-]+)\\\\b' });\n return {\n name: 'LiveCode',\n case_insensitive: false,\n keywords: {\n keyword:\n '$_COOKIE $_FILES $_GET $_GET_BINARY $_GET_RAW $_POST $_POST_BINARY $_POST_RAW $_SESSION $_SERVER '\n + 'codepoint codepoints segment segments codeunit codeunits sentence sentences trueWord trueWords paragraph '\n + 'after byte bytes english the until http forever descending using line real8 with seventh '\n + 'for stdout finally element word words fourth before black ninth sixth characters chars stderr '\n + 'uInt1 uInt1s uInt2 uInt2s stdin string lines relative rel any fifth items from middle mid '\n + 'at else of catch then third it file milliseconds seconds second secs sec int1 int1s int4 '\n + 'int4s internet int2 int2s normal text item last long detailed effective uInt4 uInt4s repeat '\n + 'end repeat URL in try into switch to words https token binfile each tenth as ticks tick '\n + 'system real4 by dateItems without char character ascending eighth whole dateTime numeric short '\n + 'first ftp integer abbreviated abbr abbrev private case while if '\n + 'div mod wrap and or bitAnd bitNot bitOr bitXor among not in a an within '\n + 'contains ends with begins the keys of keys',\n literal:\n 'SIX TEN FORMFEED NINE ZERO NONE SPACE FOUR FALSE COLON CRLF PI COMMA ENDOFFILE EOF EIGHT FIVE '\n + 'QUOTE EMPTY ONE TRUE RETURN CR LINEFEED RIGHT BACKSLASH NULL SEVEN TAB THREE TWO '\n + 'six ten formfeed nine zero none space four false colon crlf pi comma endoffile eof eight five '\n + 'quote empty one true return cr linefeed right backslash null seven tab three two '\n + 'RIVERSION RISTATE FILE_READ_MODE FILE_WRITE_MODE FILE_WRITE_MODE DIR_WRITE_MODE FILE_READ_UMASK '\n + 'FILE_WRITE_UMASK DIR_READ_UMASK DIR_WRITE_UMASK',\n built_in:\n 'put abs acos aliasReference annuity arrayDecode arrayEncode asin atan atan2 average avg avgDev base64Decode '\n + 'base64Encode baseConvert binaryDecode binaryEncode byteOffset byteToNum cachedURL cachedURLs charToNum '\n + 'cipherNames codepointOffset codepointProperty codepointToNum codeunitOffset commandNames compound compress '\n + 'constantNames cos date dateFormat decompress difference directories '\n + 'diskSpace DNSServers exp exp1 exp2 exp10 extents files flushEvents folders format functionNames geometricMean global '\n + 'globals hasMemory harmonicMean hostAddress hostAddressToName hostName hostNameToAddress isNumber ISOToMac itemOffset '\n + 'keys len length libURLErrorData libUrlFormData libURLftpCommand libURLLastHTTPHeaders libURLLastRHHeaders '\n + 'libUrlMultipartFormAddPart libUrlMultipartFormData libURLVersion lineOffset ln ln1 localNames log log2 log10 '\n + 'longFilePath lower macToISO matchChunk matchText matrixMultiply max md5Digest median merge messageAuthenticationCode messageDigest millisec '\n + 'millisecs millisecond milliseconds min monthNames nativeCharToNum normalizeText num number numToByte numToChar '\n + 'numToCodepoint numToNativeChar offset open openfiles openProcesses openProcessIDs openSockets '\n + 'paragraphOffset paramCount param params peerAddress pendingMessages platform popStdDev populationStandardDeviation '\n + 'populationVariance popVariance processID random randomBytes replaceText result revCreateXMLTree revCreateXMLTreeFromFile '\n + 'revCurrentRecord revCurrentRecordIsFirst revCurrentRecordIsLast revDatabaseColumnCount revDatabaseColumnIsNull '\n + 'revDatabaseColumnLengths revDatabaseColumnNames revDatabaseColumnNamed revDatabaseColumnNumbered '\n + 'revDatabaseColumnTypes revDatabaseConnectResult revDatabaseCursors revDatabaseID revDatabaseTableNames '\n + 'revDatabaseType revDataFromQuery revdb_closeCursor revdb_columnbynumber revdb_columncount revdb_columnisnull '\n + 'revdb_columnlengths revdb_columnnames revdb_columntypes revdb_commit revdb_connect revdb_connections '\n + 'revdb_connectionerr revdb_currentrecord revdb_cursorconnection revdb_cursorerr revdb_cursors revdb_dbtype '\n + 'revdb_disconnect revdb_execute revdb_iseof revdb_isbof revdb_movefirst revdb_movelast revdb_movenext '\n + 'revdb_moveprev revdb_query revdb_querylist revdb_recordcount revdb_rollback revdb_tablenames '\n + 'revGetDatabaseDriverPath revNumberOfRecords revOpenDatabase revOpenDatabases revQueryDatabase '\n + 'revQueryDatabaseBlob revQueryResult revQueryIsAtStart revQueryIsAtEnd revUnixFromMacPath revXMLAttribute '\n + 'revXMLAttributes revXMLAttributeValues revXMLChildContents revXMLChildNames revXMLCreateTreeFromFileWithNamespaces '\n + 'revXMLCreateTreeWithNamespaces revXMLDataFromXPathQuery revXMLEvaluateXPath revXMLFirstChild revXMLMatchingNode '\n + 'revXMLNextSibling revXMLNodeContents revXMLNumberOfChildren revXMLParent revXMLPreviousSibling '\n + 'revXMLRootNode revXMLRPC_CreateRequest revXMLRPC_Documents revXMLRPC_Error '\n + 'revXMLRPC_GetHost revXMLRPC_GetMethod revXMLRPC_GetParam revXMLText revXMLRPC_Execute '\n + 'revXMLRPC_GetParamCount revXMLRPC_GetParamNode revXMLRPC_GetParamType revXMLRPC_GetPath revXMLRPC_GetPort '\n + 'revXMLRPC_GetProtocol revXMLRPC_GetRequest revXMLRPC_GetResponse revXMLRPC_GetSocket revXMLTree '\n + 'revXMLTrees revXMLValidateDTD revZipDescribeItem revZipEnumerateItems revZipOpenArchives round sampVariance '\n + 'sec secs seconds sentenceOffset sha1Digest shell shortFilePath sin specialFolderPath sqrt standardDeviation statRound '\n + 'stdDev sum sysError systemVersion tan tempName textDecode textEncode tick ticks time to tokenOffset toLower toUpper '\n + 'transpose truewordOffset trunc uniDecode uniEncode upper URLDecode URLEncode URLStatus uuid value variableNames '\n + 'variance version waitDepth weekdayNames wordOffset xsltApplyStylesheet xsltApplyStylesheetFromFile xsltLoadStylesheet '\n + 'xsltLoadStylesheetFromFile add breakpoint cancel clear local variable file word line folder directory URL close socket process '\n + 'combine constant convert create new alias folder directory decrypt delete variable word line folder '\n + 'directory URL dispatch divide do encrypt filter get include intersect kill libURLDownloadToFile '\n + 'libURLFollowHttpRedirects libURLftpUpload libURLftpUploadFile libURLresetAll libUrlSetAuthCallback libURLSetDriver '\n + 'libURLSetCustomHTTPHeaders libUrlSetExpect100 libURLSetFTPListCommand libURLSetFTPMode libURLSetFTPStopTime '\n + 'libURLSetStatusCallback load extension loadedExtensions multiply socket prepare process post seek rel relative read from process rename '\n + 'replace require resetAll resolve revAddXMLNode revAppendXML revCloseCursor revCloseDatabase revCommitDatabase '\n + 'revCopyFile revCopyFolder revCopyXMLNode revDeleteFolder revDeleteXMLNode revDeleteAllXMLTrees '\n + 'revDeleteXMLTree revExecuteSQL revGoURL revInsertXMLNode revMoveFolder revMoveToFirstRecord revMoveToLastRecord '\n + 'revMoveToNextRecord revMoveToPreviousRecord revMoveToRecord revMoveXMLNode revPutIntoXMLNode revRollBackDatabase '\n + 'revSetDatabaseDriverPath revSetXMLAttribute revXMLRPC_AddParam revXMLRPC_DeleteAllDocuments revXMLAddDTD '\n + 'revXMLRPC_Free revXMLRPC_FreeAll revXMLRPC_DeleteDocument revXMLRPC_DeleteParam revXMLRPC_SetHost '\n + 'revXMLRPC_SetMethod revXMLRPC_SetPort revXMLRPC_SetProtocol revXMLRPC_SetSocket revZipAddItemWithData '\n + 'revZipAddItemWithFile revZipAddUncompressedItemWithData revZipAddUncompressedItemWithFile revZipCancel '\n + 'revZipCloseArchive revZipDeleteItem revZipExtractItemToFile revZipExtractItemToVariable revZipSetProgressCallback '\n + 'revZipRenameItem revZipReplaceItemWithData revZipReplaceItemWithFile revZipOpenArchive send set sort split start stop '\n + 'subtract symmetric union unload vectorDotProduct wait write'\n },\n contains: [\n VARIABLE,\n {\n className: 'keyword',\n begin: '\\\\bend\\\\sif\\\\b'\n },\n {\n className: 'function',\n beginKeywords: 'function',\n end: '$',\n contains: [\n VARIABLE,\n TITLE2,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.BINARY_NUMBER_MODE,\n hljs.C_NUMBER_MODE,\n TITLE1\n ]\n },\n {\n className: 'function',\n begin: '\\\\bend\\\\s+',\n end: '$',\n keywords: 'end',\n contains: [\n TITLE2,\n TITLE1\n ],\n relevance: 0\n },\n {\n beginKeywords: 'command on',\n end: '$',\n contains: [\n VARIABLE,\n TITLE2,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.BINARY_NUMBER_MODE,\n hljs.C_NUMBER_MODE,\n TITLE1\n ]\n },\n {\n className: 'meta',\n variants: [\n {\n begin: '<\\\\?(rev|lc|livecode)',\n relevance: 10\n },\n { begin: '<\\\\?' },\n { begin: '\\\\?>' }\n ]\n },\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.BINARY_NUMBER_MODE,\n hljs.C_NUMBER_MODE,\n TITLE1\n ].concat(COMMENT_MODES),\n illegal: ';$|^\\\\[|^=|&|\\\\{'\n };\n}\n\nmodule.exports = livecodeserver;\n", "const KEYWORDS = [\n \"as\", // for exports\n \"in\",\n \"of\",\n \"if\",\n \"for\",\n \"while\",\n \"finally\",\n \"var\",\n \"new\",\n \"function\",\n \"do\",\n \"return\",\n \"void\",\n \"else\",\n \"break\",\n \"catch\",\n \"instanceof\",\n \"with\",\n \"throw\",\n \"case\",\n \"default\",\n \"try\",\n \"switch\",\n \"continue\",\n \"typeof\",\n \"delete\",\n \"let\",\n \"yield\",\n \"const\",\n \"class\",\n // JS handles these with a special rule\n // \"get\",\n // \"set\",\n \"debugger\",\n \"async\",\n \"await\",\n \"static\",\n \"import\",\n \"from\",\n \"export\",\n \"extends\"\n];\nconst LITERALS = [\n \"true\",\n \"false\",\n \"null\",\n \"undefined\",\n \"NaN\",\n \"Infinity\"\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects\nconst TYPES = [\n // Fundamental objects\n \"Object\",\n \"Function\",\n \"Boolean\",\n \"Symbol\",\n // numbers and dates\n \"Math\",\n \"Date\",\n \"Number\",\n \"BigInt\",\n // text\n \"String\",\n \"RegExp\",\n // Indexed collections\n \"Array\",\n \"Float32Array\",\n \"Float64Array\",\n \"Int8Array\",\n \"Uint8Array\",\n \"Uint8ClampedArray\",\n \"Int16Array\",\n \"Int32Array\",\n \"Uint16Array\",\n \"Uint32Array\",\n \"BigInt64Array\",\n \"BigUint64Array\",\n // Keyed collections\n \"Set\",\n \"Map\",\n \"WeakSet\",\n \"WeakMap\",\n // Structured data\n \"ArrayBuffer\",\n \"SharedArrayBuffer\",\n \"Atomics\",\n \"DataView\",\n \"JSON\",\n // Control abstraction objects\n \"Promise\",\n \"Generator\",\n \"GeneratorFunction\",\n \"AsyncFunction\",\n // Reflection\n \"Reflect\",\n \"Proxy\",\n // Internationalization\n \"Intl\",\n // WebAssembly\n \"WebAssembly\"\n];\n\nconst ERROR_TYPES = [\n \"Error\",\n \"EvalError\",\n \"InternalError\",\n \"RangeError\",\n \"ReferenceError\",\n \"SyntaxError\",\n \"TypeError\",\n \"URIError\"\n];\n\nconst BUILT_IN_GLOBALS = [\n \"setInterval\",\n \"setTimeout\",\n \"clearInterval\",\n \"clearTimeout\",\n\n \"require\",\n \"exports\",\n\n \"eval\",\n \"isFinite\",\n \"isNaN\",\n \"parseFloat\",\n \"parseInt\",\n \"decodeURI\",\n \"decodeURIComponent\",\n \"encodeURI\",\n \"encodeURIComponent\",\n \"escape\",\n \"unescape\"\n];\n\nconst BUILT_INS = [].concat(\n BUILT_IN_GLOBALS,\n TYPES,\n ERROR_TYPES\n);\n\n/*\nLanguage: LiveScript\nAuthor: Taneli Vatanen <taneli.vatanen@gmail.com>\nContributors: Jen Evers-Corvina <jen@sevvie.net>\nOrigin: coffeescript.js\nDescription: LiveScript is a programming language that transcompiles to JavaScript. For info about language see http://livescript.net/\nWebsite: https://livescript.net\nCategory: scripting\n*/\n\nfunction livescript(hljs) {\n const LIVESCRIPT_BUILT_INS = [\n 'npm',\n 'print'\n ];\n const LIVESCRIPT_LITERALS = [\n 'yes',\n 'no',\n 'on',\n 'off',\n 'it',\n 'that',\n 'void'\n ];\n const LIVESCRIPT_KEYWORDS = [\n 'then',\n 'unless',\n 'until',\n 'loop',\n 'of',\n 'by',\n 'when',\n 'and',\n 'or',\n 'is',\n 'isnt',\n 'not',\n 'it',\n 'that',\n 'otherwise',\n 'from',\n 'to',\n 'til',\n 'fallthrough',\n 'case',\n 'enum',\n 'native',\n 'list',\n 'map',\n '__hasProp',\n '__extends',\n '__slice',\n '__bind',\n '__indexOf'\n ];\n const KEYWORDS$1 = {\n keyword: KEYWORDS.concat(LIVESCRIPT_KEYWORDS),\n literal: LITERALS.concat(LIVESCRIPT_LITERALS),\n built_in: BUILT_INS.concat(LIVESCRIPT_BUILT_INS)\n };\n const JS_IDENT_RE = '[A-Za-z$_](?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*';\n const TITLE = hljs.inherit(hljs.TITLE_MODE, { begin: JS_IDENT_RE });\n const SUBST = {\n className: 'subst',\n begin: /#\\{/,\n end: /\\}/,\n keywords: KEYWORDS$1\n };\n const SUBST_SIMPLE = {\n className: 'subst',\n begin: /#[A-Za-z$_]/,\n end: /(?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*/,\n keywords: KEYWORDS$1\n };\n const EXPRESSIONS = [\n hljs.BINARY_NUMBER_MODE,\n {\n className: 'number',\n begin: '(\\\\b0[xX][a-fA-F0-9_]+)|(\\\\b\\\\d(\\\\d|_\\\\d)*(\\\\.(\\\\d(\\\\d|_\\\\d)*)?)?(_*[eE]([-+]\\\\d(_\\\\d|\\\\d)*)?)?[_a-z]*)',\n relevance: 0,\n starts: {\n end: '(\\\\s*/)?',\n relevance: 0\n } // a number tries to eat the following slash to prevent treating it as a regexp\n },\n {\n className: 'string',\n variants: [\n {\n begin: /'''/,\n end: /'''/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: /'/,\n end: /'/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: /\"\"\"/,\n end: /\"\"\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST,\n SUBST_SIMPLE\n ]\n },\n {\n begin: /\"/,\n end: /\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST,\n SUBST_SIMPLE\n ]\n },\n {\n begin: /\\\\/,\n end: /(\\s|$)/,\n excludeEnd: true\n }\n ]\n },\n {\n className: 'regexp',\n variants: [\n {\n begin: '//',\n end: '//[gim]*',\n contains: [\n SUBST,\n hljs.HASH_COMMENT_MODE\n ]\n },\n {\n // regex can't start with space to parse x / 2 / 3 as two divisions\n // regex can't start with *, and it supports an \"illegal\" in the main mode\n begin: /\\/(?![ *])(\\\\.|[^\\\\\\n])*?\\/[gim]*(?=\\W)/ }\n ]\n },\n { begin: '@' + JS_IDENT_RE },\n {\n begin: '``',\n end: '``',\n excludeBegin: true,\n excludeEnd: true,\n subLanguage: 'javascript'\n }\n ];\n SUBST.contains = EXPRESSIONS;\n\n const PARAMS = {\n className: 'params',\n begin: '\\\\(',\n returnBegin: true,\n /* We need another contained nameless mode to not have every nested\n pair of parens to be called \"params\" */\n contains: [\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS$1,\n contains: [ 'self' ].concat(EXPRESSIONS)\n }\n ]\n };\n\n const SYMBOLS = { begin: '(#=>|=>|\\\\|>>|-?->|!->)' };\n\n const CLASS_DEFINITION = {\n variants: [\n { match: [\n /class\\s+/,\n JS_IDENT_RE,\n /\\s+extends\\s+/,\n JS_IDENT_RE\n ] },\n { match: [\n /class\\s+/,\n JS_IDENT_RE\n ] }\n ],\n scope: {\n 2: \"title.class\",\n 4: \"title.class.inherited\"\n },\n keywords: KEYWORDS$1\n };\n\n return {\n name: 'LiveScript',\n aliases: [ 'ls' ],\n keywords: KEYWORDS$1,\n illegal: /\\/\\*/,\n contains: EXPRESSIONS.concat([\n hljs.COMMENT('\\\\/\\\\*', '\\\\*\\\\/'),\n hljs.HASH_COMMENT_MODE,\n SYMBOLS, // relevance booster\n {\n className: 'function',\n contains: [\n TITLE,\n PARAMS\n ],\n returnBegin: true,\n variants: [\n {\n begin: '(' + JS_IDENT_RE + '\\\\s*(?:=|:=)\\\\s*)?(\\\\(.*\\\\)\\\\s*)?\\\\B->\\\\*?',\n end: '->\\\\*?'\n },\n {\n begin: '(' + JS_IDENT_RE + '\\\\s*(?:=|:=)\\\\s*)?!?(\\\\(.*\\\\)\\\\s*)?\\\\B[-~]{1,2}>\\\\*?',\n end: '[-~]{1,2}>\\\\*?'\n },\n {\n begin: '(' + JS_IDENT_RE + '\\\\s*(?:=|:=)\\\\s*)?(\\\\(.*\\\\)\\\\s*)?\\\\B!?[-~]{1,2}>\\\\*?',\n end: '!?[-~]{1,2}>\\\\*?'\n }\n ]\n },\n CLASS_DEFINITION,\n {\n begin: JS_IDENT_RE + ':',\n end: ':',\n returnBegin: true,\n returnEnd: true,\n relevance: 0\n }\n ])\n };\n}\n\nmodule.exports = livescript;\n", "/*\nLanguage: LLVM IR\nAuthor: Michael Rodler <contact@f0rki.at>\nDescription: language used as intermediate representation in the LLVM compiler framework\nWebsite: https://llvm.org/docs/LangRef.html\nCategory: assembler\nAudit: 2020\n*/\n\n/** @type LanguageFn */\nfunction llvm(hljs) {\n const regex = hljs.regex;\n const IDENT_RE = /([-a-zA-Z$._][\\w$.-]*)/;\n const TYPE = {\n className: 'type',\n begin: /\\bi\\d+(?=\\s|\\b)/\n };\n const OPERATOR = {\n className: 'operator',\n relevance: 0,\n begin: /=/\n };\n const PUNCTUATION = {\n className: 'punctuation',\n relevance: 0,\n begin: /,/\n };\n const NUMBER = {\n className: 'number',\n variants: [\n { begin: /[su]?0[xX][KMLHR]?[a-fA-F0-9]+/ },\n { begin: /[-+]?\\d+(?:[.]\\d+)?(?:[eE][-+]?\\d+(?:[.]\\d+)?)?/ }\n ],\n relevance: 0\n };\n const LABEL = {\n className: 'symbol',\n variants: [ { begin: /^\\s*[a-z]+:/ }, // labels\n ],\n relevance: 0\n };\n const VARIABLE = {\n className: 'variable',\n variants: [\n { begin: regex.concat(/%/, IDENT_RE) },\n { begin: /%\\d+/ },\n { begin: /#\\d+/ },\n ]\n };\n const FUNCTION = {\n className: 'title',\n variants: [\n { begin: regex.concat(/@/, IDENT_RE) },\n { begin: /@\\d+/ },\n { begin: regex.concat(/!/, IDENT_RE) },\n { begin: regex.concat(/!\\d+/, IDENT_RE) },\n // https://llvm.org/docs/LangRef.html#namedmetadatastructure\n // obviously a single digit can also be used in this fashion\n { begin: /!\\d+/ }\n ]\n };\n\n return {\n name: 'LLVM IR',\n // TODO: split into different categories of keywords\n keywords:\n 'begin end true false declare define global '\n + 'constant private linker_private internal '\n + 'available_externally linkonce linkonce_odr weak '\n + 'weak_odr appending dllimport dllexport common '\n + 'default hidden protected extern_weak external '\n + 'thread_local zeroinitializer undef null to tail '\n + 'target triple datalayout volatile nuw nsw nnan '\n + 'ninf nsz arcp fast exact inbounds align '\n + 'addrspace section alias module asm sideeffect '\n + 'gc dbg linker_private_weak attributes blockaddress '\n + 'initialexec localdynamic localexec prefix unnamed_addr '\n + 'ccc fastcc coldcc x86_stdcallcc x86_fastcallcc '\n + 'arm_apcscc arm_aapcscc arm_aapcs_vfpcc ptx_device '\n + 'ptx_kernel intel_ocl_bicc msp430_intrcc spir_func '\n + 'spir_kernel x86_64_sysvcc x86_64_win64cc x86_thiscallcc '\n + 'cc c signext zeroext inreg sret nounwind '\n + 'noreturn noalias nocapture byval nest readnone '\n + 'readonly inlinehint noinline alwaysinline optsize ssp '\n + 'sspreq noredzone noimplicitfloat naked builtin cold '\n + 'nobuiltin noduplicate nonlazybind optnone returns_twice '\n + 'sanitize_address sanitize_memory sanitize_thread sspstrong '\n + 'uwtable returned type opaque eq ne slt sgt '\n + 'sle sge ult ugt ule uge oeq one olt ogt '\n + 'ole oge ord uno ueq une x acq_rel acquire '\n + 'alignstack atomic catch cleanup filter inteldialect '\n + 'max min monotonic nand personality release seq_cst '\n + 'singlethread umax umin unordered xchg add fadd '\n + 'sub fsub mul fmul udiv sdiv fdiv urem srem '\n + 'frem shl lshr ashr and or xor icmp fcmp '\n + 'phi call trunc zext sext fptrunc fpext uitofp '\n + 'sitofp fptoui fptosi inttoptr ptrtoint bitcast '\n + 'addrspacecast select va_arg ret br switch invoke '\n + 'unwind unreachable indirectbr landingpad resume '\n + 'malloc alloca free load store getelementptr '\n + 'extractelement insertelement shufflevector getresult '\n + 'extractvalue insertvalue atomicrmw cmpxchg fence '\n + 'argmemonly double',\n contains: [\n TYPE,\n // this matches \"empty comments\"...\n // ...because it's far more likely this is a statement terminator in\n // another language than an actual comment\n hljs.COMMENT(/;\\s*$/, null, { relevance: 0 }),\n hljs.COMMENT(/;/, /$/),\n {\n className: 'string',\n begin: /\"/,\n end: /\"/,\n contains: [\n {\n className: 'char.escape',\n match: /\\\\\\d\\d/\n }\n ]\n },\n FUNCTION,\n PUNCTUATION,\n OPERATOR,\n VARIABLE,\n LABEL,\n NUMBER\n ]\n };\n}\n\nmodule.exports = llvm;\n", "/*\nLanguage: LSL (Linden Scripting Language)\nDescription: The Linden Scripting Language is used in Second Life by Linden Labs.\nAuthor: Builder's Brewery <buildersbrewery@gmail.com>\nWebsite: http://wiki.secondlife.com/wiki/LSL_Portal\nCategory: scripting\n*/\n\nfunction lsl(hljs) {\n const LSL_STRING_ESCAPE_CHARS = {\n className: 'subst',\n begin: /\\\\[tn\"\\\\]/\n };\n\n const LSL_STRINGS = {\n className: 'string',\n begin: '\"',\n end: '\"',\n contains: [ LSL_STRING_ESCAPE_CHARS ]\n };\n\n const LSL_NUMBERS = {\n className: 'number',\n relevance: 0,\n begin: hljs.C_NUMBER_RE\n };\n\n const LSL_CONSTANTS = {\n className: 'literal',\n variants: [\n { begin: '\\\\b(PI|TWO_PI|PI_BY_TWO|DEG_TO_RAD|RAD_TO_DEG|SQRT2)\\\\b' },\n { begin: '\\\\b(XP_ERROR_(EXPERIENCES_DISABLED|EXPERIENCE_(DISABLED|SUSPENDED)|INVALID_(EXPERIENCE|PARAMETERS)|KEY_NOT_FOUND|MATURITY_EXCEEDED|NONE|NOT_(FOUND|PERMITTED(_LAND)?)|NO_EXPERIENCE|QUOTA_EXCEEDED|RETRY_UPDATE|STORAGE_EXCEPTION|STORE_DISABLED|THROTTLED|UNKNOWN_ERROR)|JSON_APPEND|STATUS_(PHYSICS|ROTATE_[XYZ]|PHANTOM|SANDBOX|BLOCK_GRAB(_OBJECT)?|(DIE|RETURN)_AT_EDGE|CAST_SHADOWS|OK|MALFORMED_PARAMS|TYPE_MISMATCH|BOUNDS_ERROR|NOT_(FOUND|SUPPORTED)|INTERNAL_ERROR|WHITELIST_FAILED)|AGENT(_(BY_(LEGACY_|USER)NAME|FLYING|ATTACHMENTS|SCRIPTED|MOUSELOOK|SITTING|ON_OBJECT|AWAY|WALKING|IN_AIR|TYPING|CROUCHING|BUSY|ALWAYS_RUN|AUTOPILOT|LIST_(PARCEL(_OWNER)?|REGION)))?|CAMERA_(PITCH|DISTANCE|BEHINDNESS_(ANGLE|LAG)|(FOCUS|POSITION)(_(THRESHOLD|LOCKED|LAG))?|FOCUS_OFFSET|ACTIVE)|ANIM_ON|LOOP|REVERSE|PING_PONG|SMOOTH|ROTATE|SCALE|ALL_SIDES|LINK_(ROOT|SET|ALL_(OTHERS|CHILDREN)|THIS)|ACTIVE|PASS(IVE|_(ALWAYS|IF_NOT_HANDLED|NEVER))|SCRIPTED|CONTROL_(FWD|BACK|(ROT_)?(LEFT|RIGHT)|UP|DOWN|(ML_)?LBUTTON)|PERMISSION_(RETURN_OBJECTS|DEBIT|OVERRIDE_ANIMATIONS|SILENT_ESTATE_MANAGEMENT|TAKE_CONTROLS|TRIGGER_ANIMATION|ATTACH|CHANGE_LINKS|(CONTROL|TRACK)_CAMERA|TELEPORT)|INVENTORY_(TEXTURE|SOUND|OBJECT|SCRIPT|LANDMARK|CLOTHING|NOTECARD|BODYPART|ANIMATION|GESTURE|ALL|NONE)|CHANGED_(INVENTORY|COLOR|SHAPE|SCALE|TEXTURE|LINK|ALLOWED_DROP|OWNER|REGION(_START)?|TELEPORT|MEDIA)|OBJECT_(CLICK_ACTION|HOVER_HEIGHT|LAST_OWNER_ID|(PHYSICS|SERVER|STREAMING)_COST|UNKNOWN_DETAIL|CHARACTER_TIME|PHANTOM|PHYSICS|TEMP_(ATTACHED|ON_REZ)|NAME|DESC|POS|PRIM_(COUNT|EQUIVALENCE)|RETURN_(PARCEL(_OWNER)?|REGION)|REZZER_KEY|ROO?T|VELOCITY|OMEGA|OWNER|GROUP(_TAG)?|CREATOR|ATTACHED_(POINT|SLOTS_AVAILABLE)|RENDER_WEIGHT|(BODY_SHAPE|PATHFINDING)_TYPE|(RUNNING|TOTAL)_SCRIPT_COUNT|TOTAL_INVENTORY_COUNT|SCRIPT_(MEMORY|TIME))|TYPE_(INTEGER|FLOAT|STRING|KEY|VECTOR|ROTATION|INVALID)|(DEBUG|PUBLIC)_CHANNEL|ATTACH_(AVATAR_CENTER|CHEST|HEAD|BACK|PELVIS|MOUTH|CHIN|NECK|NOSE|BELLY|[LR](SHOULDER|HAND|FOOT|EAR|EYE|[UL](ARM|LEG)|HIP)|(LEFT|RIGHT)_PEC|HUD_(CENTER_[12]|TOP_(RIGHT|CENTER|LEFT)|BOTTOM(_(RIGHT|LEFT))?)|[LR]HAND_RING1|TAIL_(BASE|TIP)|[LR]WING|FACE_(JAW|[LR]EAR|[LR]EYE|TOUNGE)|GROIN|HIND_[LR]FOOT)|LAND_(LEVEL|RAISE|LOWER|SMOOTH|NOISE|REVERT)|DATA_(ONLINE|NAME|BORN|SIM_(POS|STATUS|RATING)|PAYINFO)|PAYMENT_INFO_(ON_FILE|USED)|REMOTE_DATA_(CHANNEL|REQUEST|REPLY)|PSYS_(PART_(BF_(ZERO|ONE(_MINUS_(DEST_COLOR|SOURCE_(ALPHA|COLOR)))?|DEST_COLOR|SOURCE_(ALPHA|COLOR))|BLEND_FUNC_(DEST|SOURCE)|FLAGS|(START|END)_(COLOR|ALPHA|SCALE|GLOW)|MAX_AGE|(RIBBON|WIND|INTERP_(COLOR|SCALE)|BOUNCE|FOLLOW_(SRC|VELOCITY)|TARGET_(POS|LINEAR)|EMISSIVE)_MASK)|SRC_(MAX_AGE|PATTERN|ANGLE_(BEGIN|END)|BURST_(RATE|PART_COUNT|RADIUS|SPEED_(MIN|MAX))|ACCEL|TEXTURE|TARGET_KEY|OMEGA|PATTERN_(DROP|EXPLODE|ANGLE(_CONE(_EMPTY)?)?)))|VEHICLE_(REFERENCE_FRAME|TYPE_(NONE|SLED|CAR|BOAT|AIRPLANE|BALLOON)|(LINEAR|ANGULAR)_(FRICTION_TIMESCALE|MOTOR_DIRECTION)|LINEAR_MOTOR_OFFSET|HOVER_(HEIGHT|EFFICIENCY|TIMESCALE)|BUOYANCY|(LINEAR|ANGULAR)_(DEFLECTION_(EFFICIENCY|TIMESCALE)|MOTOR_(DECAY_)?TIMESCALE)|VERTICAL_ATTRACTION_(EFFICIENCY|TIMESCALE)|BANKING_(EFFICIENCY|MIX|TIMESCALE)|FLAG_(NO_DEFLECTION_UP|LIMIT_(ROLL_ONLY|MOTOR_UP)|HOVER_((WATER|TERRAIN|UP)_ONLY|GLOBAL_HEIGHT)|MOUSELOOK_(STEER|BANK)|CAMERA_DECOUPLED))|PRIM_(ALLOW_UNSIT|ALPHA_MODE(_(BLEND|EMISSIVE|MASK|NONE))?|NORMAL|SPECULAR|TYPE(_(BOX|CYLINDER|PRISM|SPHERE|TORUS|TUBE|RING|SCULPT))?|HOLE_(DEFAULT|CIRCLE|SQUARE|TRIANGLE)|MATERIAL(_(STONE|METAL|GLASS|WOOD|FLESH|PLASTIC|RUBBER))?|SHINY_(NONE|LOW|MEDIUM|HIGH)|BUMP_(NONE|BRIGHT|DARK|WOOD|BARK|BRICKS|CHECKER|CONCRETE|TILE|STONE|DISKS|GRAVEL|BLOBS|SIDING|LARGETILE|STUCCO|SUCTION|WEAVE)|TEXGEN_(DEFAULT|PLANAR)|SCRIPTED_SIT_ONLY|SCULPT_(TYPE_(SPHERE|TORUS|PLANE|CYLINDER|MASK)|FLAG_(MIRROR|INVERT))|PHYSICS(_(SHAPE_(CONVEX|NONE|PRIM|TYPE)))?|(POS|ROT)_LOCAL|SLICE|TEXT|FLEXIBLE|POINT_LIGHT|TEMP_ON_REZ|PHANTOM|POSITION|SIT_TARGET|SIZE|ROTATION|TEXTURE|NAME|OMEGA|DESC|LINK_TARGET|COLOR|BUMP_SHINY|FULLBRIGHT|TEXGEN|GLOW|MEDIA_(ALT_IMAGE_ENABLE|CONTROLS|(CURRENT|HOME)_URL|AUTO_(LOOP|PLAY|SCALE|ZOOM)|FIRST_CLICK_INTERACT|(WIDTH|HEIGHT)_PIXELS|WHITELIST(_ENABLE)?|PERMS_(INTERACT|CONTROL)|PARAM_MAX|CONTROLS_(STANDARD|MINI)|PERM_(NONE|OWNER|GROUP|ANYONE)|MAX_(URL_LENGTH|WHITELIST_(SIZE|COUNT)|(WIDTH|HEIGHT)_PIXELS)))|MASK_(BASE|OWNER|GROUP|EVERYONE|NEXT)|PERM_(TRANSFER|MODIFY|COPY|MOVE|ALL)|PARCEL_(MEDIA_COMMAND_(STOP|PAUSE|PLAY|LOOP|TEXTURE|URL|TIME|AGENT|UNLOAD|AUTO_ALIGN|TYPE|SIZE|DESC|LOOP_SET)|FLAG_(ALLOW_(FLY|(GROUP_)?SCRIPTS|LANDMARK|TERRAFORM|DAMAGE|CREATE_(GROUP_)?OBJECTS)|USE_(ACCESS_(GROUP|LIST)|BAN_LIST|LAND_PASS_LIST)|LOCAL_SOUND_ONLY|RESTRICT_PUSHOBJECT|ALLOW_(GROUP|ALL)_OBJECT_ENTRY)|COUNT_(TOTAL|OWNER|GROUP|OTHER|SELECTED|TEMP)|DETAILS_(NAME|DESC|OWNER|GROUP|AREA|ID|SEE_AVATARS))|LIST_STAT_(MAX|MIN|MEAN|MEDIAN|STD_DEV|SUM(_SQUARES)?|NUM_COUNT|GEOMETRIC_MEAN|RANGE)|PAY_(HIDE|DEFAULT)|REGION_FLAG_(ALLOW_DAMAGE|FIXED_SUN|BLOCK_TERRAFORM|SANDBOX|DISABLE_(COLLISIONS|PHYSICS)|BLOCK_FLY|ALLOW_DIRECT_TELEPORT|RESTRICT_PUSHOBJECT)|HTTP_(METHOD|MIMETYPE|BODY_(MAXLENGTH|TRUNCATED)|CUSTOM_HEADER|PRAGMA_NO_CACHE|VERBOSE_THROTTLE|VERIFY_CERT)|SIT_(INVALID_(AGENT|LINK_OBJECT)|NO(T_EXPERIENCE|_(ACCESS|EXPERIENCE_PERMISSION|SIT_TARGET)))|STRING_(TRIM(_(HEAD|TAIL))?)|CLICK_ACTION_(NONE|TOUCH|SIT|BUY|PAY|OPEN(_MEDIA)?|PLAY|ZOOM)|TOUCH_INVALID_FACE|PROFILE_(NONE|SCRIPT_MEMORY)|RC_(DATA_FLAGS|DETECT_PHANTOM|GET_(LINK_NUM|NORMAL|ROOT_KEY)|MAX_HITS|REJECT_(TYPES|AGENTS|(NON)?PHYSICAL|LAND))|RCERR_(CAST_TIME_EXCEEDED|SIM_PERF_LOW|UNKNOWN)|ESTATE_ACCESS_(ALLOWED_(AGENT|GROUP)_(ADD|REMOVE)|BANNED_AGENT_(ADD|REMOVE))|DENSITY|FRICTION|RESTITUTION|GRAVITY_MULTIPLIER|KFM_(COMMAND|CMD_(PLAY|STOP|PAUSE)|MODE|FORWARD|LOOP|PING_PONG|REVERSE|DATA|ROTATION|TRANSLATION)|ERR_(GENERIC|PARCEL_PERMISSIONS|MALFORMED_PARAMS|RUNTIME_PERMISSIONS|THROTTLED)|CHARACTER_(CMD_((SMOOTH_)?STOP|JUMP)|DESIRED_(TURN_)?SPEED|RADIUS|STAY_WITHIN_PARCEL|LENGTH|ORIENTATION|ACCOUNT_FOR_SKIPPED_FRAMES|AVOIDANCE_MODE|TYPE(_([ABCD]|NONE))?|MAX_(DECEL|TURN_RADIUS|(ACCEL|SPEED)))|PURSUIT_(OFFSET|FUZZ_FACTOR|GOAL_TOLERANCE|INTERCEPT)|REQUIRE_LINE_OF_SIGHT|FORCE_DIRECT_PATH|VERTICAL|HORIZONTAL|AVOID_(CHARACTERS|DYNAMIC_OBSTACLES|NONE)|PU_(EVADE_(HIDDEN|SPOTTED)|FAILURE_(DYNAMIC_PATHFINDING_DISABLED|INVALID_(GOAL|START)|NO_(NAVMESH|VALID_DESTINATION)|OTHER|TARGET_GONE|(PARCEL_)?UNREACHABLE)|(GOAL|SLOWDOWN_DISTANCE)_REACHED)|TRAVERSAL_TYPE(_(FAST|NONE|SLOW))?|CONTENT_TYPE_(ATOM|FORM|HTML|JSON|LLSD|RSS|TEXT|XHTML|XML)|GCNP_(RADIUS|STATIC)|(PATROL|WANDER)_PAUSE_AT_WAYPOINTS|OPT_(AVATAR|CHARACTER|EXCLUSION_VOLUME|LEGACY_LINKSET|MATERIAL_VOLUME|OTHER|STATIC_OBSTACLE|WALKABLE)|SIM_STAT_PCT_CHARS_STEPPED)\\\\b' },\n { begin: '\\\\b(FALSE|TRUE)\\\\b' },\n { begin: '\\\\b(ZERO_ROTATION)\\\\b' },\n { begin: '\\\\b(EOF|JSON_(ARRAY|DELETE|FALSE|INVALID|NULL|NUMBER|OBJECT|STRING|TRUE)|NULL_KEY|TEXTURE_(BLANK|DEFAULT|MEDIA|PLYWOOD|TRANSPARENT)|URL_REQUEST_(GRANTED|DENIED))\\\\b' },\n { begin: '\\\\b(ZERO_VECTOR|TOUCH_INVALID_(TEXCOORD|VECTOR))\\\\b' }\n ]\n };\n\n const LSL_FUNCTIONS = {\n className: 'built_in',\n begin: '\\\\b(ll(AgentInExperience|(Create|DataSize|Delete|KeyCount|Keys|Read|Update)KeyValue|GetExperience(Details|ErrorMessage)|ReturnObjectsBy(ID|Owner)|Json(2List|[GS]etValue|ValueType)|Sin|Cos|Tan|Atan2|Sqrt|Pow|Abs|Fabs|Frand|Floor|Ceil|Round|Vec(Mag|Norm|Dist)|Rot(Between|2(Euler|Fwd|Left|Up))|(Euler|Axes)2Rot|Whisper|(Region|Owner)?Say|Shout|Listen(Control|Remove)?|Sensor(Repeat|Remove)?|Detected(Name|Key|Owner|Type|Pos|Vel|Grab|Rot|Group|LinkNumber)|Die|Ground|Wind|([GS]et)(AnimationOverride|MemoryLimit|PrimMediaParams|ParcelMusicURL|Object(Desc|Name)|PhysicsMaterial|Status|Scale|Color|Alpha|Texture|Pos|Rot|Force|Torque)|ResetAnimationOverride|(Scale|Offset|Rotate)Texture|(Rot)?Target(Remove)?|(Stop)?MoveToTarget|Apply(Rotational)?Impulse|Set(KeyframedMotion|ContentType|RegionPos|(Angular)?Velocity|Buoyancy|HoverHeight|ForceAndTorque|TimerEvent|ScriptState|Damage|TextureAnim|Sound(Queueing|Radius)|Vehicle(Type|(Float|Vector|Rotation)Param)|(Touch|Sit)?Text|Camera(Eye|At)Offset|PrimitiveParams|ClickAction|Link(Alpha|Color|PrimitiveParams(Fast)?|Texture(Anim)?|Camera|Media)|RemoteScriptAccessPin|PayPrice|LocalRot)|ScaleByFactor|Get((Max|Min)ScaleFactor|ClosestNavPoint|StaticPath|SimStats|Env|PrimitiveParams|Link(PrimitiveParams|Number(OfSides)?|Key|Name|Media)|HTTPHeader|FreeURLs|Object(Details|PermMask|PrimCount)|Parcel(MaxPrims|Details|Prim(Count|Owners))|Attached(List)?|(SPMax|Free|Used)Memory|Region(Name|TimeDilation|FPS|Corner|AgentCount)|Root(Position|Rotation)|UnixTime|(Parcel|Region)Flags|(Wall|GMT)clock|SimulatorHostname|BoundingBox|GeometricCenter|Creator|NumberOf(Prims|NotecardLines|Sides)|Animation(List)?|(Camera|Local)(Pos|Rot)|Vel|Accel|Omega|Time(stamp|OfDay)|(Object|CenterOf)?Mass|MassMKS|Energy|Owner|(Owner)?Key|SunDirection|Texture(Offset|Scale|Rot)|Inventory(Number|Name|Key|Type|Creator|PermMask)|Permissions(Key)?|StartParameter|List(Length|EntryType)|Date|Agent(Size|Info|Language|List)|LandOwnerAt|NotecardLine|Script(Name|State))|(Get|Reset|GetAndReset)Time|PlaySound(Slave)?|LoopSound(Master|Slave)?|(Trigger|Stop|Preload)Sound|((Get|Delete)Sub|Insert)String|To(Upper|Lower)|Give(InventoryList|Money)|RezObject|(Stop)?LookAt|Sleep|CollisionFilter|(Take|Release)Controls|DetachFromAvatar|AttachToAvatar(Temp)?|InstantMessage|(GetNext)?Email|StopHover|MinEventDelay|RotLookAt|String(Length|Trim)|(Start|Stop)Animation|TargetOmega|Request(Experience)?Permissions|(Create|Break)Link|BreakAllLinks|(Give|Remove)Inventory|Water|PassTouches|Request(Agent|Inventory)Data|TeleportAgent(Home|GlobalCoords)?|ModifyLand|CollisionSound|ResetScript|MessageLinked|PushObject|PassCollisions|AxisAngle2Rot|Rot2(Axis|Angle)|A(cos|sin)|AngleBetween|AllowInventoryDrop|SubStringIndex|List2(CSV|Integer|Json|Float|String|Key|Vector|Rot|List(Strided)?)|DeleteSubList|List(Statistics|Sort|Randomize|(Insert|Find|Replace)List)|EdgeOfWorld|AdjustSoundVolume|Key2Name|TriggerSoundLimited|EjectFromLand|(CSV|ParseString)2List|OverMyLand|SameGroup|UnSit|Ground(Slope|Normal|Contour)|GroundRepel|(Set|Remove)VehicleFlags|SitOnLink|(AvatarOn)?(Link)?SitTarget|Script(Danger|Profiler)|Dialog|VolumeDetect|ResetOtherScript|RemoteLoadScriptPin|(Open|Close)RemoteDataChannel|SendRemoteData|RemoteDataReply|(Integer|String)ToBase64|XorBase64|Log(10)?|Base64To(String|Integer)|ParseStringKeepNulls|RezAtRoot|RequestSimulatorData|ForceMouselook|(Load|Release|(E|Une)scape)URL|ParcelMedia(CommandList|Query)|ModPow|MapDestination|(RemoveFrom|AddTo|Reset)Land(Pass|Ban)List|(Set|Clear)CameraParams|HTTP(Request|Response)|TextBox|DetectedTouch(UV|Face|Pos|(N|Bin)ormal|ST)|(MD5|SHA1|DumpList2)String|Request(Secure)?URL|Clear(Prim|Link)Media|(Link)?ParticleSystem|(Get|Request)(Username|DisplayName)|RegionSayTo|CastRay|GenerateKey|TransferLindenDollars|ManageEstateAccess|(Create|Delete)Character|ExecCharacterCmd|Evade|FleeFrom|NavigateTo|PatrolPoints|Pursue|UpdateCharacter|WanderWithin))\\\\b'\n };\n\n return {\n name: 'LSL (Linden Scripting Language)',\n illegal: ':',\n contains: [\n LSL_STRINGS,\n {\n className: 'comment',\n variants: [\n hljs.COMMENT('//', '$'),\n hljs.COMMENT('/\\\\*', '\\\\*/')\n ],\n relevance: 0\n },\n LSL_NUMBERS,\n {\n className: 'section',\n variants: [\n { begin: '\\\\b(state|default)\\\\b' },\n { begin: '\\\\b(state_(entry|exit)|touch(_(start|end))?|(land_)?collision(_(start|end))?|timer|listen|(no_)?sensor|control|(not_)?at_(rot_)?target|money|email|experience_permissions(_denied)?|run_time_permissions|changed|attach|dataserver|moving_(start|end)|link_message|(on|object)_rez|remote_data|http_re(sponse|quest)|path_update|transaction_result)\\\\b' }\n ]\n },\n LSL_FUNCTIONS,\n LSL_CONSTANTS,\n {\n className: 'type',\n begin: '\\\\b(integer|float|string|key|vector|quaternion|rotation|list)\\\\b'\n }\n ]\n };\n}\n\nmodule.exports = lsl;\n", "/*\nLanguage: Lua\nDescription: Lua is a powerful, efficient, lightweight, embeddable scripting language.\nAuthor: Andrew Fedorov <dmmdrs@mail.ru>\nCategory: common, scripting\nWebsite: https://www.lua.org\n*/\n\nfunction lua(hljs) {\n const OPENING_LONG_BRACKET = '\\\\[=*\\\\[';\n const CLOSING_LONG_BRACKET = '\\\\]=*\\\\]';\n const LONG_BRACKETS = {\n begin: OPENING_LONG_BRACKET,\n end: CLOSING_LONG_BRACKET,\n contains: [ 'self' ]\n };\n const COMMENTS = [\n hljs.COMMENT('--(?!' + OPENING_LONG_BRACKET + ')', '$'),\n hljs.COMMENT(\n '--' + OPENING_LONG_BRACKET,\n CLOSING_LONG_BRACKET,\n {\n contains: [ LONG_BRACKETS ],\n relevance: 10\n }\n )\n ];\n return {\n name: 'Lua',\n keywords: {\n $pattern: hljs.UNDERSCORE_IDENT_RE,\n literal: \"true false nil\",\n keyword: \"and break do else elseif end for goto if in local not or repeat return then until while\",\n built_in:\n // Metatags and globals:\n '_G _ENV _VERSION __index __newindex __mode __call __metatable __tostring __len '\n + '__gc __add __sub __mul __div __mod __pow __concat __unm __eq __lt __le assert '\n // Standard methods and properties:\n + 'collectgarbage dofile error getfenv getmetatable ipairs load loadfile loadstring '\n + 'module next pairs pcall print rawequal rawget rawset require select setfenv '\n + 'setmetatable tonumber tostring type unpack xpcall arg self '\n // Library methods and properties (one line per library):\n + 'coroutine resume yield status wrap create running debug getupvalue '\n + 'debug sethook getmetatable gethook setmetatable setlocal traceback setfenv getinfo setupvalue getlocal getregistry getfenv '\n + 'io lines write close flush open output type read stderr stdin input stdout popen tmpfile '\n + 'math log max acos huge ldexp pi cos tanh pow deg tan cosh sinh random randomseed frexp ceil floor rad abs sqrt modf asin min mod fmod log10 atan2 exp sin atan '\n + 'os exit setlocale date getenv difftime remove time clock tmpname rename execute package preload loadlib loaded loaders cpath config path seeall '\n + 'string sub upper len gfind rep find match char dump gmatch reverse byte format gsub lower '\n + 'table setn insert getn foreachi maxn foreach concat sort remove'\n },\n contains: COMMENTS.concat([\n {\n className: 'function',\n beginKeywords: 'function',\n end: '\\\\)',\n contains: [\n hljs.inherit(hljs.TITLE_MODE, { begin: '([_a-zA-Z]\\\\w*\\\\.)*([_a-zA-Z]\\\\w*:)?[_a-zA-Z]\\\\w*' }),\n {\n className: 'params',\n begin: '\\\\(',\n endsWithParent: true,\n contains: COMMENTS\n }\n ].concat(COMMENTS)\n },\n hljs.C_NUMBER_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n {\n className: 'string',\n begin: OPENING_LONG_BRACKET,\n end: CLOSING_LONG_BRACKET,\n contains: [ LONG_BRACKETS ],\n relevance: 5\n }\n ])\n };\n}\n\nmodule.exports = lua;\n", "/*\nLanguage: Makefile\nAuthor: Ivan Sagalaev <maniac@softwaremaniacs.org>\nContributors: Jo\u00EBl Porquet <joel@porquet.org>\nWebsite: https://www.gnu.org/software/make/manual/html_node/Introduction.html\nCategory: common\n*/\n\nfunction makefile(hljs) {\n /* Variables: simple (eg $(var)) and special (eg $@) */\n const VARIABLE = {\n className: 'variable',\n variants: [\n {\n begin: '\\\\$\\\\(' + hljs.UNDERSCORE_IDENT_RE + '\\\\)',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n { begin: /\\$[@%<?\\^\\+\\*]/ }\n ]\n };\n /* Quoted string with variables inside */\n const QUOTE_STRING = {\n className: 'string',\n begin: /\"/,\n end: /\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n VARIABLE\n ]\n };\n /* Function: $(func arg,...) */\n const FUNC = {\n className: 'variable',\n begin: /\\$\\([\\w-]+\\s/,\n end: /\\)/,\n keywords: { built_in:\n 'subst patsubst strip findstring filter filter-out sort '\n + 'word wordlist firstword lastword dir notdir suffix basename '\n + 'addsuffix addprefix join wildcard realpath abspath error warning '\n + 'shell origin flavor foreach if or and call eval file value' },\n contains: [ VARIABLE ]\n };\n /* Variable assignment */\n const ASSIGNMENT = { begin: '^' + hljs.UNDERSCORE_IDENT_RE + '\\\\s*(?=[:+?]?=)' };\n /* Meta targets (.PHONY) */\n const META = {\n className: 'meta',\n begin: /^\\.PHONY:/,\n end: /$/,\n keywords: {\n $pattern: /[\\.\\w]+/,\n keyword: '.PHONY'\n }\n };\n /* Targets */\n const TARGET = {\n className: 'section',\n begin: /^[^\\s]+:/,\n end: /$/,\n contains: [ VARIABLE ]\n };\n return {\n name: 'Makefile',\n aliases: [\n 'mk',\n 'mak',\n 'make',\n ],\n keywords: {\n $pattern: /[\\w-]+/,\n keyword: 'define endef undefine ifdef ifndef ifeq ifneq else endif '\n + 'include -include sinclude override export unexport private vpath'\n },\n contains: [\n hljs.HASH_COMMENT_MODE,\n VARIABLE,\n QUOTE_STRING,\n FUNC,\n ASSIGNMENT,\n META,\n TARGET\n ]\n };\n}\n\nmodule.exports = makefile;\n", "const SYSTEM_SYMBOLS = [\n \"AASTriangle\",\n \"AbelianGroup\",\n \"Abort\",\n \"AbortKernels\",\n \"AbortProtect\",\n \"AbortScheduledTask\",\n \"Above\",\n \"Abs\",\n \"AbsArg\",\n \"AbsArgPlot\",\n \"Absolute\",\n \"AbsoluteCorrelation\",\n \"AbsoluteCorrelationFunction\",\n \"AbsoluteCurrentValue\",\n \"AbsoluteDashing\",\n \"AbsoluteFileName\",\n \"AbsoluteOptions\",\n \"AbsolutePointSize\",\n \"AbsoluteThickness\",\n \"AbsoluteTime\",\n \"AbsoluteTiming\",\n \"AcceptanceThreshold\",\n \"AccountingForm\",\n \"Accumulate\",\n \"Accuracy\",\n \"AccuracyGoal\",\n \"AcousticAbsorbingValue\",\n \"AcousticImpedanceValue\",\n \"AcousticNormalVelocityValue\",\n \"AcousticPDEComponent\",\n \"AcousticPressureCondition\",\n \"AcousticRadiationValue\",\n \"AcousticSoundHardValue\",\n \"AcousticSoundSoftCondition\",\n \"ActionDelay\",\n \"ActionMenu\",\n \"ActionMenuBox\",\n \"ActionMenuBoxOptions\",\n \"Activate\",\n \"Active\",\n \"ActiveClassification\",\n \"ActiveClassificationObject\",\n \"ActiveItem\",\n \"ActivePrediction\",\n \"ActivePredictionObject\",\n \"ActiveStyle\",\n \"AcyclicGraphQ\",\n \"AddOnHelpPath\",\n \"AddSides\",\n \"AddTo\",\n \"AddToSearchIndex\",\n \"AddUsers\",\n \"AdjacencyGraph\",\n \"AdjacencyList\",\n \"AdjacencyMatrix\",\n \"AdjacentMeshCells\",\n \"Adjugate\",\n \"AdjustmentBox\",\n \"AdjustmentBoxOptions\",\n \"AdjustTimeSeriesForecast\",\n \"AdministrativeDivisionData\",\n \"AffineHalfSpace\",\n \"AffineSpace\",\n \"AffineStateSpaceModel\",\n \"AffineTransform\",\n \"After\",\n \"AggregatedEntityClass\",\n \"AggregationLayer\",\n \"AircraftData\",\n \"AirportData\",\n \"AirPressureData\",\n \"AirSoundAttenuation\",\n \"AirTemperatureData\",\n \"AiryAi\",\n \"AiryAiPrime\",\n \"AiryAiZero\",\n \"AiryBi\",\n \"AiryBiPrime\",\n \"AiryBiZero\",\n \"AlgebraicIntegerQ\",\n \"AlgebraicNumber\",\n \"AlgebraicNumberDenominator\",\n \"AlgebraicNumberNorm\",\n \"AlgebraicNumberPolynomial\",\n \"AlgebraicNumberTrace\",\n \"AlgebraicRules\",\n \"AlgebraicRulesData\",\n \"Algebraics\",\n \"AlgebraicUnitQ\",\n \"Alignment\",\n \"AlignmentMarker\",\n \"AlignmentPoint\",\n \"All\",\n \"AllowAdultContent\",\n \"AllowChatServices\",\n \"AllowedCloudExtraParameters\",\n \"AllowedCloudParameterExtensions\",\n \"AllowedDimensions\",\n \"AllowedFrequencyRange\",\n \"AllowedHeads\",\n \"AllowGroupClose\",\n \"AllowIncomplete\",\n \"AllowInlineCells\",\n \"AllowKernelInitialization\",\n \"AllowLooseGrammar\",\n \"AllowReverseGroupClose\",\n \"AllowScriptLevelChange\",\n \"AllowVersionUpdate\",\n \"AllTrue\",\n \"Alphabet\",\n \"AlphabeticOrder\",\n \"AlphabeticSort\",\n \"AlphaChannel\",\n \"AlternateImage\",\n \"AlternatingFactorial\",\n \"AlternatingGroup\",\n \"AlternativeHypothesis\",\n \"Alternatives\",\n \"AltitudeMethod\",\n \"AmbientLight\",\n \"AmbiguityFunction\",\n \"AmbiguityList\",\n \"Analytic\",\n \"AnatomyData\",\n \"AnatomyForm\",\n \"AnatomyPlot3D\",\n \"AnatomySkinStyle\",\n \"AnatomyStyling\",\n \"AnchoredSearch\",\n \"And\",\n \"AndersonDarlingTest\",\n \"AngerJ\",\n \"AngleBisector\",\n \"AngleBracket\",\n \"AnglePath\",\n \"AnglePath3D\",\n \"AngleVector\",\n \"AngularGauge\",\n \"Animate\",\n \"AnimatedImage\",\n \"AnimationCycleOffset\",\n \"AnimationCycleRepetitions\",\n \"AnimationDirection\",\n \"AnimationDisplayTime\",\n \"AnimationRate\",\n \"AnimationRepetitions\",\n \"AnimationRunning\",\n \"AnimationRunTime\",\n \"AnimationTimeIndex\",\n \"AnimationVideo\",\n \"Animator\",\n \"AnimatorBox\",\n \"AnimatorBoxOptions\",\n \"AnimatorElements\",\n \"Annotate\",\n \"Annotation\",\n \"AnnotationDelete\",\n \"AnnotationKeys\",\n \"AnnotationRules\",\n \"AnnotationValue\",\n \"Annuity\",\n \"AnnuityDue\",\n \"Annulus\",\n \"AnomalyDetection\",\n \"AnomalyDetector\",\n \"AnomalyDetectorFunction\",\n \"Anonymous\",\n \"Antialiasing\",\n \"Antihermitian\",\n \"AntihermitianMatrixQ\",\n \"Antisymmetric\",\n \"AntisymmetricMatrixQ\",\n \"Antonyms\",\n \"AnyOrder\",\n \"AnySubset\",\n \"AnyTrue\",\n \"Apart\",\n \"ApartSquareFree\",\n \"APIFunction\",\n \"Appearance\",\n \"AppearanceElements\",\n \"AppearanceRules\",\n \"AppellF1\",\n \"Append\",\n \"AppendCheck\",\n \"AppendLayer\",\n \"AppendTo\",\n \"Application\",\n \"Apply\",\n \"ApplyReaction\",\n \"ApplySides\",\n \"ApplyTo\",\n \"ArcCos\",\n \"ArcCosh\",\n \"ArcCot\",\n \"ArcCoth\",\n \"ArcCsc\",\n \"ArcCsch\",\n \"ArcCurvature\",\n \"ARCHProcess\",\n \"ArcLength\",\n \"ArcSec\",\n \"ArcSech\",\n \"ArcSin\",\n \"ArcSinDistribution\",\n \"ArcSinh\",\n \"ArcTan\",\n \"ArcTanh\",\n \"Area\",\n \"Arg\",\n \"ArgMax\",\n \"ArgMin\",\n \"ArgumentCountQ\",\n \"ArgumentsOptions\",\n \"ARIMAProcess\",\n \"ArithmeticGeometricMean\",\n \"ARMAProcess\",\n \"Around\",\n \"AroundReplace\",\n \"ARProcess\",\n \"Array\",\n \"ArrayComponents\",\n \"ArrayDepth\",\n \"ArrayFilter\",\n \"ArrayFlatten\",\n \"ArrayMesh\",\n \"ArrayPad\",\n \"ArrayPlot\",\n \"ArrayPlot3D\",\n \"ArrayQ\",\n \"ArrayReduce\",\n \"ArrayResample\",\n \"ArrayReshape\",\n \"ArrayRules\",\n \"Arrays\",\n \"Arrow\",\n \"Arrow3DBox\",\n \"ArrowBox\",\n \"Arrowheads\",\n \"ASATriangle\",\n \"Ask\",\n \"AskAppend\",\n \"AskConfirm\",\n \"AskDisplay\",\n \"AskedQ\",\n \"AskedValue\",\n \"AskFunction\",\n \"AskState\",\n \"AskTemplateDisplay\",\n \"AspectRatio\",\n \"AspectRatioFixed\",\n \"Assert\",\n \"AssessmentFunction\",\n \"AssessmentResultObject\",\n \"AssociateTo\",\n \"Association\",\n \"AssociationFormat\",\n \"AssociationMap\",\n \"AssociationQ\",\n \"AssociationThread\",\n \"AssumeDeterministic\",\n \"Assuming\",\n \"Assumptions\",\n \"AstroAngularSeparation\",\n \"AstroBackground\",\n \"AstroCenter\",\n \"AstroDistance\",\n \"AstroGraphics\",\n \"AstroGridLines\",\n \"AstroGridLinesStyle\",\n \"AstronomicalData\",\n \"AstroPosition\",\n \"AstroProjection\",\n \"AstroRange\",\n \"AstroRangePadding\",\n \"AstroReferenceFrame\",\n \"AstroStyling\",\n \"AstroZoomLevel\",\n \"Asymptotic\",\n \"AsymptoticDSolveValue\",\n \"AsymptoticEqual\",\n \"AsymptoticEquivalent\",\n \"AsymptoticExpectation\",\n \"AsymptoticGreater\",\n \"AsymptoticGreaterEqual\",\n \"AsymptoticIntegrate\",\n \"AsymptoticLess\",\n \"AsymptoticLessEqual\",\n \"AsymptoticOutputTracker\",\n \"AsymptoticProbability\",\n \"AsymptoticProduct\",\n \"AsymptoticRSolveValue\",\n \"AsymptoticSolve\",\n \"AsymptoticSum\",\n \"Asynchronous\",\n \"AsynchronousTaskObject\",\n \"AsynchronousTasks\",\n \"Atom\",\n \"AtomCoordinates\",\n \"AtomCount\",\n \"AtomDiagramCoordinates\",\n \"AtomLabels\",\n \"AtomLabelStyle\",\n \"AtomList\",\n \"AtomQ\",\n \"AttachCell\",\n \"AttachedCell\",\n \"AttentionLayer\",\n \"Attributes\",\n \"Audio\",\n \"AudioAmplify\",\n \"AudioAnnotate\",\n \"AudioAnnotationLookup\",\n \"AudioBlockMap\",\n \"AudioCapture\",\n \"AudioChannelAssignment\",\n \"AudioChannelCombine\",\n \"AudioChannelMix\",\n \"AudioChannels\",\n \"AudioChannelSeparate\",\n \"AudioData\",\n \"AudioDelay\",\n \"AudioDelete\",\n \"AudioDevice\",\n \"AudioDistance\",\n \"AudioEncoding\",\n \"AudioFade\",\n \"AudioFrequencyShift\",\n \"AudioGenerator\",\n \"AudioIdentify\",\n \"AudioInputDevice\",\n \"AudioInsert\",\n \"AudioInstanceQ\",\n \"AudioIntervals\",\n \"AudioJoin\",\n \"AudioLabel\",\n \"AudioLength\",\n \"AudioLocalMeasurements\",\n \"AudioLooping\",\n \"AudioLoudness\",\n \"AudioMeasurements\",\n \"AudioNormalize\",\n \"AudioOutputDevice\",\n \"AudioOverlay\",\n \"AudioPad\",\n \"AudioPan\",\n \"AudioPartition\",\n \"AudioPause\",\n \"AudioPitchShift\",\n \"AudioPlay\",\n \"AudioPlot\",\n \"AudioQ\",\n \"AudioRecord\",\n \"AudioReplace\",\n \"AudioResample\",\n \"AudioReverb\",\n \"AudioReverse\",\n \"AudioSampleRate\",\n \"AudioSpectralMap\",\n \"AudioSpectralTransformation\",\n \"AudioSplit\",\n \"AudioStop\",\n \"AudioStream\",\n \"AudioStreams\",\n \"AudioTimeStretch\",\n \"AudioTrackApply\",\n \"AudioTrackSelection\",\n \"AudioTrim\",\n \"AudioType\",\n \"AugmentedPolyhedron\",\n \"AugmentedSymmetricPolynomial\",\n \"Authenticate\",\n \"Authentication\",\n \"AuthenticationDialog\",\n \"AutoAction\",\n \"Autocomplete\",\n \"AutocompletionFunction\",\n \"AutoCopy\",\n \"AutocorrelationTest\",\n \"AutoDelete\",\n \"AutoEvaluateEvents\",\n \"AutoGeneratedPackage\",\n \"AutoIndent\",\n \"AutoIndentSpacings\",\n \"AutoItalicWords\",\n \"AutoloadPath\",\n \"AutoMatch\",\n \"Automatic\",\n \"AutomaticImageSize\",\n \"AutoMultiplicationSymbol\",\n \"AutoNumberFormatting\",\n \"AutoOpenNotebooks\",\n \"AutoOpenPalettes\",\n \"AutoOperatorRenderings\",\n \"AutoQuoteCharacters\",\n \"AutoRefreshed\",\n \"AutoRemove\",\n \"AutorunSequencing\",\n \"AutoScaling\",\n \"AutoScroll\",\n \"AutoSpacing\",\n \"AutoStyleOptions\",\n \"AutoStyleWords\",\n \"AutoSubmitting\",\n \"Axes\",\n \"AxesEdge\",\n \"AxesLabel\",\n \"AxesOrigin\",\n \"AxesStyle\",\n \"AxiomaticTheory\",\n \"Axis\",\n \"Axis3DBox\",\n \"Axis3DBoxOptions\",\n \"AxisBox\",\n \"AxisBoxOptions\",\n \"AxisLabel\",\n \"AxisObject\",\n \"AxisStyle\",\n \"BabyMonsterGroupB\",\n \"Back\",\n \"BackFaceColor\",\n \"BackFaceGlowColor\",\n \"BackFaceOpacity\",\n \"BackFaceSpecularColor\",\n \"BackFaceSpecularExponent\",\n \"BackFaceSurfaceAppearance\",\n \"BackFaceTexture\",\n \"Background\",\n \"BackgroundAppearance\",\n \"BackgroundTasksSettings\",\n \"Backslash\",\n \"Backsubstitution\",\n \"Backward\",\n \"Ball\",\n \"Band\",\n \"BandpassFilter\",\n \"BandstopFilter\",\n \"BarabasiAlbertGraphDistribution\",\n \"BarChart\",\n \"BarChart3D\",\n \"BarcodeImage\",\n \"BarcodeRecognize\",\n \"BaringhausHenzeTest\",\n \"BarLegend\",\n \"BarlowProschanImportance\",\n \"BarnesG\",\n \"BarOrigin\",\n \"BarSpacing\",\n \"BartlettHannWindow\",\n \"BartlettWindow\",\n \"BaseDecode\",\n \"BaseEncode\",\n \"BaseForm\",\n \"Baseline\",\n \"BaselinePosition\",\n \"BaseStyle\",\n \"BasicRecurrentLayer\",\n \"BatchNormalizationLayer\",\n \"BatchSize\",\n \"BatesDistribution\",\n \"BattleLemarieWavelet\",\n \"BayesianMaximization\",\n \"BayesianMaximizationObject\",\n \"BayesianMinimization\",\n \"BayesianMinimizationObject\",\n \"Because\",\n \"BeckmannDistribution\",\n \"Beep\",\n \"Before\",\n \"Begin\",\n \"BeginDialogPacket\",\n \"BeginPackage\",\n \"BellB\",\n \"BellY\",\n \"Below\",\n \"BenfordDistribution\",\n \"BeniniDistribution\",\n \"BenktanderGibratDistribution\",\n \"BenktanderWeibullDistribution\",\n \"BernoulliB\",\n \"BernoulliDistribution\",\n \"BernoulliGraphDistribution\",\n \"BernoulliProcess\",\n \"BernsteinBasis\",\n \"BesagL\",\n \"BesselFilterModel\",\n \"BesselI\",\n \"BesselJ\",\n \"BesselJZero\",\n \"BesselK\",\n \"BesselY\",\n \"BesselYZero\",\n \"Beta\",\n \"BetaBinomialDistribution\",\n \"BetaDistribution\",\n \"BetaNegativeBinomialDistribution\",\n \"BetaPrimeDistribution\",\n \"BetaRegularized\",\n \"Between\",\n \"BetweennessCentrality\",\n \"Beveled\",\n \"BeveledPolyhedron\",\n \"BezierCurve\",\n \"BezierCurve3DBox\",\n \"BezierCurve3DBoxOptions\",\n \"BezierCurveBox\",\n \"BezierCurveBoxOptions\",\n \"BezierFunction\",\n \"BilateralFilter\",\n \"BilateralLaplaceTransform\",\n \"BilateralZTransform\",\n \"Binarize\",\n \"BinaryDeserialize\",\n \"BinaryDistance\",\n \"BinaryFormat\",\n \"BinaryImageQ\",\n \"BinaryRead\",\n \"BinaryReadList\",\n \"BinarySerialize\",\n \"BinaryWrite\",\n \"BinCounts\",\n \"BinLists\",\n \"BinnedVariogramList\",\n \"Binomial\",\n \"BinomialDistribution\",\n \"BinomialPointProcess\",\n \"BinomialProcess\",\n \"BinormalDistribution\",\n \"BiorthogonalSplineWavelet\",\n \"BioSequence\",\n \"BioSequenceBackTranslateList\",\n \"BioSequenceComplement\",\n \"BioSequenceInstances\",\n \"BioSequenceModify\",\n \"BioSequencePlot\",\n \"BioSequenceQ\",\n \"BioSequenceReverseComplement\",\n \"BioSequenceTranscribe\",\n \"BioSequenceTranslate\",\n \"BipartiteGraphQ\",\n \"BiquadraticFilterModel\",\n \"BirnbaumImportance\",\n \"BirnbaumSaundersDistribution\",\n \"BitAnd\",\n \"BitClear\",\n \"BitGet\",\n \"BitLength\",\n \"BitNot\",\n \"BitOr\",\n \"BitRate\",\n \"BitSet\",\n \"BitShiftLeft\",\n \"BitShiftRight\",\n \"BitXor\",\n \"BiweightLocation\",\n \"BiweightMidvariance\",\n \"Black\",\n \"BlackmanHarrisWindow\",\n \"BlackmanNuttallWindow\",\n \"BlackmanWindow\",\n \"Blank\",\n \"BlankForm\",\n \"BlankNullSequence\",\n \"BlankSequence\",\n \"Blend\",\n \"Block\",\n \"BlockchainAddressData\",\n \"BlockchainBase\",\n \"BlockchainBlockData\",\n \"BlockchainContractValue\",\n \"BlockchainData\",\n \"BlockchainGet\",\n \"BlockchainKeyEncode\",\n \"BlockchainPut\",\n \"BlockchainTokenData\",\n \"BlockchainTransaction\",\n \"BlockchainTransactionData\",\n \"BlockchainTransactionSign\",\n \"BlockchainTransactionSubmit\",\n \"BlockDiagonalMatrix\",\n \"BlockLowerTriangularMatrix\",\n \"BlockMap\",\n \"BlockRandom\",\n \"BlockUpperTriangularMatrix\",\n \"BlomqvistBeta\",\n \"BlomqvistBetaTest\",\n \"Blue\",\n \"Blur\",\n \"Blurring\",\n \"BodePlot\",\n \"BohmanWindow\",\n \"Bold\",\n \"Bond\",\n \"BondCount\",\n \"BondLabels\",\n \"BondLabelStyle\",\n \"BondList\",\n \"BondQ\",\n \"Bookmarks\",\n \"Boole\",\n \"BooleanConsecutiveFunction\",\n \"BooleanConvert\",\n \"BooleanCountingFunction\",\n \"BooleanFunction\",\n \"BooleanGraph\",\n \"BooleanMaxterms\",\n \"BooleanMinimize\",\n \"BooleanMinterms\",\n \"BooleanQ\",\n \"BooleanRegion\",\n \"Booleans\",\n \"BooleanStrings\",\n \"BooleanTable\",\n \"BooleanVariables\",\n \"BorderDimensions\",\n \"BorelTannerDistribution\",\n \"Bottom\",\n \"BottomHatTransform\",\n \"BoundaryDiscretizeGraphics\",\n \"BoundaryDiscretizeRegion\",\n \"BoundaryMesh\",\n \"BoundaryMeshRegion\",\n \"BoundaryMeshRegionQ\",\n \"BoundaryStyle\",\n \"BoundedRegionQ\",\n \"BoundingRegion\",\n \"Bounds\",\n \"Box\",\n \"BoxBaselineShift\",\n \"BoxData\",\n \"BoxDimensions\",\n \"Boxed\",\n \"Boxes\",\n \"BoxForm\",\n \"BoxFormFormatTypes\",\n \"BoxFrame\",\n \"BoxID\",\n \"BoxMargins\",\n \"BoxMatrix\",\n \"BoxObject\",\n \"BoxRatios\",\n \"BoxRotation\",\n \"BoxRotationPoint\",\n \"BoxStyle\",\n \"BoxWhiskerChart\",\n \"Bra\",\n \"BracketingBar\",\n \"BraKet\",\n \"BrayCurtisDistance\",\n \"BreadthFirstScan\",\n \"Break\",\n \"BridgeData\",\n \"BrightnessEqualize\",\n \"BroadcastStationData\",\n \"Brown\",\n \"BrownForsytheTest\",\n \"BrownianBridgeProcess\",\n \"BrowserCategory\",\n \"BSplineBasis\",\n \"BSplineCurve\",\n \"BSplineCurve3DBox\",\n \"BSplineCurve3DBoxOptions\",\n \"BSplineCurveBox\",\n \"BSplineCurveBoxOptions\",\n \"BSplineFunction\",\n \"BSplineSurface\",\n \"BSplineSurface3DBox\",\n \"BSplineSurface3DBoxOptions\",\n \"BubbleChart\",\n \"BubbleChart3D\",\n \"BubbleScale\",\n \"BubbleSizes\",\n \"BuckyballGraph\",\n \"BuildCompiledComponent\",\n \"BuildingData\",\n \"BulletGauge\",\n \"BusinessDayQ\",\n \"ButterflyGraph\",\n \"ButterworthFilterModel\",\n \"Button\",\n \"ButtonBar\",\n \"ButtonBox\",\n \"ButtonBoxOptions\",\n \"ButtonCell\",\n \"ButtonContents\",\n \"ButtonData\",\n \"ButtonEvaluator\",\n \"ButtonExpandable\",\n \"ButtonFrame\",\n \"ButtonFunction\",\n \"ButtonMargins\",\n \"ButtonMinHeight\",\n \"ButtonNote\",\n \"ButtonNotebook\",\n \"ButtonSource\",\n \"ButtonStyle\",\n \"ButtonStyleMenuListing\",\n \"Byte\",\n \"ByteArray\",\n \"ByteArrayFormat\",\n \"ByteArrayFormatQ\",\n \"ByteArrayQ\",\n \"ByteArrayToString\",\n \"ByteCount\",\n \"ByteOrdering\",\n \"C\",\n \"CachedValue\",\n \"CacheGraphics\",\n \"CachePersistence\",\n \"CalendarConvert\",\n \"CalendarData\",\n \"CalendarType\",\n \"Callout\",\n \"CalloutMarker\",\n \"CalloutStyle\",\n \"CallPacket\",\n \"CanberraDistance\",\n \"Cancel\",\n \"CancelButton\",\n \"CandlestickChart\",\n \"CanonicalGraph\",\n \"CanonicalizePolygon\",\n \"CanonicalizePolyhedron\",\n \"CanonicalizeRegion\",\n \"CanonicalName\",\n \"CanonicalWarpingCorrespondence\",\n \"CanonicalWarpingDistance\",\n \"CantorMesh\",\n \"CantorStaircase\",\n \"Canvas\",\n \"Cap\",\n \"CapForm\",\n \"CapitalDifferentialD\",\n \"Capitalize\",\n \"CapsuleShape\",\n \"CaptureRunning\",\n \"CaputoD\",\n \"CardinalBSplineBasis\",\n \"CarlemanLinearize\",\n \"CarlsonRC\",\n \"CarlsonRD\",\n \"CarlsonRE\",\n \"CarlsonRF\",\n \"CarlsonRG\",\n \"CarlsonRJ\",\n \"CarlsonRK\",\n \"CarlsonRM\",\n \"CarmichaelLambda\",\n \"CaseOrdering\",\n \"Cases\",\n \"CaseSensitive\",\n \"Cashflow\",\n \"Casoratian\",\n \"Cast\",\n \"Catalan\",\n \"CatalanNumber\",\n \"Catch\",\n \"CategoricalDistribution\",\n \"Catenate\",\n \"CatenateLayer\",\n \"CauchyDistribution\",\n \"CauchyMatrix\",\n \"CauchyPointProcess\",\n \"CauchyWindow\",\n \"CayleyGraph\",\n \"CDF\",\n \"CDFDeploy\",\n \"CDFInformation\",\n \"CDFWavelet\",\n \"Ceiling\",\n \"CelestialSystem\",\n \"Cell\",\n \"CellAutoOverwrite\",\n \"CellBaseline\",\n \"CellBoundingBox\",\n \"CellBracketOptions\",\n \"CellChangeTimes\",\n \"CellContents\",\n \"CellContext\",\n \"CellDingbat\",\n \"CellDingbatMargin\",\n \"CellDynamicExpression\",\n \"CellEditDuplicate\",\n \"CellElementsBoundingBox\",\n \"CellElementSpacings\",\n \"CellEpilog\",\n \"CellEvaluationDuplicate\",\n \"CellEvaluationFunction\",\n \"CellEvaluationLanguage\",\n \"CellEventActions\",\n \"CellFrame\",\n \"CellFrameColor\",\n \"CellFrameLabelMargins\",\n \"CellFrameLabels\",\n \"CellFrameMargins\",\n \"CellFrameStyle\",\n \"CellGroup\",\n \"CellGroupData\",\n \"CellGrouping\",\n \"CellGroupingRules\",\n \"CellHorizontalScrolling\",\n \"CellID\",\n \"CellInsertionPointCell\",\n \"CellLabel\",\n \"CellLabelAutoDelete\",\n \"CellLabelMargins\",\n \"CellLabelPositioning\",\n \"CellLabelStyle\",\n \"CellLabelTemplate\",\n \"CellMargins\",\n \"CellObject\",\n \"CellOpen\",\n \"CellPrint\",\n \"CellProlog\",\n \"Cells\",\n \"CellSize\",\n \"CellStyle\",\n \"CellTags\",\n \"CellTrayPosition\",\n \"CellTrayWidgets\",\n \"CellularAutomaton\",\n \"CensoredDistribution\",\n \"Censoring\",\n \"Center\",\n \"CenterArray\",\n \"CenterDot\",\n \"CenteredInterval\",\n \"CentralFeature\",\n \"CentralMoment\",\n \"CentralMomentGeneratingFunction\",\n \"Cepstrogram\",\n \"CepstrogramArray\",\n \"CepstrumArray\",\n \"CForm\",\n \"ChampernowneNumber\",\n \"ChangeOptions\",\n \"ChannelBase\",\n \"ChannelBrokerAction\",\n \"ChannelDatabin\",\n \"ChannelHistoryLength\",\n \"ChannelListen\",\n \"ChannelListener\",\n \"ChannelListeners\",\n \"ChannelListenerWait\",\n \"ChannelObject\",\n \"ChannelPreSendFunction\",\n \"ChannelReceiverFunction\",\n \"ChannelSend\",\n \"ChannelSubscribers\",\n \"ChanVeseBinarize\",\n \"Character\",\n \"CharacterCounts\",\n \"CharacterEncoding\",\n \"CharacterEncodingsPath\",\n \"CharacteristicFunction\",\n \"CharacteristicPolynomial\",\n \"CharacterName\",\n \"CharacterNormalize\",\n \"CharacterRange\",\n \"Characters\",\n \"ChartBaseStyle\",\n \"ChartElementData\",\n \"ChartElementDataFunction\",\n \"ChartElementFunction\",\n \"ChartElements\",\n \"ChartLabels\",\n \"ChartLayout\",\n \"ChartLegends\",\n \"ChartStyle\",\n \"Chebyshev1FilterModel\",\n \"Chebyshev2FilterModel\",\n \"ChebyshevDistance\",\n \"ChebyshevT\",\n \"ChebyshevU\",\n \"Check\",\n \"CheckAbort\",\n \"CheckAll\",\n \"CheckArguments\",\n \"Checkbox\",\n \"CheckboxBar\",\n \"CheckboxBox\",\n \"CheckboxBoxOptions\",\n \"ChemicalConvert\",\n \"ChemicalData\",\n \"ChemicalFormula\",\n \"ChemicalInstance\",\n \"ChemicalReaction\",\n \"ChessboardDistance\",\n \"ChiDistribution\",\n \"ChineseRemainder\",\n \"ChiSquareDistribution\",\n \"ChoiceButtons\",\n \"ChoiceDialog\",\n \"CholeskyDecomposition\",\n \"Chop\",\n \"ChromaticityPlot\",\n \"ChromaticityPlot3D\",\n \"ChromaticPolynomial\",\n \"Circle\",\n \"CircleBox\",\n \"CircleDot\",\n \"CircleMinus\",\n \"CirclePlus\",\n \"CirclePoints\",\n \"CircleThrough\",\n \"CircleTimes\",\n \"CirculantGraph\",\n \"CircularArcThrough\",\n \"CircularOrthogonalMatrixDistribution\",\n \"CircularQuaternionMatrixDistribution\",\n \"CircularRealMatrixDistribution\",\n \"CircularSymplecticMatrixDistribution\",\n \"CircularUnitaryMatrixDistribution\",\n \"Circumsphere\",\n \"CityData\",\n \"ClassifierFunction\",\n \"ClassifierInformation\",\n \"ClassifierMeasurements\",\n \"ClassifierMeasurementsObject\",\n \"Classify\",\n \"ClassPriors\",\n \"Clear\",\n \"ClearAll\",\n \"ClearAttributes\",\n \"ClearCookies\",\n \"ClearPermissions\",\n \"ClearSystemCache\",\n \"ClebschGordan\",\n \"ClickPane\",\n \"ClickToCopy\",\n \"ClickToCopyEnabled\",\n \"Clip\",\n \"ClipboardNotebook\",\n \"ClipFill\",\n \"ClippingStyle\",\n \"ClipPlanes\",\n \"ClipPlanesStyle\",\n \"ClipRange\",\n \"Clock\",\n \"ClockGauge\",\n \"ClockwiseContourIntegral\",\n \"Close\",\n \"Closed\",\n \"CloseKernels\",\n \"ClosenessCentrality\",\n \"Closing\",\n \"ClosingAutoSave\",\n \"ClosingEvent\",\n \"CloudAccountData\",\n \"CloudBase\",\n \"CloudConnect\",\n \"CloudConnections\",\n \"CloudDeploy\",\n \"CloudDirectory\",\n \"CloudDisconnect\",\n \"CloudEvaluate\",\n \"CloudExport\",\n \"CloudExpression\",\n \"CloudExpressions\",\n \"CloudFunction\",\n \"CloudGet\",\n \"CloudImport\",\n \"CloudLoggingData\",\n \"CloudObject\",\n \"CloudObjectInformation\",\n \"CloudObjectInformationData\",\n \"CloudObjectNameFormat\",\n \"CloudObjects\",\n \"CloudObjectURLType\",\n \"CloudPublish\",\n \"CloudPut\",\n \"CloudRenderingMethod\",\n \"CloudSave\",\n \"CloudShare\",\n \"CloudSubmit\",\n \"CloudSymbol\",\n \"CloudUnshare\",\n \"CloudUserID\",\n \"ClusterClassify\",\n \"ClusterDissimilarityFunction\",\n \"ClusteringComponents\",\n \"ClusteringMeasurements\",\n \"ClusteringTree\",\n \"CMYKColor\",\n \"Coarse\",\n \"CodeAssistOptions\",\n \"Coefficient\",\n \"CoefficientArrays\",\n \"CoefficientDomain\",\n \"CoefficientList\",\n \"CoefficientRules\",\n \"CoifletWavelet\",\n \"Collect\",\n \"CollinearPoints\",\n \"Colon\",\n \"ColonForm\",\n \"ColorBalance\",\n \"ColorCombine\",\n \"ColorConvert\",\n \"ColorCoverage\",\n \"ColorData\",\n \"ColorDataFunction\",\n \"ColorDetect\",\n \"ColorDistance\",\n \"ColorFunction\",\n \"ColorFunctionBinning\",\n \"ColorFunctionScaling\",\n \"Colorize\",\n \"ColorNegate\",\n \"ColorOutput\",\n \"ColorProfileData\",\n \"ColorQ\",\n \"ColorQuantize\",\n \"ColorReplace\",\n \"ColorRules\",\n \"ColorSelectorSettings\",\n \"ColorSeparate\",\n \"ColorSetter\",\n \"ColorSetterBox\",\n \"ColorSetterBoxOptions\",\n \"ColorSlider\",\n \"ColorsNear\",\n \"ColorSpace\",\n \"ColorToneMapping\",\n \"Column\",\n \"ColumnAlignments\",\n \"ColumnBackgrounds\",\n \"ColumnForm\",\n \"ColumnLines\",\n \"ColumnsEqual\",\n \"ColumnSpacings\",\n \"ColumnWidths\",\n \"CombinatorB\",\n \"CombinatorC\",\n \"CombinatorI\",\n \"CombinatorK\",\n \"CombinatorS\",\n \"CombinatorW\",\n \"CombinatorY\",\n \"CombinedEntityClass\",\n \"CombinerFunction\",\n \"CometData\",\n \"CommonDefaultFormatTypes\",\n \"Commonest\",\n \"CommonestFilter\",\n \"CommonName\",\n \"CommonUnits\",\n \"CommunityBoundaryStyle\",\n \"CommunityGraphPlot\",\n \"CommunityLabels\",\n \"CommunityRegionStyle\",\n \"CompanyData\",\n \"CompatibleUnitQ\",\n \"CompilationOptions\",\n \"CompilationTarget\",\n \"Compile\",\n \"Compiled\",\n \"CompiledCodeFunction\",\n \"CompiledComponent\",\n \"CompiledExpressionDeclaration\",\n \"CompiledFunction\",\n \"CompiledLayer\",\n \"CompilerCallback\",\n \"CompilerEnvironment\",\n \"CompilerEnvironmentAppend\",\n \"CompilerEnvironmentAppendTo\",\n \"CompilerEnvironmentObject\",\n \"CompilerOptions\",\n \"Complement\",\n \"ComplementedEntityClass\",\n \"CompleteGraph\",\n \"CompleteGraphQ\",\n \"CompleteIntegral\",\n \"CompleteKaryTree\",\n \"CompletionsListPacket\",\n \"Complex\",\n \"ComplexArrayPlot\",\n \"ComplexContourPlot\",\n \"Complexes\",\n \"ComplexExpand\",\n \"ComplexInfinity\",\n \"ComplexityFunction\",\n \"ComplexListPlot\",\n \"ComplexPlot\",\n \"ComplexPlot3D\",\n \"ComplexRegionPlot\",\n \"ComplexStreamPlot\",\n \"ComplexVectorPlot\",\n \"ComponentMeasurements\",\n \"ComponentwiseContextMenu\",\n \"Compose\",\n \"ComposeList\",\n \"ComposeSeries\",\n \"CompositeQ\",\n \"Composition\",\n \"CompoundElement\",\n \"CompoundExpression\",\n \"CompoundPoissonDistribution\",\n \"CompoundPoissonProcess\",\n \"CompoundRenewalProcess\",\n \"Compress\",\n \"CompressedData\",\n \"CompressionLevel\",\n \"ComputeUncertainty\",\n \"ConcaveHullMesh\",\n \"Condition\",\n \"ConditionalExpression\",\n \"Conditioned\",\n \"Cone\",\n \"ConeBox\",\n \"ConfidenceLevel\",\n \"ConfidenceRange\",\n \"ConfidenceTransform\",\n \"ConfigurationPath\",\n \"Confirm\",\n \"ConfirmAssert\",\n \"ConfirmBy\",\n \"ConfirmMatch\",\n \"ConfirmQuiet\",\n \"ConformationMethod\",\n \"ConformAudio\",\n \"ConformImages\",\n \"Congruent\",\n \"ConicGradientFilling\",\n \"ConicHullRegion\",\n \"ConicHullRegion3DBox\",\n \"ConicHullRegion3DBoxOptions\",\n \"ConicHullRegionBox\",\n \"ConicHullRegionBoxOptions\",\n \"ConicOptimization\",\n \"Conjugate\",\n \"ConjugateTranspose\",\n \"Conjunction\",\n \"Connect\",\n \"ConnectedComponents\",\n \"ConnectedGraphComponents\",\n \"ConnectedGraphQ\",\n \"ConnectedMeshComponents\",\n \"ConnectedMoleculeComponents\",\n \"ConnectedMoleculeQ\",\n \"ConnectionSettings\",\n \"ConnectLibraryCallbackFunction\",\n \"ConnectSystemModelComponents\",\n \"ConnectSystemModelController\",\n \"ConnesWindow\",\n \"ConoverTest\",\n \"ConservativeConvectionPDETerm\",\n \"ConsoleMessage\",\n \"Constant\",\n \"ConstantArray\",\n \"ConstantArrayLayer\",\n \"ConstantImage\",\n \"ConstantPlusLayer\",\n \"ConstantRegionQ\",\n \"Constants\",\n \"ConstantTimesLayer\",\n \"ConstellationData\",\n \"ConstrainedMax\",\n \"ConstrainedMin\",\n \"Construct\",\n \"Containing\",\n \"ContainsAll\",\n \"ContainsAny\",\n \"ContainsExactly\",\n \"ContainsNone\",\n \"ContainsOnly\",\n \"ContentDetectorFunction\",\n \"ContentFieldOptions\",\n \"ContentLocationFunction\",\n \"ContentObject\",\n \"ContentPadding\",\n \"ContentsBoundingBox\",\n \"ContentSelectable\",\n \"ContentSize\",\n \"Context\",\n \"ContextMenu\",\n \"Contexts\",\n \"ContextToFileName\",\n \"Continuation\",\n \"Continue\",\n \"ContinuedFraction\",\n \"ContinuedFractionK\",\n \"ContinuousAction\",\n \"ContinuousMarkovProcess\",\n \"ContinuousTask\",\n \"ContinuousTimeModelQ\",\n \"ContinuousWaveletData\",\n \"ContinuousWaveletTransform\",\n \"ContourDetect\",\n \"ContourGraphics\",\n \"ContourIntegral\",\n \"ContourLabels\",\n \"ContourLines\",\n \"ContourPlot\",\n \"ContourPlot3D\",\n \"Contours\",\n \"ContourShading\",\n \"ContourSmoothing\",\n \"ContourStyle\",\n \"ContraharmonicMean\",\n \"ContrastiveLossLayer\",\n \"Control\",\n \"ControlActive\",\n \"ControlAlignment\",\n \"ControlGroupContentsBox\",\n \"ControllabilityGramian\",\n \"ControllabilityMatrix\",\n \"ControllableDecomposition\",\n \"ControllableModelQ\",\n \"ControllerDuration\",\n \"ControllerInformation\",\n \"ControllerInformationData\",\n \"ControllerLinking\",\n \"ControllerManipulate\",\n \"ControllerMethod\",\n \"ControllerPath\",\n \"ControllerState\",\n \"ControlPlacement\",\n \"ControlsRendering\",\n \"ControlType\",\n \"ConvectionPDETerm\",\n \"Convergents\",\n \"ConversionOptions\",\n \"ConversionRules\",\n \"ConvertToPostScript\",\n \"ConvertToPostScriptPacket\",\n \"ConvexHullMesh\",\n \"ConvexHullRegion\",\n \"ConvexOptimization\",\n \"ConvexPolygonQ\",\n \"ConvexPolyhedronQ\",\n \"ConvexRegionQ\",\n \"ConvolutionLayer\",\n \"Convolve\",\n \"ConwayGroupCo1\",\n \"ConwayGroupCo2\",\n \"ConwayGroupCo3\",\n \"CookieFunction\",\n \"Cookies\",\n \"CoordinateBoundingBox\",\n \"CoordinateBoundingBoxArray\",\n \"CoordinateBounds\",\n \"CoordinateBoundsArray\",\n \"CoordinateChartData\",\n \"CoordinatesToolOptions\",\n \"CoordinateTransform\",\n \"CoordinateTransformData\",\n \"CoplanarPoints\",\n \"CoprimeQ\",\n \"Coproduct\",\n \"CopulaDistribution\",\n \"Copyable\",\n \"CopyDatabin\",\n \"CopyDirectory\",\n \"CopyFile\",\n \"CopyFunction\",\n \"CopyTag\",\n \"CopyToClipboard\",\n \"CoreNilpotentDecomposition\",\n \"CornerFilter\",\n \"CornerNeighbors\",\n \"Correlation\",\n \"CorrelationDistance\",\n \"CorrelationFunction\",\n \"CorrelationTest\",\n \"Cos\",\n \"Cosh\",\n \"CoshIntegral\",\n \"CosineDistance\",\n \"CosineWindow\",\n \"CosIntegral\",\n \"Cot\",\n \"Coth\",\n \"CoulombF\",\n \"CoulombG\",\n \"CoulombH1\",\n \"CoulombH2\",\n \"Count\",\n \"CountDistinct\",\n \"CountDistinctBy\",\n \"CounterAssignments\",\n \"CounterBox\",\n \"CounterBoxOptions\",\n \"CounterClockwiseContourIntegral\",\n \"CounterEvaluator\",\n \"CounterFunction\",\n \"CounterIncrements\",\n \"CounterStyle\",\n \"CounterStyleMenuListing\",\n \"CountRoots\",\n \"CountryData\",\n \"Counts\",\n \"CountsBy\",\n \"Covariance\",\n \"CovarianceEstimatorFunction\",\n \"CovarianceFunction\",\n \"CoxianDistribution\",\n \"CoxIngersollRossProcess\",\n \"CoxModel\",\n \"CoxModelFit\",\n \"CramerVonMisesTest\",\n \"CreateArchive\",\n \"CreateCellID\",\n \"CreateChannel\",\n \"CreateCloudExpression\",\n \"CreateCompilerEnvironment\",\n \"CreateDatabin\",\n \"CreateDataStructure\",\n \"CreateDataSystemModel\",\n \"CreateDialog\",\n \"CreateDirectory\",\n \"CreateDocument\",\n \"CreateFile\",\n \"CreateIntermediateDirectories\",\n \"CreateLicenseEntitlement\",\n \"CreateManagedLibraryExpression\",\n \"CreateNotebook\",\n \"CreatePacletArchive\",\n \"CreatePalette\",\n \"CreatePermissionsGroup\",\n \"CreateScheduledTask\",\n \"CreateSearchIndex\",\n \"CreateSystemModel\",\n \"CreateTemporary\",\n \"CreateTypeInstance\",\n \"CreateUUID\",\n \"CreateWindow\",\n \"CriterionFunction\",\n \"CriticalityFailureImportance\",\n \"CriticalitySuccessImportance\",\n \"CriticalSection\",\n \"Cross\",\n \"CrossEntropyLossLayer\",\n \"CrossingCount\",\n \"CrossingDetect\",\n \"CrossingPolygon\",\n \"CrossMatrix\",\n \"Csc\",\n \"Csch\",\n \"CSGRegion\",\n \"CSGRegionQ\",\n \"CSGRegionTree\",\n \"CTCLossLayer\",\n \"Cube\",\n \"CubeRoot\",\n \"Cubics\",\n \"Cuboid\",\n \"CuboidBox\",\n \"CuboidBoxOptions\",\n \"Cumulant\",\n \"CumulantGeneratingFunction\",\n \"CumulativeFeatureImpactPlot\",\n \"Cup\",\n \"CupCap\",\n \"Curl\",\n \"CurlyDoubleQuote\",\n \"CurlyQuote\",\n \"CurrencyConvert\",\n \"CurrentDate\",\n \"CurrentImage\",\n \"CurrentNotebookImage\",\n \"CurrentScreenImage\",\n \"CurrentValue\",\n \"Curry\",\n \"CurryApplied\",\n \"CurvatureFlowFilter\",\n \"CurveClosed\",\n \"Cyan\",\n \"CycleGraph\",\n \"CycleIndexPolynomial\",\n \"Cycles\",\n \"CyclicGroup\",\n \"Cyclotomic\",\n \"Cylinder\",\n \"CylinderBox\",\n \"CylinderBoxOptions\",\n \"CylindricalDecomposition\",\n \"CylindricalDecompositionFunction\",\n \"D\",\n \"DagumDistribution\",\n \"DamData\",\n \"DamerauLevenshteinDistance\",\n \"DampingFactor\",\n \"Darker\",\n \"Dashed\",\n \"Dashing\",\n \"DatabaseConnect\",\n \"DatabaseDisconnect\",\n \"DatabaseReference\",\n \"Databin\",\n \"DatabinAdd\",\n \"DatabinRemove\",\n \"Databins\",\n \"DatabinSubmit\",\n \"DatabinUpload\",\n \"DataCompression\",\n \"DataDistribution\",\n \"DataRange\",\n \"DataReversed\",\n \"Dataset\",\n \"DatasetDisplayPanel\",\n \"DatasetTheme\",\n \"DataStructure\",\n \"DataStructureQ\",\n \"Date\",\n \"DateBounds\",\n \"Dated\",\n \"DateDelimiters\",\n \"DateDifference\",\n \"DatedUnit\",\n \"DateFormat\",\n \"DateFunction\",\n \"DateGranularity\",\n \"DateHistogram\",\n \"DateInterval\",\n \"DateList\",\n \"DateListLogPlot\",\n \"DateListPlot\",\n \"DateListStepPlot\",\n \"DateObject\",\n \"DateObjectQ\",\n \"DateOverlapsQ\",\n \"DatePattern\",\n \"DatePlus\",\n \"DateRange\",\n \"DateReduction\",\n \"DateScale\",\n \"DateSelect\",\n \"DateString\",\n \"DateTicksFormat\",\n \"DateValue\",\n \"DateWithinQ\",\n \"DaubechiesWavelet\",\n \"DavisDistribution\",\n \"DawsonF\",\n \"DayCount\",\n \"DayCountConvention\",\n \"DayHemisphere\",\n \"DaylightQ\",\n \"DayMatchQ\",\n \"DayName\",\n \"DayNightTerminator\",\n \"DayPlus\",\n \"DayRange\",\n \"DayRound\",\n \"DeBruijnGraph\",\n \"DeBruijnSequence\",\n \"Debug\",\n \"DebugTag\",\n \"Decapitalize\",\n \"Decimal\",\n \"DecimalForm\",\n \"DeclareCompiledComponent\",\n \"DeclareKnownSymbols\",\n \"DeclarePackage\",\n \"Decompose\",\n \"DeconvolutionLayer\",\n \"Decrement\",\n \"Decrypt\",\n \"DecryptFile\",\n \"DedekindEta\",\n \"DeepSpaceProbeData\",\n \"Default\",\n \"Default2DTool\",\n \"Default3DTool\",\n \"DefaultAttachedCellStyle\",\n \"DefaultAxesStyle\",\n \"DefaultBaseStyle\",\n \"DefaultBoxStyle\",\n \"DefaultButton\",\n \"DefaultColor\",\n \"DefaultControlPlacement\",\n \"DefaultDockedCellStyle\",\n \"DefaultDuplicateCellStyle\",\n \"DefaultDuration\",\n \"DefaultElement\",\n \"DefaultFaceGridsStyle\",\n \"DefaultFieldHintStyle\",\n \"DefaultFont\",\n \"DefaultFontProperties\",\n \"DefaultFormatType\",\n \"DefaultFrameStyle\",\n \"DefaultFrameTicksStyle\",\n \"DefaultGridLinesStyle\",\n \"DefaultInlineFormatType\",\n \"DefaultInputFormatType\",\n \"DefaultLabelStyle\",\n \"DefaultMenuStyle\",\n \"DefaultNaturalLanguage\",\n \"DefaultNewCellStyle\",\n \"DefaultNewInlineCellStyle\",\n \"DefaultNotebook\",\n \"DefaultOptions\",\n \"DefaultOutputFormatType\",\n \"DefaultPrintPrecision\",\n \"DefaultStyle\",\n \"DefaultStyleDefinitions\",\n \"DefaultTextFormatType\",\n \"DefaultTextInlineFormatType\",\n \"DefaultTicksStyle\",\n \"DefaultTooltipStyle\",\n \"DefaultValue\",\n \"DefaultValues\",\n \"Defer\",\n \"DefineExternal\",\n \"DefineInputStreamMethod\",\n \"DefineOutputStreamMethod\",\n \"DefineResourceFunction\",\n \"Definition\",\n \"Degree\",\n \"DegreeCentrality\",\n \"DegreeGraphDistribution\",\n \"DegreeLexicographic\",\n \"DegreeReverseLexicographic\",\n \"DEigensystem\",\n \"DEigenvalues\",\n \"Deinitialization\",\n \"Del\",\n \"DelaunayMesh\",\n \"Delayed\",\n \"Deletable\",\n \"Delete\",\n \"DeleteAdjacentDuplicates\",\n \"DeleteAnomalies\",\n \"DeleteBorderComponents\",\n \"DeleteCases\",\n \"DeleteChannel\",\n \"DeleteCloudExpression\",\n \"DeleteContents\",\n \"DeleteDirectory\",\n \"DeleteDuplicates\",\n \"DeleteDuplicatesBy\",\n \"DeleteElements\",\n \"DeleteFile\",\n \"DeleteMissing\",\n \"DeleteObject\",\n \"DeletePermissionsKey\",\n \"DeleteSearchIndex\",\n \"DeleteSmallComponents\",\n \"DeleteStopwords\",\n \"DeleteWithContents\",\n \"DeletionWarning\",\n \"DelimitedArray\",\n \"DelimitedSequence\",\n \"Delimiter\",\n \"DelimiterAutoMatching\",\n \"DelimiterFlashTime\",\n \"DelimiterMatching\",\n \"Delimiters\",\n \"DeliveryFunction\",\n \"Dendrogram\",\n \"Denominator\",\n \"DensityGraphics\",\n \"DensityHistogram\",\n \"DensityPlot\",\n \"DensityPlot3D\",\n \"DependentVariables\",\n \"Deploy\",\n \"Deployed\",\n \"Depth\",\n \"DepthFirstScan\",\n \"Derivative\",\n \"DerivativeFilter\",\n \"DerivativePDETerm\",\n \"DerivedKey\",\n \"DescriptorStateSpace\",\n \"DesignMatrix\",\n \"DestroyAfterEvaluation\",\n \"Det\",\n \"DeviceClose\",\n \"DeviceConfigure\",\n \"DeviceExecute\",\n \"DeviceExecuteAsynchronous\",\n \"DeviceObject\",\n \"DeviceOpen\",\n \"DeviceOpenQ\",\n \"DeviceRead\",\n \"DeviceReadBuffer\",\n \"DeviceReadLatest\",\n \"DeviceReadList\",\n \"DeviceReadTimeSeries\",\n \"Devices\",\n \"DeviceStreams\",\n \"DeviceWrite\",\n \"DeviceWriteBuffer\",\n \"DGaussianWavelet\",\n \"DiacriticalPositioning\",\n \"Diagonal\",\n \"DiagonalizableMatrixQ\",\n \"DiagonalMatrix\",\n \"DiagonalMatrixQ\",\n \"Dialog\",\n \"DialogIndent\",\n \"DialogInput\",\n \"DialogLevel\",\n \"DialogNotebook\",\n \"DialogProlog\",\n \"DialogReturn\",\n \"DialogSymbols\",\n \"Diamond\",\n \"DiamondMatrix\",\n \"DiceDissimilarity\",\n \"DictionaryLookup\",\n \"DictionaryWordQ\",\n \"DifferenceDelta\",\n \"DifferenceOrder\",\n \"DifferenceQuotient\",\n \"DifferenceRoot\",\n \"DifferenceRootReduce\",\n \"Differences\",\n \"DifferentialD\",\n \"DifferentialRoot\",\n \"DifferentialRootReduce\",\n \"DifferentiatorFilter\",\n \"DiffusionPDETerm\",\n \"DiggleGatesPointProcess\",\n \"DiggleGrattonPointProcess\",\n \"DigitalSignature\",\n \"DigitBlock\",\n \"DigitBlockMinimum\",\n \"DigitCharacter\",\n \"DigitCount\",\n \"DigitQ\",\n \"DihedralAngle\",\n \"DihedralGroup\",\n \"Dilation\",\n \"DimensionalCombinations\",\n \"DimensionalMeshComponents\",\n \"DimensionReduce\",\n \"DimensionReducerFunction\",\n \"DimensionReduction\",\n \"Dimensions\",\n \"DiracComb\",\n \"DiracDelta\",\n \"DirectedEdge\",\n \"DirectedEdges\",\n \"DirectedGraph\",\n \"DirectedGraphQ\",\n \"DirectedInfinity\",\n \"Direction\",\n \"DirectionalLight\",\n \"Directive\",\n \"Directory\",\n \"DirectoryName\",\n \"DirectoryQ\",\n \"DirectoryStack\",\n \"DirichletBeta\",\n \"DirichletCharacter\",\n \"DirichletCondition\",\n \"DirichletConvolve\",\n \"DirichletDistribution\",\n \"DirichletEta\",\n \"DirichletL\",\n \"DirichletLambda\",\n \"DirichletTransform\",\n \"DirichletWindow\",\n \"DisableConsolePrintPacket\",\n \"DisableFormatting\",\n \"DiscreteAsymptotic\",\n \"DiscreteChirpZTransform\",\n \"DiscreteConvolve\",\n \"DiscreteDelta\",\n \"DiscreteHadamardTransform\",\n \"DiscreteIndicator\",\n \"DiscreteInputOutputModel\",\n \"DiscreteLimit\",\n \"DiscreteLQEstimatorGains\",\n \"DiscreteLQRegulatorGains\",\n \"DiscreteLyapunovSolve\",\n \"DiscreteMarkovProcess\",\n \"DiscreteMaxLimit\",\n \"DiscreteMinLimit\",\n \"DiscretePlot\",\n \"DiscretePlot3D\",\n \"DiscreteRatio\",\n \"DiscreteRiccatiSolve\",\n \"DiscreteShift\",\n \"DiscreteTimeModelQ\",\n \"DiscreteUniformDistribution\",\n \"DiscreteVariables\",\n \"DiscreteWaveletData\",\n \"DiscreteWaveletPacketTransform\",\n \"DiscreteWaveletTransform\",\n \"DiscretizeGraphics\",\n \"DiscretizeRegion\",\n \"Discriminant\",\n \"DisjointQ\",\n \"Disjunction\",\n \"Disk\",\n \"DiskBox\",\n \"DiskBoxOptions\",\n \"DiskMatrix\",\n \"DiskSegment\",\n \"Dispatch\",\n \"DispatchQ\",\n \"DispersionEstimatorFunction\",\n \"Display\",\n \"DisplayAllSteps\",\n \"DisplayEndPacket\",\n \"DisplayForm\",\n \"DisplayFunction\",\n \"DisplayPacket\",\n \"DisplayRules\",\n \"DisplayString\",\n \"DisplayTemporary\",\n \"DisplayWith\",\n \"DisplayWithRef\",\n \"DisplayWithVariable\",\n \"DistanceFunction\",\n \"DistanceMatrix\",\n \"DistanceTransform\",\n \"Distribute\",\n \"Distributed\",\n \"DistributedContexts\",\n \"DistributeDefinitions\",\n \"DistributionChart\",\n \"DistributionDomain\",\n \"DistributionFitTest\",\n \"DistributionParameterAssumptions\",\n \"DistributionParameterQ\",\n \"Dithering\",\n \"Div\",\n \"Divergence\",\n \"Divide\",\n \"DivideBy\",\n \"Dividers\",\n \"DivideSides\",\n \"Divisible\",\n \"Divisors\",\n \"DivisorSigma\",\n \"DivisorSum\",\n \"DMSList\",\n \"DMSString\",\n \"Do\",\n \"DockedCell\",\n \"DockedCells\",\n \"DocumentGenerator\",\n \"DocumentGeneratorInformation\",\n \"DocumentGeneratorInformationData\",\n \"DocumentGenerators\",\n \"DocumentNotebook\",\n \"DocumentWeightingRules\",\n \"Dodecahedron\",\n \"DomainRegistrationInformation\",\n \"DominantColors\",\n \"DominatorTreeGraph\",\n \"DominatorVertexList\",\n \"DOSTextFormat\",\n \"Dot\",\n \"DotDashed\",\n \"DotEqual\",\n \"DotLayer\",\n \"DotPlusLayer\",\n \"Dotted\",\n \"DoubleBracketingBar\",\n \"DoubleContourIntegral\",\n \"DoubleDownArrow\",\n \"DoubleLeftArrow\",\n \"DoubleLeftRightArrow\",\n \"DoubleLeftTee\",\n \"DoubleLongLeftArrow\",\n \"DoubleLongLeftRightArrow\",\n \"DoubleLongRightArrow\",\n \"DoubleRightArrow\",\n \"DoubleRightTee\",\n \"DoubleUpArrow\",\n \"DoubleUpDownArrow\",\n \"DoubleVerticalBar\",\n \"DoublyInfinite\",\n \"Down\",\n \"DownArrow\",\n \"DownArrowBar\",\n \"DownArrowUpArrow\",\n \"DownLeftRightVector\",\n \"DownLeftTeeVector\",\n \"DownLeftVector\",\n \"DownLeftVectorBar\",\n \"DownRightTeeVector\",\n \"DownRightVector\",\n \"DownRightVectorBar\",\n \"Downsample\",\n \"DownTee\",\n \"DownTeeArrow\",\n \"DownValues\",\n \"DownValuesFunction\",\n \"DragAndDrop\",\n \"DrawBackFaces\",\n \"DrawEdges\",\n \"DrawFrontFaces\",\n \"DrawHighlighted\",\n \"DrazinInverse\",\n \"Drop\",\n \"DropoutLayer\",\n \"DropShadowing\",\n \"DSolve\",\n \"DSolveChangeVariables\",\n \"DSolveValue\",\n \"Dt\",\n \"DualLinearProgramming\",\n \"DualPlanarGraph\",\n \"DualPolyhedron\",\n \"DualSystemsModel\",\n \"DumpGet\",\n \"DumpSave\",\n \"DuplicateFreeQ\",\n \"Duration\",\n \"Dynamic\",\n \"DynamicBox\",\n \"DynamicBoxOptions\",\n \"DynamicEvaluationTimeout\",\n \"DynamicGeoGraphics\",\n \"DynamicImage\",\n \"DynamicLocation\",\n \"DynamicModule\",\n \"DynamicModuleBox\",\n \"DynamicModuleBoxOptions\",\n \"DynamicModuleParent\",\n \"DynamicModuleValues\",\n \"DynamicName\",\n \"DynamicNamespace\",\n \"DynamicReference\",\n \"DynamicSetting\",\n \"DynamicUpdating\",\n \"DynamicWrapper\",\n \"DynamicWrapperBox\",\n \"DynamicWrapperBoxOptions\",\n \"E\",\n \"EarthImpactData\",\n \"EarthquakeData\",\n \"EccentricityCentrality\",\n \"Echo\",\n \"EchoEvaluation\",\n \"EchoFunction\",\n \"EchoLabel\",\n \"EchoTiming\",\n \"EclipseType\",\n \"EdgeAdd\",\n \"EdgeBetweennessCentrality\",\n \"EdgeCapacity\",\n \"EdgeCapForm\",\n \"EdgeChromaticNumber\",\n \"EdgeColor\",\n \"EdgeConnectivity\",\n \"EdgeContract\",\n \"EdgeCost\",\n \"EdgeCount\",\n \"EdgeCoverQ\",\n \"EdgeCycleMatrix\",\n \"EdgeDashing\",\n \"EdgeDelete\",\n \"EdgeDetect\",\n \"EdgeForm\",\n \"EdgeIndex\",\n \"EdgeJoinForm\",\n \"EdgeLabeling\",\n \"EdgeLabels\",\n \"EdgeLabelStyle\",\n \"EdgeList\",\n \"EdgeOpacity\",\n \"EdgeQ\",\n \"EdgeRenderingFunction\",\n \"EdgeRules\",\n \"EdgeShapeFunction\",\n \"EdgeStyle\",\n \"EdgeTaggedGraph\",\n \"EdgeTaggedGraphQ\",\n \"EdgeTags\",\n \"EdgeThickness\",\n \"EdgeTransitiveGraphQ\",\n \"EdgeValueRange\",\n \"EdgeValueSizes\",\n \"EdgeWeight\",\n \"EdgeWeightedGraphQ\",\n \"Editable\",\n \"EditButtonSettings\",\n \"EditCellTagsSettings\",\n \"EditDistance\",\n \"EffectiveInterest\",\n \"Eigensystem\",\n \"Eigenvalues\",\n \"EigenvectorCentrality\",\n \"Eigenvectors\",\n \"Element\",\n \"ElementData\",\n \"ElementwiseLayer\",\n \"ElidedForms\",\n \"Eliminate\",\n \"EliminationOrder\",\n \"Ellipsoid\",\n \"EllipticE\",\n \"EllipticExp\",\n \"EllipticExpPrime\",\n \"EllipticF\",\n \"EllipticFilterModel\",\n \"EllipticK\",\n \"EllipticLog\",\n \"EllipticNomeQ\",\n \"EllipticPi\",\n \"EllipticReducedHalfPeriods\",\n \"EllipticTheta\",\n \"EllipticThetaPrime\",\n \"EmbedCode\",\n \"EmbeddedHTML\",\n \"EmbeddedService\",\n \"EmbeddedSQLEntityClass\",\n \"EmbeddedSQLExpression\",\n \"EmbeddingLayer\",\n \"EmbeddingObject\",\n \"EmitSound\",\n \"EmphasizeSyntaxErrors\",\n \"EmpiricalDistribution\",\n \"Empty\",\n \"EmptyGraphQ\",\n \"EmptyRegion\",\n \"EmptySpaceF\",\n \"EnableConsolePrintPacket\",\n \"Enabled\",\n \"Enclose\",\n \"Encode\",\n \"Encrypt\",\n \"EncryptedObject\",\n \"EncryptFile\",\n \"End\",\n \"EndAdd\",\n \"EndDialogPacket\",\n \"EndOfBuffer\",\n \"EndOfFile\",\n \"EndOfLine\",\n \"EndOfString\",\n \"EndPackage\",\n \"EngineEnvironment\",\n \"EngineeringForm\",\n \"Enter\",\n \"EnterExpressionPacket\",\n \"EnterTextPacket\",\n \"Entity\",\n \"EntityClass\",\n \"EntityClassList\",\n \"EntityCopies\",\n \"EntityFunction\",\n \"EntityGroup\",\n \"EntityInstance\",\n \"EntityList\",\n \"EntityPrefetch\",\n \"EntityProperties\",\n \"EntityProperty\",\n \"EntityPropertyClass\",\n \"EntityRegister\",\n \"EntityStore\",\n \"EntityStores\",\n \"EntityTypeName\",\n \"EntityUnregister\",\n \"EntityValue\",\n \"Entropy\",\n \"EntropyFilter\",\n \"Environment\",\n \"Epilog\",\n \"EpilogFunction\",\n \"Equal\",\n \"EqualColumns\",\n \"EqualRows\",\n \"EqualTilde\",\n \"EqualTo\",\n \"EquatedTo\",\n \"Equilibrium\",\n \"EquirippleFilterKernel\",\n \"Equivalent\",\n \"Erf\",\n \"Erfc\",\n \"Erfi\",\n \"ErlangB\",\n \"ErlangC\",\n \"ErlangDistribution\",\n \"Erosion\",\n \"ErrorBox\",\n \"ErrorBoxOptions\",\n \"ErrorNorm\",\n \"ErrorPacket\",\n \"ErrorsDialogSettings\",\n \"EscapeRadius\",\n \"EstimatedBackground\",\n \"EstimatedDistribution\",\n \"EstimatedPointNormals\",\n \"EstimatedPointProcess\",\n \"EstimatedProcess\",\n \"EstimatedVariogramModel\",\n \"EstimatorGains\",\n \"EstimatorRegulator\",\n \"EuclideanDistance\",\n \"EulerAngles\",\n \"EulerCharacteristic\",\n \"EulerE\",\n \"EulerGamma\",\n \"EulerianGraphQ\",\n \"EulerMatrix\",\n \"EulerPhi\",\n \"Evaluatable\",\n \"Evaluate\",\n \"Evaluated\",\n \"EvaluatePacket\",\n \"EvaluateScheduledTask\",\n \"EvaluationBox\",\n \"EvaluationCell\",\n \"EvaluationCompletionAction\",\n \"EvaluationData\",\n \"EvaluationElements\",\n \"EvaluationEnvironment\",\n \"EvaluationMode\",\n \"EvaluationMonitor\",\n \"EvaluationNotebook\",\n \"EvaluationObject\",\n \"EvaluationOrder\",\n \"EvaluationPrivileges\",\n \"EvaluationRateLimit\",\n \"Evaluator\",\n \"EvaluatorNames\",\n \"EvenQ\",\n \"EventData\",\n \"EventEvaluator\",\n \"EventHandler\",\n \"EventHandlerTag\",\n \"EventLabels\",\n \"EventSeries\",\n \"ExactBlackmanWindow\",\n \"ExactNumberQ\",\n \"ExactRootIsolation\",\n \"ExampleData\",\n \"Except\",\n \"ExcludedContexts\",\n \"ExcludedForms\",\n \"ExcludedLines\",\n \"ExcludedPhysicalQuantities\",\n \"ExcludePods\",\n \"Exclusions\",\n \"ExclusionsStyle\",\n \"Exists\",\n \"Exit\",\n \"ExitDialog\",\n \"ExoplanetData\",\n \"Exp\",\n \"Expand\",\n \"ExpandAll\",\n \"ExpandDenominator\",\n \"ExpandFileName\",\n \"ExpandNumerator\",\n \"Expectation\",\n \"ExpectationE\",\n \"ExpectedValue\",\n \"ExpGammaDistribution\",\n \"ExpIntegralE\",\n \"ExpIntegralEi\",\n \"ExpirationDate\",\n \"Exponent\",\n \"ExponentFunction\",\n \"ExponentialDistribution\",\n \"ExponentialFamily\",\n \"ExponentialGeneratingFunction\",\n \"ExponentialMovingAverage\",\n \"ExponentialPowerDistribution\",\n \"ExponentPosition\",\n \"ExponentStep\",\n \"Export\",\n \"ExportAutoReplacements\",\n \"ExportByteArray\",\n \"ExportForm\",\n \"ExportPacket\",\n \"ExportString\",\n \"Expression\",\n \"ExpressionCell\",\n \"ExpressionGraph\",\n \"ExpressionPacket\",\n \"ExpressionTree\",\n \"ExpressionUUID\",\n \"ExpToTrig\",\n \"ExtendedEntityClass\",\n \"ExtendedGCD\",\n \"Extension\",\n \"ExtentElementFunction\",\n \"ExtentMarkers\",\n \"ExtentSize\",\n \"ExternalBundle\",\n \"ExternalCall\",\n \"ExternalDataCharacterEncoding\",\n \"ExternalEvaluate\",\n \"ExternalFunction\",\n \"ExternalFunctionName\",\n \"ExternalIdentifier\",\n \"ExternalObject\",\n \"ExternalOptions\",\n \"ExternalSessionObject\",\n \"ExternalSessions\",\n \"ExternalStorageBase\",\n \"ExternalStorageDownload\",\n \"ExternalStorageGet\",\n \"ExternalStorageObject\",\n \"ExternalStoragePut\",\n \"ExternalStorageUpload\",\n \"ExternalTypeSignature\",\n \"ExternalValue\",\n \"Extract\",\n \"ExtractArchive\",\n \"ExtractLayer\",\n \"ExtractPacletArchive\",\n \"ExtremeValueDistribution\",\n \"FaceAlign\",\n \"FaceForm\",\n \"FaceGrids\",\n \"FaceGridsStyle\",\n \"FaceRecognize\",\n \"FacialFeatures\",\n \"Factor\",\n \"FactorComplete\",\n \"Factorial\",\n \"Factorial2\",\n \"FactorialMoment\",\n \"FactorialMomentGeneratingFunction\",\n \"FactorialPower\",\n \"FactorInteger\",\n \"FactorList\",\n \"FactorSquareFree\",\n \"FactorSquareFreeList\",\n \"FactorTerms\",\n \"FactorTermsList\",\n \"Fail\",\n \"Failure\",\n \"FailureAction\",\n \"FailureDistribution\",\n \"FailureQ\",\n \"False\",\n \"FareySequence\",\n \"FARIMAProcess\",\n \"FeatureDistance\",\n \"FeatureExtract\",\n \"FeatureExtraction\",\n \"FeatureExtractor\",\n \"FeatureExtractorFunction\",\n \"FeatureImpactPlot\",\n \"FeatureNames\",\n \"FeatureNearest\",\n \"FeatureSpacePlot\",\n \"FeatureSpacePlot3D\",\n \"FeatureTypes\",\n \"FeatureValueDependencyPlot\",\n \"FeatureValueImpactPlot\",\n \"FEDisableConsolePrintPacket\",\n \"FeedbackLinearize\",\n \"FeedbackSector\",\n \"FeedbackSectorStyle\",\n \"FeedbackType\",\n \"FEEnableConsolePrintPacket\",\n \"FetalGrowthData\",\n \"Fibonacci\",\n \"Fibonorial\",\n \"FieldCompletionFunction\",\n \"FieldHint\",\n \"FieldHintStyle\",\n \"FieldMasked\",\n \"FieldSize\",\n \"File\",\n \"FileBaseName\",\n \"FileByteCount\",\n \"FileConvert\",\n \"FileDate\",\n \"FileExistsQ\",\n \"FileExtension\",\n \"FileFormat\",\n \"FileFormatProperties\",\n \"FileFormatQ\",\n \"FileHandler\",\n \"FileHash\",\n \"FileInformation\",\n \"FileName\",\n \"FileNameDepth\",\n \"FileNameDialogSettings\",\n \"FileNameDrop\",\n \"FileNameForms\",\n \"FileNameJoin\",\n \"FileNames\",\n \"FileNameSetter\",\n \"FileNameSplit\",\n \"FileNameTake\",\n \"FileNameToFormatList\",\n \"FilePrint\",\n \"FileSize\",\n \"FileSystemMap\",\n \"FileSystemScan\",\n \"FileSystemTree\",\n \"FileTemplate\",\n \"FileTemplateApply\",\n \"FileType\",\n \"FilledCurve\",\n \"FilledCurveBox\",\n \"FilledCurveBoxOptions\",\n \"FilledTorus\",\n \"FillForm\",\n \"Filling\",\n \"FillingStyle\",\n \"FillingTransform\",\n \"FilteredEntityClass\",\n \"FilterRules\",\n \"FinancialBond\",\n \"FinancialData\",\n \"FinancialDerivative\",\n \"FinancialIndicator\",\n \"Find\",\n \"FindAnomalies\",\n \"FindArgMax\",\n \"FindArgMin\",\n \"FindChannels\",\n \"FindClique\",\n \"FindClusters\",\n \"FindCookies\",\n \"FindCurvePath\",\n \"FindCycle\",\n \"FindDevices\",\n \"FindDistribution\",\n \"FindDistributionParameters\",\n \"FindDivisions\",\n \"FindEdgeColoring\",\n \"FindEdgeCover\",\n \"FindEdgeCut\",\n \"FindEdgeIndependentPaths\",\n \"FindEquationalProof\",\n \"FindEulerianCycle\",\n \"FindExternalEvaluators\",\n \"FindFaces\",\n \"FindFile\",\n \"FindFit\",\n \"FindFormula\",\n \"FindFundamentalCycles\",\n \"FindGeneratingFunction\",\n \"FindGeoLocation\",\n \"FindGeometricConjectures\",\n \"FindGeometricTransform\",\n \"FindGraphCommunities\",\n \"FindGraphIsomorphism\",\n \"FindGraphPartition\",\n \"FindHamiltonianCycle\",\n \"FindHamiltonianPath\",\n \"FindHiddenMarkovStates\",\n \"FindImageText\",\n \"FindIndependentEdgeSet\",\n \"FindIndependentVertexSet\",\n \"FindInstance\",\n \"FindIntegerNullVector\",\n \"FindIsomers\",\n \"FindIsomorphicSubgraph\",\n \"FindKClan\",\n \"FindKClique\",\n \"FindKClub\",\n \"FindKPlex\",\n \"FindLibrary\",\n \"FindLinearRecurrence\",\n \"FindList\",\n \"FindMatchingColor\",\n \"FindMaximum\",\n \"FindMaximumCut\",\n \"FindMaximumFlow\",\n \"FindMaxValue\",\n \"FindMeshDefects\",\n \"FindMinimum\",\n \"FindMinimumCostFlow\",\n \"FindMinimumCut\",\n \"FindMinValue\",\n \"FindMoleculeSubstructure\",\n \"FindPath\",\n \"FindPeaks\",\n \"FindPermutation\",\n \"FindPlanarColoring\",\n \"FindPointProcessParameters\",\n \"FindPostmanTour\",\n \"FindProcessParameters\",\n \"FindRegionTransform\",\n \"FindRepeat\",\n \"FindRoot\",\n \"FindSequenceFunction\",\n \"FindSettings\",\n \"FindShortestPath\",\n \"FindShortestTour\",\n \"FindSpanningTree\",\n \"FindSubgraphIsomorphism\",\n \"FindSystemModelEquilibrium\",\n \"FindTextualAnswer\",\n \"FindThreshold\",\n \"FindTransientRepeat\",\n \"FindVertexColoring\",\n \"FindVertexCover\",\n \"FindVertexCut\",\n \"FindVertexIndependentPaths\",\n \"Fine\",\n \"FinishDynamic\",\n \"FiniteAbelianGroupCount\",\n \"FiniteGroupCount\",\n \"FiniteGroupData\",\n \"First\",\n \"FirstCase\",\n \"FirstPassageTimeDistribution\",\n \"FirstPosition\",\n \"FischerGroupFi22\",\n \"FischerGroupFi23\",\n \"FischerGroupFi24Prime\",\n \"FisherHypergeometricDistribution\",\n \"FisherRatioTest\",\n \"FisherZDistribution\",\n \"Fit\",\n \"FitAll\",\n \"FitRegularization\",\n \"FittedModel\",\n \"FixedOrder\",\n \"FixedPoint\",\n \"FixedPointList\",\n \"FlashSelection\",\n \"Flat\",\n \"FlatShading\",\n \"Flatten\",\n \"FlattenAt\",\n \"FlattenLayer\",\n \"FlatTopWindow\",\n \"FlightData\",\n \"FlipView\",\n \"Floor\",\n \"FlowPolynomial\",\n \"Fold\",\n \"FoldList\",\n \"FoldPair\",\n \"FoldPairList\",\n \"FoldWhile\",\n \"FoldWhileList\",\n \"FollowRedirects\",\n \"Font\",\n \"FontColor\",\n \"FontFamily\",\n \"FontForm\",\n \"FontName\",\n \"FontOpacity\",\n \"FontPostScriptName\",\n \"FontProperties\",\n \"FontReencoding\",\n \"FontSize\",\n \"FontSlant\",\n \"FontSubstitutions\",\n \"FontTracking\",\n \"FontVariations\",\n \"FontWeight\",\n \"For\",\n \"ForAll\",\n \"ForAllType\",\n \"ForceVersionInstall\",\n \"Format\",\n \"FormatRules\",\n \"FormatType\",\n \"FormatTypeAutoConvert\",\n \"FormatValues\",\n \"FormBox\",\n \"FormBoxOptions\",\n \"FormControl\",\n \"FormFunction\",\n \"FormLayoutFunction\",\n \"FormObject\",\n \"FormPage\",\n \"FormProtectionMethod\",\n \"FormTheme\",\n \"FormulaData\",\n \"FormulaLookup\",\n \"FortranForm\",\n \"Forward\",\n \"ForwardBackward\",\n \"ForwardCloudCredentials\",\n \"Fourier\",\n \"FourierCoefficient\",\n \"FourierCosCoefficient\",\n \"FourierCosSeries\",\n \"FourierCosTransform\",\n \"FourierDCT\",\n \"FourierDCTFilter\",\n \"FourierDCTMatrix\",\n \"FourierDST\",\n \"FourierDSTMatrix\",\n \"FourierMatrix\",\n \"FourierParameters\",\n \"FourierSequenceTransform\",\n \"FourierSeries\",\n \"FourierSinCoefficient\",\n \"FourierSinSeries\",\n \"FourierSinTransform\",\n \"FourierTransform\",\n \"FourierTrigSeries\",\n \"FoxH\",\n \"FoxHReduce\",\n \"FractionalBrownianMotionProcess\",\n \"FractionalD\",\n \"FractionalGaussianNoiseProcess\",\n \"FractionalPart\",\n \"FractionBox\",\n \"FractionBoxOptions\",\n \"FractionLine\",\n \"Frame\",\n \"FrameBox\",\n \"FrameBoxOptions\",\n \"Framed\",\n \"FrameInset\",\n \"FrameLabel\",\n \"Frameless\",\n \"FrameListVideo\",\n \"FrameMargins\",\n \"FrameRate\",\n \"FrameStyle\",\n \"FrameTicks\",\n \"FrameTicksStyle\",\n \"FRatioDistribution\",\n \"FrechetDistribution\",\n \"FreeQ\",\n \"FrenetSerretSystem\",\n \"FrequencySamplingFilterKernel\",\n \"FresnelC\",\n \"FresnelF\",\n \"FresnelG\",\n \"FresnelS\",\n \"Friday\",\n \"FrobeniusNumber\",\n \"FrobeniusSolve\",\n \"FromAbsoluteTime\",\n \"FromCharacterCode\",\n \"FromCoefficientRules\",\n \"FromContinuedFraction\",\n \"FromDate\",\n \"FromDateString\",\n \"FromDigits\",\n \"FromDMS\",\n \"FromEntity\",\n \"FromJulianDate\",\n \"FromLetterNumber\",\n \"FromPolarCoordinates\",\n \"FromRawPointer\",\n \"FromRomanNumeral\",\n \"FromSphericalCoordinates\",\n \"FromUnixTime\",\n \"Front\",\n \"FrontEndDynamicExpression\",\n \"FrontEndEventActions\",\n \"FrontEndExecute\",\n \"FrontEndObject\",\n \"FrontEndResource\",\n \"FrontEndResourceString\",\n \"FrontEndStackSize\",\n \"FrontEndToken\",\n \"FrontEndTokenExecute\",\n \"FrontEndValueCache\",\n \"FrontEndVersion\",\n \"FrontFaceColor\",\n \"FrontFaceGlowColor\",\n \"FrontFaceOpacity\",\n \"FrontFaceSpecularColor\",\n \"FrontFaceSpecularExponent\",\n \"FrontFaceSurfaceAppearance\",\n \"FrontFaceTexture\",\n \"Full\",\n \"FullAxes\",\n \"FullDefinition\",\n \"FullForm\",\n \"FullGraphics\",\n \"FullInformationOutputRegulator\",\n \"FullOptions\",\n \"FullRegion\",\n \"FullSimplify\",\n \"Function\",\n \"FunctionAnalytic\",\n \"FunctionBijective\",\n \"FunctionCompile\",\n \"FunctionCompileExport\",\n \"FunctionCompileExportByteArray\",\n \"FunctionCompileExportLibrary\",\n \"FunctionCompileExportString\",\n \"FunctionContinuous\",\n \"FunctionConvexity\",\n \"FunctionDeclaration\",\n \"FunctionDiscontinuities\",\n \"FunctionDomain\",\n \"FunctionExpand\",\n \"FunctionInjective\",\n \"FunctionInterpolation\",\n \"FunctionLayer\",\n \"FunctionMeromorphic\",\n \"FunctionMonotonicity\",\n \"FunctionPeriod\",\n \"FunctionPoles\",\n \"FunctionRange\",\n \"FunctionSign\",\n \"FunctionSingularities\",\n \"FunctionSpace\",\n \"FunctionSurjective\",\n \"FussellVeselyImportance\",\n \"GaborFilter\",\n \"GaborMatrix\",\n \"GaborWavelet\",\n \"GainMargins\",\n \"GainPhaseMargins\",\n \"GalaxyData\",\n \"GalleryView\",\n \"Gamma\",\n \"GammaDistribution\",\n \"GammaRegularized\",\n \"GapPenalty\",\n \"GARCHProcess\",\n \"GatedRecurrentLayer\",\n \"Gather\",\n \"GatherBy\",\n \"GaugeFaceElementFunction\",\n \"GaugeFaceStyle\",\n \"GaugeFrameElementFunction\",\n \"GaugeFrameSize\",\n \"GaugeFrameStyle\",\n \"GaugeLabels\",\n \"GaugeMarkers\",\n \"GaugeStyle\",\n \"GaussianFilter\",\n \"GaussianIntegers\",\n \"GaussianMatrix\",\n \"GaussianOrthogonalMatrixDistribution\",\n \"GaussianSymplecticMatrixDistribution\",\n \"GaussianUnitaryMatrixDistribution\",\n \"GaussianWindow\",\n \"GCD\",\n \"GegenbauerC\",\n \"General\",\n \"GeneralizedLinearModelFit\",\n \"GenerateAsymmetricKeyPair\",\n \"GenerateConditions\",\n \"GeneratedAssetFormat\",\n \"GeneratedAssetLocation\",\n \"GeneratedCell\",\n \"GeneratedCellStyles\",\n \"GeneratedDocumentBinding\",\n \"GenerateDerivedKey\",\n \"GenerateDigitalSignature\",\n \"GenerateDocument\",\n \"GeneratedParameters\",\n \"GeneratedQuantityMagnitudes\",\n \"GenerateFileSignature\",\n \"GenerateHTTPResponse\",\n \"GenerateSecuredAuthenticationKey\",\n \"GenerateSymmetricKey\",\n \"GeneratingFunction\",\n \"GeneratorDescription\",\n \"GeneratorHistoryLength\",\n \"GeneratorOutputType\",\n \"Generic\",\n \"GenericCylindricalDecomposition\",\n \"GenomeData\",\n \"GenomeLookup\",\n \"GeoAntipode\",\n \"GeoArea\",\n \"GeoArraySize\",\n \"GeoBackground\",\n \"GeoBoundary\",\n \"GeoBoundingBox\",\n \"GeoBounds\",\n \"GeoBoundsRegion\",\n \"GeoBoundsRegionBoundary\",\n \"GeoBubbleChart\",\n \"GeoCenter\",\n \"GeoCircle\",\n \"GeoContourPlot\",\n \"GeoDensityPlot\",\n \"GeodesicClosing\",\n \"GeodesicDilation\",\n \"GeodesicErosion\",\n \"GeodesicOpening\",\n \"GeodesicPolyhedron\",\n \"GeoDestination\",\n \"GeodesyData\",\n \"GeoDirection\",\n \"GeoDisk\",\n \"GeoDisplacement\",\n \"GeoDistance\",\n \"GeoDistanceList\",\n \"GeoElevationData\",\n \"GeoEntities\",\n \"GeoGraphics\",\n \"GeoGraphPlot\",\n \"GeoGraphValuePlot\",\n \"GeogravityModelData\",\n \"GeoGridDirectionDifference\",\n \"GeoGridLines\",\n \"GeoGridLinesStyle\",\n \"GeoGridPosition\",\n \"GeoGridRange\",\n \"GeoGridRangePadding\",\n \"GeoGridUnitArea\",\n \"GeoGridUnitDistance\",\n \"GeoGridVector\",\n \"GeoGroup\",\n \"GeoHemisphere\",\n \"GeoHemisphereBoundary\",\n \"GeoHistogram\",\n \"GeoIdentify\",\n \"GeoImage\",\n \"GeoLabels\",\n \"GeoLength\",\n \"GeoListPlot\",\n \"GeoLocation\",\n \"GeologicalPeriodData\",\n \"GeomagneticModelData\",\n \"GeoMarker\",\n \"GeometricAssertion\",\n \"GeometricBrownianMotionProcess\",\n \"GeometricDistribution\",\n \"GeometricMean\",\n \"GeometricMeanFilter\",\n \"GeometricOptimization\",\n \"GeometricScene\",\n \"GeometricStep\",\n \"GeometricStylingRules\",\n \"GeometricTest\",\n \"GeometricTransformation\",\n \"GeometricTransformation3DBox\",\n \"GeometricTransformation3DBoxOptions\",\n \"GeometricTransformationBox\",\n \"GeometricTransformationBoxOptions\",\n \"GeoModel\",\n \"GeoNearest\",\n \"GeoOrientationData\",\n \"GeoPath\",\n \"GeoPolygon\",\n \"GeoPosition\",\n \"GeoPositionENU\",\n \"GeoPositionXYZ\",\n \"GeoProjection\",\n \"GeoProjectionData\",\n \"GeoRange\",\n \"GeoRangePadding\",\n \"GeoRegionValuePlot\",\n \"GeoResolution\",\n \"GeoScaleBar\",\n \"GeoServer\",\n \"GeoSmoothHistogram\",\n \"GeoStreamPlot\",\n \"GeoStyling\",\n \"GeoStylingImageFunction\",\n \"GeoVariant\",\n \"GeoVector\",\n \"GeoVectorENU\",\n \"GeoVectorPlot\",\n \"GeoVectorXYZ\",\n \"GeoVisibleRegion\",\n \"GeoVisibleRegionBoundary\",\n \"GeoWithinQ\",\n \"GeoZoomLevel\",\n \"GestureHandler\",\n \"GestureHandlerTag\",\n \"Get\",\n \"GetContext\",\n \"GetEnvironment\",\n \"GetFileName\",\n \"GetLinebreakInformationPacket\",\n \"GibbsPointProcess\",\n \"Glaisher\",\n \"GlobalClusteringCoefficient\",\n \"GlobalPreferences\",\n \"GlobalSession\",\n \"Glow\",\n \"GoldenAngle\",\n \"GoldenRatio\",\n \"GompertzMakehamDistribution\",\n \"GoochShading\",\n \"GoodmanKruskalGamma\",\n \"GoodmanKruskalGammaTest\",\n \"Goto\",\n \"GouraudShading\",\n \"Grad\",\n \"Gradient\",\n \"GradientFilter\",\n \"GradientFittedMesh\",\n \"GradientOrientationFilter\",\n \"GrammarApply\",\n \"GrammarRules\",\n \"GrammarToken\",\n \"Graph\",\n \"Graph3D\",\n \"GraphAssortativity\",\n \"GraphAutomorphismGroup\",\n \"GraphCenter\",\n \"GraphComplement\",\n \"GraphData\",\n \"GraphDensity\",\n \"GraphDiameter\",\n \"GraphDifference\",\n \"GraphDisjointUnion\",\n \"GraphDistance\",\n \"GraphDistanceMatrix\",\n \"GraphEmbedding\",\n \"GraphHighlight\",\n \"GraphHighlightStyle\",\n \"GraphHub\",\n \"Graphics\",\n \"Graphics3D\",\n \"Graphics3DBox\",\n \"Graphics3DBoxOptions\",\n \"GraphicsArray\",\n \"GraphicsBaseline\",\n \"GraphicsBox\",\n \"GraphicsBoxOptions\",\n \"GraphicsColor\",\n \"GraphicsColumn\",\n \"GraphicsComplex\",\n \"GraphicsComplex3DBox\",\n \"GraphicsComplex3DBoxOptions\",\n \"GraphicsComplexBox\",\n \"GraphicsComplexBoxOptions\",\n \"GraphicsContents\",\n \"GraphicsData\",\n \"GraphicsGrid\",\n \"GraphicsGridBox\",\n \"GraphicsGroup\",\n \"GraphicsGroup3DBox\",\n \"GraphicsGroup3DBoxOptions\",\n \"GraphicsGroupBox\",\n \"GraphicsGroupBoxOptions\",\n \"GraphicsGrouping\",\n \"GraphicsHighlightColor\",\n \"GraphicsRow\",\n \"GraphicsSpacing\",\n \"GraphicsStyle\",\n \"GraphIntersection\",\n \"GraphJoin\",\n \"GraphLayerLabels\",\n \"GraphLayers\",\n \"GraphLayerStyle\",\n \"GraphLayout\",\n \"GraphLinkEfficiency\",\n \"GraphPeriphery\",\n \"GraphPlot\",\n \"GraphPlot3D\",\n \"GraphPower\",\n \"GraphProduct\",\n \"GraphPropertyDistribution\",\n \"GraphQ\",\n \"GraphRadius\",\n \"GraphReciprocity\",\n \"GraphRoot\",\n \"GraphStyle\",\n \"GraphSum\",\n \"GraphTree\",\n \"GraphUnion\",\n \"Gray\",\n \"GrayLevel\",\n \"Greater\",\n \"GreaterEqual\",\n \"GreaterEqualLess\",\n \"GreaterEqualThan\",\n \"GreaterFullEqual\",\n \"GreaterGreater\",\n \"GreaterLess\",\n \"GreaterSlantEqual\",\n \"GreaterThan\",\n \"GreaterTilde\",\n \"GreekStyle\",\n \"Green\",\n \"GreenFunction\",\n \"Grid\",\n \"GridBaseline\",\n \"GridBox\",\n \"GridBoxAlignment\",\n \"GridBoxBackground\",\n \"GridBoxDividers\",\n \"GridBoxFrame\",\n \"GridBoxItemSize\",\n \"GridBoxItemStyle\",\n \"GridBoxOptions\",\n \"GridBoxSpacings\",\n \"GridCreationSettings\",\n \"GridDefaultElement\",\n \"GridElementStyleOptions\",\n \"GridFrame\",\n \"GridFrameMargins\",\n \"GridGraph\",\n \"GridLines\",\n \"GridLinesStyle\",\n \"GridVideo\",\n \"GroebnerBasis\",\n \"GroupActionBase\",\n \"GroupBy\",\n \"GroupCentralizer\",\n \"GroupElementFromWord\",\n \"GroupElementPosition\",\n \"GroupElementQ\",\n \"GroupElements\",\n \"GroupElementToWord\",\n \"GroupGenerators\",\n \"Groupings\",\n \"GroupMultiplicationTable\",\n \"GroupOpenerColor\",\n \"GroupOpenerInsideFrame\",\n \"GroupOrbits\",\n \"GroupOrder\",\n \"GroupPageBreakWithin\",\n \"GroupSetwiseStabilizer\",\n \"GroupStabilizer\",\n \"GroupStabilizerChain\",\n \"GroupTogetherGrouping\",\n \"GroupTogetherNestedGrouping\",\n \"GrowCutComponents\",\n \"Gudermannian\",\n \"GuidedFilter\",\n \"GumbelDistribution\",\n \"HaarWavelet\",\n \"HadamardMatrix\",\n \"HalfLine\",\n \"HalfNormalDistribution\",\n \"HalfPlane\",\n \"HalfSpace\",\n \"HalftoneShading\",\n \"HamiltonianGraphQ\",\n \"HammingDistance\",\n \"HammingWindow\",\n \"HandlerFunctions\",\n \"HandlerFunctionsKeys\",\n \"HankelH1\",\n \"HankelH2\",\n \"HankelMatrix\",\n \"HankelTransform\",\n \"HannPoissonWindow\",\n \"HannWindow\",\n \"HaradaNortonGroupHN\",\n \"HararyGraph\",\n \"HardcorePointProcess\",\n \"HarmonicMean\",\n \"HarmonicMeanFilter\",\n \"HarmonicNumber\",\n \"Hash\",\n \"HatchFilling\",\n \"HatchShading\",\n \"Haversine\",\n \"HazardFunction\",\n \"Head\",\n \"HeadCompose\",\n \"HeaderAlignment\",\n \"HeaderBackground\",\n \"HeaderDisplayFunction\",\n \"HeaderLines\",\n \"Headers\",\n \"HeaderSize\",\n \"HeaderStyle\",\n \"Heads\",\n \"HeatFluxValue\",\n \"HeatInsulationValue\",\n \"HeatOutflowValue\",\n \"HeatRadiationValue\",\n \"HeatSymmetryValue\",\n \"HeatTemperatureCondition\",\n \"HeatTransferPDEComponent\",\n \"HeatTransferValue\",\n \"HeavisideLambda\",\n \"HeavisidePi\",\n \"HeavisideTheta\",\n \"HeldGroupHe\",\n \"HeldPart\",\n \"HelmholtzPDEComponent\",\n \"HelpBrowserLookup\",\n \"HelpBrowserNotebook\",\n \"HelpBrowserSettings\",\n \"HelpViewerSettings\",\n \"Here\",\n \"HermiteDecomposition\",\n \"HermiteH\",\n \"Hermitian\",\n \"HermitianMatrixQ\",\n \"HessenbergDecomposition\",\n \"Hessian\",\n \"HeunB\",\n \"HeunBPrime\",\n \"HeunC\",\n \"HeunCPrime\",\n \"HeunD\",\n \"HeunDPrime\",\n \"HeunG\",\n \"HeunGPrime\",\n \"HeunT\",\n \"HeunTPrime\",\n \"HexadecimalCharacter\",\n \"Hexahedron\",\n \"HexahedronBox\",\n \"HexahedronBoxOptions\",\n \"HiddenItems\",\n \"HiddenMarkovProcess\",\n \"HiddenSurface\",\n \"Highlighted\",\n \"HighlightGraph\",\n \"HighlightImage\",\n \"HighlightMesh\",\n \"HighlightString\",\n \"HighpassFilter\",\n \"HigmanSimsGroupHS\",\n \"HilbertCurve\",\n \"HilbertFilter\",\n \"HilbertMatrix\",\n \"Histogram\",\n \"Histogram3D\",\n \"HistogramDistribution\",\n \"HistogramList\",\n \"HistogramPointDensity\",\n \"HistogramTransform\",\n \"HistogramTransformInterpolation\",\n \"HistoricalPeriodData\",\n \"HitMissTransform\",\n \"HITSCentrality\",\n \"HjorthDistribution\",\n \"HodgeDual\",\n \"HoeffdingD\",\n \"HoeffdingDTest\",\n \"Hold\",\n \"HoldAll\",\n \"HoldAllComplete\",\n \"HoldComplete\",\n \"HoldFirst\",\n \"HoldForm\",\n \"HoldPattern\",\n \"HoldRest\",\n \"HolidayCalendar\",\n \"HomeDirectory\",\n \"HomePage\",\n \"Horizontal\",\n \"HorizontalForm\",\n \"HorizontalGauge\",\n \"HorizontalScrollPosition\",\n \"HornerForm\",\n \"HostLookup\",\n \"HotellingTSquareDistribution\",\n \"HoytDistribution\",\n \"HTMLSave\",\n \"HTTPErrorResponse\",\n \"HTTPRedirect\",\n \"HTTPRequest\",\n \"HTTPRequestData\",\n \"HTTPResponse\",\n \"Hue\",\n \"HumanGrowthData\",\n \"HumpDownHump\",\n \"HumpEqual\",\n \"HurwitzLerchPhi\",\n \"HurwitzZeta\",\n \"HyperbolicDistribution\",\n \"HypercubeGraph\",\n \"HyperexponentialDistribution\",\n \"Hyperfactorial\",\n \"Hypergeometric0F1\",\n \"Hypergeometric0F1Regularized\",\n \"Hypergeometric1F1\",\n \"Hypergeometric1F1Regularized\",\n \"Hypergeometric2F1\",\n \"Hypergeometric2F1Regularized\",\n \"HypergeometricDistribution\",\n \"HypergeometricPFQ\",\n \"HypergeometricPFQRegularized\",\n \"HypergeometricU\",\n \"Hyperlink\",\n \"HyperlinkAction\",\n \"HyperlinkCreationSettings\",\n \"Hyperplane\",\n \"Hyphenation\",\n \"HyphenationOptions\",\n \"HypoexponentialDistribution\",\n \"HypothesisTestData\",\n \"I\",\n \"IconData\",\n \"Iconize\",\n \"IconizedObject\",\n \"IconRules\",\n \"Icosahedron\",\n \"Identity\",\n \"IdentityMatrix\",\n \"If\",\n \"IfCompiled\",\n \"IgnoreCase\",\n \"IgnoreDiacritics\",\n \"IgnoreIsotopes\",\n \"IgnorePunctuation\",\n \"IgnoreSpellCheck\",\n \"IgnoreStereochemistry\",\n \"IgnoringInactive\",\n \"Im\",\n \"Image\",\n \"Image3D\",\n \"Image3DProjection\",\n \"Image3DSlices\",\n \"ImageAccumulate\",\n \"ImageAdd\",\n \"ImageAdjust\",\n \"ImageAlign\",\n \"ImageApply\",\n \"ImageApplyIndexed\",\n \"ImageAspectRatio\",\n \"ImageAssemble\",\n \"ImageAugmentationLayer\",\n \"ImageBoundingBoxes\",\n \"ImageCache\",\n \"ImageCacheValid\",\n \"ImageCapture\",\n \"ImageCaptureFunction\",\n \"ImageCases\",\n \"ImageChannels\",\n \"ImageClip\",\n \"ImageCollage\",\n \"ImageColorSpace\",\n \"ImageCompose\",\n \"ImageContainsQ\",\n \"ImageContents\",\n \"ImageConvolve\",\n \"ImageCooccurrence\",\n \"ImageCorners\",\n \"ImageCorrelate\",\n \"ImageCorrespondingPoints\",\n \"ImageCrop\",\n \"ImageData\",\n \"ImageDeconvolve\",\n \"ImageDemosaic\",\n \"ImageDifference\",\n \"ImageDimensions\",\n \"ImageDisplacements\",\n \"ImageDistance\",\n \"ImageEditMode\",\n \"ImageEffect\",\n \"ImageExposureCombine\",\n \"ImageFeatureTrack\",\n \"ImageFileApply\",\n \"ImageFileFilter\",\n \"ImageFileScan\",\n \"ImageFilter\",\n \"ImageFocusCombine\",\n \"ImageForestingComponents\",\n \"ImageFormattingWidth\",\n \"ImageForwardTransformation\",\n \"ImageGraphics\",\n \"ImageHistogram\",\n \"ImageIdentify\",\n \"ImageInstanceQ\",\n \"ImageKeypoints\",\n \"ImageLabels\",\n \"ImageLegends\",\n \"ImageLevels\",\n \"ImageLines\",\n \"ImageMargins\",\n \"ImageMarker\",\n \"ImageMarkers\",\n \"ImageMeasurements\",\n \"ImageMesh\",\n \"ImageMultiply\",\n \"ImageOffset\",\n \"ImagePad\",\n \"ImagePadding\",\n \"ImagePartition\",\n \"ImagePeriodogram\",\n \"ImagePerspectiveTransformation\",\n \"ImagePosition\",\n \"ImagePreviewFunction\",\n \"ImagePyramid\",\n \"ImagePyramidApply\",\n \"ImageQ\",\n \"ImageRangeCache\",\n \"ImageRecolor\",\n \"ImageReflect\",\n \"ImageRegion\",\n \"ImageResize\",\n \"ImageResolution\",\n \"ImageRestyle\",\n \"ImageRotate\",\n \"ImageRotated\",\n \"ImageSaliencyFilter\",\n \"ImageScaled\",\n \"ImageScan\",\n \"ImageSize\",\n \"ImageSizeAction\",\n \"ImageSizeCache\",\n \"ImageSizeMultipliers\",\n \"ImageSizeRaw\",\n \"ImageStitch\",\n \"ImageSubtract\",\n \"ImageTake\",\n \"ImageTransformation\",\n \"ImageTrim\",\n \"ImageType\",\n \"ImageValue\",\n \"ImageValuePositions\",\n \"ImageVectorscopePlot\",\n \"ImageWaveformPlot\",\n \"ImagingDevice\",\n \"ImplicitD\",\n \"ImplicitRegion\",\n \"Implies\",\n \"Import\",\n \"ImportAutoReplacements\",\n \"ImportByteArray\",\n \"ImportedObject\",\n \"ImportOptions\",\n \"ImportString\",\n \"ImprovementImportance\",\n \"In\",\n \"Inactivate\",\n \"Inactive\",\n \"InactiveStyle\",\n \"IncidenceGraph\",\n \"IncidenceList\",\n \"IncidenceMatrix\",\n \"IncludeAromaticBonds\",\n \"IncludeConstantBasis\",\n \"IncludedContexts\",\n \"IncludeDefinitions\",\n \"IncludeDirectories\",\n \"IncludeFileExtension\",\n \"IncludeGeneratorTasks\",\n \"IncludeHydrogens\",\n \"IncludeInflections\",\n \"IncludeMetaInformation\",\n \"IncludePods\",\n \"IncludeQuantities\",\n \"IncludeRelatedTables\",\n \"IncludeSingularSolutions\",\n \"IncludeSingularTerm\",\n \"IncludeWindowTimes\",\n \"Increment\",\n \"IndefiniteMatrixQ\",\n \"Indent\",\n \"IndentingNewlineSpacings\",\n \"IndentMaxFraction\",\n \"IndependenceTest\",\n \"IndependentEdgeSetQ\",\n \"IndependentPhysicalQuantity\",\n \"IndependentUnit\",\n \"IndependentUnitDimension\",\n \"IndependentVertexSetQ\",\n \"Indeterminate\",\n \"IndeterminateThreshold\",\n \"IndexCreationOptions\",\n \"Indexed\",\n \"IndexEdgeTaggedGraph\",\n \"IndexGraph\",\n \"IndexTag\",\n \"Inequality\",\n \"InertEvaluate\",\n \"InertExpression\",\n \"InexactNumberQ\",\n \"InexactNumbers\",\n \"InfiniteFuture\",\n \"InfiniteLine\",\n \"InfiniteLineThrough\",\n \"InfinitePast\",\n \"InfinitePlane\",\n \"Infinity\",\n \"Infix\",\n \"InflationAdjust\",\n \"InflationMethod\",\n \"Information\",\n \"InformationData\",\n \"InformationDataGrid\",\n \"Inherited\",\n \"InheritScope\",\n \"InhomogeneousPoissonPointProcess\",\n \"InhomogeneousPoissonProcess\",\n \"InitialEvaluationHistory\",\n \"Initialization\",\n \"InitializationCell\",\n \"InitializationCellEvaluation\",\n \"InitializationCellWarning\",\n \"InitializationObject\",\n \"InitializationObjects\",\n \"InitializationValue\",\n \"Initialize\",\n \"InitialSeeding\",\n \"InlineCounterAssignments\",\n \"InlineCounterIncrements\",\n \"InlineRules\",\n \"Inner\",\n \"InnerPolygon\",\n \"InnerPolyhedron\",\n \"Inpaint\",\n \"Input\",\n \"InputAliases\",\n \"InputAssumptions\",\n \"InputAutoReplacements\",\n \"InputField\",\n \"InputFieldBox\",\n \"InputFieldBoxOptions\",\n \"InputForm\",\n \"InputGrouping\",\n \"InputNamePacket\",\n \"InputNotebook\",\n \"InputPacket\",\n \"InputPorts\",\n \"InputSettings\",\n \"InputStream\",\n \"InputString\",\n \"InputStringPacket\",\n \"InputToBoxFormPacket\",\n \"Insert\",\n \"InsertionFunction\",\n \"InsertionPointObject\",\n \"InsertLinebreaks\",\n \"InsertResults\",\n \"Inset\",\n \"Inset3DBox\",\n \"Inset3DBoxOptions\",\n \"InsetBox\",\n \"InsetBoxOptions\",\n \"Insphere\",\n \"Install\",\n \"InstallService\",\n \"InstanceNormalizationLayer\",\n \"InString\",\n \"Integer\",\n \"IntegerDigits\",\n \"IntegerExponent\",\n \"IntegerLength\",\n \"IntegerName\",\n \"IntegerPart\",\n \"IntegerPartitions\",\n \"IntegerQ\",\n \"IntegerReverse\",\n \"Integers\",\n \"IntegerString\",\n \"Integral\",\n \"Integrate\",\n \"IntegrateChangeVariables\",\n \"Interactive\",\n \"InteractiveTradingChart\",\n \"InterfaceSwitched\",\n \"Interlaced\",\n \"Interleaving\",\n \"InternallyBalancedDecomposition\",\n \"InterpolatingFunction\",\n \"InterpolatingPolynomial\",\n \"Interpolation\",\n \"InterpolationOrder\",\n \"InterpolationPoints\",\n \"InterpolationPrecision\",\n \"Interpretation\",\n \"InterpretationBox\",\n \"InterpretationBoxOptions\",\n \"InterpretationFunction\",\n \"Interpreter\",\n \"InterpretTemplate\",\n \"InterquartileRange\",\n \"Interrupt\",\n \"InterruptSettings\",\n \"IntersectedEntityClass\",\n \"IntersectingQ\",\n \"Intersection\",\n \"Interval\",\n \"IntervalIntersection\",\n \"IntervalMarkers\",\n \"IntervalMarkersStyle\",\n \"IntervalMemberQ\",\n \"IntervalSlider\",\n \"IntervalUnion\",\n \"Into\",\n \"Inverse\",\n \"InverseBetaRegularized\",\n \"InverseBilateralLaplaceTransform\",\n \"InverseBilateralZTransform\",\n \"InverseCDF\",\n \"InverseChiSquareDistribution\",\n \"InverseContinuousWaveletTransform\",\n \"InverseDistanceTransform\",\n \"InverseEllipticNomeQ\",\n \"InverseErf\",\n \"InverseErfc\",\n \"InverseFourier\",\n \"InverseFourierCosTransform\",\n \"InverseFourierSequenceTransform\",\n \"InverseFourierSinTransform\",\n \"InverseFourierTransform\",\n \"InverseFunction\",\n \"InverseFunctions\",\n \"InverseGammaDistribution\",\n \"InverseGammaRegularized\",\n \"InverseGaussianDistribution\",\n \"InverseGudermannian\",\n \"InverseHankelTransform\",\n \"InverseHaversine\",\n \"InverseImagePyramid\",\n \"InverseJacobiCD\",\n \"InverseJacobiCN\",\n \"InverseJacobiCS\",\n \"InverseJacobiDC\",\n \"InverseJacobiDN\",\n \"InverseJacobiDS\",\n \"InverseJacobiNC\",\n \"InverseJacobiND\",\n \"InverseJacobiNS\",\n \"InverseJacobiSC\",\n \"InverseJacobiSD\",\n \"InverseJacobiSN\",\n \"InverseLaplaceTransform\",\n \"InverseMellinTransform\",\n \"InversePermutation\",\n \"InverseRadon\",\n \"InverseRadonTransform\",\n \"InverseSeries\",\n \"InverseShortTimeFourier\",\n \"InverseSpectrogram\",\n \"InverseSurvivalFunction\",\n \"InverseTransformedRegion\",\n \"InverseWaveletTransform\",\n \"InverseWeierstrassP\",\n \"InverseWishartMatrixDistribution\",\n \"InverseZTransform\",\n \"Invisible\",\n \"InvisibleApplication\",\n \"InvisibleTimes\",\n \"IPAddress\",\n \"IrreduciblePolynomialQ\",\n \"IslandData\",\n \"IsolatingInterval\",\n \"IsomorphicGraphQ\",\n \"IsomorphicSubgraphQ\",\n \"IsotopeData\",\n \"Italic\",\n \"Item\",\n \"ItemAspectRatio\",\n \"ItemBox\",\n \"ItemBoxOptions\",\n \"ItemDisplayFunction\",\n \"ItemSize\",\n \"ItemStyle\",\n \"ItoProcess\",\n \"JaccardDissimilarity\",\n \"JacobiAmplitude\",\n \"Jacobian\",\n \"JacobiCD\",\n \"JacobiCN\",\n \"JacobiCS\",\n \"JacobiDC\",\n \"JacobiDN\",\n \"JacobiDS\",\n \"JacobiEpsilon\",\n \"JacobiNC\",\n \"JacobiND\",\n \"JacobiNS\",\n \"JacobiP\",\n \"JacobiSC\",\n \"JacobiSD\",\n \"JacobiSN\",\n \"JacobiSymbol\",\n \"JacobiZeta\",\n \"JacobiZN\",\n \"JankoGroupJ1\",\n \"JankoGroupJ2\",\n \"JankoGroupJ3\",\n \"JankoGroupJ4\",\n \"JarqueBeraALMTest\",\n \"JohnsonDistribution\",\n \"Join\",\n \"JoinAcross\",\n \"Joined\",\n \"JoinedCurve\",\n \"JoinedCurveBox\",\n \"JoinedCurveBoxOptions\",\n \"JoinForm\",\n \"JordanDecomposition\",\n \"JordanModelDecomposition\",\n \"JulianDate\",\n \"JuliaSetBoettcher\",\n \"JuliaSetIterationCount\",\n \"JuliaSetPlot\",\n \"JuliaSetPoints\",\n \"K\",\n \"KagiChart\",\n \"KaiserBesselWindow\",\n \"KaiserWindow\",\n \"KalmanEstimator\",\n \"KalmanFilter\",\n \"KarhunenLoeveDecomposition\",\n \"KaryTree\",\n \"KatzCentrality\",\n \"KCoreComponents\",\n \"KDistribution\",\n \"KEdgeConnectedComponents\",\n \"KEdgeConnectedGraphQ\",\n \"KeepExistingVersion\",\n \"KelvinBei\",\n \"KelvinBer\",\n \"KelvinKei\",\n \"KelvinKer\",\n \"KendallTau\",\n \"KendallTauTest\",\n \"KernelConfiguration\",\n \"KernelExecute\",\n \"KernelFunction\",\n \"KernelMixtureDistribution\",\n \"KernelObject\",\n \"Kernels\",\n \"Ket\",\n \"Key\",\n \"KeyCollisionFunction\",\n \"KeyComplement\",\n \"KeyDrop\",\n \"KeyDropFrom\",\n \"KeyExistsQ\",\n \"KeyFreeQ\",\n \"KeyIntersection\",\n \"KeyMap\",\n \"KeyMemberQ\",\n \"KeypointStrength\",\n \"Keys\",\n \"KeySelect\",\n \"KeySort\",\n \"KeySortBy\",\n \"KeyTake\",\n \"KeyUnion\",\n \"KeyValueMap\",\n \"KeyValuePattern\",\n \"Khinchin\",\n \"KillProcess\",\n \"KirchhoffGraph\",\n \"KirchhoffMatrix\",\n \"KleinInvariantJ\",\n \"KnapsackSolve\",\n \"KnightTourGraph\",\n \"KnotData\",\n \"KnownUnitQ\",\n \"KochCurve\",\n \"KolmogorovSmirnovTest\",\n \"KroneckerDelta\",\n \"KroneckerModelDecomposition\",\n \"KroneckerProduct\",\n \"KroneckerSymbol\",\n \"KuiperTest\",\n \"KumaraswamyDistribution\",\n \"Kurtosis\",\n \"KuwaharaFilter\",\n \"KVertexConnectedComponents\",\n \"KVertexConnectedGraphQ\",\n \"LABColor\",\n \"Label\",\n \"Labeled\",\n \"LabeledSlider\",\n \"LabelingFunction\",\n \"LabelingSize\",\n \"LabelStyle\",\n \"LabelVisibility\",\n \"LaguerreL\",\n \"LakeData\",\n \"LambdaComponents\",\n \"LambertW\",\n \"LameC\",\n \"LameCPrime\",\n \"LameEigenvalueA\",\n \"LameEigenvalueB\",\n \"LameS\",\n \"LameSPrime\",\n \"LaminaData\",\n \"LanczosWindow\",\n \"LandauDistribution\",\n \"Language\",\n \"LanguageCategory\",\n \"LanguageData\",\n \"LanguageIdentify\",\n \"LanguageOptions\",\n \"LaplaceDistribution\",\n \"LaplaceTransform\",\n \"Laplacian\",\n \"LaplacianFilter\",\n \"LaplacianGaussianFilter\",\n \"LaplacianPDETerm\",\n \"Large\",\n \"Larger\",\n \"Last\",\n \"Latitude\",\n \"LatitudeLongitude\",\n \"LatticeData\",\n \"LatticeReduce\",\n \"Launch\",\n \"LaunchKernels\",\n \"LayeredGraphPlot\",\n \"LayeredGraphPlot3D\",\n \"LayerSizeFunction\",\n \"LayoutInformation\",\n \"LCHColor\",\n \"LCM\",\n \"LeaderSize\",\n \"LeafCount\",\n \"LeapVariant\",\n \"LeapYearQ\",\n \"LearnDistribution\",\n \"LearnedDistribution\",\n \"LearningRate\",\n \"LearningRateMultipliers\",\n \"LeastSquares\",\n \"LeastSquaresFilterKernel\",\n \"Left\",\n \"LeftArrow\",\n \"LeftArrowBar\",\n \"LeftArrowRightArrow\",\n \"LeftDownTeeVector\",\n \"LeftDownVector\",\n \"LeftDownVectorBar\",\n \"LeftRightArrow\",\n \"LeftRightVector\",\n \"LeftTee\",\n \"LeftTeeArrow\",\n \"LeftTeeVector\",\n \"LeftTriangle\",\n \"LeftTriangleBar\",\n \"LeftTriangleEqual\",\n \"LeftUpDownVector\",\n \"LeftUpTeeVector\",\n \"LeftUpVector\",\n \"LeftUpVectorBar\",\n \"LeftVector\",\n \"LeftVectorBar\",\n \"LegendAppearance\",\n \"Legended\",\n \"LegendFunction\",\n \"LegendLabel\",\n \"LegendLayout\",\n \"LegendMargins\",\n \"LegendMarkers\",\n \"LegendMarkerSize\",\n \"LegendreP\",\n \"LegendreQ\",\n \"LegendreType\",\n \"Length\",\n \"LengthWhile\",\n \"LerchPhi\",\n \"Less\",\n \"LessEqual\",\n \"LessEqualGreater\",\n \"LessEqualThan\",\n \"LessFullEqual\",\n \"LessGreater\",\n \"LessLess\",\n \"LessSlantEqual\",\n \"LessThan\",\n \"LessTilde\",\n \"LetterCharacter\",\n \"LetterCounts\",\n \"LetterNumber\",\n \"LetterQ\",\n \"Level\",\n \"LeveneTest\",\n \"LeviCivitaTensor\",\n \"LevyDistribution\",\n \"Lexicographic\",\n \"LexicographicOrder\",\n \"LexicographicSort\",\n \"LibraryDataType\",\n \"LibraryFunction\",\n \"LibraryFunctionDeclaration\",\n \"LibraryFunctionError\",\n \"LibraryFunctionInformation\",\n \"LibraryFunctionLoad\",\n \"LibraryFunctionUnload\",\n \"LibraryLoad\",\n \"LibraryUnload\",\n \"LicenseEntitlementObject\",\n \"LicenseEntitlements\",\n \"LicenseID\",\n \"LicensingSettings\",\n \"LiftingFilterData\",\n \"LiftingWaveletTransform\",\n \"LightBlue\",\n \"LightBrown\",\n \"LightCyan\",\n \"Lighter\",\n \"LightGray\",\n \"LightGreen\",\n \"Lighting\",\n \"LightingAngle\",\n \"LightMagenta\",\n \"LightOrange\",\n \"LightPink\",\n \"LightPurple\",\n \"LightRed\",\n \"LightSources\",\n \"LightYellow\",\n \"Likelihood\",\n \"Limit\",\n \"LimitsPositioning\",\n \"LimitsPositioningTokens\",\n \"LindleyDistribution\",\n \"Line\",\n \"Line3DBox\",\n \"Line3DBoxOptions\",\n \"LinearFilter\",\n \"LinearFractionalOptimization\",\n \"LinearFractionalTransform\",\n \"LinearGradientFilling\",\n \"LinearGradientImage\",\n \"LinearizingTransformationData\",\n \"LinearLayer\",\n \"LinearModelFit\",\n \"LinearOffsetFunction\",\n \"LinearOptimization\",\n \"LinearProgramming\",\n \"LinearRecurrence\",\n \"LinearSolve\",\n \"LinearSolveFunction\",\n \"LineBox\",\n \"LineBoxOptions\",\n \"LineBreak\",\n \"LinebreakAdjustments\",\n \"LineBreakChart\",\n \"LinebreakSemicolonWeighting\",\n \"LineBreakWithin\",\n \"LineColor\",\n \"LineGraph\",\n \"LineIndent\",\n \"LineIndentMaxFraction\",\n \"LineIntegralConvolutionPlot\",\n \"LineIntegralConvolutionScale\",\n \"LineLegend\",\n \"LineOpacity\",\n \"LineSpacing\",\n \"LineWrapParts\",\n \"LinkActivate\",\n \"LinkClose\",\n \"LinkConnect\",\n \"LinkConnectedQ\",\n \"LinkCreate\",\n \"LinkError\",\n \"LinkFlush\",\n \"LinkFunction\",\n \"LinkHost\",\n \"LinkInterrupt\",\n \"LinkLaunch\",\n \"LinkMode\",\n \"LinkObject\",\n \"LinkOpen\",\n \"LinkOptions\",\n \"LinkPatterns\",\n \"LinkProtocol\",\n \"LinkRankCentrality\",\n \"LinkRead\",\n \"LinkReadHeld\",\n \"LinkReadyQ\",\n \"Links\",\n \"LinkService\",\n \"LinkWrite\",\n \"LinkWriteHeld\",\n \"LiouvilleLambda\",\n \"List\",\n \"Listable\",\n \"ListAnimate\",\n \"ListContourPlot\",\n \"ListContourPlot3D\",\n \"ListConvolve\",\n \"ListCorrelate\",\n \"ListCurvePathPlot\",\n \"ListDeconvolve\",\n \"ListDensityPlot\",\n \"ListDensityPlot3D\",\n \"Listen\",\n \"ListFormat\",\n \"ListFourierSequenceTransform\",\n \"ListInterpolation\",\n \"ListLineIntegralConvolutionPlot\",\n \"ListLinePlot\",\n \"ListLinePlot3D\",\n \"ListLogLinearPlot\",\n \"ListLogLogPlot\",\n \"ListLogPlot\",\n \"ListPicker\",\n \"ListPickerBox\",\n \"ListPickerBoxBackground\",\n \"ListPickerBoxOptions\",\n \"ListPlay\",\n \"ListPlot\",\n \"ListPlot3D\",\n \"ListPointPlot3D\",\n \"ListPolarPlot\",\n \"ListQ\",\n \"ListSliceContourPlot3D\",\n \"ListSliceDensityPlot3D\",\n \"ListSliceVectorPlot3D\",\n \"ListStepPlot\",\n \"ListStreamDensityPlot\",\n \"ListStreamPlot\",\n \"ListStreamPlot3D\",\n \"ListSurfacePlot3D\",\n \"ListVectorDensityPlot\",\n \"ListVectorDisplacementPlot\",\n \"ListVectorDisplacementPlot3D\",\n \"ListVectorPlot\",\n \"ListVectorPlot3D\",\n \"ListZTransform\",\n \"Literal\",\n \"LiteralSearch\",\n \"LiteralType\",\n \"LoadCompiledComponent\",\n \"LocalAdaptiveBinarize\",\n \"LocalCache\",\n \"LocalClusteringCoefficient\",\n \"LocalEvaluate\",\n \"LocalizeDefinitions\",\n \"LocalizeVariables\",\n \"LocalObject\",\n \"LocalObjects\",\n \"LocalResponseNormalizationLayer\",\n \"LocalSubmit\",\n \"LocalSymbol\",\n \"LocalTime\",\n \"LocalTimeZone\",\n \"LocationEquivalenceTest\",\n \"LocationTest\",\n \"Locator\",\n \"LocatorAutoCreate\",\n \"LocatorBox\",\n \"LocatorBoxOptions\",\n \"LocatorCentering\",\n \"LocatorPane\",\n \"LocatorPaneBox\",\n \"LocatorPaneBoxOptions\",\n \"LocatorRegion\",\n \"Locked\",\n \"Log\",\n \"Log10\",\n \"Log2\",\n \"LogBarnesG\",\n \"LogGamma\",\n \"LogGammaDistribution\",\n \"LogicalExpand\",\n \"LogIntegral\",\n \"LogisticDistribution\",\n \"LogisticSigmoid\",\n \"LogitModelFit\",\n \"LogLikelihood\",\n \"LogLinearPlot\",\n \"LogLogisticDistribution\",\n \"LogLogPlot\",\n \"LogMultinormalDistribution\",\n \"LogNormalDistribution\",\n \"LogPlot\",\n \"LogRankTest\",\n \"LogSeriesDistribution\",\n \"LongEqual\",\n \"Longest\",\n \"LongestCommonSequence\",\n \"LongestCommonSequencePositions\",\n \"LongestCommonSubsequence\",\n \"LongestCommonSubsequencePositions\",\n \"LongestMatch\",\n \"LongestOrderedSequence\",\n \"LongForm\",\n \"Longitude\",\n \"LongLeftArrow\",\n \"LongLeftRightArrow\",\n \"LongRightArrow\",\n \"LongShortTermMemoryLayer\",\n \"Lookup\",\n \"Loopback\",\n \"LoopFreeGraphQ\",\n \"Looping\",\n \"LossFunction\",\n \"LowerCaseQ\",\n \"LowerLeftArrow\",\n \"LowerRightArrow\",\n \"LowerTriangularize\",\n \"LowerTriangularMatrix\",\n \"LowerTriangularMatrixQ\",\n \"LowpassFilter\",\n \"LQEstimatorGains\",\n \"LQGRegulator\",\n \"LQOutputRegulatorGains\",\n \"LQRegulatorGains\",\n \"LUBackSubstitution\",\n \"LucasL\",\n \"LuccioSamiComponents\",\n \"LUDecomposition\",\n \"LunarEclipse\",\n \"LUVColor\",\n \"LyapunovSolve\",\n \"LyonsGroupLy\",\n \"MachineID\",\n \"MachineName\",\n \"MachineNumberQ\",\n \"MachinePrecision\",\n \"MacintoshSystemPageSetup\",\n \"Magenta\",\n \"Magnification\",\n \"Magnify\",\n \"MailAddressValidation\",\n \"MailExecute\",\n \"MailFolder\",\n \"MailItem\",\n \"MailReceiverFunction\",\n \"MailResponseFunction\",\n \"MailSearch\",\n \"MailServerConnect\",\n \"MailServerConnection\",\n \"MailSettings\",\n \"MainSolve\",\n \"MaintainDynamicCaches\",\n \"Majority\",\n \"MakeBoxes\",\n \"MakeExpression\",\n \"MakeRules\",\n \"ManagedLibraryExpressionID\",\n \"ManagedLibraryExpressionQ\",\n \"MandelbrotSetBoettcher\",\n \"MandelbrotSetDistance\",\n \"MandelbrotSetIterationCount\",\n \"MandelbrotSetMemberQ\",\n \"MandelbrotSetPlot\",\n \"MangoldtLambda\",\n \"ManhattanDistance\",\n \"Manipulate\",\n \"Manipulator\",\n \"MannedSpaceMissionData\",\n \"MannWhitneyTest\",\n \"MantissaExponent\",\n \"Manual\",\n \"Map\",\n \"MapAll\",\n \"MapApply\",\n \"MapAt\",\n \"MapIndexed\",\n \"MAProcess\",\n \"MapThread\",\n \"MarchenkoPasturDistribution\",\n \"MarcumQ\",\n \"MardiaCombinedTest\",\n \"MardiaKurtosisTest\",\n \"MardiaSkewnessTest\",\n \"MarginalDistribution\",\n \"MarkovProcessProperties\",\n \"Masking\",\n \"MassConcentrationCondition\",\n \"MassFluxValue\",\n \"MassImpermeableBoundaryValue\",\n \"MassOutflowValue\",\n \"MassSymmetryValue\",\n \"MassTransferValue\",\n \"MassTransportPDEComponent\",\n \"MatchingDissimilarity\",\n \"MatchLocalNameQ\",\n \"MatchLocalNames\",\n \"MatchQ\",\n \"Material\",\n \"MaterialShading\",\n \"MaternPointProcess\",\n \"MathematicalFunctionData\",\n \"MathematicaNotation\",\n \"MathieuC\",\n \"MathieuCharacteristicA\",\n \"MathieuCharacteristicB\",\n \"MathieuCharacteristicExponent\",\n \"MathieuCPrime\",\n \"MathieuGroupM11\",\n \"MathieuGroupM12\",\n \"MathieuGroupM22\",\n \"MathieuGroupM23\",\n \"MathieuGroupM24\",\n \"MathieuS\",\n \"MathieuSPrime\",\n \"MathMLForm\",\n \"MathMLText\",\n \"Matrices\",\n \"MatrixExp\",\n \"MatrixForm\",\n \"MatrixFunction\",\n \"MatrixLog\",\n \"MatrixNormalDistribution\",\n \"MatrixPlot\",\n \"MatrixPower\",\n \"MatrixPropertyDistribution\",\n \"MatrixQ\",\n \"MatrixRank\",\n \"MatrixTDistribution\",\n \"Max\",\n \"MaxBend\",\n \"MaxCellMeasure\",\n \"MaxColorDistance\",\n \"MaxDate\",\n \"MaxDetect\",\n \"MaxDisplayedChildren\",\n \"MaxDuration\",\n \"MaxExtraBandwidths\",\n \"MaxExtraConditions\",\n \"MaxFeatureDisplacement\",\n \"MaxFeatures\",\n \"MaxFilter\",\n \"MaximalBy\",\n \"Maximize\",\n \"MaxItems\",\n \"MaxIterations\",\n \"MaxLimit\",\n \"MaxMemoryUsed\",\n \"MaxMixtureKernels\",\n \"MaxOverlapFraction\",\n \"MaxPlotPoints\",\n \"MaxPoints\",\n \"MaxRecursion\",\n \"MaxStableDistribution\",\n \"MaxStepFraction\",\n \"MaxSteps\",\n \"MaxStepSize\",\n \"MaxTrainingRounds\",\n \"MaxValue\",\n \"MaxwellDistribution\",\n \"MaxWordGap\",\n \"McLaughlinGroupMcL\",\n \"Mean\",\n \"MeanAbsoluteLossLayer\",\n \"MeanAround\",\n \"MeanClusteringCoefficient\",\n \"MeanDegreeConnectivity\",\n \"MeanDeviation\",\n \"MeanFilter\",\n \"MeanGraphDistance\",\n \"MeanNeighborDegree\",\n \"MeanPointDensity\",\n \"MeanShift\",\n \"MeanShiftFilter\",\n \"MeanSquaredLossLayer\",\n \"Median\",\n \"MedianDeviation\",\n \"MedianFilter\",\n \"MedicalTestData\",\n \"Medium\",\n \"MeijerG\",\n \"MeijerGReduce\",\n \"MeixnerDistribution\",\n \"MellinConvolve\",\n \"MellinTransform\",\n \"MemberQ\",\n \"MemoryAvailable\",\n \"MemoryConstrained\",\n \"MemoryConstraint\",\n \"MemoryInUse\",\n \"MengerMesh\",\n \"Menu\",\n \"MenuAppearance\",\n \"MenuCommandKey\",\n \"MenuEvaluator\",\n \"MenuItem\",\n \"MenuList\",\n \"MenuPacket\",\n \"MenuSortingValue\",\n \"MenuStyle\",\n \"MenuView\",\n \"Merge\",\n \"MergeDifferences\",\n \"MergingFunction\",\n \"MersennePrimeExponent\",\n \"MersennePrimeExponentQ\",\n \"Mesh\",\n \"MeshCellCentroid\",\n \"MeshCellCount\",\n \"MeshCellHighlight\",\n \"MeshCellIndex\",\n \"MeshCellLabel\",\n \"MeshCellMarker\",\n \"MeshCellMeasure\",\n \"MeshCellQuality\",\n \"MeshCells\",\n \"MeshCellShapeFunction\",\n \"MeshCellStyle\",\n \"MeshConnectivityGraph\",\n \"MeshCoordinates\",\n \"MeshFunctions\",\n \"MeshPrimitives\",\n \"MeshQualityGoal\",\n \"MeshRange\",\n \"MeshRefinementFunction\",\n \"MeshRegion\",\n \"MeshRegionQ\",\n \"MeshShading\",\n \"MeshStyle\",\n \"Message\",\n \"MessageDialog\",\n \"MessageList\",\n \"MessageName\",\n \"MessageObject\",\n \"MessageOptions\",\n \"MessagePacket\",\n \"Messages\",\n \"MessagesNotebook\",\n \"MetaCharacters\",\n \"MetaInformation\",\n \"MeteorShowerData\",\n \"Method\",\n \"MethodOptions\",\n \"MexicanHatWavelet\",\n \"MeyerWavelet\",\n \"Midpoint\",\n \"MIMETypeToFormatList\",\n \"Min\",\n \"MinColorDistance\",\n \"MinDate\",\n \"MinDetect\",\n \"MineralData\",\n \"MinFilter\",\n \"MinimalBy\",\n \"MinimalPolynomial\",\n \"MinimalStateSpaceModel\",\n \"Minimize\",\n \"MinimumTimeIncrement\",\n \"MinIntervalSize\",\n \"MinkowskiQuestionMark\",\n \"MinLimit\",\n \"MinMax\",\n \"MinorPlanetData\",\n \"Minors\",\n \"MinPointSeparation\",\n \"MinRecursion\",\n \"MinSize\",\n \"MinStableDistribution\",\n \"Minus\",\n \"MinusPlus\",\n \"MinValue\",\n \"Missing\",\n \"MissingBehavior\",\n \"MissingDataMethod\",\n \"MissingDataRules\",\n \"MissingQ\",\n \"MissingString\",\n \"MissingStyle\",\n \"MissingValuePattern\",\n \"MissingValueSynthesis\",\n \"MittagLefflerE\",\n \"MixedFractionParts\",\n \"MixedGraphQ\",\n \"MixedMagnitude\",\n \"MixedRadix\",\n \"MixedRadixQuantity\",\n \"MixedUnit\",\n \"MixtureDistribution\",\n \"Mod\",\n \"Modal\",\n \"Mode\",\n \"ModelPredictiveController\",\n \"Modular\",\n \"ModularInverse\",\n \"ModularLambda\",\n \"Module\",\n \"Modulus\",\n \"MoebiusMu\",\n \"Molecule\",\n \"MoleculeAlign\",\n \"MoleculeContainsQ\",\n \"MoleculeDraw\",\n \"MoleculeEquivalentQ\",\n \"MoleculeFreeQ\",\n \"MoleculeGraph\",\n \"MoleculeMatchQ\",\n \"MoleculeMaximumCommonSubstructure\",\n \"MoleculeModify\",\n \"MoleculeName\",\n \"MoleculePattern\",\n \"MoleculePlot\",\n \"MoleculePlot3D\",\n \"MoleculeProperty\",\n \"MoleculeQ\",\n \"MoleculeRecognize\",\n \"MoleculeSubstructureCount\",\n \"MoleculeValue\",\n \"Moment\",\n \"MomentConvert\",\n \"MomentEvaluate\",\n \"MomentGeneratingFunction\",\n \"MomentOfInertia\",\n \"Monday\",\n \"Monitor\",\n \"MonomialList\",\n \"MonomialOrder\",\n \"MonsterGroupM\",\n \"MoonPhase\",\n \"MoonPosition\",\n \"MorletWavelet\",\n \"MorphologicalBinarize\",\n \"MorphologicalBranchPoints\",\n \"MorphologicalComponents\",\n \"MorphologicalEulerNumber\",\n \"MorphologicalGraph\",\n \"MorphologicalPerimeter\",\n \"MorphologicalTransform\",\n \"MortalityData\",\n \"Most\",\n \"MountainData\",\n \"MouseAnnotation\",\n \"MouseAppearance\",\n \"MouseAppearanceTag\",\n \"MouseButtons\",\n \"Mouseover\",\n \"MousePointerNote\",\n \"MousePosition\",\n \"MovieData\",\n \"MovingAverage\",\n \"MovingMap\",\n \"MovingMedian\",\n \"MoyalDistribution\",\n \"MultiaxisArrangement\",\n \"Multicolumn\",\n \"MultiedgeStyle\",\n \"MultigraphQ\",\n \"MultilaunchWarning\",\n \"MultiLetterItalics\",\n \"MultiLetterStyle\",\n \"MultilineFunction\",\n \"Multinomial\",\n \"MultinomialDistribution\",\n \"MultinormalDistribution\",\n \"MultiplicativeOrder\",\n \"Multiplicity\",\n \"MultiplySides\",\n \"MultiscriptBoxOptions\",\n \"Multiselection\",\n \"MultivariateHypergeometricDistribution\",\n \"MultivariatePoissonDistribution\",\n \"MultivariateTDistribution\",\n \"N\",\n \"NakagamiDistribution\",\n \"NameQ\",\n \"Names\",\n \"NamespaceBox\",\n \"NamespaceBoxOptions\",\n \"Nand\",\n \"NArgMax\",\n \"NArgMin\",\n \"NBernoulliB\",\n \"NBodySimulation\",\n \"NBodySimulationData\",\n \"NCache\",\n \"NCaputoD\",\n \"NDEigensystem\",\n \"NDEigenvalues\",\n \"NDSolve\",\n \"NDSolveValue\",\n \"Nearest\",\n \"NearestFunction\",\n \"NearestMeshCells\",\n \"NearestNeighborG\",\n \"NearestNeighborGraph\",\n \"NearestTo\",\n \"NebulaData\",\n \"NeedlemanWunschSimilarity\",\n \"Needs\",\n \"Negative\",\n \"NegativeBinomialDistribution\",\n \"NegativeDefiniteMatrixQ\",\n \"NegativeIntegers\",\n \"NegativelyOrientedPoints\",\n \"NegativeMultinomialDistribution\",\n \"NegativeRationals\",\n \"NegativeReals\",\n \"NegativeSemidefiniteMatrixQ\",\n \"NeighborhoodData\",\n \"NeighborhoodGraph\",\n \"Nest\",\n \"NestedGreaterGreater\",\n \"NestedLessLess\",\n \"NestedScriptRules\",\n \"NestGraph\",\n \"NestList\",\n \"NestTree\",\n \"NestWhile\",\n \"NestWhileList\",\n \"NetAppend\",\n \"NetArray\",\n \"NetArrayLayer\",\n \"NetBidirectionalOperator\",\n \"NetChain\",\n \"NetDecoder\",\n \"NetDelete\",\n \"NetDrop\",\n \"NetEncoder\",\n \"NetEvaluationMode\",\n \"NetExternalObject\",\n \"NetExtract\",\n \"NetFlatten\",\n \"NetFoldOperator\",\n \"NetGANOperator\",\n \"NetGraph\",\n \"NetInformation\",\n \"NetInitialize\",\n \"NetInsert\",\n \"NetInsertSharedArrays\",\n \"NetJoin\",\n \"NetMapOperator\",\n \"NetMapThreadOperator\",\n \"NetMeasurements\",\n \"NetModel\",\n \"NetNestOperator\",\n \"NetPairEmbeddingOperator\",\n \"NetPort\",\n \"NetPortGradient\",\n \"NetPrepend\",\n \"NetRename\",\n \"NetReplace\",\n \"NetReplacePart\",\n \"NetSharedArray\",\n \"NetStateObject\",\n \"NetTake\",\n \"NetTrain\",\n \"NetTrainResultsObject\",\n \"NetUnfold\",\n \"NetworkPacketCapture\",\n \"NetworkPacketRecording\",\n \"NetworkPacketRecordingDuring\",\n \"NetworkPacketTrace\",\n \"NeumannValue\",\n \"NevilleThetaC\",\n \"NevilleThetaD\",\n \"NevilleThetaN\",\n \"NevilleThetaS\",\n \"NewPrimitiveStyle\",\n \"NExpectation\",\n \"Next\",\n \"NextCell\",\n \"NextDate\",\n \"NextPrime\",\n \"NextScheduledTaskTime\",\n \"NeymanScottPointProcess\",\n \"NFractionalD\",\n \"NHoldAll\",\n \"NHoldFirst\",\n \"NHoldRest\",\n \"NicholsGridLines\",\n \"NicholsPlot\",\n \"NightHemisphere\",\n \"NIntegrate\",\n \"NMaximize\",\n \"NMaxValue\",\n \"NMinimize\",\n \"NMinValue\",\n \"NominalScale\",\n \"NominalVariables\",\n \"NonAssociative\",\n \"NoncentralBetaDistribution\",\n \"NoncentralChiSquareDistribution\",\n \"NoncentralFRatioDistribution\",\n \"NoncentralStudentTDistribution\",\n \"NonCommutativeMultiply\",\n \"NonConstants\",\n \"NondimensionalizationTransform\",\n \"None\",\n \"NoneTrue\",\n \"NonlinearModelFit\",\n \"NonlinearStateSpaceModel\",\n \"NonlocalMeansFilter\",\n \"NonNegative\",\n \"NonNegativeIntegers\",\n \"NonNegativeRationals\",\n \"NonNegativeReals\",\n \"NonPositive\",\n \"NonPositiveIntegers\",\n \"NonPositiveRationals\",\n \"NonPositiveReals\",\n \"Nor\",\n \"NorlundB\",\n \"Norm\",\n \"Normal\",\n \"NormalDistribution\",\n \"NormalGrouping\",\n \"NormalizationLayer\",\n \"Normalize\",\n \"Normalized\",\n \"NormalizedSquaredEuclideanDistance\",\n \"NormalMatrixQ\",\n \"NormalsFunction\",\n \"NormFunction\",\n \"Not\",\n \"NotCongruent\",\n \"NotCupCap\",\n \"NotDoubleVerticalBar\",\n \"Notebook\",\n \"NotebookApply\",\n \"NotebookAutoSave\",\n \"NotebookBrowseDirectory\",\n \"NotebookClose\",\n \"NotebookConvertSettings\",\n \"NotebookCreate\",\n \"NotebookDefault\",\n \"NotebookDelete\",\n \"NotebookDirectory\",\n \"NotebookDynamicExpression\",\n \"NotebookEvaluate\",\n \"NotebookEventActions\",\n \"NotebookFileName\",\n \"NotebookFind\",\n \"NotebookGet\",\n \"NotebookImport\",\n \"NotebookInformation\",\n \"NotebookInterfaceObject\",\n \"NotebookLocate\",\n \"NotebookObject\",\n \"NotebookOpen\",\n \"NotebookPath\",\n \"NotebookPrint\",\n \"NotebookPut\",\n \"NotebookRead\",\n \"Notebooks\",\n \"NotebookSave\",\n \"NotebookSelection\",\n \"NotebooksMenu\",\n \"NotebookTemplate\",\n \"NotebookWrite\",\n \"NotElement\",\n \"NotEqualTilde\",\n \"NotExists\",\n \"NotGreater\",\n \"NotGreaterEqual\",\n \"NotGreaterFullEqual\",\n \"NotGreaterGreater\",\n \"NotGreaterLess\",\n \"NotGreaterSlantEqual\",\n \"NotGreaterTilde\",\n \"Nothing\",\n \"NotHumpDownHump\",\n \"NotHumpEqual\",\n \"NotificationFunction\",\n \"NotLeftTriangle\",\n \"NotLeftTriangleBar\",\n \"NotLeftTriangleEqual\",\n \"NotLess\",\n \"NotLessEqual\",\n \"NotLessFullEqual\",\n \"NotLessGreater\",\n \"NotLessLess\",\n \"NotLessSlantEqual\",\n \"NotLessTilde\",\n \"NotNestedGreaterGreater\",\n \"NotNestedLessLess\",\n \"NotPrecedes\",\n \"NotPrecedesEqual\",\n \"NotPrecedesSlantEqual\",\n \"NotPrecedesTilde\",\n \"NotReverseElement\",\n \"NotRightTriangle\",\n \"NotRightTriangleBar\",\n \"NotRightTriangleEqual\",\n \"NotSquareSubset\",\n \"NotSquareSubsetEqual\",\n \"NotSquareSuperset\",\n \"NotSquareSupersetEqual\",\n \"NotSubset\",\n \"NotSubsetEqual\",\n \"NotSucceeds\",\n \"NotSucceedsEqual\",\n \"NotSucceedsSlantEqual\",\n \"NotSucceedsTilde\",\n \"NotSuperset\",\n \"NotSupersetEqual\",\n \"NotTilde\",\n \"NotTildeEqual\",\n \"NotTildeFullEqual\",\n \"NotTildeTilde\",\n \"NotVerticalBar\",\n \"Now\",\n \"NoWhitespace\",\n \"NProbability\",\n \"NProduct\",\n \"NProductFactors\",\n \"NRoots\",\n \"NSolve\",\n \"NSolveValues\",\n \"NSum\",\n \"NSumTerms\",\n \"NuclearExplosionData\",\n \"NuclearReactorData\",\n \"Null\",\n \"NullRecords\",\n \"NullSpace\",\n \"NullWords\",\n \"Number\",\n \"NumberCompose\",\n \"NumberDecompose\",\n \"NumberDigit\",\n \"NumberExpand\",\n \"NumberFieldClassNumber\",\n \"NumberFieldDiscriminant\",\n \"NumberFieldFundamentalUnits\",\n \"NumberFieldIntegralBasis\",\n \"NumberFieldNormRepresentatives\",\n \"NumberFieldRegulator\",\n \"NumberFieldRootsOfUnity\",\n \"NumberFieldSignature\",\n \"NumberForm\",\n \"NumberFormat\",\n \"NumberLinePlot\",\n \"NumberMarks\",\n \"NumberMultiplier\",\n \"NumberPadding\",\n \"NumberPoint\",\n \"NumberQ\",\n \"NumberSeparator\",\n \"NumberSigns\",\n \"NumberString\",\n \"Numerator\",\n \"NumeratorDenominator\",\n \"NumericalOrder\",\n \"NumericalSort\",\n \"NumericArray\",\n \"NumericArrayQ\",\n \"NumericArrayType\",\n \"NumericFunction\",\n \"NumericQ\",\n \"NuttallWindow\",\n \"NValues\",\n \"NyquistGridLines\",\n \"NyquistPlot\",\n \"O\",\n \"ObjectExistsQ\",\n \"ObservabilityGramian\",\n \"ObservabilityMatrix\",\n \"ObservableDecomposition\",\n \"ObservableModelQ\",\n \"OceanData\",\n \"Octahedron\",\n \"OddQ\",\n \"Off\",\n \"Offset\",\n \"OLEData\",\n \"On\",\n \"ONanGroupON\",\n \"Once\",\n \"OneIdentity\",\n \"Opacity\",\n \"OpacityFunction\",\n \"OpacityFunctionScaling\",\n \"Open\",\n \"OpenAppend\",\n \"Opener\",\n \"OpenerBox\",\n \"OpenerBoxOptions\",\n \"OpenerView\",\n \"OpenFunctionInspectorPacket\",\n \"Opening\",\n \"OpenRead\",\n \"OpenSpecialOptions\",\n \"OpenTemporary\",\n \"OpenWrite\",\n \"Operate\",\n \"OperatingSystem\",\n \"OperatorApplied\",\n \"OptimumFlowData\",\n \"Optional\",\n \"OptionalElement\",\n \"OptionInspectorSettings\",\n \"OptionQ\",\n \"Options\",\n \"OptionsPacket\",\n \"OptionsPattern\",\n \"OptionValue\",\n \"OptionValueBox\",\n \"OptionValueBoxOptions\",\n \"Or\",\n \"Orange\",\n \"Order\",\n \"OrderDistribution\",\n \"OrderedQ\",\n \"Ordering\",\n \"OrderingBy\",\n \"OrderingLayer\",\n \"Orderless\",\n \"OrderlessPatternSequence\",\n \"OrdinalScale\",\n \"OrnsteinUhlenbeckProcess\",\n \"Orthogonalize\",\n \"OrthogonalMatrixQ\",\n \"Out\",\n \"Outer\",\n \"OuterPolygon\",\n \"OuterPolyhedron\",\n \"OutputAutoOverwrite\",\n \"OutputControllabilityMatrix\",\n \"OutputControllableModelQ\",\n \"OutputForm\",\n \"OutputFormData\",\n \"OutputGrouping\",\n \"OutputMathEditExpression\",\n \"OutputNamePacket\",\n \"OutputPorts\",\n \"OutputResponse\",\n \"OutputSizeLimit\",\n \"OutputStream\",\n \"Over\",\n \"OverBar\",\n \"OverDot\",\n \"Overflow\",\n \"OverHat\",\n \"Overlaps\",\n \"Overlay\",\n \"OverlayBox\",\n \"OverlayBoxOptions\",\n \"OverlayVideo\",\n \"Overscript\",\n \"OverscriptBox\",\n \"OverscriptBoxOptions\",\n \"OverTilde\",\n \"OverVector\",\n \"OverwriteTarget\",\n \"OwenT\",\n \"OwnValues\",\n \"Package\",\n \"PackingMethod\",\n \"PackPaclet\",\n \"PacletDataRebuild\",\n \"PacletDirectoryAdd\",\n \"PacletDirectoryLoad\",\n \"PacletDirectoryRemove\",\n \"PacletDirectoryUnload\",\n \"PacletDisable\",\n \"PacletEnable\",\n \"PacletFind\",\n \"PacletFindRemote\",\n \"PacletInformation\",\n \"PacletInstall\",\n \"PacletInstallSubmit\",\n \"PacletNewerQ\",\n \"PacletObject\",\n \"PacletObjectQ\",\n \"PacletSite\",\n \"PacletSiteObject\",\n \"PacletSiteRegister\",\n \"PacletSites\",\n \"PacletSiteUnregister\",\n \"PacletSiteUpdate\",\n \"PacletSymbol\",\n \"PacletUninstall\",\n \"PacletUpdate\",\n \"PaddedForm\",\n \"Padding\",\n \"PaddingLayer\",\n \"PaddingSize\",\n \"PadeApproximant\",\n \"PadLeft\",\n \"PadRight\",\n \"PageBreakAbove\",\n \"PageBreakBelow\",\n \"PageBreakWithin\",\n \"PageFooterLines\",\n \"PageFooters\",\n \"PageHeaderLines\",\n \"PageHeaders\",\n \"PageHeight\",\n \"PageRankCentrality\",\n \"PageTheme\",\n \"PageWidth\",\n \"Pagination\",\n \"PairCorrelationG\",\n \"PairedBarChart\",\n \"PairedHistogram\",\n \"PairedSmoothHistogram\",\n \"PairedTTest\",\n \"PairedZTest\",\n \"PaletteNotebook\",\n \"PalettePath\",\n \"PalettesMenuSettings\",\n \"PalindromeQ\",\n \"Pane\",\n \"PaneBox\",\n \"PaneBoxOptions\",\n \"Panel\",\n \"PanelBox\",\n \"PanelBoxOptions\",\n \"Paneled\",\n \"PaneSelector\",\n \"PaneSelectorBox\",\n \"PaneSelectorBoxOptions\",\n \"PaperWidth\",\n \"ParabolicCylinderD\",\n \"ParagraphIndent\",\n \"ParagraphSpacing\",\n \"ParallelArray\",\n \"ParallelAxisPlot\",\n \"ParallelCombine\",\n \"ParallelDo\",\n \"Parallelepiped\",\n \"ParallelEvaluate\",\n \"Parallelization\",\n \"Parallelize\",\n \"ParallelKernels\",\n \"ParallelMap\",\n \"ParallelNeeds\",\n \"Parallelogram\",\n \"ParallelProduct\",\n \"ParallelSubmit\",\n \"ParallelSum\",\n \"ParallelTable\",\n \"ParallelTry\",\n \"Parameter\",\n \"ParameterEstimator\",\n \"ParameterMixtureDistribution\",\n \"ParameterVariables\",\n \"ParametricConvexOptimization\",\n \"ParametricFunction\",\n \"ParametricNDSolve\",\n \"ParametricNDSolveValue\",\n \"ParametricPlot\",\n \"ParametricPlot3D\",\n \"ParametricRampLayer\",\n \"ParametricRegion\",\n \"ParentBox\",\n \"ParentCell\",\n \"ParentConnect\",\n \"ParentDirectory\",\n \"ParentEdgeLabel\",\n \"ParentEdgeLabelFunction\",\n \"ParentEdgeLabelStyle\",\n \"ParentEdgeShapeFunction\",\n \"ParentEdgeStyle\",\n \"ParentEdgeStyleFunction\",\n \"ParentForm\",\n \"Parenthesize\",\n \"ParentList\",\n \"ParentNotebook\",\n \"ParetoDistribution\",\n \"ParetoPickandsDistribution\",\n \"ParkData\",\n \"Part\",\n \"PartBehavior\",\n \"PartialCorrelationFunction\",\n \"PartialD\",\n \"ParticleAcceleratorData\",\n \"ParticleData\",\n \"Partition\",\n \"PartitionGranularity\",\n \"PartitionsP\",\n \"PartitionsQ\",\n \"PartLayer\",\n \"PartOfSpeech\",\n \"PartProtection\",\n \"ParzenWindow\",\n \"PascalDistribution\",\n \"PassEventsDown\",\n \"PassEventsUp\",\n \"Paste\",\n \"PasteAutoQuoteCharacters\",\n \"PasteBoxFormInlineCells\",\n \"PasteButton\",\n \"Path\",\n \"PathGraph\",\n \"PathGraphQ\",\n \"Pattern\",\n \"PatternFilling\",\n \"PatternReaction\",\n \"PatternSequence\",\n \"PatternTest\",\n \"PauliMatrix\",\n \"PaulWavelet\",\n \"Pause\",\n \"PausedTime\",\n \"PDF\",\n \"PeakDetect\",\n \"PeanoCurve\",\n \"PearsonChiSquareTest\",\n \"PearsonCorrelationTest\",\n \"PearsonDistribution\",\n \"PenttinenPointProcess\",\n \"PercentForm\",\n \"PerfectNumber\",\n \"PerfectNumberQ\",\n \"PerformanceGoal\",\n \"Perimeter\",\n \"PeriodicBoundaryCondition\",\n \"PeriodicInterpolation\",\n \"Periodogram\",\n \"PeriodogramArray\",\n \"Permanent\",\n \"Permissions\",\n \"PermissionsGroup\",\n \"PermissionsGroupMemberQ\",\n \"PermissionsGroups\",\n \"PermissionsKey\",\n \"PermissionsKeys\",\n \"PermutationCycles\",\n \"PermutationCyclesQ\",\n \"PermutationGroup\",\n \"PermutationLength\",\n \"PermutationList\",\n \"PermutationListQ\",\n \"PermutationMatrix\",\n \"PermutationMax\",\n \"PermutationMin\",\n \"PermutationOrder\",\n \"PermutationPower\",\n \"PermutationProduct\",\n \"PermutationReplace\",\n \"Permutations\",\n \"PermutationSupport\",\n \"Permute\",\n \"PeronaMalikFilter\",\n \"Perpendicular\",\n \"PerpendicularBisector\",\n \"PersistenceLocation\",\n \"PersistenceTime\",\n \"PersistentObject\",\n \"PersistentObjects\",\n \"PersistentSymbol\",\n \"PersistentValue\",\n \"PersonData\",\n \"PERTDistribution\",\n \"PetersenGraph\",\n \"PhaseMargins\",\n \"PhaseRange\",\n \"PhongShading\",\n \"PhysicalSystemData\",\n \"Pi\",\n \"Pick\",\n \"PickedElements\",\n \"PickMode\",\n \"PIDData\",\n \"PIDDerivativeFilter\",\n \"PIDFeedforward\",\n \"PIDTune\",\n \"Piecewise\",\n \"PiecewiseExpand\",\n \"PieChart\",\n \"PieChart3D\",\n \"PillaiTrace\",\n \"PillaiTraceTest\",\n \"PingTime\",\n \"Pink\",\n \"PitchRecognize\",\n \"Pivoting\",\n \"PixelConstrained\",\n \"PixelValue\",\n \"PixelValuePositions\",\n \"Placed\",\n \"Placeholder\",\n \"PlaceholderLayer\",\n \"PlaceholderReplace\",\n \"Plain\",\n \"PlanarAngle\",\n \"PlanarFaceList\",\n \"PlanarGraph\",\n \"PlanarGraphQ\",\n \"PlanckRadiationLaw\",\n \"PlaneCurveData\",\n \"PlanetaryMoonData\",\n \"PlanetData\",\n \"PlantData\",\n \"Play\",\n \"PlaybackSettings\",\n \"PlayRange\",\n \"Plot\",\n \"Plot3D\",\n \"Plot3Matrix\",\n \"PlotDivision\",\n \"PlotJoined\",\n \"PlotLabel\",\n \"PlotLabels\",\n \"PlotLayout\",\n \"PlotLegends\",\n \"PlotMarkers\",\n \"PlotPoints\",\n \"PlotRange\",\n \"PlotRangeClipping\",\n \"PlotRangeClipPlanesStyle\",\n \"PlotRangePadding\",\n \"PlotRegion\",\n \"PlotStyle\",\n \"PlotTheme\",\n \"Pluralize\",\n \"Plus\",\n \"PlusMinus\",\n \"Pochhammer\",\n \"PodStates\",\n \"PodWidth\",\n \"Point\",\n \"Point3DBox\",\n \"Point3DBoxOptions\",\n \"PointBox\",\n \"PointBoxOptions\",\n \"PointCountDistribution\",\n \"PointDensity\",\n \"PointDensityFunction\",\n \"PointFigureChart\",\n \"PointLegend\",\n \"PointLight\",\n \"PointProcessEstimator\",\n \"PointProcessFitTest\",\n \"PointProcessParameterAssumptions\",\n \"PointProcessParameterQ\",\n \"PointSize\",\n \"PointStatisticFunction\",\n \"PointValuePlot\",\n \"PoissonConsulDistribution\",\n \"PoissonDistribution\",\n \"PoissonPDEComponent\",\n \"PoissonPointProcess\",\n \"PoissonProcess\",\n \"PoissonWindow\",\n \"PolarAxes\",\n \"PolarAxesOrigin\",\n \"PolarGridLines\",\n \"PolarPlot\",\n \"PolarTicks\",\n \"PoleZeroMarkers\",\n \"PolyaAeppliDistribution\",\n \"PolyGamma\",\n \"Polygon\",\n \"Polygon3DBox\",\n \"Polygon3DBoxOptions\",\n \"PolygonalNumber\",\n \"PolygonAngle\",\n \"PolygonBox\",\n \"PolygonBoxOptions\",\n \"PolygonCoordinates\",\n \"PolygonDecomposition\",\n \"PolygonHoleScale\",\n \"PolygonIntersections\",\n \"PolygonScale\",\n \"Polyhedron\",\n \"PolyhedronAngle\",\n \"PolyhedronBox\",\n \"PolyhedronBoxOptions\",\n \"PolyhedronCoordinates\",\n \"PolyhedronData\",\n \"PolyhedronDecomposition\",\n \"PolyhedronGenus\",\n \"PolyLog\",\n \"PolynomialExpressionQ\",\n \"PolynomialExtendedGCD\",\n \"PolynomialForm\",\n \"PolynomialGCD\",\n \"PolynomialLCM\",\n \"PolynomialMod\",\n \"PolynomialQ\",\n \"PolynomialQuotient\",\n \"PolynomialQuotientRemainder\",\n \"PolynomialReduce\",\n \"PolynomialRemainder\",\n \"Polynomials\",\n \"PolynomialSumOfSquaresList\",\n \"PoolingLayer\",\n \"PopupMenu\",\n \"PopupMenuBox\",\n \"PopupMenuBoxOptions\",\n \"PopupView\",\n \"PopupWindow\",\n \"Position\",\n \"PositionIndex\",\n \"PositionLargest\",\n \"PositionSmallest\",\n \"Positive\",\n \"PositiveDefiniteMatrixQ\",\n \"PositiveIntegers\",\n \"PositivelyOrientedPoints\",\n \"PositiveRationals\",\n \"PositiveReals\",\n \"PositiveSemidefiniteMatrixQ\",\n \"PossibleZeroQ\",\n \"Postfix\",\n \"PostScript\",\n \"Power\",\n \"PowerDistribution\",\n \"PowerExpand\",\n \"PowerMod\",\n \"PowerModList\",\n \"PowerRange\",\n \"PowerSpectralDensity\",\n \"PowersRepresentations\",\n \"PowerSymmetricPolynomial\",\n \"Precedence\",\n \"PrecedenceForm\",\n \"Precedes\",\n \"PrecedesEqual\",\n \"PrecedesSlantEqual\",\n \"PrecedesTilde\",\n \"Precision\",\n \"PrecisionGoal\",\n \"PreDecrement\",\n \"Predict\",\n \"PredictionRoot\",\n \"PredictorFunction\",\n \"PredictorInformation\",\n \"PredictorMeasurements\",\n \"PredictorMeasurementsObject\",\n \"PreemptProtect\",\n \"PreferencesPath\",\n \"PreferencesSettings\",\n \"Prefix\",\n \"PreIncrement\",\n \"Prepend\",\n \"PrependLayer\",\n \"PrependTo\",\n \"PreprocessingRules\",\n \"PreserveColor\",\n \"PreserveImageOptions\",\n \"Previous\",\n \"PreviousCell\",\n \"PreviousDate\",\n \"PriceGraphDistribution\",\n \"PrimaryPlaceholder\",\n \"Prime\",\n \"PrimeNu\",\n \"PrimeOmega\",\n \"PrimePi\",\n \"PrimePowerQ\",\n \"PrimeQ\",\n \"Primes\",\n \"PrimeZetaP\",\n \"PrimitivePolynomialQ\",\n \"PrimitiveRoot\",\n \"PrimitiveRootList\",\n \"PrincipalComponents\",\n \"PrincipalValue\",\n \"Print\",\n \"PrintableASCIIQ\",\n \"PrintAction\",\n \"PrintForm\",\n \"PrintingCopies\",\n \"PrintingOptions\",\n \"PrintingPageRange\",\n \"PrintingStartingPageNumber\",\n \"PrintingStyleEnvironment\",\n \"Printout3D\",\n \"Printout3DPreviewer\",\n \"PrintPrecision\",\n \"PrintTemporary\",\n \"Prism\",\n \"PrismBox\",\n \"PrismBoxOptions\",\n \"PrivateCellOptions\",\n \"PrivateEvaluationOptions\",\n \"PrivateFontOptions\",\n \"PrivateFrontEndOptions\",\n \"PrivateKey\",\n \"PrivateNotebookOptions\",\n \"PrivatePaths\",\n \"Probability\",\n \"ProbabilityDistribution\",\n \"ProbabilityPlot\",\n \"ProbabilityPr\",\n \"ProbabilityScalePlot\",\n \"ProbitModelFit\",\n \"ProcessConnection\",\n \"ProcessDirectory\",\n \"ProcessEnvironment\",\n \"Processes\",\n \"ProcessEstimator\",\n \"ProcessInformation\",\n \"ProcessObject\",\n \"ProcessParameterAssumptions\",\n \"ProcessParameterQ\",\n \"ProcessStateDomain\",\n \"ProcessStatus\",\n \"ProcessTimeDomain\",\n \"Product\",\n \"ProductDistribution\",\n \"ProductLog\",\n \"ProgressIndicator\",\n \"ProgressIndicatorBox\",\n \"ProgressIndicatorBoxOptions\",\n \"ProgressReporting\",\n \"Projection\",\n \"Prolog\",\n \"PromptForm\",\n \"ProofObject\",\n \"PropagateAborts\",\n \"Properties\",\n \"Property\",\n \"PropertyList\",\n \"PropertyValue\",\n \"Proportion\",\n \"Proportional\",\n \"Protect\",\n \"Protected\",\n \"ProteinData\",\n \"Pruning\",\n \"PseudoInverse\",\n \"PsychrometricPropertyData\",\n \"PublicKey\",\n \"PublisherID\",\n \"PulsarData\",\n \"PunctuationCharacter\",\n \"Purple\",\n \"Put\",\n \"PutAppend\",\n \"Pyramid\",\n \"PyramidBox\",\n \"PyramidBoxOptions\",\n \"QBinomial\",\n \"QFactorial\",\n \"QGamma\",\n \"QHypergeometricPFQ\",\n \"QnDispersion\",\n \"QPochhammer\",\n \"QPolyGamma\",\n \"QRDecomposition\",\n \"QuadraticIrrationalQ\",\n \"QuadraticOptimization\",\n \"Quantile\",\n \"QuantilePlot\",\n \"Quantity\",\n \"QuantityArray\",\n \"QuantityDistribution\",\n \"QuantityForm\",\n \"QuantityMagnitude\",\n \"QuantityQ\",\n \"QuantityUnit\",\n \"QuantityVariable\",\n \"QuantityVariableCanonicalUnit\",\n \"QuantityVariableDimensions\",\n \"QuantityVariableIdentifier\",\n \"QuantityVariablePhysicalQuantity\",\n \"Quartics\",\n \"QuartileDeviation\",\n \"Quartiles\",\n \"QuartileSkewness\",\n \"Query\",\n \"QuestionGenerator\",\n \"QuestionInterface\",\n \"QuestionObject\",\n \"QuestionSelector\",\n \"QueueingNetworkProcess\",\n \"QueueingProcess\",\n \"QueueProperties\",\n \"Quiet\",\n \"QuietEcho\",\n \"Quit\",\n \"Quotient\",\n \"QuotientRemainder\",\n \"RadialAxisPlot\",\n \"RadialGradientFilling\",\n \"RadialGradientImage\",\n \"RadialityCentrality\",\n \"RadicalBox\",\n \"RadicalBoxOptions\",\n \"RadioButton\",\n \"RadioButtonBar\",\n \"RadioButtonBox\",\n \"RadioButtonBoxOptions\",\n \"Radon\",\n \"RadonTransform\",\n \"RamanujanTau\",\n \"RamanujanTauL\",\n \"RamanujanTauTheta\",\n \"RamanujanTauZ\",\n \"Ramp\",\n \"Random\",\n \"RandomArrayLayer\",\n \"RandomChoice\",\n \"RandomColor\",\n \"RandomComplex\",\n \"RandomDate\",\n \"RandomEntity\",\n \"RandomFunction\",\n \"RandomGeneratorState\",\n \"RandomGeoPosition\",\n \"RandomGraph\",\n \"RandomImage\",\n \"RandomInstance\",\n \"RandomInteger\",\n \"RandomPermutation\",\n \"RandomPoint\",\n \"RandomPointConfiguration\",\n \"RandomPolygon\",\n \"RandomPolyhedron\",\n \"RandomPrime\",\n \"RandomReal\",\n \"RandomSample\",\n \"RandomSeed\",\n \"RandomSeeding\",\n \"RandomTime\",\n \"RandomTree\",\n \"RandomVariate\",\n \"RandomWalkProcess\",\n \"RandomWord\",\n \"Range\",\n \"RangeFilter\",\n \"RangeSpecification\",\n \"RankedMax\",\n \"RankedMin\",\n \"RarerProbability\",\n \"Raster\",\n \"Raster3D\",\n \"Raster3DBox\",\n \"Raster3DBoxOptions\",\n \"RasterArray\",\n \"RasterBox\",\n \"RasterBoxOptions\",\n \"Rasterize\",\n \"RasterSize\",\n \"Rational\",\n \"RationalExpressionQ\",\n \"RationalFunctions\",\n \"Rationalize\",\n \"Rationals\",\n \"Ratios\",\n \"RawArray\",\n \"RawBoxes\",\n \"RawData\",\n \"RawMedium\",\n \"RayleighDistribution\",\n \"Re\",\n \"ReactionBalance\",\n \"ReactionBalancedQ\",\n \"ReactionPDETerm\",\n \"Read\",\n \"ReadByteArray\",\n \"ReadLine\",\n \"ReadList\",\n \"ReadProtected\",\n \"ReadString\",\n \"Real\",\n \"RealAbs\",\n \"RealBlockDiagonalForm\",\n \"RealDigits\",\n \"RealExponent\",\n \"Reals\",\n \"RealSign\",\n \"Reap\",\n \"RebuildPacletData\",\n \"RecalibrationFunction\",\n \"RecognitionPrior\",\n \"RecognitionThreshold\",\n \"ReconstructionMesh\",\n \"Record\",\n \"RecordLists\",\n \"RecordSeparators\",\n \"Rectangle\",\n \"RectangleBox\",\n \"RectangleBoxOptions\",\n \"RectangleChart\",\n \"RectangleChart3D\",\n \"RectangularRepeatingElement\",\n \"RecurrenceFilter\",\n \"RecurrenceTable\",\n \"RecurringDigitsForm\",\n \"Red\",\n \"Reduce\",\n \"RefBox\",\n \"ReferenceLineStyle\",\n \"ReferenceMarkers\",\n \"ReferenceMarkerStyle\",\n \"Refine\",\n \"ReflectionMatrix\",\n \"ReflectionTransform\",\n \"Refresh\",\n \"RefreshRate\",\n \"Region\",\n \"RegionBinarize\",\n \"RegionBoundary\",\n \"RegionBoundaryStyle\",\n \"RegionBounds\",\n \"RegionCentroid\",\n \"RegionCongruent\",\n \"RegionConvert\",\n \"RegionDifference\",\n \"RegionDilation\",\n \"RegionDimension\",\n \"RegionDisjoint\",\n \"RegionDistance\",\n \"RegionDistanceFunction\",\n \"RegionEmbeddingDimension\",\n \"RegionEqual\",\n \"RegionErosion\",\n \"RegionFillingStyle\",\n \"RegionFit\",\n \"RegionFunction\",\n \"RegionImage\",\n \"RegionIntersection\",\n \"RegionMeasure\",\n \"RegionMember\",\n \"RegionMemberFunction\",\n \"RegionMoment\",\n \"RegionNearest\",\n \"RegionNearestFunction\",\n \"RegionPlot\",\n \"RegionPlot3D\",\n \"RegionProduct\",\n \"RegionQ\",\n \"RegionResize\",\n \"RegionSimilar\",\n \"RegionSize\",\n \"RegionSymmetricDifference\",\n \"RegionUnion\",\n \"RegionWithin\",\n \"RegisterExternalEvaluator\",\n \"RegularExpression\",\n \"Regularization\",\n \"RegularlySampledQ\",\n \"RegularPolygon\",\n \"ReIm\",\n \"ReImLabels\",\n \"ReImPlot\",\n \"ReImStyle\",\n \"Reinstall\",\n \"RelationalDatabase\",\n \"RelationGraph\",\n \"Release\",\n \"ReleaseHold\",\n \"ReliabilityDistribution\",\n \"ReliefImage\",\n \"ReliefPlot\",\n \"RemoteAuthorizationCaching\",\n \"RemoteBatchJobAbort\",\n \"RemoteBatchJobObject\",\n \"RemoteBatchJobs\",\n \"RemoteBatchMapSubmit\",\n \"RemoteBatchSubmissionEnvironment\",\n \"RemoteBatchSubmit\",\n \"RemoteConnect\",\n \"RemoteConnectionObject\",\n \"RemoteEvaluate\",\n \"RemoteFile\",\n \"RemoteInputFiles\",\n \"RemoteKernelObject\",\n \"RemoteProviderSettings\",\n \"RemoteRun\",\n \"RemoteRunProcess\",\n \"RemovalConditions\",\n \"Remove\",\n \"RemoveAlphaChannel\",\n \"RemoveAsynchronousTask\",\n \"RemoveAudioStream\",\n \"RemoveBackground\",\n \"RemoveChannelListener\",\n \"RemoveChannelSubscribers\",\n \"Removed\",\n \"RemoveDiacritics\",\n \"RemoveInputStreamMethod\",\n \"RemoveOutputStreamMethod\",\n \"RemoveProperty\",\n \"RemoveScheduledTask\",\n \"RemoveUsers\",\n \"RemoveVideoStream\",\n \"RenameDirectory\",\n \"RenameFile\",\n \"RenderAll\",\n \"RenderingOptions\",\n \"RenewalProcess\",\n \"RenkoChart\",\n \"RepairMesh\",\n \"Repeated\",\n \"RepeatedNull\",\n \"RepeatedString\",\n \"RepeatedTiming\",\n \"RepeatingElement\",\n \"Replace\",\n \"ReplaceAll\",\n \"ReplaceAt\",\n \"ReplaceHeldPart\",\n \"ReplaceImageValue\",\n \"ReplaceList\",\n \"ReplacePart\",\n \"ReplacePixelValue\",\n \"ReplaceRepeated\",\n \"ReplicateLayer\",\n \"RequiredPhysicalQuantities\",\n \"Resampling\",\n \"ResamplingAlgorithmData\",\n \"ResamplingMethod\",\n \"Rescale\",\n \"RescalingTransform\",\n \"ResetDirectory\",\n \"ResetScheduledTask\",\n \"ReshapeLayer\",\n \"Residue\",\n \"ResidueSum\",\n \"ResizeLayer\",\n \"Resolve\",\n \"ResolveContextAliases\",\n \"ResourceAcquire\",\n \"ResourceData\",\n \"ResourceFunction\",\n \"ResourceObject\",\n \"ResourceRegister\",\n \"ResourceRemove\",\n \"ResourceSearch\",\n \"ResourceSubmissionObject\",\n \"ResourceSubmit\",\n \"ResourceSystemBase\",\n \"ResourceSystemPath\",\n \"ResourceUpdate\",\n \"ResourceVersion\",\n \"ResponseForm\",\n \"Rest\",\n \"RestartInterval\",\n \"Restricted\",\n \"Resultant\",\n \"ResumePacket\",\n \"Return\",\n \"ReturnCreatesNewCell\",\n \"ReturnEntersInput\",\n \"ReturnExpressionPacket\",\n \"ReturnInputFormPacket\",\n \"ReturnPacket\",\n \"ReturnReceiptFunction\",\n \"ReturnTextPacket\",\n \"Reverse\",\n \"ReverseApplied\",\n \"ReverseBiorthogonalSplineWavelet\",\n \"ReverseElement\",\n \"ReverseEquilibrium\",\n \"ReverseGraph\",\n \"ReverseSort\",\n \"ReverseSortBy\",\n \"ReverseUpEquilibrium\",\n \"RevolutionAxis\",\n \"RevolutionPlot3D\",\n \"RGBColor\",\n \"RiccatiSolve\",\n \"RiceDistribution\",\n \"RidgeFilter\",\n \"RiemannR\",\n \"RiemannSiegelTheta\",\n \"RiemannSiegelZ\",\n \"RiemannXi\",\n \"Riffle\",\n \"Right\",\n \"RightArrow\",\n \"RightArrowBar\",\n \"RightArrowLeftArrow\",\n \"RightComposition\",\n \"RightCosetRepresentative\",\n \"RightDownTeeVector\",\n \"RightDownVector\",\n \"RightDownVectorBar\",\n \"RightTee\",\n \"RightTeeArrow\",\n \"RightTeeVector\",\n \"RightTriangle\",\n \"RightTriangleBar\",\n \"RightTriangleEqual\",\n \"RightUpDownVector\",\n \"RightUpTeeVector\",\n \"RightUpVector\",\n \"RightUpVectorBar\",\n \"RightVector\",\n \"RightVectorBar\",\n \"RipleyK\",\n \"RipleyRassonRegion\",\n \"RiskAchievementImportance\",\n \"RiskReductionImportance\",\n \"RobustConvexOptimization\",\n \"RogersTanimotoDissimilarity\",\n \"RollPitchYawAngles\",\n \"RollPitchYawMatrix\",\n \"RomanNumeral\",\n \"Root\",\n \"RootApproximant\",\n \"RootIntervals\",\n \"RootLocusPlot\",\n \"RootMeanSquare\",\n \"RootOfUnityQ\",\n \"RootReduce\",\n \"Roots\",\n \"RootSum\",\n \"RootTree\",\n \"Rotate\",\n \"RotateLabel\",\n \"RotateLeft\",\n \"RotateRight\",\n \"RotationAction\",\n \"RotationBox\",\n \"RotationBoxOptions\",\n \"RotationMatrix\",\n \"RotationTransform\",\n \"Round\",\n \"RoundImplies\",\n \"RoundingRadius\",\n \"Row\",\n \"RowAlignments\",\n \"RowBackgrounds\",\n \"RowBox\",\n \"RowHeights\",\n \"RowLines\",\n \"RowMinHeight\",\n \"RowReduce\",\n \"RowsEqual\",\n \"RowSpacings\",\n \"RSolve\",\n \"RSolveValue\",\n \"RudinShapiro\",\n \"RudvalisGroupRu\",\n \"Rule\",\n \"RuleCondition\",\n \"RuleDelayed\",\n \"RuleForm\",\n \"RulePlot\",\n \"RulerUnits\",\n \"RulesTree\",\n \"Run\",\n \"RunProcess\",\n \"RunScheduledTask\",\n \"RunThrough\",\n \"RuntimeAttributes\",\n \"RuntimeOptions\",\n \"RussellRaoDissimilarity\",\n \"SameAs\",\n \"SameQ\",\n \"SameTest\",\n \"SameTestProperties\",\n \"SampledEntityClass\",\n \"SampleDepth\",\n \"SampledSoundFunction\",\n \"SampledSoundList\",\n \"SampleRate\",\n \"SamplingPeriod\",\n \"SARIMAProcess\",\n \"SARMAProcess\",\n \"SASTriangle\",\n \"SatelliteData\",\n \"SatisfiabilityCount\",\n \"SatisfiabilityInstances\",\n \"SatisfiableQ\",\n \"Saturday\",\n \"Save\",\n \"Saveable\",\n \"SaveAutoDelete\",\n \"SaveConnection\",\n \"SaveDefinitions\",\n \"SavitzkyGolayMatrix\",\n \"SawtoothWave\",\n \"Scale\",\n \"Scaled\",\n \"ScaleDivisions\",\n \"ScaledMousePosition\",\n \"ScaleOrigin\",\n \"ScalePadding\",\n \"ScaleRanges\",\n \"ScaleRangeStyle\",\n \"ScalingFunctions\",\n \"ScalingMatrix\",\n \"ScalingTransform\",\n \"Scan\",\n \"ScheduledTask\",\n \"ScheduledTaskActiveQ\",\n \"ScheduledTaskInformation\",\n \"ScheduledTaskInformationData\",\n \"ScheduledTaskObject\",\n \"ScheduledTasks\",\n \"SchurDecomposition\",\n \"ScientificForm\",\n \"ScientificNotationThreshold\",\n \"ScorerGi\",\n \"ScorerGiPrime\",\n \"ScorerHi\",\n \"ScorerHiPrime\",\n \"ScreenRectangle\",\n \"ScreenStyleEnvironment\",\n \"ScriptBaselineShifts\",\n \"ScriptForm\",\n \"ScriptLevel\",\n \"ScriptMinSize\",\n \"ScriptRules\",\n \"ScriptSizeMultipliers\",\n \"Scrollbars\",\n \"ScrollingOptions\",\n \"ScrollPosition\",\n \"SearchAdjustment\",\n \"SearchIndexObject\",\n \"SearchIndices\",\n \"SearchQueryString\",\n \"SearchResultObject\",\n \"Sec\",\n \"Sech\",\n \"SechDistribution\",\n \"SecondOrderConeOptimization\",\n \"SectionGrouping\",\n \"SectorChart\",\n \"SectorChart3D\",\n \"SectorOrigin\",\n \"SectorSpacing\",\n \"SecuredAuthenticationKey\",\n \"SecuredAuthenticationKeys\",\n \"SecurityCertificate\",\n \"SeedRandom\",\n \"Select\",\n \"Selectable\",\n \"SelectComponents\",\n \"SelectedCells\",\n \"SelectedNotebook\",\n \"SelectFirst\",\n \"Selection\",\n \"SelectionAnimate\",\n \"SelectionCell\",\n \"SelectionCellCreateCell\",\n \"SelectionCellDefaultStyle\",\n \"SelectionCellParentStyle\",\n \"SelectionCreateCell\",\n \"SelectionDebuggerTag\",\n \"SelectionEvaluate\",\n \"SelectionEvaluateCreateCell\",\n \"SelectionMove\",\n \"SelectionPlaceholder\",\n \"SelectWithContents\",\n \"SelfLoops\",\n \"SelfLoopStyle\",\n \"SemanticImport\",\n \"SemanticImportString\",\n \"SemanticInterpretation\",\n \"SemialgebraicComponentInstances\",\n \"SemidefiniteOptimization\",\n \"SendMail\",\n \"SendMessage\",\n \"Sequence\",\n \"SequenceAlignment\",\n \"SequenceAttentionLayer\",\n \"SequenceCases\",\n \"SequenceCount\",\n \"SequenceFold\",\n \"SequenceFoldList\",\n \"SequenceForm\",\n \"SequenceHold\",\n \"SequenceIndicesLayer\",\n \"SequenceLastLayer\",\n \"SequenceMostLayer\",\n \"SequencePosition\",\n \"SequencePredict\",\n \"SequencePredictorFunction\",\n \"SequenceReplace\",\n \"SequenceRestLayer\",\n \"SequenceReverseLayer\",\n \"SequenceSplit\",\n \"Series\",\n \"SeriesCoefficient\",\n \"SeriesData\",\n \"SeriesTermGoal\",\n \"ServiceConnect\",\n \"ServiceDisconnect\",\n \"ServiceExecute\",\n \"ServiceObject\",\n \"ServiceRequest\",\n \"ServiceResponse\",\n \"ServiceSubmit\",\n \"SessionSubmit\",\n \"SessionTime\",\n \"Set\",\n \"SetAccuracy\",\n \"SetAlphaChannel\",\n \"SetAttributes\",\n \"Setbacks\",\n \"SetCloudDirectory\",\n \"SetCookies\",\n \"SetDelayed\",\n \"SetDirectory\",\n \"SetEnvironment\",\n \"SetFileDate\",\n \"SetFileFormatProperties\",\n \"SetOptions\",\n \"SetOptionsPacket\",\n \"SetPermissions\",\n \"SetPrecision\",\n \"SetProperty\",\n \"SetSecuredAuthenticationKey\",\n \"SetSelectedNotebook\",\n \"SetSharedFunction\",\n \"SetSharedVariable\",\n \"SetStreamPosition\",\n \"SetSystemModel\",\n \"SetSystemOptions\",\n \"Setter\",\n \"SetterBar\",\n \"SetterBox\",\n \"SetterBoxOptions\",\n \"Setting\",\n \"SetUsers\",\n \"Shading\",\n \"Shallow\",\n \"ShannonWavelet\",\n \"ShapiroWilkTest\",\n \"Share\",\n \"SharingList\",\n \"Sharpen\",\n \"ShearingMatrix\",\n \"ShearingTransform\",\n \"ShellRegion\",\n \"ShenCastanMatrix\",\n \"ShiftedGompertzDistribution\",\n \"ShiftRegisterSequence\",\n \"Short\",\n \"ShortDownArrow\",\n \"Shortest\",\n \"ShortestMatch\",\n \"ShortestPathFunction\",\n \"ShortLeftArrow\",\n \"ShortRightArrow\",\n \"ShortTimeFourier\",\n \"ShortTimeFourierData\",\n \"ShortUpArrow\",\n \"Show\",\n \"ShowAutoConvert\",\n \"ShowAutoSpellCheck\",\n \"ShowAutoStyles\",\n \"ShowCellBracket\",\n \"ShowCellLabel\",\n \"ShowCellTags\",\n \"ShowClosedCellArea\",\n \"ShowCodeAssist\",\n \"ShowContents\",\n \"ShowControls\",\n \"ShowCursorTracker\",\n \"ShowGroupOpenCloseIcon\",\n \"ShowGroupOpener\",\n \"ShowInvisibleCharacters\",\n \"ShowPageBreaks\",\n \"ShowPredictiveInterface\",\n \"ShowSelection\",\n \"ShowShortBoxForm\",\n \"ShowSpecialCharacters\",\n \"ShowStringCharacters\",\n \"ShowSyntaxStyles\",\n \"ShrinkingDelay\",\n \"ShrinkWrapBoundingBox\",\n \"SiderealTime\",\n \"SiegelTheta\",\n \"SiegelTukeyTest\",\n \"SierpinskiCurve\",\n \"SierpinskiMesh\",\n \"Sign\",\n \"Signature\",\n \"SignedRankTest\",\n \"SignedRegionDistance\",\n \"SignificanceLevel\",\n \"SignPadding\",\n \"SignTest\",\n \"SimilarityRules\",\n \"SimpleGraph\",\n \"SimpleGraphQ\",\n \"SimplePolygonQ\",\n \"SimplePolyhedronQ\",\n \"Simplex\",\n \"Simplify\",\n \"Sin\",\n \"Sinc\",\n \"SinghMaddalaDistribution\",\n \"SingleEvaluation\",\n \"SingleLetterItalics\",\n \"SingleLetterStyle\",\n \"SingularValueDecomposition\",\n \"SingularValueList\",\n \"SingularValuePlot\",\n \"SingularValues\",\n \"Sinh\",\n \"SinhIntegral\",\n \"SinIntegral\",\n \"SixJSymbol\",\n \"Skeleton\",\n \"SkeletonTransform\",\n \"SkellamDistribution\",\n \"Skewness\",\n \"SkewNormalDistribution\",\n \"SkinStyle\",\n \"Skip\",\n \"SliceContourPlot3D\",\n \"SliceDensityPlot3D\",\n \"SliceDistribution\",\n \"SliceVectorPlot3D\",\n \"Slider\",\n \"Slider2D\",\n \"Slider2DBox\",\n \"Slider2DBoxOptions\",\n \"SliderBox\",\n \"SliderBoxOptions\",\n \"SlideShowVideo\",\n \"SlideView\",\n \"Slot\",\n \"SlotSequence\",\n \"Small\",\n \"SmallCircle\",\n \"Smaller\",\n \"SmithDecomposition\",\n \"SmithDelayCompensator\",\n \"SmithWatermanSimilarity\",\n \"SmoothDensityHistogram\",\n \"SmoothHistogram\",\n \"SmoothHistogram3D\",\n \"SmoothKernelDistribution\",\n \"SmoothPointDensity\",\n \"SnDispersion\",\n \"Snippet\",\n \"SnippetsVideo\",\n \"SnubPolyhedron\",\n \"SocialMediaData\",\n \"Socket\",\n \"SocketConnect\",\n \"SocketListen\",\n \"SocketListener\",\n \"SocketObject\",\n \"SocketOpen\",\n \"SocketReadMessage\",\n \"SocketReadyQ\",\n \"Sockets\",\n \"SocketWaitAll\",\n \"SocketWaitNext\",\n \"SoftmaxLayer\",\n \"SokalSneathDissimilarity\",\n \"SolarEclipse\",\n \"SolarSystemFeatureData\",\n \"SolarTime\",\n \"SolidAngle\",\n \"SolidBoundaryLoadValue\",\n \"SolidData\",\n \"SolidDisplacementCondition\",\n \"SolidFixedCondition\",\n \"SolidMechanicsPDEComponent\",\n \"SolidMechanicsStrain\",\n \"SolidMechanicsStress\",\n \"SolidRegionQ\",\n \"Solve\",\n \"SolveAlways\",\n \"SolveDelayed\",\n \"SolveValues\",\n \"Sort\",\n \"SortBy\",\n \"SortedBy\",\n \"SortedEntityClass\",\n \"Sound\",\n \"SoundAndGraphics\",\n \"SoundNote\",\n \"SoundVolume\",\n \"SourceLink\",\n \"SourcePDETerm\",\n \"Sow\",\n \"Space\",\n \"SpaceCurveData\",\n \"SpaceForm\",\n \"Spacer\",\n \"Spacings\",\n \"Span\",\n \"SpanAdjustments\",\n \"SpanCharacterRounding\",\n \"SpanFromAbove\",\n \"SpanFromBoth\",\n \"SpanFromLeft\",\n \"SpanLineThickness\",\n \"SpanMaxSize\",\n \"SpanMinSize\",\n \"SpanningCharacters\",\n \"SpanSymmetric\",\n \"SparseArray\",\n \"SparseArrayQ\",\n \"SpatialBinnedPointData\",\n \"SpatialBoundaryCorrection\",\n \"SpatialEstimate\",\n \"SpatialEstimatorFunction\",\n \"SpatialGraphDistribution\",\n \"SpatialJ\",\n \"SpatialMedian\",\n \"SpatialNoiseLevel\",\n \"SpatialObservationRegionQ\",\n \"SpatialPointData\",\n \"SpatialPointSelect\",\n \"SpatialRandomnessTest\",\n \"SpatialTransformationLayer\",\n \"SpatialTrendFunction\",\n \"Speak\",\n \"SpeakerMatchQ\",\n \"SpearmanRankTest\",\n \"SpearmanRho\",\n \"SpeciesData\",\n \"SpecificityGoal\",\n \"SpectralLineData\",\n \"Spectrogram\",\n \"SpectrogramArray\",\n \"Specularity\",\n \"SpeechCases\",\n \"SpeechInterpreter\",\n \"SpeechRecognize\",\n \"SpeechSynthesize\",\n \"SpellingCorrection\",\n \"SpellingCorrectionList\",\n \"SpellingDictionaries\",\n \"SpellingDictionariesPath\",\n \"SpellingOptions\",\n \"Sphere\",\n \"SphereBox\",\n \"SphereBoxOptions\",\n \"SpherePoints\",\n \"SphericalBesselJ\",\n \"SphericalBesselY\",\n \"SphericalHankelH1\",\n \"SphericalHankelH2\",\n \"SphericalHarmonicY\",\n \"SphericalPlot3D\",\n \"SphericalRegion\",\n \"SphericalShell\",\n \"SpheroidalEigenvalue\",\n \"SpheroidalJoiningFactor\",\n \"SpheroidalPS\",\n \"SpheroidalPSPrime\",\n \"SpheroidalQS\",\n \"SpheroidalQSPrime\",\n \"SpheroidalRadialFactor\",\n \"SpheroidalS1\",\n \"SpheroidalS1Prime\",\n \"SpheroidalS2\",\n \"SpheroidalS2Prime\",\n \"Splice\",\n \"SplicedDistribution\",\n \"SplineClosed\",\n \"SplineDegree\",\n \"SplineKnots\",\n \"SplineWeights\",\n \"Split\",\n \"SplitBy\",\n \"SpokenString\",\n \"SpotLight\",\n \"Sqrt\",\n \"SqrtBox\",\n \"SqrtBoxOptions\",\n \"Square\",\n \"SquaredEuclideanDistance\",\n \"SquareFreeQ\",\n \"SquareIntersection\",\n \"SquareMatrixQ\",\n \"SquareRepeatingElement\",\n \"SquaresR\",\n \"SquareSubset\",\n \"SquareSubsetEqual\",\n \"SquareSuperset\",\n \"SquareSupersetEqual\",\n \"SquareUnion\",\n \"SquareWave\",\n \"SSSTriangle\",\n \"StabilityMargins\",\n \"StabilityMarginsStyle\",\n \"StableDistribution\",\n \"Stack\",\n \"StackBegin\",\n \"StackComplete\",\n \"StackedDateListPlot\",\n \"StackedListPlot\",\n \"StackInhibit\",\n \"StadiumShape\",\n \"StandardAtmosphereData\",\n \"StandardDeviation\",\n \"StandardDeviationFilter\",\n \"StandardForm\",\n \"Standardize\",\n \"Standardized\",\n \"StandardOceanData\",\n \"StandbyDistribution\",\n \"Star\",\n \"StarClusterData\",\n \"StarData\",\n \"StarGraph\",\n \"StartAsynchronousTask\",\n \"StartExternalSession\",\n \"StartingStepSize\",\n \"StartOfLine\",\n \"StartOfString\",\n \"StartProcess\",\n \"StartScheduledTask\",\n \"StartupSound\",\n \"StartWebSession\",\n \"StateDimensions\",\n \"StateFeedbackGains\",\n \"StateOutputEstimator\",\n \"StateResponse\",\n \"StateSpaceModel\",\n \"StateSpaceRealization\",\n \"StateSpaceTransform\",\n \"StateTransformationLinearize\",\n \"StationaryDistribution\",\n \"StationaryWaveletPacketTransform\",\n \"StationaryWaveletTransform\",\n \"StatusArea\",\n \"StatusCentrality\",\n \"StepMonitor\",\n \"StereochemistryElements\",\n \"StieltjesGamma\",\n \"StippleShading\",\n \"StirlingS1\",\n \"StirlingS2\",\n \"StopAsynchronousTask\",\n \"StoppingPowerData\",\n \"StopScheduledTask\",\n \"StrataVariables\",\n \"StratonovichProcess\",\n \"StraussHardcorePointProcess\",\n \"StraussPointProcess\",\n \"StreamColorFunction\",\n \"StreamColorFunctionScaling\",\n \"StreamDensityPlot\",\n \"StreamMarkers\",\n \"StreamPlot\",\n \"StreamPlot3D\",\n \"StreamPoints\",\n \"StreamPosition\",\n \"Streams\",\n \"StreamScale\",\n \"StreamStyle\",\n \"StrictInequalities\",\n \"String\",\n \"StringBreak\",\n \"StringByteCount\",\n \"StringCases\",\n \"StringContainsQ\",\n \"StringCount\",\n \"StringDelete\",\n \"StringDrop\",\n \"StringEndsQ\",\n \"StringExpression\",\n \"StringExtract\",\n \"StringForm\",\n \"StringFormat\",\n \"StringFormatQ\",\n \"StringFreeQ\",\n \"StringInsert\",\n \"StringJoin\",\n \"StringLength\",\n \"StringMatchQ\",\n \"StringPadLeft\",\n \"StringPadRight\",\n \"StringPart\",\n \"StringPartition\",\n \"StringPosition\",\n \"StringQ\",\n \"StringRepeat\",\n \"StringReplace\",\n \"StringReplaceList\",\n \"StringReplacePart\",\n \"StringReverse\",\n \"StringRiffle\",\n \"StringRotateLeft\",\n \"StringRotateRight\",\n \"StringSkeleton\",\n \"StringSplit\",\n \"StringStartsQ\",\n \"StringTake\",\n \"StringTakeDrop\",\n \"StringTemplate\",\n \"StringToByteArray\",\n \"StringToStream\",\n \"StringTrim\",\n \"StripBoxes\",\n \"StripOnInput\",\n \"StripStyleOnPaste\",\n \"StripWrapperBoxes\",\n \"StrokeForm\",\n \"Struckthrough\",\n \"StructuralImportance\",\n \"StructuredArray\",\n \"StructuredArrayHeadQ\",\n \"StructuredSelection\",\n \"StruveH\",\n \"StruveL\",\n \"Stub\",\n \"StudentTDistribution\",\n \"Style\",\n \"StyleBox\",\n \"StyleBoxAutoDelete\",\n \"StyleData\",\n \"StyleDefinitions\",\n \"StyleForm\",\n \"StyleHints\",\n \"StyleKeyMapping\",\n \"StyleMenuListing\",\n \"StyleNameDialogSettings\",\n \"StyleNames\",\n \"StylePrint\",\n \"StyleSheetPath\",\n \"Subdivide\",\n \"Subfactorial\",\n \"Subgraph\",\n \"SubMinus\",\n \"SubPlus\",\n \"SubresultantPolynomialRemainders\",\n \"SubresultantPolynomials\",\n \"Subresultants\",\n \"Subscript\",\n \"SubscriptBox\",\n \"SubscriptBoxOptions\",\n \"Subscripted\",\n \"Subsequences\",\n \"Subset\",\n \"SubsetCases\",\n \"SubsetCount\",\n \"SubsetEqual\",\n \"SubsetMap\",\n \"SubsetPosition\",\n \"SubsetQ\",\n \"SubsetReplace\",\n \"Subsets\",\n \"SubStar\",\n \"SubstitutionSystem\",\n \"Subsuperscript\",\n \"SubsuperscriptBox\",\n \"SubsuperscriptBoxOptions\",\n \"SubtitleEncoding\",\n \"SubtitleTrackSelection\",\n \"Subtract\",\n \"SubtractFrom\",\n \"SubtractSides\",\n \"SubValues\",\n \"Succeeds\",\n \"SucceedsEqual\",\n \"SucceedsSlantEqual\",\n \"SucceedsTilde\",\n \"Success\",\n \"SuchThat\",\n \"Sum\",\n \"SumConvergence\",\n \"SummationLayer\",\n \"Sunday\",\n \"SunPosition\",\n \"Sunrise\",\n \"Sunset\",\n \"SuperDagger\",\n \"SuperMinus\",\n \"SupernovaData\",\n \"SuperPlus\",\n \"Superscript\",\n \"SuperscriptBox\",\n \"SuperscriptBoxOptions\",\n \"Superset\",\n \"SupersetEqual\",\n \"SuperStar\",\n \"Surd\",\n \"SurdForm\",\n \"SurfaceAppearance\",\n \"SurfaceArea\",\n \"SurfaceColor\",\n \"SurfaceData\",\n \"SurfaceGraphics\",\n \"SurvivalDistribution\",\n \"SurvivalFunction\",\n \"SurvivalModel\",\n \"SurvivalModelFit\",\n \"SuspendPacket\",\n \"SuzukiDistribution\",\n \"SuzukiGroupSuz\",\n \"SwatchLegend\",\n \"Switch\",\n \"Symbol\",\n \"SymbolName\",\n \"SymletWavelet\",\n \"Symmetric\",\n \"SymmetricDifference\",\n \"SymmetricGroup\",\n \"SymmetricKey\",\n \"SymmetricMatrixQ\",\n \"SymmetricPolynomial\",\n \"SymmetricReduction\",\n \"Symmetrize\",\n \"SymmetrizedArray\",\n \"SymmetrizedArrayRules\",\n \"SymmetrizedDependentComponents\",\n \"SymmetrizedIndependentComponents\",\n \"SymmetrizedReplacePart\",\n \"SynchronousInitialization\",\n \"SynchronousUpdating\",\n \"Synonyms\",\n \"Syntax\",\n \"SyntaxForm\",\n \"SyntaxInformation\",\n \"SyntaxLength\",\n \"SyntaxPacket\",\n \"SyntaxQ\",\n \"SynthesizeMissingValues\",\n \"SystemCredential\",\n \"SystemCredentialData\",\n \"SystemCredentialKey\",\n \"SystemCredentialKeys\",\n \"SystemCredentialStoreObject\",\n \"SystemDialogInput\",\n \"SystemException\",\n \"SystemGet\",\n \"SystemHelpPath\",\n \"SystemInformation\",\n \"SystemInformationData\",\n \"SystemInstall\",\n \"SystemModel\",\n \"SystemModeler\",\n \"SystemModelExamples\",\n \"SystemModelLinearize\",\n \"SystemModelMeasurements\",\n \"SystemModelParametricSimulate\",\n \"SystemModelPlot\",\n \"SystemModelProgressReporting\",\n \"SystemModelReliability\",\n \"SystemModels\",\n \"SystemModelSimulate\",\n \"SystemModelSimulateSensitivity\",\n \"SystemModelSimulationData\",\n \"SystemOpen\",\n \"SystemOptions\",\n \"SystemProcessData\",\n \"SystemProcesses\",\n \"SystemsConnectionsModel\",\n \"SystemsModelControllerData\",\n \"SystemsModelDelay\",\n \"SystemsModelDelayApproximate\",\n \"SystemsModelDelete\",\n \"SystemsModelDimensions\",\n \"SystemsModelExtract\",\n \"SystemsModelFeedbackConnect\",\n \"SystemsModelLabels\",\n \"SystemsModelLinearity\",\n \"SystemsModelMerge\",\n \"SystemsModelOrder\",\n \"SystemsModelParallelConnect\",\n \"SystemsModelSeriesConnect\",\n \"SystemsModelStateFeedbackConnect\",\n \"SystemsModelVectorRelativeOrders\",\n \"SystemStub\",\n \"SystemTest\",\n \"Tab\",\n \"TabFilling\",\n \"Table\",\n \"TableAlignments\",\n \"TableDepth\",\n \"TableDirections\",\n \"TableForm\",\n \"TableHeadings\",\n \"TableSpacing\",\n \"TableView\",\n \"TableViewBox\",\n \"TableViewBoxAlignment\",\n \"TableViewBoxBackground\",\n \"TableViewBoxHeaders\",\n \"TableViewBoxItemSize\",\n \"TableViewBoxItemStyle\",\n \"TableViewBoxOptions\",\n \"TabSpacings\",\n \"TabView\",\n \"TabViewBox\",\n \"TabViewBoxOptions\",\n \"TagBox\",\n \"TagBoxNote\",\n \"TagBoxOptions\",\n \"TaggingRules\",\n \"TagSet\",\n \"TagSetDelayed\",\n \"TagStyle\",\n \"TagUnset\",\n \"Take\",\n \"TakeDrop\",\n \"TakeLargest\",\n \"TakeLargestBy\",\n \"TakeList\",\n \"TakeSmallest\",\n \"TakeSmallestBy\",\n \"TakeWhile\",\n \"Tally\",\n \"Tan\",\n \"Tanh\",\n \"TargetDevice\",\n \"TargetFunctions\",\n \"TargetSystem\",\n \"TargetUnits\",\n \"TaskAbort\",\n \"TaskExecute\",\n \"TaskObject\",\n \"TaskRemove\",\n \"TaskResume\",\n \"Tasks\",\n \"TaskSuspend\",\n \"TaskWait\",\n \"TautologyQ\",\n \"TelegraphProcess\",\n \"TemplateApply\",\n \"TemplateArgBox\",\n \"TemplateBox\",\n \"TemplateBoxOptions\",\n \"TemplateEvaluate\",\n \"TemplateExpression\",\n \"TemplateIf\",\n \"TemplateObject\",\n \"TemplateSequence\",\n \"TemplateSlot\",\n \"TemplateSlotSequence\",\n \"TemplateUnevaluated\",\n \"TemplateVerbatim\",\n \"TemplateWith\",\n \"TemporalData\",\n \"TemporalRegularity\",\n \"Temporary\",\n \"TemporaryVariable\",\n \"TensorContract\",\n \"TensorDimensions\",\n \"TensorExpand\",\n \"TensorProduct\",\n \"TensorQ\",\n \"TensorRank\",\n \"TensorReduce\",\n \"TensorSymmetry\",\n \"TensorTranspose\",\n \"TensorWedge\",\n \"TerminatedEvaluation\",\n \"TernaryListPlot\",\n \"TernaryPlotCorners\",\n \"TestID\",\n \"TestReport\",\n \"TestReportObject\",\n \"TestResultObject\",\n \"Tetrahedron\",\n \"TetrahedronBox\",\n \"TetrahedronBoxOptions\",\n \"TeXForm\",\n \"TeXSave\",\n \"Text\",\n \"Text3DBox\",\n \"Text3DBoxOptions\",\n \"TextAlignment\",\n \"TextBand\",\n \"TextBoundingBox\",\n \"TextBox\",\n \"TextCases\",\n \"TextCell\",\n \"TextClipboardType\",\n \"TextContents\",\n \"TextData\",\n \"TextElement\",\n \"TextForm\",\n \"TextGrid\",\n \"TextJustification\",\n \"TextLine\",\n \"TextPacket\",\n \"TextParagraph\",\n \"TextPosition\",\n \"TextRecognize\",\n \"TextSearch\",\n \"TextSearchReport\",\n \"TextSentences\",\n \"TextString\",\n \"TextStructure\",\n \"TextStyle\",\n \"TextTranslation\",\n \"Texture\",\n \"TextureCoordinateFunction\",\n \"TextureCoordinateScaling\",\n \"TextWords\",\n \"Therefore\",\n \"ThermodynamicData\",\n \"ThermometerGauge\",\n \"Thick\",\n \"Thickness\",\n \"Thin\",\n \"Thinning\",\n \"ThisLink\",\n \"ThomasPointProcess\",\n \"ThompsonGroupTh\",\n \"Thread\",\n \"Threaded\",\n \"ThreadingLayer\",\n \"ThreeJSymbol\",\n \"Threshold\",\n \"Through\",\n \"Throw\",\n \"ThueMorse\",\n \"Thumbnail\",\n \"Thursday\",\n \"TickDirection\",\n \"TickLabelOrientation\",\n \"TickLabelPositioning\",\n \"TickLabels\",\n \"TickLengths\",\n \"TickPositions\",\n \"Ticks\",\n \"TicksStyle\",\n \"TideData\",\n \"Tilde\",\n \"TildeEqual\",\n \"TildeFullEqual\",\n \"TildeTilde\",\n \"TimeConstrained\",\n \"TimeConstraint\",\n \"TimeDirection\",\n \"TimeFormat\",\n \"TimeGoal\",\n \"TimelinePlot\",\n \"TimeObject\",\n \"TimeObjectQ\",\n \"TimeRemaining\",\n \"Times\",\n \"TimesBy\",\n \"TimeSeries\",\n \"TimeSeriesAggregate\",\n \"TimeSeriesForecast\",\n \"TimeSeriesInsert\",\n \"TimeSeriesInvertibility\",\n \"TimeSeriesMap\",\n \"TimeSeriesMapThread\",\n \"TimeSeriesModel\",\n \"TimeSeriesModelFit\",\n \"TimeSeriesResample\",\n \"TimeSeriesRescale\",\n \"TimeSeriesShift\",\n \"TimeSeriesThread\",\n \"TimeSeriesWindow\",\n \"TimeSystem\",\n \"TimeSystemConvert\",\n \"TimeUsed\",\n \"TimeValue\",\n \"TimeWarpingCorrespondence\",\n \"TimeWarpingDistance\",\n \"TimeZone\",\n \"TimeZoneConvert\",\n \"TimeZoneOffset\",\n \"Timing\",\n \"Tiny\",\n \"TitleGrouping\",\n \"TitsGroupT\",\n \"ToBoxes\",\n \"ToCharacterCode\",\n \"ToColor\",\n \"ToContinuousTimeModel\",\n \"ToDate\",\n \"Today\",\n \"ToDiscreteTimeModel\",\n \"ToEntity\",\n \"ToeplitzMatrix\",\n \"ToExpression\",\n \"ToFileName\",\n \"Together\",\n \"Toggle\",\n \"ToggleFalse\",\n \"Toggler\",\n \"TogglerBar\",\n \"TogglerBox\",\n \"TogglerBoxOptions\",\n \"ToHeldExpression\",\n \"ToInvertibleTimeSeries\",\n \"TokenWords\",\n \"Tolerance\",\n \"ToLowerCase\",\n \"Tomorrow\",\n \"ToNumberField\",\n \"TooBig\",\n \"Tooltip\",\n \"TooltipBox\",\n \"TooltipBoxOptions\",\n \"TooltipDelay\",\n \"TooltipStyle\",\n \"ToonShading\",\n \"Top\",\n \"TopHatTransform\",\n \"ToPolarCoordinates\",\n \"TopologicalSort\",\n \"ToRadicals\",\n \"ToRawPointer\",\n \"ToRules\",\n \"Torus\",\n \"TorusGraph\",\n \"ToSphericalCoordinates\",\n \"ToString\",\n \"Total\",\n \"TotalHeight\",\n \"TotalLayer\",\n \"TotalVariationFilter\",\n \"TotalWidth\",\n \"TouchPosition\",\n \"TouchscreenAutoZoom\",\n \"TouchscreenControlPlacement\",\n \"ToUpperCase\",\n \"TourVideo\",\n \"Tr\",\n \"Trace\",\n \"TraceAbove\",\n \"TraceAction\",\n \"TraceBackward\",\n \"TraceDepth\",\n \"TraceDialog\",\n \"TraceForward\",\n \"TraceInternal\",\n \"TraceLevel\",\n \"TraceOff\",\n \"TraceOn\",\n \"TraceOriginal\",\n \"TracePrint\",\n \"TraceScan\",\n \"TrackCellChangeTimes\",\n \"TrackedSymbols\",\n \"TrackingFunction\",\n \"TracyWidomDistribution\",\n \"TradingChart\",\n \"TraditionalForm\",\n \"TraditionalFunctionNotation\",\n \"TraditionalNotation\",\n \"TraditionalOrder\",\n \"TrainImageContentDetector\",\n \"TrainingProgressCheckpointing\",\n \"TrainingProgressFunction\",\n \"TrainingProgressMeasurements\",\n \"TrainingProgressReporting\",\n \"TrainingStoppingCriterion\",\n \"TrainingUpdateSchedule\",\n \"TrainTextContentDetector\",\n \"TransferFunctionCancel\",\n \"TransferFunctionExpand\",\n \"TransferFunctionFactor\",\n \"TransferFunctionModel\",\n \"TransferFunctionPoles\",\n \"TransferFunctionTransform\",\n \"TransferFunctionZeros\",\n \"TransformationClass\",\n \"TransformationFunction\",\n \"TransformationFunctions\",\n \"TransformationMatrix\",\n \"TransformedDistribution\",\n \"TransformedField\",\n \"TransformedProcess\",\n \"TransformedRegion\",\n \"TransitionDirection\",\n \"TransitionDuration\",\n \"TransitionEffect\",\n \"TransitiveClosureGraph\",\n \"TransitiveReductionGraph\",\n \"Translate\",\n \"TranslationOptions\",\n \"TranslationTransform\",\n \"Transliterate\",\n \"Transparent\",\n \"TransparentColor\",\n \"Transpose\",\n \"TransposeLayer\",\n \"TrapEnterKey\",\n \"TrapSelection\",\n \"TravelDirections\",\n \"TravelDirectionsData\",\n \"TravelDistance\",\n \"TravelDistanceList\",\n \"TravelMethod\",\n \"TravelTime\",\n \"Tree\",\n \"TreeCases\",\n \"TreeChildren\",\n \"TreeCount\",\n \"TreeData\",\n \"TreeDelete\",\n \"TreeDepth\",\n \"TreeElementCoordinates\",\n \"TreeElementLabel\",\n \"TreeElementLabelFunction\",\n \"TreeElementLabelStyle\",\n \"TreeElementShape\",\n \"TreeElementShapeFunction\",\n \"TreeElementSize\",\n \"TreeElementSizeFunction\",\n \"TreeElementStyle\",\n \"TreeElementStyleFunction\",\n \"TreeExpression\",\n \"TreeExtract\",\n \"TreeFold\",\n \"TreeForm\",\n \"TreeGraph\",\n \"TreeGraphQ\",\n \"TreeInsert\",\n \"TreeLayout\",\n \"TreeLeafCount\",\n \"TreeLeafQ\",\n \"TreeLeaves\",\n \"TreeLevel\",\n \"TreeMap\",\n \"TreeMapAt\",\n \"TreeOutline\",\n \"TreePlot\",\n \"TreePosition\",\n \"TreeQ\",\n \"TreeReplacePart\",\n \"TreeRules\",\n \"TreeScan\",\n \"TreeSelect\",\n \"TreeSize\",\n \"TreeTraversalOrder\",\n \"TrendStyle\",\n \"Triangle\",\n \"TriangleCenter\",\n \"TriangleConstruct\",\n \"TriangleMeasurement\",\n \"TriangleWave\",\n \"TriangularDistribution\",\n \"TriangulateMesh\",\n \"Trig\",\n \"TrigExpand\",\n \"TrigFactor\",\n \"TrigFactorList\",\n \"Trigger\",\n \"TrigReduce\",\n \"TrigToExp\",\n \"TrimmedMean\",\n \"TrimmedVariance\",\n \"TropicalStormData\",\n \"True\",\n \"TrueQ\",\n \"TruncatedDistribution\",\n \"TruncatedPolyhedron\",\n \"TsallisQExponentialDistribution\",\n \"TsallisQGaussianDistribution\",\n \"TTest\",\n \"Tube\",\n \"TubeBezierCurveBox\",\n \"TubeBezierCurveBoxOptions\",\n \"TubeBox\",\n \"TubeBoxOptions\",\n \"TubeBSplineCurveBox\",\n \"TubeBSplineCurveBoxOptions\",\n \"Tuesday\",\n \"TukeyLambdaDistribution\",\n \"TukeyWindow\",\n \"TunnelData\",\n \"Tuples\",\n \"TuranGraph\",\n \"TuringMachine\",\n \"TuttePolynomial\",\n \"TwoWayRule\",\n \"Typed\",\n \"TypeDeclaration\",\n \"TypeEvaluate\",\n \"TypeHint\",\n \"TypeOf\",\n \"TypeSpecifier\",\n \"UnateQ\",\n \"Uncompress\",\n \"UnconstrainedParameters\",\n \"Undefined\",\n \"UnderBar\",\n \"Underflow\",\n \"Underlined\",\n \"Underoverscript\",\n \"UnderoverscriptBox\",\n \"UnderoverscriptBoxOptions\",\n \"Underscript\",\n \"UnderscriptBox\",\n \"UnderscriptBoxOptions\",\n \"UnderseaFeatureData\",\n \"UndirectedEdge\",\n \"UndirectedGraph\",\n \"UndirectedGraphQ\",\n \"UndoOptions\",\n \"UndoTrackedVariables\",\n \"Unequal\",\n \"UnequalTo\",\n \"Unevaluated\",\n \"UniformDistribution\",\n \"UniformGraphDistribution\",\n \"UniformPolyhedron\",\n \"UniformSumDistribution\",\n \"Uninstall\",\n \"Union\",\n \"UnionedEntityClass\",\n \"UnionPlus\",\n \"Unique\",\n \"UniqueElements\",\n \"UnitaryMatrixQ\",\n \"UnitBox\",\n \"UnitConvert\",\n \"UnitDimensions\",\n \"Unitize\",\n \"UnitRootTest\",\n \"UnitSimplify\",\n \"UnitStep\",\n \"UnitSystem\",\n \"UnitTriangle\",\n \"UnitVector\",\n \"UnitVectorLayer\",\n \"UnityDimensions\",\n \"UniverseModelData\",\n \"UniversityData\",\n \"UnixTime\",\n \"UnlabeledTree\",\n \"UnmanageObject\",\n \"Unprotect\",\n \"UnregisterExternalEvaluator\",\n \"UnsameQ\",\n \"UnsavedVariables\",\n \"Unset\",\n \"UnsetShared\",\n \"Until\",\n \"UntrackedVariables\",\n \"Up\",\n \"UpArrow\",\n \"UpArrowBar\",\n \"UpArrowDownArrow\",\n \"Update\",\n \"UpdateDynamicObjects\",\n \"UpdateDynamicObjectsSynchronous\",\n \"UpdateInterval\",\n \"UpdatePacletSites\",\n \"UpdateSearchIndex\",\n \"UpDownArrow\",\n \"UpEquilibrium\",\n \"UpperCaseQ\",\n \"UpperLeftArrow\",\n \"UpperRightArrow\",\n \"UpperTriangularize\",\n \"UpperTriangularMatrix\",\n \"UpperTriangularMatrixQ\",\n \"Upsample\",\n \"UpSet\",\n \"UpSetDelayed\",\n \"UpTee\",\n \"UpTeeArrow\",\n \"UpTo\",\n \"UpValues\",\n \"URL\",\n \"URLBuild\",\n \"URLDecode\",\n \"URLDispatcher\",\n \"URLDownload\",\n \"URLDownloadSubmit\",\n \"URLEncode\",\n \"URLExecute\",\n \"URLExpand\",\n \"URLFetch\",\n \"URLFetchAsynchronous\",\n \"URLParse\",\n \"URLQueryDecode\",\n \"URLQueryEncode\",\n \"URLRead\",\n \"URLResponseTime\",\n \"URLSave\",\n \"URLSaveAsynchronous\",\n \"URLShorten\",\n \"URLSubmit\",\n \"UseEmbeddedLibrary\",\n \"UseGraphicsRange\",\n \"UserDefinedWavelet\",\n \"Using\",\n \"UsingFrontEnd\",\n \"UtilityFunction\",\n \"V2Get\",\n \"ValenceErrorHandling\",\n \"ValenceFilling\",\n \"ValidationLength\",\n \"ValidationSet\",\n \"ValueBox\",\n \"ValueBoxOptions\",\n \"ValueDimensions\",\n \"ValueForm\",\n \"ValuePreprocessingFunction\",\n \"ValueQ\",\n \"Values\",\n \"ValuesData\",\n \"VandermondeMatrix\",\n \"Variables\",\n \"Variance\",\n \"VarianceEquivalenceTest\",\n \"VarianceEstimatorFunction\",\n \"VarianceGammaDistribution\",\n \"VarianceGammaPointProcess\",\n \"VarianceTest\",\n \"VariogramFunction\",\n \"VariogramModel\",\n \"VectorAngle\",\n \"VectorAround\",\n \"VectorAspectRatio\",\n \"VectorColorFunction\",\n \"VectorColorFunctionScaling\",\n \"VectorDensityPlot\",\n \"VectorDisplacementPlot\",\n \"VectorDisplacementPlot3D\",\n \"VectorGlyphData\",\n \"VectorGreater\",\n \"VectorGreaterEqual\",\n \"VectorLess\",\n \"VectorLessEqual\",\n \"VectorMarkers\",\n \"VectorPlot\",\n \"VectorPlot3D\",\n \"VectorPoints\",\n \"VectorQ\",\n \"VectorRange\",\n \"Vectors\",\n \"VectorScale\",\n \"VectorScaling\",\n \"VectorSizes\",\n \"VectorStyle\",\n \"Vee\",\n \"Verbatim\",\n \"Verbose\",\n \"VerificationTest\",\n \"VerifyConvergence\",\n \"VerifyDerivedKey\",\n \"VerifyDigitalSignature\",\n \"VerifyFileSignature\",\n \"VerifyInterpretation\",\n \"VerifySecurityCertificates\",\n \"VerifySolutions\",\n \"VerifyTestAssumptions\",\n \"VersionedPreferences\",\n \"VertexAdd\",\n \"VertexCapacity\",\n \"VertexChromaticNumber\",\n \"VertexColors\",\n \"VertexComponent\",\n \"VertexConnectivity\",\n \"VertexContract\",\n \"VertexCoordinateRules\",\n \"VertexCoordinates\",\n \"VertexCorrelationSimilarity\",\n \"VertexCosineSimilarity\",\n \"VertexCount\",\n \"VertexCoverQ\",\n \"VertexDataCoordinates\",\n \"VertexDegree\",\n \"VertexDelete\",\n \"VertexDiceSimilarity\",\n \"VertexEccentricity\",\n \"VertexInComponent\",\n \"VertexInComponentGraph\",\n \"VertexInDegree\",\n \"VertexIndex\",\n \"VertexJaccardSimilarity\",\n \"VertexLabeling\",\n \"VertexLabels\",\n \"VertexLabelStyle\",\n \"VertexList\",\n \"VertexNormals\",\n \"VertexOutComponent\",\n \"VertexOutComponentGraph\",\n \"VertexOutDegree\",\n \"VertexQ\",\n \"VertexRenderingFunction\",\n \"VertexReplace\",\n \"VertexShape\",\n \"VertexShapeFunction\",\n \"VertexSize\",\n \"VertexStyle\",\n \"VertexTextureCoordinates\",\n \"VertexTransitiveGraphQ\",\n \"VertexWeight\",\n \"VertexWeightedGraphQ\",\n \"Vertical\",\n \"VerticalBar\",\n \"VerticalForm\",\n \"VerticalGauge\",\n \"VerticalSeparator\",\n \"VerticalSlider\",\n \"VerticalTilde\",\n \"Video\",\n \"VideoCapture\",\n \"VideoCombine\",\n \"VideoDelete\",\n \"VideoEncoding\",\n \"VideoExtractFrames\",\n \"VideoFrameList\",\n \"VideoFrameMap\",\n \"VideoGenerator\",\n \"VideoInsert\",\n \"VideoIntervals\",\n \"VideoJoin\",\n \"VideoMap\",\n \"VideoMapList\",\n \"VideoMapTimeSeries\",\n \"VideoPadding\",\n \"VideoPause\",\n \"VideoPlay\",\n \"VideoQ\",\n \"VideoRecord\",\n \"VideoReplace\",\n \"VideoScreenCapture\",\n \"VideoSplit\",\n \"VideoStop\",\n \"VideoStream\",\n \"VideoStreams\",\n \"VideoTimeStretch\",\n \"VideoTrackSelection\",\n \"VideoTranscode\",\n \"VideoTransparency\",\n \"VideoTrim\",\n \"ViewAngle\",\n \"ViewCenter\",\n \"ViewMatrix\",\n \"ViewPoint\",\n \"ViewPointSelectorSettings\",\n \"ViewPort\",\n \"ViewProjection\",\n \"ViewRange\",\n \"ViewVector\",\n \"ViewVertical\",\n \"VirtualGroupData\",\n \"Visible\",\n \"VisibleCell\",\n \"VoiceStyleData\",\n \"VoigtDistribution\",\n \"VolcanoData\",\n \"Volume\",\n \"VonMisesDistribution\",\n \"VoronoiMesh\",\n \"WaitAll\",\n \"WaitAsynchronousTask\",\n \"WaitNext\",\n \"WaitUntil\",\n \"WakebyDistribution\",\n \"WalleniusHypergeometricDistribution\",\n \"WaringYuleDistribution\",\n \"WarpingCorrespondence\",\n \"WarpingDistance\",\n \"WatershedComponents\",\n \"WatsonUSquareTest\",\n \"WattsStrogatzGraphDistribution\",\n \"WaveletBestBasis\",\n \"WaveletFilterCoefficients\",\n \"WaveletImagePlot\",\n \"WaveletListPlot\",\n \"WaveletMapIndexed\",\n \"WaveletMatrixPlot\",\n \"WaveletPhi\",\n \"WaveletPsi\",\n \"WaveletScale\",\n \"WaveletScalogram\",\n \"WaveletThreshold\",\n \"WavePDEComponent\",\n \"WeaklyConnectedComponents\",\n \"WeaklyConnectedGraphComponents\",\n \"WeaklyConnectedGraphQ\",\n \"WeakStationarity\",\n \"WeatherData\",\n \"WeatherForecastData\",\n \"WebAudioSearch\",\n \"WebColumn\",\n \"WebElementObject\",\n \"WeberE\",\n \"WebExecute\",\n \"WebImage\",\n \"WebImageSearch\",\n \"WebItem\",\n \"WebPageMetaInformation\",\n \"WebRow\",\n \"WebSearch\",\n \"WebSessionObject\",\n \"WebSessions\",\n \"WebWindowObject\",\n \"Wedge\",\n \"Wednesday\",\n \"WeibullDistribution\",\n \"WeierstrassE1\",\n \"WeierstrassE2\",\n \"WeierstrassE3\",\n \"WeierstrassEta1\",\n \"WeierstrassEta2\",\n \"WeierstrassEta3\",\n \"WeierstrassHalfPeriods\",\n \"WeierstrassHalfPeriodW1\",\n \"WeierstrassHalfPeriodW2\",\n \"WeierstrassHalfPeriodW3\",\n \"WeierstrassInvariantG2\",\n \"WeierstrassInvariantG3\",\n \"WeierstrassInvariants\",\n \"WeierstrassP\",\n \"WeierstrassPPrime\",\n \"WeierstrassSigma\",\n \"WeierstrassZeta\",\n \"WeightedAdjacencyGraph\",\n \"WeightedAdjacencyMatrix\",\n \"WeightedData\",\n \"WeightedGraphQ\",\n \"Weights\",\n \"WelchWindow\",\n \"WheelGraph\",\n \"WhenEvent\",\n \"Which\",\n \"While\",\n \"White\",\n \"WhiteNoiseProcess\",\n \"WhitePoint\",\n \"Whitespace\",\n \"WhitespaceCharacter\",\n \"WhittakerM\",\n \"WhittakerW\",\n \"WholeCellGroupOpener\",\n \"WienerFilter\",\n \"WienerProcess\",\n \"WignerD\",\n \"WignerSemicircleDistribution\",\n \"WikidataData\",\n \"WikidataSearch\",\n \"WikipediaData\",\n \"WikipediaSearch\",\n \"WilksW\",\n \"WilksWTest\",\n \"WindDirectionData\",\n \"WindingCount\",\n \"WindingPolygon\",\n \"WindowClickSelect\",\n \"WindowElements\",\n \"WindowFloating\",\n \"WindowFrame\",\n \"WindowFrameElements\",\n \"WindowMargins\",\n \"WindowMovable\",\n \"WindowOpacity\",\n \"WindowPersistentStyles\",\n \"WindowSelected\",\n \"WindowSize\",\n \"WindowStatusArea\",\n \"WindowTitle\",\n \"WindowToolbars\",\n \"WindowWidth\",\n \"WindSpeedData\",\n \"WindVectorData\",\n \"WinsorizedMean\",\n \"WinsorizedVariance\",\n \"WishartMatrixDistribution\",\n \"With\",\n \"WithCleanup\",\n \"WithLock\",\n \"WolframAlpha\",\n \"WolframAlphaDate\",\n \"WolframAlphaQuantity\",\n \"WolframAlphaResult\",\n \"WolframCloudSettings\",\n \"WolframLanguageData\",\n \"Word\",\n \"WordBoundary\",\n \"WordCharacter\",\n \"WordCloud\",\n \"WordCount\",\n \"WordCounts\",\n \"WordData\",\n \"WordDefinition\",\n \"WordFrequency\",\n \"WordFrequencyData\",\n \"WordList\",\n \"WordOrientation\",\n \"WordSearch\",\n \"WordSelectionFunction\",\n \"WordSeparators\",\n \"WordSpacings\",\n \"WordStem\",\n \"WordTranslation\",\n \"WorkingPrecision\",\n \"WrapAround\",\n \"Write\",\n \"WriteLine\",\n \"WriteString\",\n \"Wronskian\",\n \"XMLElement\",\n \"XMLObject\",\n \"XMLTemplate\",\n \"Xnor\",\n \"Xor\",\n \"XYZColor\",\n \"Yellow\",\n \"Yesterday\",\n \"YuleDissimilarity\",\n \"ZernikeR\",\n \"ZeroSymmetric\",\n \"ZeroTest\",\n \"ZeroWidthTimes\",\n \"Zeta\",\n \"ZetaZero\",\n \"ZIPCodeData\",\n \"ZipfDistribution\",\n \"ZoomCenter\",\n \"ZoomFactor\",\n \"ZTest\",\n \"ZTransform\",\n \"$Aborted\",\n \"$ActivationGroupID\",\n \"$ActivationKey\",\n \"$ActivationUserRegistered\",\n \"$AddOnsDirectory\",\n \"$AllowDataUpdates\",\n \"$AllowExternalChannelFunctions\",\n \"$AllowInternet\",\n \"$AssertFunction\",\n \"$Assumptions\",\n \"$AsynchronousTask\",\n \"$AudioDecoders\",\n \"$AudioEncoders\",\n \"$AudioInputDevices\",\n \"$AudioOutputDevices\",\n \"$BaseDirectory\",\n \"$BasePacletsDirectory\",\n \"$BatchInput\",\n \"$BatchOutput\",\n \"$BlockchainBase\",\n \"$BoxForms\",\n \"$ByteOrdering\",\n \"$CacheBaseDirectory\",\n \"$Canceled\",\n \"$ChannelBase\",\n \"$CharacterEncoding\",\n \"$CharacterEncodings\",\n \"$CloudAccountName\",\n \"$CloudBase\",\n \"$CloudConnected\",\n \"$CloudConnection\",\n \"$CloudCreditsAvailable\",\n \"$CloudEvaluation\",\n \"$CloudExpressionBase\",\n \"$CloudObjectNameFormat\",\n \"$CloudObjectURLType\",\n \"$CloudRootDirectory\",\n \"$CloudSymbolBase\",\n \"$CloudUserID\",\n \"$CloudUserUUID\",\n \"$CloudVersion\",\n \"$CloudVersionNumber\",\n \"$CloudWolframEngineVersionNumber\",\n \"$CommandLine\",\n \"$CompilationTarget\",\n \"$CompilerEnvironment\",\n \"$ConditionHold\",\n \"$ConfiguredKernels\",\n \"$Context\",\n \"$ContextAliases\",\n \"$ContextPath\",\n \"$ControlActiveSetting\",\n \"$Cookies\",\n \"$CookieStore\",\n \"$CreationDate\",\n \"$CryptographicEllipticCurveNames\",\n \"$CurrentLink\",\n \"$CurrentTask\",\n \"$CurrentWebSession\",\n \"$DataStructures\",\n \"$DateStringFormat\",\n \"$DefaultAudioInputDevice\",\n \"$DefaultAudioOutputDevice\",\n \"$DefaultFont\",\n \"$DefaultFrontEnd\",\n \"$DefaultImagingDevice\",\n \"$DefaultKernels\",\n \"$DefaultLocalBase\",\n \"$DefaultLocalKernel\",\n \"$DefaultMailbox\",\n \"$DefaultNetworkInterface\",\n \"$DefaultPath\",\n \"$DefaultProxyRules\",\n \"$DefaultRemoteBatchSubmissionEnvironment\",\n \"$DefaultRemoteKernel\",\n \"$DefaultSystemCredentialStore\",\n \"$Display\",\n \"$DisplayFunction\",\n \"$DistributedContexts\",\n \"$DynamicEvaluation\",\n \"$Echo\",\n \"$EmbedCodeEnvironments\",\n \"$EmbeddableServices\",\n \"$EntityStores\",\n \"$Epilog\",\n \"$EvaluationCloudBase\",\n \"$EvaluationCloudObject\",\n \"$EvaluationEnvironment\",\n \"$ExportFormats\",\n \"$ExternalIdentifierTypes\",\n \"$ExternalStorageBase\",\n \"$Failed\",\n \"$FinancialDataSource\",\n \"$FontFamilies\",\n \"$FormatType\",\n \"$FrontEnd\",\n \"$FrontEndSession\",\n \"$GeneratedAssetLocation\",\n \"$GeoEntityTypes\",\n \"$GeoLocation\",\n \"$GeoLocationCity\",\n \"$GeoLocationCountry\",\n \"$GeoLocationPrecision\",\n \"$GeoLocationSource\",\n \"$HistoryLength\",\n \"$HomeDirectory\",\n \"$HTMLExportRules\",\n \"$HTTPCookies\",\n \"$HTTPRequest\",\n \"$IgnoreEOF\",\n \"$ImageFormattingWidth\",\n \"$ImageResolution\",\n \"$ImagingDevice\",\n \"$ImagingDevices\",\n \"$ImportFormats\",\n \"$IncomingMailSettings\",\n \"$InitialDirectory\",\n \"$Initialization\",\n \"$InitializationContexts\",\n \"$Input\",\n \"$InputFileName\",\n \"$InputStreamMethods\",\n \"$Inspector\",\n \"$InstallationDate\",\n \"$InstallationDirectory\",\n \"$InterfaceEnvironment\",\n \"$InterpreterTypes\",\n \"$IterationLimit\",\n \"$KernelCount\",\n \"$KernelID\",\n \"$Language\",\n \"$LaunchDirectory\",\n \"$LibraryPath\",\n \"$LicenseExpirationDate\",\n \"$LicenseID\",\n \"$LicenseProcesses\",\n \"$LicenseServer\",\n \"$LicenseSubprocesses\",\n \"$LicenseType\",\n \"$Line\",\n \"$Linked\",\n \"$LinkSupported\",\n \"$LoadedFiles\",\n \"$LocalBase\",\n \"$LocalSymbolBase\",\n \"$MachineAddresses\",\n \"$MachineDomain\",\n \"$MachineDomains\",\n \"$MachineEpsilon\",\n \"$MachineID\",\n \"$MachineName\",\n \"$MachinePrecision\",\n \"$MachineType\",\n \"$MaxDisplayedChildren\",\n \"$MaxExtraPrecision\",\n \"$MaxLicenseProcesses\",\n \"$MaxLicenseSubprocesses\",\n \"$MaxMachineNumber\",\n \"$MaxNumber\",\n \"$MaxPiecewiseCases\",\n \"$MaxPrecision\",\n \"$MaxRootDegree\",\n \"$MessageGroups\",\n \"$MessageList\",\n \"$MessagePrePrint\",\n \"$Messages\",\n \"$MinMachineNumber\",\n \"$MinNumber\",\n \"$MinorReleaseNumber\",\n \"$MinPrecision\",\n \"$MobilePhone\",\n \"$ModuleNumber\",\n \"$NetworkConnected\",\n \"$NetworkInterfaces\",\n \"$NetworkLicense\",\n \"$NewMessage\",\n \"$NewSymbol\",\n \"$NotebookInlineStorageLimit\",\n \"$Notebooks\",\n \"$NoValue\",\n \"$NumberMarks\",\n \"$Off\",\n \"$OperatingSystem\",\n \"$Output\",\n \"$OutputForms\",\n \"$OutputSizeLimit\",\n \"$OutputStreamMethods\",\n \"$Packages\",\n \"$ParentLink\",\n \"$ParentProcessID\",\n \"$PasswordFile\",\n \"$PatchLevelID\",\n \"$Path\",\n \"$PathnameSeparator\",\n \"$PerformanceGoal\",\n \"$Permissions\",\n \"$PermissionsGroupBase\",\n \"$PersistenceBase\",\n \"$PersistencePath\",\n \"$PipeSupported\",\n \"$PlotTheme\",\n \"$Post\",\n \"$Pre\",\n \"$PreferencesDirectory\",\n \"$PreInitialization\",\n \"$PrePrint\",\n \"$PreRead\",\n \"$PrintForms\",\n \"$PrintLiteral\",\n \"$Printout3DPreviewer\",\n \"$ProcessID\",\n \"$ProcessorCount\",\n \"$ProcessorType\",\n \"$ProductInformation\",\n \"$ProgramName\",\n \"$ProgressReporting\",\n \"$PublisherID\",\n \"$RandomGeneratorState\",\n \"$RandomState\",\n \"$RecursionLimit\",\n \"$RegisteredDeviceClasses\",\n \"$RegisteredUserName\",\n \"$ReleaseNumber\",\n \"$RequesterAddress\",\n \"$RequesterCloudUserID\",\n \"$RequesterCloudUserUUID\",\n \"$RequesterWolframID\",\n \"$RequesterWolframUUID\",\n \"$ResourceSystemBase\",\n \"$ResourceSystemPath\",\n \"$RootDirectory\",\n \"$ScheduledTask\",\n \"$ScriptCommandLine\",\n \"$ScriptInputString\",\n \"$SecuredAuthenticationKeyTokens\",\n \"$ServiceCreditsAvailable\",\n \"$Services\",\n \"$SessionID\",\n \"$SetParentLink\",\n \"$SharedFunctions\",\n \"$SharedVariables\",\n \"$SoundDisplay\",\n \"$SoundDisplayFunction\",\n \"$SourceLink\",\n \"$SSHAuthentication\",\n \"$SubtitleDecoders\",\n \"$SubtitleEncoders\",\n \"$SummaryBoxDataSizeLimit\",\n \"$SuppressInputFormHeads\",\n \"$SynchronousEvaluation\",\n \"$SyntaxHandler\",\n \"$System\",\n \"$SystemCharacterEncoding\",\n \"$SystemCredentialStore\",\n \"$SystemID\",\n \"$SystemMemory\",\n \"$SystemShell\",\n \"$SystemTimeZone\",\n \"$SystemWordLength\",\n \"$TargetSystems\",\n \"$TemplatePath\",\n \"$TemporaryDirectory\",\n \"$TemporaryPrefix\",\n \"$TestFileName\",\n \"$TextStyle\",\n \"$TimedOut\",\n \"$TimeUnit\",\n \"$TimeZone\",\n \"$TimeZoneEntity\",\n \"$TopDirectory\",\n \"$TraceOff\",\n \"$TraceOn\",\n \"$TracePattern\",\n \"$TracePostAction\",\n \"$TracePreAction\",\n \"$UnitSystem\",\n \"$Urgent\",\n \"$UserAddOnsDirectory\",\n \"$UserAgentLanguages\",\n \"$UserAgentMachine\",\n \"$UserAgentName\",\n \"$UserAgentOperatingSystem\",\n \"$UserAgentString\",\n \"$UserAgentVersion\",\n \"$UserBaseDirectory\",\n \"$UserBasePacletsDirectory\",\n \"$UserDocumentsDirectory\",\n \"$Username\",\n \"$UserName\",\n \"$UserURLBase\",\n \"$Version\",\n \"$VersionNumber\",\n \"$VideoDecoders\",\n \"$VideoEncoders\",\n \"$VoiceStyles\",\n \"$WolframDocumentsDirectory\",\n \"$WolframID\",\n \"$WolframUUID\"\n];\n\n/*\nLanguage: Wolfram Language\nDescription: The Wolfram Language is the programming language used in Wolfram Mathematica, a modern technical computing system spanning most areas of technical computing.\nAuthors: Patrick Scheibe <patrick@halirutan.de>, Robert Jacobson <robertjacobson@acm.org>\nWebsite: https://www.wolfram.com/mathematica/\nCategory: scientific\n*/\n\n/** @type LanguageFn */\nfunction mathematica(hljs) {\n const regex = hljs.regex;\n /*\n This rather scary looking matching of Mathematica numbers is carefully explained by Robert Jacobson here:\n https://wltools.github.io/LanguageSpec/Specification/Syntax/Number-representations/\n */\n const BASE_RE = /([2-9]|[1-2]\\d|[3][0-5])\\^\\^/;\n const BASE_DIGITS_RE = /(\\w*\\.\\w+|\\w+\\.\\w*|\\w+)/;\n const NUMBER_RE = /(\\d*\\.\\d+|\\d+\\.\\d*|\\d+)/;\n const BASE_NUMBER_RE = regex.either(regex.concat(BASE_RE, BASE_DIGITS_RE), NUMBER_RE);\n\n const ACCURACY_RE = /``[+-]?(\\d*\\.\\d+|\\d+\\.\\d*|\\d+)/;\n const PRECISION_RE = /`([+-]?(\\d*\\.\\d+|\\d+\\.\\d*|\\d+))?/;\n const APPROXIMATE_NUMBER_RE = regex.either(ACCURACY_RE, PRECISION_RE);\n\n const SCIENTIFIC_NOTATION_RE = /\\*\\^[+-]?\\d+/;\n\n const MATHEMATICA_NUMBER_RE = regex.concat(\n BASE_NUMBER_RE,\n regex.optional(APPROXIMATE_NUMBER_RE),\n regex.optional(SCIENTIFIC_NOTATION_RE)\n );\n\n const NUMBERS = {\n className: 'number',\n relevance: 0,\n begin: MATHEMATICA_NUMBER_RE\n };\n\n const SYMBOL_RE = /[a-zA-Z$][a-zA-Z0-9$]*/;\n const SYSTEM_SYMBOLS_SET = new Set(SYSTEM_SYMBOLS);\n /** @type {Mode} */\n const SYMBOLS = { variants: [\n {\n className: 'builtin-symbol',\n begin: SYMBOL_RE,\n // for performance out of fear of regex.either(...Mathematica.SYSTEM_SYMBOLS)\n \"on:begin\": (match, response) => {\n if (!SYSTEM_SYMBOLS_SET.has(match[0])) response.ignoreMatch();\n }\n },\n {\n className: 'symbol',\n relevance: 0,\n begin: SYMBOL_RE\n }\n ] };\n\n const NAMED_CHARACTER = {\n className: 'named-character',\n begin: /\\\\\\[[$a-zA-Z][$a-zA-Z0-9]+\\]/\n };\n\n const OPERATORS = {\n className: 'operator',\n relevance: 0,\n begin: /[+\\-*/,;.:@~=><&|_`'^?!%]+/\n };\n const PATTERNS = {\n className: 'pattern',\n relevance: 0,\n begin: /([a-zA-Z$][a-zA-Z0-9$]*)?_+([a-zA-Z$][a-zA-Z0-9$]*)?/\n };\n\n const SLOTS = {\n className: 'slot',\n relevance: 0,\n begin: /#[a-zA-Z$][a-zA-Z0-9$]*|#+[0-9]?/\n };\n\n const BRACES = {\n className: 'brace',\n relevance: 0,\n begin: /[[\\](){}]/\n };\n\n const MESSAGES = {\n className: 'message-name',\n relevance: 0,\n begin: regex.concat(\"::\", SYMBOL_RE)\n };\n\n return {\n name: 'Mathematica',\n aliases: [\n 'mma',\n 'wl'\n ],\n classNameAliases: {\n brace: 'punctuation',\n pattern: 'type',\n slot: 'type',\n symbol: 'variable',\n 'named-character': 'variable',\n 'builtin-symbol': 'built_in',\n 'message-name': 'string'\n },\n contains: [\n hljs.COMMENT(/\\(\\*/, /\\*\\)/, { contains: [ 'self' ] }),\n PATTERNS,\n SLOTS,\n MESSAGES,\n SYMBOLS,\n NAMED_CHARACTER,\n hljs.QUOTE_STRING_MODE,\n NUMBERS,\n OPERATORS,\n BRACES\n ]\n };\n}\n\nmodule.exports = mathematica;\n", "/*\nLanguage: Matlab\nAuthor: Denis Bardadym <bardadymchik@gmail.com>\nContributors: Eugene Nizhibitsky <nizhibitsky@ya.ru>, Egor Rogov <e.rogov@postgrespro.ru>\nWebsite: https://www.mathworks.com/products/matlab.html\nCategory: scientific\n*/\n\n/*\n Formal syntax is not published, helpful link:\n https://github.com/kornilova-l/matlab-IntelliJ-plugin/blob/master/src/main/grammar/Matlab.bnf\n*/\nfunction matlab(hljs) {\n const TRANSPOSE_RE = '(\\'|\\\\.\\')+';\n const TRANSPOSE = {\n relevance: 0,\n contains: [ { begin: TRANSPOSE_RE } ]\n };\n\n return {\n name: 'Matlab',\n keywords: {\n keyword:\n 'arguments break case catch classdef continue else elseif end enumeration events for function '\n + 'global if methods otherwise parfor persistent properties return spmd switch try while',\n built_in:\n 'sin sind sinh asin asind asinh cos cosd cosh acos acosd acosh tan tand tanh atan '\n + 'atand atan2 atanh sec secd sech asec asecd asech csc cscd csch acsc acscd acsch cot '\n + 'cotd coth acot acotd acoth hypot exp expm1 log log1p log10 log2 pow2 realpow reallog '\n + 'realsqrt sqrt nthroot nextpow2 abs angle complex conj imag real unwrap isreal '\n + 'cplxpair fix floor ceil round mod rem sign airy besselj bessely besselh besseli '\n + 'besselk beta betainc betaln ellipj ellipke erf erfc erfcx erfinv expint gamma '\n + 'gammainc gammaln psi legendre cross dot factor isprime primes gcd lcm rat rats perms '\n + 'nchoosek factorial cart2sph cart2pol pol2cart sph2cart hsv2rgb rgb2hsv zeros ones '\n + 'eye repmat rand randn linspace logspace freqspace meshgrid accumarray size length '\n + 'ndims numel disp isempty isequal isequalwithequalnans cat reshape diag blkdiag tril '\n + 'triu fliplr flipud flipdim rot90 find sub2ind ind2sub bsxfun ndgrid permute ipermute '\n + 'shiftdim circshift squeeze isscalar isvector ans eps realmax realmin pi i|0 inf nan '\n + 'isnan isinf isfinite j|0 why compan gallery hadamard hankel hilb invhilb magic pascal '\n + 'rosser toeplitz vander wilkinson max min nanmax nanmin mean nanmean type table '\n + 'readtable writetable sortrows sort figure plot plot3 scatter scatter3 cellfun '\n + 'legend intersect ismember procrustes hold num2cell '\n },\n illegal: '(//|\"|#|/\\\\*|\\\\s+/\\\\w+)',\n contains: [\n {\n className: 'function',\n beginKeywords: 'function',\n end: '$',\n contains: [\n hljs.UNDERSCORE_TITLE_MODE,\n {\n className: 'params',\n variants: [\n {\n begin: '\\\\(',\n end: '\\\\)'\n },\n {\n begin: '\\\\[',\n end: '\\\\]'\n }\n ]\n }\n ]\n },\n {\n className: 'built_in',\n begin: /true|false/,\n relevance: 0,\n starts: TRANSPOSE\n },\n {\n begin: '[a-zA-Z][a-zA-Z_0-9]*' + TRANSPOSE_RE,\n relevance: 0\n },\n {\n className: 'number',\n begin: hljs.C_NUMBER_RE,\n relevance: 0,\n starts: TRANSPOSE\n },\n {\n className: 'string',\n begin: '\\'',\n end: '\\'',\n contains: [ { begin: '\\'\\'' } ]\n },\n {\n begin: /\\]|\\}|\\)/,\n relevance: 0,\n starts: TRANSPOSE\n },\n {\n className: 'string',\n begin: '\"',\n end: '\"',\n contains: [ { begin: '\"\"' } ],\n starts: TRANSPOSE\n },\n hljs.COMMENT('^\\\\s*%\\\\{\\\\s*$', '^\\\\s*%\\\\}\\\\s*$'),\n hljs.COMMENT('%', '$')\n ]\n };\n}\n\nmodule.exports = matlab;\n", "/*\nLanguage: Maxima\nAuthor: Robert Dodier <robert.dodier@gmail.com>\nWebsite: http://maxima.sourceforge.net\nCategory: scientific\n*/\n\nfunction maxima(hljs) {\n const KEYWORDS =\n 'if then else elseif for thru do while unless step in and or not';\n const LITERALS =\n 'true false unknown inf minf ind und %e %i %pi %phi %gamma';\n const BUILTIN_FUNCTIONS =\n ' abasep abs absint absolute_real_time acos acosh acot acoth acsc acsch activate'\n + ' addcol add_edge add_edges addmatrices addrow add_vertex add_vertices adjacency_matrix'\n + ' adjoin adjoint af agd airy airy_ai airy_bi airy_dai airy_dbi algsys alg_type'\n + ' alias allroots alphacharp alphanumericp amortization %and annuity_fv'\n + ' annuity_pv antid antidiff AntiDifference append appendfile apply apply1 apply2'\n + ' applyb1 apropos args arit_amortization arithmetic arithsum array arrayapply'\n + ' arrayinfo arraymake arraysetapply ascii asec asech asin asinh askinteger'\n + ' asksign assoc assoc_legendre_p assoc_legendre_q assume assume_external_byte_order'\n + ' asympa at atan atan2 atanh atensimp atom atvalue augcoefmatrix augmented_lagrangian_method'\n + ' av average_degree backtrace bars barsplot barsplot_description base64 base64_decode'\n + ' bashindices batch batchload bc2 bdvac belln benefit_cost bern bernpoly bernstein_approx'\n + ' bernstein_expand bernstein_poly bessel bessel_i bessel_j bessel_k bessel_simplify'\n + ' bessel_y beta beta_incomplete beta_incomplete_generalized beta_incomplete_regularized'\n + ' bezout bfallroots bffac bf_find_root bf_fmin_cobyla bfhzeta bfloat bfloatp'\n + ' bfpsi bfpsi0 bfzeta biconnected_components bimetric binomial bipartition'\n + ' block blockmatrixp bode_gain bode_phase bothcoef box boxplot boxplot_description'\n + ' break bug_report build_info|10 buildq build_sample burn cabs canform canten'\n + ' cardinality carg cartan cartesian_product catch cauchy_matrix cbffac cdf_bernoulli'\n + ' cdf_beta cdf_binomial cdf_cauchy cdf_chi2 cdf_continuous_uniform cdf_discrete_uniform'\n + ' cdf_exp cdf_f cdf_gamma cdf_general_finite_discrete cdf_geometric cdf_gumbel'\n + ' cdf_hypergeometric cdf_laplace cdf_logistic cdf_lognormal cdf_negative_binomial'\n + ' cdf_noncentral_chi2 cdf_noncentral_student_t cdf_normal cdf_pareto cdf_poisson'\n + ' cdf_rank_sum cdf_rayleigh cdf_signed_rank cdf_student_t cdf_weibull cdisplay'\n + ' ceiling central_moment cequal cequalignore cf cfdisrep cfexpand cgeodesic'\n + ' cgreaterp cgreaterpignore changename changevar chaosgame charat charfun charfun2'\n + ' charlist charp charpoly chdir chebyshev_t chebyshev_u checkdiv check_overlaps'\n + ' chinese cholesky christof chromatic_index chromatic_number cint circulant_graph'\n + ' clear_edge_weight clear_rules clear_vertex_label clebsch_gordan clebsch_graph'\n + ' clessp clesspignore close closefile cmetric coeff coefmatrix cograd col collapse'\n + ' collectterms columnop columnspace columnswap columnvector combination combine'\n + ' comp2pui compare compfile compile compile_file complement_graph complete_bipartite_graph'\n + ' complete_graph complex_number_p components compose_functions concan concat'\n + ' conjugate conmetderiv connected_components connect_vertices cons constant'\n + ' constantp constituent constvalue cont2part content continuous_freq contortion'\n + ' contour_plot contract contract_edge contragrad contrib_ode convert coord'\n + ' copy copy_file copy_graph copylist copymatrix cor cos cosh cot coth cov cov1'\n + ' covdiff covect covers crc24sum create_graph create_list csc csch csetup cspline'\n + ' ctaylor ct_coordsys ctransform ctranspose cube_graph cuboctahedron_graph'\n + ' cunlisp cv cycle_digraph cycle_graph cylindrical days360 dblint deactivate'\n + ' declare declare_constvalue declare_dimensions declare_fundamental_dimensions'\n + ' declare_fundamental_units declare_qty declare_translated declare_unit_conversion'\n + ' declare_units declare_weights decsym defcon define define_alt_display define_variable'\n + ' defint defmatch defrule defstruct deftaylor degree_sequence del delete deleten'\n + ' delta demo demoivre denom depends derivdegree derivlist describe desolve'\n + ' determinant dfloat dgauss_a dgauss_b dgeev dgemm dgeqrf dgesv dgesvd diag'\n + ' diagmatrix diag_matrix diagmatrixp diameter diff digitcharp dimacs_export'\n + ' dimacs_import dimension dimensionless dimensions dimensions_as_list direct'\n + ' directory discrete_freq disjoin disjointp disolate disp dispcon dispform'\n + ' dispfun dispJordan display disprule dispterms distrib divide divisors divsum'\n + ' dkummer_m dkummer_u dlange dodecahedron_graph dotproduct dotsimp dpart'\n + ' draw draw2d draw3d drawdf draw_file draw_graph dscalar echelon edge_coloring'\n + ' edge_connectivity edges eigens_by_jacobi eigenvalues eigenvectors eighth'\n + ' einstein eivals eivects elapsed_real_time elapsed_run_time ele2comp ele2polynome'\n + ' ele2pui elem elementp elevation_grid elim elim_allbut eliminate eliminate_using'\n + ' ellipse elliptic_e elliptic_ec elliptic_eu elliptic_f elliptic_kc elliptic_pi'\n + ' ematrix empty_graph emptyp endcons entermatrix entertensor entier equal equalp'\n + ' equiv_classes erf erfc erf_generalized erfi errcatch error errormsg errors'\n + ' euler ev eval_string evenp every evolution evolution2d evundiff example exp'\n + ' expand expandwrt expandwrt_factored expint expintegral_chi expintegral_ci'\n + ' expintegral_e expintegral_e1 expintegral_ei expintegral_e_simplify expintegral_li'\n + ' expintegral_shi expintegral_si explicit explose exponentialize express expt'\n + ' exsec extdiff extract_linear_equations extremal_subset ezgcd %f f90 facsum'\n + ' factcomb factor factorfacsum factorial factorout factorsum facts fast_central_elements'\n + ' fast_linsolve fasttimes featurep fernfale fft fib fibtophi fifth filename_merge'\n + ' file_search file_type fillarray findde find_root find_root_abs find_root_error'\n + ' find_root_rel first fix flatten flength float floatnump floor flower_snark'\n + ' flush flush1deriv flushd flushnd flush_output fmin_cobyla forget fortran'\n + ' fourcos fourexpand fourier fourier_elim fourint fourintcos fourintsin foursimp'\n + ' foursin fourth fposition frame_bracket freeof freshline fresnel_c fresnel_s'\n + ' from_adjacency_matrix frucht_graph full_listify fullmap fullmapl fullratsimp'\n + ' fullratsubst fullsetify funcsolve fundamental_dimensions fundamental_units'\n + ' fundef funmake funp fv g0 g1 gamma gamma_greek gamma_incomplete gamma_incomplete_generalized'\n + ' gamma_incomplete_regularized gauss gauss_a gauss_b gaussprob gcd gcdex gcdivide'\n + ' gcfac gcfactor gd generalized_lambert_w genfact gen_laguerre genmatrix gensym'\n + ' geo_amortization geo_annuity_fv geo_annuity_pv geomap geometric geometric_mean'\n + ' geosum get getcurrentdirectory get_edge_weight getenv get_lu_factors get_output_stream_string'\n + ' get_pixel get_plot_option get_tex_environment get_tex_environment_default'\n + ' get_vertex_label gfactor gfactorsum ggf girth global_variances gn gnuplot_close'\n + ' gnuplot_replot gnuplot_reset gnuplot_restart gnuplot_start go Gosper GosperSum'\n + ' gr2d gr3d gradef gramschmidt graph6_decode graph6_encode graph6_export graph6_import'\n + ' graph_center graph_charpoly graph_eigenvalues graph_flow graph_order graph_periphery'\n + ' graph_product graph_size graph_union great_rhombicosidodecahedron_graph great_rhombicuboctahedron_graph'\n + ' grid_graph grind grobner_basis grotzch_graph hamilton_cycle hamilton_path'\n + ' hankel hankel_1 hankel_2 harmonic harmonic_mean hav heawood_graph hermite'\n + ' hessian hgfred hilbertmap hilbert_matrix hipow histogram histogram_description'\n + ' hodge horner hypergeometric i0 i1 %ibes ic1 ic2 ic_convert ichr1 ichr2 icosahedron_graph'\n + ' icosidodecahedron_graph icurvature ident identfor identity idiff idim idummy'\n + ' ieqn %if ifactors iframes ifs igcdex igeodesic_coords ilt image imagpart'\n + ' imetric implicit implicit_derivative implicit_plot indexed_tensor indices'\n + ' induced_subgraph inferencep inference_result infix info_display init_atensor'\n + ' init_ctensor in_neighbors innerproduct inpart inprod inrt integerp integer_partitions'\n + ' integrate intersect intersection intervalp intopois intosum invariant1 invariant2'\n + ' inverse_fft inverse_jacobi_cd inverse_jacobi_cn inverse_jacobi_cs inverse_jacobi_dc'\n + ' inverse_jacobi_dn inverse_jacobi_ds inverse_jacobi_nc inverse_jacobi_nd inverse_jacobi_ns'\n + ' inverse_jacobi_sc inverse_jacobi_sd inverse_jacobi_sn invert invert_by_adjoint'\n + ' invert_by_lu inv_mod irr is is_biconnected is_bipartite is_connected is_digraph'\n + ' is_edge_in_graph is_graph is_graph_or_digraph ishow is_isomorphic isolate'\n + ' isomorphism is_planar isqrt isreal_p is_sconnected is_tree is_vertex_in_graph'\n + ' items_inference %j j0 j1 jacobi jacobian jacobi_cd jacobi_cn jacobi_cs jacobi_dc'\n + ' jacobi_dn jacobi_ds jacobi_nc jacobi_nd jacobi_ns jacobi_p jacobi_sc jacobi_sd'\n + ' jacobi_sn JF jn join jordan julia julia_set julia_sin %k kdels kdelta kill'\n + ' killcontext kostka kron_delta kronecker_product kummer_m kummer_u kurtosis'\n + ' kurtosis_bernoulli kurtosis_beta kurtosis_binomial kurtosis_chi2 kurtosis_continuous_uniform'\n + ' kurtosis_discrete_uniform kurtosis_exp kurtosis_f kurtosis_gamma kurtosis_general_finite_discrete'\n + ' kurtosis_geometric kurtosis_gumbel kurtosis_hypergeometric kurtosis_laplace'\n + ' kurtosis_logistic kurtosis_lognormal kurtosis_negative_binomial kurtosis_noncentral_chi2'\n + ' kurtosis_noncentral_student_t kurtosis_normal kurtosis_pareto kurtosis_poisson'\n + ' kurtosis_rayleigh kurtosis_student_t kurtosis_weibull label labels lagrange'\n + ' laguerre lambda lambert_w laplace laplacian_matrix last lbfgs lc2kdt lcharp'\n + ' lc_l lcm lc_u ldefint ldisp ldisplay legendre_p legendre_q leinstein length'\n + ' let letrules letsimp levi_civita lfreeof lgtreillis lhs li liediff limit'\n + ' Lindstedt linear linearinterpol linear_program linear_regression line_graph'\n + ' linsolve listarray list_correlations listify list_matrix_entries list_nc_monomials'\n + ' listoftens listofvars listp lmax lmin load loadfile local locate_matrix_entry'\n + ' log logcontract log_gamma lopow lorentz_gauge lowercasep lpart lratsubst'\n + ' lreduce lriemann lsquares_estimates lsquares_estimates_approximate lsquares_estimates_exact'\n + ' lsquares_mse lsquares_residual_mse lsquares_residuals lsum ltreillis lu_backsub'\n + ' lucas lu_factor %m macroexpand macroexpand1 make_array makebox makefact makegamma'\n + ' make_graph make_level_picture makelist makeOrders make_poly_continent make_poly_country'\n + ' make_polygon make_random_state make_rgb_picture makeset make_string_input_stream'\n + ' make_string_output_stream make_transform mandelbrot mandelbrot_set map mapatom'\n + ' maplist matchdeclare matchfix mat_cond mat_fullunblocker mat_function mathml_display'\n + ' mat_norm matrix matrixmap matrixp matrix_size mattrace mat_trace mat_unblocker'\n + ' max max_clique max_degree max_flow maximize_lp max_independent_set max_matching'\n + ' maybe md5sum mean mean_bernoulli mean_beta mean_binomial mean_chi2 mean_continuous_uniform'\n + ' mean_deviation mean_discrete_uniform mean_exp mean_f mean_gamma mean_general_finite_discrete'\n + ' mean_geometric mean_gumbel mean_hypergeometric mean_laplace mean_logistic'\n + ' mean_lognormal mean_negative_binomial mean_noncentral_chi2 mean_noncentral_student_t'\n + ' mean_normal mean_pareto mean_poisson mean_rayleigh mean_student_t mean_weibull'\n + ' median median_deviation member mesh metricexpandall mgf1_sha1 min min_degree'\n + ' min_edge_cut minfactorial minimalPoly minimize_lp minimum_spanning_tree minor'\n + ' minpack_lsquares minpack_solve min_vertex_cover min_vertex_cut mkdir mnewton'\n + ' mod mode_declare mode_identity ModeMatrix moebius mon2schur mono monomial_dimensions'\n + ' multibernstein_poly multi_display_for_texinfo multi_elem multinomial multinomial_coeff'\n + ' multi_orbit multiplot_mode multi_pui multsym multthru mycielski_graph nary'\n + ' natural_unit nc_degree ncexpt ncharpoly negative_picture neighbors new newcontext'\n + ' newdet new_graph newline newton new_variable next_prime nicedummies niceindices'\n + ' ninth nofix nonarray noncentral_moment nonmetricity nonnegintegerp nonscalarp'\n + ' nonzeroandfreeof notequal nounify nptetrad npv nroots nterms ntermst'\n + ' nthroot nullity nullspace num numbered_boundaries numberp number_to_octets'\n + ' num_distinct_partitions numerval numfactor num_partitions nusum nzeta nzetai'\n + ' nzetar octets_to_number octets_to_oid odd_girth oddp ode2 ode_check odelin'\n + ' oid_to_octets op opena opena_binary openr openr_binary openw openw_binary'\n + ' operatorp opsubst optimize %or orbit orbits ordergreat ordergreatp orderless'\n + ' orderlessp orthogonal_complement orthopoly_recur orthopoly_weight outermap'\n + ' out_neighbors outofpois pade parabolic_cylinder_d parametric parametric_surface'\n + ' parg parGosper parse_string parse_timedate part part2cont partfrac partition'\n + ' partition_set partpol path_digraph path_graph pathname_directory pathname_name'\n + ' pathname_type pdf_bernoulli pdf_beta pdf_binomial pdf_cauchy pdf_chi2 pdf_continuous_uniform'\n + ' pdf_discrete_uniform pdf_exp pdf_f pdf_gamma pdf_general_finite_discrete'\n + ' pdf_geometric pdf_gumbel pdf_hypergeometric pdf_laplace pdf_logistic pdf_lognormal'\n + ' pdf_negative_binomial pdf_noncentral_chi2 pdf_noncentral_student_t pdf_normal'\n + ' pdf_pareto pdf_poisson pdf_rank_sum pdf_rayleigh pdf_signed_rank pdf_student_t'\n + ' pdf_weibull pearson_skewness permanent permut permutation permutations petersen_graph'\n + ' petrov pickapart picture_equalp picturep piechart piechart_description planar_embedding'\n + ' playback plog plot2d plot3d plotdf ploteq plsquares pochhammer points poisdiff'\n + ' poisexpt poisint poismap poisplus poissimp poissubst poistimes poistrim polar'\n + ' polarform polartorect polar_to_xy poly_add poly_buchberger poly_buchberger_criterion'\n + ' poly_colon_ideal poly_content polydecomp poly_depends_p poly_elimination_ideal'\n + ' poly_exact_divide poly_expand poly_expt poly_gcd polygon poly_grobner poly_grobner_equal'\n + ' poly_grobner_member poly_grobner_subsetp poly_ideal_intersection poly_ideal_polysaturation'\n + ' poly_ideal_polysaturation1 poly_ideal_saturation poly_ideal_saturation1 poly_lcm'\n + ' poly_minimization polymod poly_multiply polynome2ele polynomialp poly_normal_form'\n + ' poly_normalize poly_normalize_list poly_polysaturation_extension poly_primitive_part'\n + ' poly_pseudo_divide poly_reduced_grobner poly_reduction poly_saturation_extension'\n + ' poly_s_polynomial poly_subtract polytocompanion pop postfix potential power_mod'\n + ' powerseries powerset prefix prev_prime primep primes principal_components'\n + ' print printf printfile print_graph printpois printprops prodrac product properties'\n + ' propvars psi psubst ptriangularize pui pui2comp pui2ele pui2polynome pui_direct'\n + ' puireduc push put pv qput qrange qty quad_control quad_qag quad_qagi quad_qagp'\n + ' quad_qags quad_qawc quad_qawf quad_qawo quad_qaws quadrilateral quantile'\n + ' quantile_bernoulli quantile_beta quantile_binomial quantile_cauchy quantile_chi2'\n + ' quantile_continuous_uniform quantile_discrete_uniform quantile_exp quantile_f'\n + ' quantile_gamma quantile_general_finite_discrete quantile_geometric quantile_gumbel'\n + ' quantile_hypergeometric quantile_laplace quantile_logistic quantile_lognormal'\n + ' quantile_negative_binomial quantile_noncentral_chi2 quantile_noncentral_student_t'\n + ' quantile_normal quantile_pareto quantile_poisson quantile_rayleigh quantile_student_t'\n + ' quantile_weibull quartile_skewness quit qunit quotient racah_v racah_w radcan'\n + ' radius random random_bernoulli random_beta random_binomial random_bipartite_graph'\n + ' random_cauchy random_chi2 random_continuous_uniform random_digraph random_discrete_uniform'\n + ' random_exp random_f random_gamma random_general_finite_discrete random_geometric'\n + ' random_graph random_graph1 random_gumbel random_hypergeometric random_laplace'\n + ' random_logistic random_lognormal random_negative_binomial random_network'\n + ' random_noncentral_chi2 random_noncentral_student_t random_normal random_pareto'\n + ' random_permutation random_poisson random_rayleigh random_regular_graph random_student_t'\n + ' random_tournament random_tree random_weibull range rank rat ratcoef ratdenom'\n + ' ratdiff ratdisrep ratexpand ratinterpol rational rationalize ratnumer ratnump'\n + ' ratp ratsimp ratsubst ratvars ratweight read read_array read_binary_array'\n + ' read_binary_list read_binary_matrix readbyte readchar read_hashed_array readline'\n + ' read_list read_matrix read_nested_list readonly read_xpm real_imagpart_to_conjugate'\n + ' realpart realroots rearray rectangle rectform rectform_log_if_constant recttopolar'\n + ' rediff reduce_consts reduce_order region region_boundaries region_boundaries_plus'\n + ' rem remainder remarray rembox remcomps remcon remcoord remfun remfunction'\n + ' remlet remove remove_constvalue remove_dimensions remove_edge remove_fundamental_dimensions'\n + ' remove_fundamental_units remove_plot_option remove_vertex rempart remrule'\n + ' remsym remvalue rename rename_file reset reset_displays residue resolvante'\n + ' resolvante_alternee1 resolvante_bipartite resolvante_diedrale resolvante_klein'\n + ' resolvante_klein3 resolvante_produit_sym resolvante_unitaire resolvante_vierer'\n + ' rest resultant return reveal reverse revert revert2 rgb2level rhs ricci riemann'\n + ' rinvariant risch rk rmdir rncombine romberg room rootscontract round row'\n + ' rowop rowswap rreduce run_testsuite %s save saving scalarp scaled_bessel_i'\n + ' scaled_bessel_i0 scaled_bessel_i1 scalefactors scanmap scatterplot scatterplot_description'\n + ' scene schur2comp sconcat scopy scsimp scurvature sdowncase sec sech second'\n + ' sequal sequalignore set_alt_display setdifference set_draw_defaults set_edge_weight'\n + ' setelmx setequalp setify setp set_partitions set_plot_option set_prompt set_random_state'\n + ' set_tex_environment set_tex_environment_default setunits setup_autoload set_up_dot_simplifications'\n + ' set_vertex_label seventh sexplode sf sha1sum sha256sum shortest_path shortest_weighted_path'\n + ' show showcomps showratvars sierpinskiale sierpinskimap sign signum similaritytransform'\n + ' simp_inequality simplify_sum simplode simpmetderiv simtran sin sinh sinsert'\n + ' sinvertcase sixth skewness skewness_bernoulli skewness_beta skewness_binomial'\n + ' skewness_chi2 skewness_continuous_uniform skewness_discrete_uniform skewness_exp'\n + ' skewness_f skewness_gamma skewness_general_finite_discrete skewness_geometric'\n + ' skewness_gumbel skewness_hypergeometric skewness_laplace skewness_logistic'\n + ' skewness_lognormal skewness_negative_binomial skewness_noncentral_chi2 skewness_noncentral_student_t'\n + ' skewness_normal skewness_pareto skewness_poisson skewness_rayleigh skewness_student_t'\n + ' skewness_weibull slength smake small_rhombicosidodecahedron_graph small_rhombicuboctahedron_graph'\n + ' smax smin smismatch snowmap snub_cube_graph snub_dodecahedron_graph solve'\n + ' solve_rec solve_rec_rat some somrac sort sparse6_decode sparse6_encode sparse6_export'\n + ' sparse6_import specint spherical spherical_bessel_j spherical_bessel_y spherical_hankel1'\n + ' spherical_hankel2 spherical_harmonic spherical_to_xyz splice split sposition'\n + ' sprint sqfr sqrt sqrtdenest sremove sremovefirst sreverse ssearch ssort sstatus'\n + ' ssubst ssubstfirst staircase standardize standardize_inverse_trig starplot'\n + ' starplot_description status std std1 std_bernoulli std_beta std_binomial'\n + ' std_chi2 std_continuous_uniform std_discrete_uniform std_exp std_f std_gamma'\n + ' std_general_finite_discrete std_geometric std_gumbel std_hypergeometric std_laplace'\n + ' std_logistic std_lognormal std_negative_binomial std_noncentral_chi2 std_noncentral_student_t'\n + ' std_normal std_pareto std_poisson std_rayleigh std_student_t std_weibull'\n + ' stemplot stirling stirling1 stirling2 strim striml strimr string stringout'\n + ' stringp strong_components struve_h struve_l sublis sublist sublist_indices'\n + ' submatrix subsample subset subsetp subst substinpart subst_parallel substpart'\n + ' substring subvar subvarp sum sumcontract summand_to_rec supcase supcontext'\n + ' symbolp symmdifference symmetricp system take_channel take_inference tan'\n + ' tanh taylor taylorinfo taylorp taylor_simplifier taytorat tcl_output tcontract'\n + ' tellrat tellsimp tellsimpafter tentex tenth test_mean test_means_difference'\n + ' test_normality test_proportion test_proportions_difference test_rank_sum'\n + ' test_sign test_signed_rank test_variance test_variance_ratio tex tex1 tex_display'\n + ' texput %th third throw time timedate timer timer_info tldefint tlimit todd_coxeter'\n + ' toeplitz tokens to_lisp topological_sort to_poly to_poly_solve totaldisrep'\n + ' totalfourier totient tpartpol trace tracematrix trace_options transform_sample'\n + ' translate translate_file transpose treefale tree_reduce treillis treinat'\n + ' triangle triangularize trigexpand trigrat trigreduce trigsimp trunc truncate'\n + ' truncated_cube_graph truncated_dodecahedron_graph truncated_icosahedron_graph'\n + ' truncated_tetrahedron_graph tr_warnings_get tube tutte_graph ueivects uforget'\n + ' ultraspherical underlying_graph undiff union unique uniteigenvectors unitp'\n + ' units unit_step unitvector unorder unsum untellrat untimer'\n + ' untrace uppercasep uricci uriemann uvect vandermonde_matrix var var1 var_bernoulli'\n + ' var_beta var_binomial var_chi2 var_continuous_uniform var_discrete_uniform'\n + ' var_exp var_f var_gamma var_general_finite_discrete var_geometric var_gumbel'\n + ' var_hypergeometric var_laplace var_logistic var_lognormal var_negative_binomial'\n + ' var_noncentral_chi2 var_noncentral_student_t var_normal var_pareto var_poisson'\n + ' var_rayleigh var_student_t var_weibull vector vectorpotential vectorsimp'\n + ' verbify vers vertex_coloring vertex_connectivity vertex_degree vertex_distance'\n + ' vertex_eccentricity vertex_in_degree vertex_out_degree vertices vertices_to_cycle'\n + ' vertices_to_path %w weyl wheel_graph wiener_index wigner_3j wigner_6j'\n + ' wigner_9j with_stdout write_binary_data writebyte write_data writefile wronskian'\n + ' xreduce xthru %y Zeilberger zeroequiv zerofor zeromatrix zeromatrixp zeta'\n + ' zgeev zheev zlange zn_add_table zn_carmichael_lambda zn_characteristic_factors'\n + ' zn_determinant zn_factor_generators zn_invert_by_lu zn_log zn_mult_table'\n + ' absboxchar activecontexts adapt_depth additive adim aform algebraic'\n + ' algepsilon algexact aliases allbut all_dotsimp_denoms allocation allsym alphabetic'\n + ' animation antisymmetric arrays askexp assume_pos assume_pos_pred assumescalar'\n + ' asymbol atomgrad atrig1 axes axis_3d axis_bottom axis_left axis_right axis_top'\n + ' azimuth background background_color backsubst berlefact bernstein_explicit'\n + ' besselexpand beta_args_sum_to_integer beta_expand bftorat bftrunc bindtest'\n + ' border boundaries_array box boxchar breakup %c capping cauchysum cbrange'\n + ' cbtics center cflength cframe_flag cnonmet_flag color color_bar color_bar_tics'\n + ' colorbox columns commutative complex cone context contexts contour contour_levels'\n + ' cosnpiflag ctaypov ctaypt ctayswitch ctayvar ct_coords ctorsion_flag ctrgsimp'\n + ' cube current_let_rule_package cylinder data_file_name debugmode decreasing'\n + ' default_let_rule_package delay dependencies derivabbrev derivsubst detout'\n + ' diagmetric diff dim dimensions dispflag display2d|10 display_format_internal'\n + ' distribute_over doallmxops domain domxexpt domxmxops domxnctimes dontfactor'\n + ' doscmxops doscmxplus dot0nscsimp dot0simp dot1simp dotassoc dotconstrules'\n + ' dotdistrib dotexptsimp dotident dotscrules draw_graph_program draw_realpart'\n + ' edge_color edge_coloring edge_partition edge_type edge_width %edispflag'\n + ' elevation %emode endphi endtheta engineering_format_floats enhanced3d %enumer'\n + ' epsilon_lp erfflag erf_representation errormsg error_size error_syms error_type'\n + ' %e_to_numlog eval even evenfun evflag evfun ev_point expandwrt_denom expintexpand'\n + ' expintrep expon expop exptdispflag exptisolate exptsubst facexpand facsum_combine'\n + ' factlim factorflag factorial_expand factors_only fb feature features'\n + ' file_name file_output_append file_search_demo file_search_lisp file_search_maxima|10'\n + ' file_search_tests file_search_usage file_type_lisp file_type_maxima|10 fill_color'\n + ' fill_density filled_func fixed_vertices flipflag float2bf font font_size'\n + ' fortindent fortspaces fpprec fpprintprec functions gamma_expand gammalim'\n + ' gdet genindex gensumnum GGFCFMAX GGFINFINITY globalsolve gnuplot_command'\n + ' gnuplot_curve_styles gnuplot_curve_titles gnuplot_default_term_command gnuplot_dumb_term_command'\n + ' gnuplot_file_args gnuplot_file_name gnuplot_out_file gnuplot_pdf_term_command'\n + ' gnuplot_pm3d gnuplot_png_term_command gnuplot_postamble gnuplot_preamble'\n + ' gnuplot_ps_term_command gnuplot_svg_term_command gnuplot_term gnuplot_view_args'\n + ' Gosper_in_Zeilberger gradefs grid grid2d grind halfangles head_angle head_both'\n + ' head_length head_type height hypergeometric_representation %iargs ibase'\n + ' icc1 icc2 icounter idummyx ieqnprint ifb ifc1 ifc2 ifg ifgi ifr iframe_bracket_form'\n + ' ifri igeowedge_flag ikt1 ikt2 imaginary inchar increasing infeval'\n + ' infinity inflag infolists inm inmc1 inmc2 intanalysis integer integervalued'\n + ' integrate_use_rootsof integration_constant integration_constant_counter interpolate_color'\n + ' intfaclim ip_grid ip_grid_in irrational isolate_wrt_times iterations itr'\n + ' julia_parameter %k1 %k2 keepfloat key key_pos kinvariant kt label label_alignment'\n + ' label_orientation labels lassociative lbfgs_ncorrections lbfgs_nfeval_max'\n + ' leftjust legend letrat let_rule_packages lfg lg lhospitallim limsubst linear'\n + ' linear_solver linechar linel|10 linenum line_type linewidth line_width linsolve_params'\n + ' linsolvewarn lispdisp listarith listconstvars listdummyvars lmxchar load_pathname'\n + ' loadprint logabs logarc logcb logconcoeffp logexpand lognegint logsimp logx'\n + ' logx_secondary logy logy_secondary logz lriem m1pbranch macroexpansion macros'\n + ' mainvar manual_demo maperror mapprint matrix_element_add matrix_element_mult'\n + ' matrix_element_transpose maxapplydepth maxapplyheight maxima_tempdir|10 maxima_userdir|10'\n + ' maxnegex MAX_ORD maxposex maxpsifracdenom maxpsifracnum maxpsinegint maxpsiposint'\n + ' maxtayorder mesh_lines_color method mod_big_prime mode_check_errorp'\n + ' mode_checkp mode_check_warnp mod_test mod_threshold modular_linear_solver'\n + ' modulus multiplicative multiplicities myoptions nary negdistrib negsumdispflag'\n + ' newline newtonepsilon newtonmaxiter nextlayerfactor niceindicespref nm nmc'\n + ' noeval nolabels nonegative_lp noninteger nonscalar noun noundisp nouns np'\n + ' npi nticks ntrig numer numer_pbranch obase odd oddfun opacity opproperties'\n + ' opsubst optimprefix optionset orientation origin orthopoly_returns_intervals'\n + ' outative outchar packagefile palette partswitch pdf_file pfeformat phiresolution'\n + ' %piargs piece pivot_count_sx pivot_max_sx plot_format plot_options plot_realpart'\n + ' png_file pochhammer_max_index points pointsize point_size points_joined point_type'\n + ' poislim poisson poly_coefficient_ring poly_elimination_order polyfactor poly_grobner_algorithm'\n + ' poly_grobner_debug poly_monomial_order poly_primary_elimination_order poly_return_term_list'\n + ' poly_secondary_elimination_order poly_top_reduction_only posfun position'\n + ' powerdisp pred prederror primep_number_of_tests product_use_gamma program'\n + ' programmode promote_float_to_bigfloat prompt proportional_axes props psexpand'\n + ' ps_file radexpand radius radsubstflag rassociative ratalgdenom ratchristof'\n + ' ratdenomdivide rateinstein ratepsilon ratfac rational ratmx ratprint ratriemann'\n + ' ratsimpexpons ratvarswitch ratweights ratweyl ratwtlvl real realonly redraw'\n + ' refcheck resolution restart resultant ric riem rmxchar %rnum_list rombergabs'\n + ' rombergit rombergmin rombergtol rootsconmode rootsepsilon run_viewer same_xy'\n + ' same_xyz savedef savefactors scalar scalarmatrixp scale scale_lp setcheck'\n + ' setcheckbreak setval show_edge_color show_edges show_edge_type show_edge_width'\n + ' show_id show_label showtime show_vertex_color show_vertex_size show_vertex_type'\n + ' show_vertices show_weight simp simplified_output simplify_products simpproduct'\n + ' simpsum sinnpiflag solvedecomposes solveexplicit solvefactors solvenullwarn'\n + ' solveradcan solvetrigwarn space sparse sphere spring_embedding_depth sqrtdispflag'\n + ' stardisp startphi starttheta stats_numer stringdisp structures style sublis_apply_lambda'\n + ' subnumsimp sumexpand sumsplitfact surface surface_hide svg_file symmetric'\n + ' tab taylordepth taylor_logexpand taylor_order_coefficients taylor_truncate_polynomials'\n + ' tensorkill terminal testsuite_files thetaresolution timer_devalue title tlimswitch'\n + ' tr track transcompile transform transform_xy translate_fast_arrays transparent'\n + ' transrun tr_array_as_ref tr_bound_function_applyp tr_file_tty_messagesp tr_float_can_branch_complex'\n + ' tr_function_call_default trigexpandplus trigexpandtimes triginverses trigsign'\n + ' trivial_solutions tr_numer tr_optimize_max_loop tr_semicompile tr_state_vars'\n + ' tr_warn_bad_function_calls tr_warn_fexpr tr_warn_meval tr_warn_mode'\n + ' tr_warn_undeclared tr_warn_undefined_variable tstep ttyoff tube_extremes'\n + ' ufg ug %unitexpand unit_vectors uric uriem use_fast_arrays user_preamble'\n + ' usersetunits values vect_cross verbose vertex_color vertex_coloring vertex_partition'\n + ' vertex_size vertex_type view warnings weyl width windowname windowtitle wired_surface'\n + ' wireframe xaxis xaxis_color xaxis_secondary xaxis_type xaxis_width xlabel'\n + ' xlabel_secondary xlength xrange xrange_secondary xtics xtics_axis xtics_rotate'\n + ' xtics_rotate_secondary xtics_secondary xtics_secondary_axis xu_grid x_voxel'\n + ' xy_file xyplane xy_scale yaxis yaxis_color yaxis_secondary yaxis_type yaxis_width'\n + ' ylabel ylabel_secondary ylength yrange yrange_secondary ytics ytics_axis'\n + ' ytics_rotate ytics_rotate_secondary ytics_secondary ytics_secondary_axis'\n + ' yv_grid y_voxel yx_ratio zaxis zaxis_color zaxis_type zaxis_width zeroa zerob'\n + ' zerobern zeta%pi zlabel zlabel_rotate zlength zmin zn_primroot_limit zn_primroot_pretest';\n const SYMBOLS = '_ __ %|0 %%|0';\n\n return {\n name: 'Maxima',\n keywords: {\n $pattern: '[A-Za-z_%][0-9A-Za-z_%]*',\n keyword: KEYWORDS,\n literal: LITERALS,\n built_in: BUILTIN_FUNCTIONS,\n symbol: SYMBOLS\n },\n contains: [\n {\n className: 'comment',\n begin: '/\\\\*',\n end: '\\\\*/',\n contains: [ 'self' ]\n },\n hljs.QUOTE_STRING_MODE,\n {\n className: 'number',\n relevance: 0,\n variants: [\n {\n // float number w/ exponent\n // hmm, I wonder if we ought to include other exponent markers?\n begin: '\\\\b(\\\\d+|\\\\d+\\\\.|\\\\.\\\\d+|\\\\d+\\\\.\\\\d+)[Ee][-+]?\\\\d+\\\\b' },\n {\n // bigfloat number\n begin: '\\\\b(\\\\d+|\\\\d+\\\\.|\\\\.\\\\d+|\\\\d+\\\\.\\\\d+)[Bb][-+]?\\\\d+\\\\b',\n relevance: 10\n },\n {\n // float number w/out exponent\n // Doesn't seem to recognize floats which start with '.'\n begin: '\\\\b(\\\\.\\\\d+|\\\\d+\\\\.\\\\d+)\\\\b' },\n {\n // integer in base up to 36\n // Doesn't seem to recognize integers which end with '.'\n begin: '\\\\b(\\\\d+|0[0-9A-Za-z]+)\\\\.?\\\\b' }\n ]\n }\n ],\n illegal: /@/\n };\n}\n\nmodule.exports = maxima;\n", "/*\nLanguage: MEL\nDescription: Maya Embedded Language\nAuthor: Shuen-Huei Guan <drake.guan@gmail.com>\nWebsite: http://www.autodesk.com/products/autodesk-maya/overview\nCategory: graphics\n*/\n\nfunction mel(hljs) {\n return {\n name: 'MEL',\n keywords:\n 'int float string vector matrix if else switch case default while do for in break '\n + 'continue global proc return about abs addAttr addAttributeEditorNodeHelp addDynamic '\n + 'addNewShelfTab addPP addPanelCategory addPrefixToName advanceToNextDrivenKey '\n + 'affectedNet affects aimConstraint air alias aliasAttr align alignCtx alignCurve '\n + 'alignSurface allViewFit ambientLight angle angleBetween animCone animCurveEditor '\n + 'animDisplay animView annotate appendStringArray applicationName applyAttrPreset '\n + 'applyTake arcLenDimContext arcLengthDimension arclen arrayMapper art3dPaintCtx '\n + 'artAttrCtx artAttrPaintVertexCtx artAttrSkinPaintCtx artAttrTool artBuildPaintMenu '\n + 'artFluidAttrCtx artPuttyCtx artSelectCtx artSetPaintCtx artUserPaintCtx assignCommand '\n + 'assignInputDevice assignViewportFactories attachCurve attachDeviceAttr attachSurface '\n + 'attrColorSliderGrp attrCompatibility attrControlGrp attrEnumOptionMenu '\n + 'attrEnumOptionMenuGrp attrFieldGrp attrFieldSliderGrp attrNavigationControlGrp '\n + 'attrPresetEditWin attributeExists attributeInfo attributeMenu attributeQuery '\n + 'autoKeyframe autoPlace bakeClip bakeFluidShading bakePartialHistory bakeResults '\n + 'bakeSimulation basename basenameEx batchRender bessel bevel bevelPlus binMembership '\n + 'bindSkin blend2 blendShape blendShapeEditor blendShapePanel blendTwoAttr blindDataType '\n + 'boneLattice boundary boxDollyCtx boxZoomCtx bufferCurve buildBookmarkMenu '\n + 'buildKeyframeMenu button buttonManip CBG cacheFile cacheFileCombine cacheFileMerge '\n + 'cacheFileTrack camera cameraView canCreateManip canvas capitalizeString catch '\n + 'catchQuiet ceil changeSubdivComponentDisplayLevel changeSubdivRegion channelBox '\n + 'character characterMap characterOutlineEditor characterize chdir checkBox checkBoxGrp '\n + 'checkDefaultRenderGlobals choice circle circularFillet clamp clear clearCache clip '\n + 'clipEditor clipEditorCurrentTimeCtx clipSchedule clipSchedulerOutliner clipTrimBefore '\n + 'closeCurve closeSurface cluster cmdFileOutput cmdScrollFieldExecuter '\n + 'cmdScrollFieldReporter cmdShell coarsenSubdivSelectionList collision color '\n + 'colorAtPoint colorEditor colorIndex colorIndexSliderGrp colorSliderButtonGrp '\n + 'colorSliderGrp columnLayout commandEcho commandLine commandPort compactHairSystem '\n + 'componentEditor compositingInterop computePolysetVolume condition cone confirmDialog '\n + 'connectAttr connectControl connectDynamic connectJoint connectionInfo constrain '\n + 'constrainValue constructionHistory container containsMultibyte contextInfo control '\n + 'convertFromOldLayers convertIffToPsd convertLightmap convertSolidTx convertTessellation '\n + 'convertUnit copyArray copyFlexor copyKey copySkinWeights cos cpButton cpCache '\n + 'cpClothSet cpCollision cpConstraint cpConvClothToMesh cpForces cpGetSolverAttr cpPanel '\n + 'cpProperty cpRigidCollisionFilter cpSeam cpSetEdit cpSetSolverAttr cpSolver '\n + 'cpSolverTypes cpTool cpUpdateClothUVs createDisplayLayer createDrawCtx createEditor '\n + 'createLayeredPsdFile createMotionField createNewShelf createNode createRenderLayer '\n + 'createSubdivRegion cross crossProduct ctxAbort ctxCompletion ctxEditMode ctxTraverse '\n + 'currentCtx currentTime currentTimeCtx currentUnit curve curveAddPtCtx '\n + 'curveCVCtx curveEPCtx curveEditorCtx curveIntersect curveMoveEPCtx curveOnSurface '\n + 'curveSketchCtx cutKey cycleCheck cylinder dagPose date defaultLightListCheckBox '\n + 'defaultNavigation defineDataServer defineVirtualDevice deformer deg_to_rad delete '\n + 'deleteAttr deleteShadingGroupsAndMaterials deleteShelfTab deleteUI deleteUnusedBrushes '\n + 'delrandstr detachCurve detachDeviceAttr detachSurface deviceEditor devicePanel dgInfo '\n + 'dgdirty dgeval dgtimer dimWhen directKeyCtx directionalLight dirmap dirname disable '\n + 'disconnectAttr disconnectJoint diskCache displacementToPoly displayAffected '\n + 'displayColor displayCull displayLevelOfDetail displayPref displayRGBColor '\n + 'displaySmoothness displayStats displayString displaySurface distanceDimContext '\n + 'distanceDimension doBlur dolly dollyCtx dopeSheetEditor dot dotProduct '\n + 'doubleProfileBirailSurface drag dragAttrContext draggerContext dropoffLocator '\n + 'duplicate duplicateCurve duplicateSurface dynCache dynControl dynExport dynExpression '\n + 'dynGlobals dynPaintEditor dynParticleCtx dynPref dynRelEdPanel dynRelEditor '\n + 'dynamicLoad editAttrLimits editDisplayLayerGlobals editDisplayLayerMembers '\n + 'editRenderLayerAdjustment editRenderLayerGlobals editRenderLayerMembers editor '\n + 'editorTemplate effector emit emitter enableDevice encodeString endString endsWith env '\n + 'equivalent equivalentTol erf error eval evalDeferred evalEcho event '\n + 'exactWorldBoundingBox exclusiveLightCheckBox exec executeForEachObject exists exp '\n + 'expression expressionEditorListen extendCurve extendSurface extrude fcheck fclose feof '\n + 'fflush fgetline fgetword file fileBrowserDialog fileDialog fileExtension fileInfo '\n + 'filetest filletCurve filter filterCurve filterExpand filterStudioImport '\n + 'findAllIntersections findAnimCurves findKeyframe findMenuItem findRelatedSkinCluster '\n + 'finder firstParentOf fitBspline flexor floatEq floatField floatFieldGrp floatScrollBar '\n + 'floatSlider floatSlider2 floatSliderButtonGrp floatSliderGrp floor flow fluidCacheInfo '\n + 'fluidEmitter fluidVoxelInfo flushUndo fmod fontDialog fopen formLayout format fprint '\n + 'frameLayout fread freeFormFillet frewind fromNativePath fwrite gamma gauss '\n + 'geometryConstraint getApplicationVersionAsFloat getAttr getClassification '\n + 'getDefaultBrush getFileList getFluidAttr getInputDeviceRange getMayaPanelTypes '\n + 'getModifiers getPanel getParticleAttr getPluginResource getenv getpid glRender '\n + 'glRenderEditor globalStitch gmatch goal gotoBindPose grabColor gradientControl '\n + 'gradientControlNoAttr graphDollyCtx graphSelectContext graphTrackCtx gravity grid '\n + 'gridLayout group groupObjectsByName HfAddAttractorToAS HfAssignAS HfBuildEqualMap '\n + 'HfBuildFurFiles HfBuildFurImages HfCancelAFR HfConnectASToHF HfCreateAttractor '\n + 'HfDeleteAS HfEditAS HfPerformCreateAS HfRemoveAttractorFromAS HfSelectAttached '\n + 'HfSelectAttractors HfUnAssignAS hardenPointCurve hardware hardwareRenderPanel '\n + 'headsUpDisplay headsUpMessage help helpLine hermite hide hilite hitTest hotBox hotkey '\n + 'hotkeyCheck hsv_to_rgb hudButton hudSlider hudSliderButton hwReflectionMap hwRender '\n + 'hwRenderLoad hyperGraph hyperPanel hyperShade hypot iconTextButton iconTextCheckBox '\n + 'iconTextRadioButton iconTextRadioCollection iconTextScrollList iconTextStaticLabel '\n + 'ikHandle ikHandleCtx ikHandleDisplayScale ikSolver ikSplineHandleCtx ikSystem '\n + 'ikSystemInfo ikfkDisplayMethod illustratorCurves image imfPlugins inheritTransform '\n + 'insertJoint insertJointCtx insertKeyCtx insertKnotCurve insertKnotSurface instance '\n + 'instanceable instancer intField intFieldGrp intScrollBar intSlider intSliderGrp '\n + 'interToUI internalVar intersect iprEngine isAnimCurve isConnected isDirty isParentOf '\n + 'isSameObject isTrue isValidObjectName isValidString isValidUiName isolateSelect '\n + 'itemFilter itemFilterAttr itemFilterRender itemFilterType joint jointCluster jointCtx '\n + 'jointDisplayScale jointLattice keyTangent keyframe keyframeOutliner '\n + 'keyframeRegionCurrentTimeCtx keyframeRegionDirectKeyCtx keyframeRegionDollyCtx '\n + 'keyframeRegionInsertKeyCtx keyframeRegionMoveKeyCtx keyframeRegionScaleKeyCtx '\n + 'keyframeRegionSelectKeyCtx keyframeRegionSetKeyCtx keyframeRegionTrackCtx '\n + 'keyframeStats lassoContext lattice latticeDeformKeyCtx launch launchImageEditor '\n + 'layerButton layeredShaderPort layeredTexturePort layout layoutDialog lightList '\n + 'lightListEditor lightListPanel lightlink lineIntersection linearPrecision linstep '\n + 'listAnimatable listAttr listCameras listConnections listDeviceAttachments listHistory '\n + 'listInputDeviceAxes listInputDeviceButtons listInputDevices listMenuAnnotation '\n + 'listNodeTypes listPanelCategories listRelatives listSets listTransforms '\n + 'listUnselected listerEditor loadFluid loadNewShelf loadPlugin '\n + 'loadPluginLanguageResources loadPrefObjects localizedPanelLabel lockNode loft log '\n + 'longNameOf lookThru ls lsThroughFilter lsType lsUI Mayatomr mag makeIdentity makeLive '\n + 'makePaintable makeRoll makeSingleSurface makeTubeOn makebot manipMoveContext '\n + 'manipMoveLimitsCtx manipOptions manipRotateContext manipRotateLimitsCtx '\n + 'manipScaleContext manipScaleLimitsCtx marker match max memory menu menuBarLayout '\n + 'menuEditor menuItem menuItemToShelf menuSet menuSetPref messageLine min minimizeApp '\n + 'mirrorJoint modelCurrentTimeCtx modelEditor modelPanel mouse movIn movOut move '\n + 'moveIKtoFK moveKeyCtx moveVertexAlongDirection multiProfileBirailSurface mute '\n + 'nParticle nameCommand nameField namespace namespaceInfo newPanelItems newton nodeCast '\n + 'nodeIconButton nodeOutliner nodePreset nodeType noise nonLinear normalConstraint '\n + 'normalize nurbsBoolean nurbsCopyUVSet nurbsCube nurbsEditUV nurbsPlane nurbsSelect '\n + 'nurbsSquare nurbsToPoly nurbsToPolygonsPref nurbsToSubdiv nurbsToSubdivPref '\n + 'nurbsUVSet nurbsViewDirectionVector objExists objectCenter objectLayer objectType '\n + 'objectTypeUI obsoleteProc oceanNurbsPreviewPlane offsetCurve offsetCurveOnSurface '\n + 'offsetSurface openGLExtension openMayaPref optionMenu optionMenuGrp optionVar orbit '\n + 'orbitCtx orientConstraint outlinerEditor outlinerPanel overrideModifier '\n + 'paintEffectsDisplay pairBlend palettePort paneLayout panel panelConfiguration '\n + 'panelHistory paramDimContext paramDimension paramLocator parent parentConstraint '\n + 'particle particleExists particleInstancer particleRenderInfo partition pasteKey '\n + 'pathAnimation pause pclose percent performanceOptions pfxstrokes pickWalk picture '\n + 'pixelMove planarSrf plane play playbackOptions playblast plugAttr plugNode pluginInfo '\n + 'pluginResourceUtil pointConstraint pointCurveConstraint pointLight pointMatrixMult '\n + 'pointOnCurve pointOnSurface pointPosition poleVectorConstraint polyAppend '\n + 'polyAppendFacetCtx polyAppendVertex polyAutoProjection polyAverageNormal '\n + 'polyAverageVertex polyBevel polyBlendColor polyBlindData polyBoolOp polyBridgeEdge '\n + 'polyCacheMonitor polyCheck polyChipOff polyClipboard polyCloseBorder polyCollapseEdge '\n + 'polyCollapseFacet polyColorBlindData polyColorDel polyColorPerVertex polyColorSet '\n + 'polyCompare polyCone polyCopyUV polyCrease polyCreaseCtx polyCreateFacet '\n + 'polyCreateFacetCtx polyCube polyCut polyCutCtx polyCylinder polyCylindricalProjection '\n + 'polyDelEdge polyDelFacet polyDelVertex polyDuplicateAndConnect polyDuplicateEdge '\n + 'polyEditUV polyEditUVShell polyEvaluate polyExtrudeEdge polyExtrudeFacet '\n + 'polyExtrudeVertex polyFlipEdge polyFlipUV polyForceUV polyGeoSampler polyHelix '\n + 'polyInfo polyInstallAction polyLayoutUV polyListComponentConversion polyMapCut '\n + 'polyMapDel polyMapSew polyMapSewMove polyMergeEdge polyMergeEdgeCtx polyMergeFacet '\n + 'polyMergeFacetCtx polyMergeUV polyMergeVertex polyMirrorFace polyMoveEdge '\n + 'polyMoveFacet polyMoveFacetUV polyMoveUV polyMoveVertex polyNormal polyNormalPerVertex '\n + 'polyNormalizeUV polyOptUvs polyOptions polyOutput polyPipe polyPlanarProjection '\n + 'polyPlane polyPlatonicSolid polyPoke polyPrimitive polyPrism polyProjection '\n + 'polyPyramid polyQuad polyQueryBlindData polyReduce polySelect polySelectConstraint '\n + 'polySelectConstraintMonitor polySelectCtx polySelectEditCtx polySeparate '\n + 'polySetToFaceNormal polySewEdge polyShortestPathCtx polySmooth polySoftEdge '\n + 'polySphere polySphericalProjection polySplit polySplitCtx polySplitEdge polySplitRing '\n + 'polySplitVertex polyStraightenUVBorder polySubdivideEdge polySubdivideFacet '\n + 'polyToSubdiv polyTorus polyTransfer polyTriangulate polyUVSet polyUnite polyWedgeFace '\n + 'popen popupMenu pose pow preloadRefEd print progressBar progressWindow projFileViewer '\n + 'projectCurve projectTangent projectionContext projectionManip promptDialog propModCtx '\n + 'propMove psdChannelOutliner psdEditTextureFile psdExport psdTextureFile putenv pwd '\n + 'python querySubdiv quit rad_to_deg radial radioButton radioButtonGrp radioCollection '\n + 'radioMenuItemCollection rampColorPort rand randomizeFollicles randstate rangeControl '\n + 'readTake rebuildCurve rebuildSurface recordAttr recordDevice redo reference '\n + 'referenceEdit referenceQuery refineSubdivSelectionList refresh refreshAE '\n + 'registerPluginResource rehash reloadImage removeJoint removeMultiInstance '\n + 'removePanelCategory rename renameAttr renameSelectionList renameUI render '\n + 'renderGlobalsNode renderInfo renderLayerButton renderLayerParent '\n + 'renderLayerPostProcess renderLayerUnparent renderManip renderPartition '\n + 'renderQualityNode renderSettings renderThumbnailUpdate renderWindowEditor '\n + 'renderWindowSelectContext renderer reorder reorderDeformers requires reroot '\n + 'resampleFluid resetAE resetPfxToPolyCamera resetTool resolutionNode retarget '\n + 'reverseCurve reverseSurface revolve rgb_to_hsv rigidBody rigidSolver roll rollCtx '\n + 'rootOf rot rotate rotationInterpolation roundConstantRadius rowColumnLayout rowLayout '\n + 'runTimeCommand runup sampleImage saveAllShelves saveAttrPreset saveFluid saveImage '\n + 'saveInitialState saveMenu savePrefObjects savePrefs saveShelf saveToolSettings scale '\n + 'scaleBrushBrightness scaleComponents scaleConstraint scaleKey scaleKeyCtx sceneEditor '\n + 'sceneUIReplacement scmh scriptCtx scriptEditorInfo scriptJob scriptNode scriptTable '\n + 'scriptToShelf scriptedPanel scriptedPanelType scrollField scrollLayout sculpt '\n + 'searchPathArray seed selLoadSettings select selectContext selectCurveCV selectKey '\n + 'selectKeyCtx selectKeyframeRegionCtx selectMode selectPref selectPriority selectType '\n + 'selectedNodes selectionConnection separator setAttr setAttrEnumResource '\n + 'setAttrMapping setAttrNiceNameResource setConstraintRestPosition '\n + 'setDefaultShadingGroup setDrivenKeyframe setDynamic setEditCtx setEditor setFluidAttr '\n + 'setFocus setInfinity setInputDeviceMapping setKeyCtx setKeyPath setKeyframe '\n + 'setKeyframeBlendshapeTargetWts setMenuMode setNodeNiceNameResource setNodeTypeFlag '\n + 'setParent setParticleAttr setPfxToPolyCamera setPluginResource setProject '\n + 'setStampDensity setStartupMessage setState setToolTo setUITemplate setXformManip sets '\n + 'shadingConnection shadingGeometryRelCtx shadingLightRelCtx shadingNetworkCompare '\n + 'shadingNode shapeCompare shelfButton shelfLayout shelfTabLayout shellField '\n + 'shortNameOf showHelp showHidden showManipCtx showSelectionInTitle '\n + 'showShadingGroupAttrEditor showWindow sign simplify sin singleProfileBirailSurface '\n + 'size sizeBytes skinCluster skinPercent smoothCurve smoothTangentSurface smoothstep '\n + 'snap2to2 snapKey snapMode snapTogetherCtx snapshot soft softMod softModCtx sort sound '\n + 'soundControl source spaceLocator sphere sphrand spotLight spotLightPreviewPort '\n + 'spreadSheetEditor spring sqrt squareSurface srtContext stackTrace startString '\n + 'startsWith stitchAndExplodeShell stitchSurface stitchSurfacePoints strcmp '\n + 'stringArrayCatenate stringArrayContains stringArrayCount stringArrayInsertAtIndex '\n + 'stringArrayIntersector stringArrayRemove stringArrayRemoveAtIndex '\n + 'stringArrayRemoveDuplicates stringArrayRemoveExact stringArrayToString '\n + 'stringToStringArray strip stripPrefixFromName stroke subdAutoProjection '\n + 'subdCleanTopology subdCollapse subdDuplicateAndConnect subdEditUV '\n + 'subdListComponentConversion subdMapCut subdMapSewMove subdMatchTopology subdMirror '\n + 'subdToBlind subdToPoly subdTransferUVsToCache subdiv subdivCrease '\n + 'subdivDisplaySmoothness substitute substituteAllString substituteGeometry substring '\n + 'surface surfaceSampler surfaceShaderList swatchDisplayPort switchTable symbolButton '\n + 'symbolCheckBox sysFile system tabLayout tan tangentConstraint texLatticeDeformContext '\n + 'texManipContext texMoveContext texMoveUVShellContext texRotateContext texScaleContext '\n + 'texSelectContext texSelectShortestPathCtx texSmudgeUVContext texWinToolCtx text '\n + 'textCurves textField textFieldButtonGrp textFieldGrp textManip textScrollList '\n + 'textToShelf textureDisplacePlane textureHairColor texturePlacementContext '\n + 'textureWindow threadCount threePointArcCtx timeControl timePort timerX toNativePath '\n + 'toggle toggleAxis toggleWindowVisibility tokenize tokenizeList tolerance tolower '\n + 'toolButton toolCollection toolDropped toolHasOptions toolPropertyWindow torus toupper '\n + 'trace track trackCtx transferAttributes transformCompare transformLimits translator '\n + 'trim trunc truncateFluidCache truncateHairCache tumble tumbleCtx turbulence '\n + 'twoPointArcCtx uiRes uiTemplate unassignInputDevice undo undoInfo ungroup uniform unit '\n + 'unloadPlugin untangleUV untitledFileName untrim upAxis updateAE userCtx uvLink '\n + 'uvSnapshot validateShelfName vectorize view2dToolCtx viewCamera viewClipPlane '\n + 'viewFit viewHeadOn viewLookAt viewManip viewPlace viewSet visor volumeAxis vortex '\n + 'waitCursor warning webBrowser webBrowserPrefs whatIs window windowPref wire '\n + 'wireContext workspace wrinkle wrinkleContext writeTake xbmLangPathList xform',\n illegal: '</',\n contains: [\n hljs.C_NUMBER_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n {\n className: 'string',\n begin: '`',\n end: '`',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n { // eats variables\n begin: /[$%@](\\^\\w\\b|#\\w+|[^\\s\\w{]|\\{\\w+\\}|\\w+)/ },\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n };\n}\n\nmodule.exports = mel;\n", "/*\nLanguage: Mercury\nAuthor: mucaho <mkucko@gmail.com>\nDescription: Mercury is a logic/functional programming language which combines the clarity and expressiveness of declarative programming with advanced static analysis and error detection features.\nWebsite: https://www.mercurylang.org\n*/\n\nfunction mercury(hljs) {\n const KEYWORDS = {\n keyword:\n 'module use_module import_module include_module end_module initialise '\n + 'mutable initialize finalize finalise interface implementation pred '\n + 'mode func type inst solver any_pred any_func is semidet det nondet '\n + 'multi erroneous failure cc_nondet cc_multi typeclass instance where '\n + 'pragma promise external trace atomic or_else require_complete_switch '\n + 'require_det require_semidet require_multi require_nondet '\n + 'require_cc_multi require_cc_nondet require_erroneous require_failure',\n meta:\n // pragma\n 'inline no_inline type_spec source_file fact_table obsolete memo '\n + 'loop_check minimal_model terminates does_not_terminate '\n + 'check_termination promise_equivalent_clauses '\n // preprocessor\n + 'foreign_proc foreign_decl foreign_code foreign_type '\n + 'foreign_import_module foreign_export_enum foreign_export '\n + 'foreign_enum may_call_mercury will_not_call_mercury thread_safe '\n + 'not_thread_safe maybe_thread_safe promise_pure promise_semipure '\n + 'tabled_for_io local untrailed trailed attach_to_io_state '\n + 'can_pass_as_mercury_type stable will_not_throw_exception '\n + 'may_modify_trail will_not_modify_trail may_duplicate '\n + 'may_not_duplicate affects_liveness does_not_affect_liveness '\n + 'doesnt_affect_liveness no_sharing unknown_sharing sharing',\n built_in:\n 'some all not if then else true fail false try catch catch_any '\n + 'semidet_true semidet_false semidet_fail impure_true impure semipure'\n };\n\n const COMMENT = hljs.COMMENT('%', '$');\n\n const NUMCODE = {\n className: 'number',\n begin: \"0'.\\\\|0[box][0-9a-fA-F]*\"\n };\n\n const ATOM = hljs.inherit(hljs.APOS_STRING_MODE, { relevance: 0 });\n const STRING = hljs.inherit(hljs.QUOTE_STRING_MODE, { relevance: 0 });\n const STRING_FMT = {\n className: 'subst',\n begin: '\\\\\\\\[abfnrtv]\\\\|\\\\\\\\x[0-9a-fA-F]*\\\\\\\\\\\\|%[-+# *.0-9]*[dioxXucsfeEgGp]',\n relevance: 0\n };\n STRING.contains = STRING.contains.slice(); // we need our own copy of contains\n STRING.contains.push(STRING_FMT);\n\n const IMPLICATION = {\n className: 'built_in',\n variants: [\n { begin: '<=>' },\n {\n begin: '<=',\n relevance: 0\n },\n {\n begin: '=>',\n relevance: 0\n },\n { begin: '/\\\\\\\\' },\n { begin: '\\\\\\\\/' }\n ]\n };\n\n const HEAD_BODY_CONJUNCTION = {\n className: 'built_in',\n variants: [\n { begin: ':-\\\\|-->' },\n {\n begin: '=',\n relevance: 0\n }\n ]\n };\n\n return {\n name: 'Mercury',\n aliases: [\n 'm',\n 'moo'\n ],\n keywords: KEYWORDS,\n contains: [\n IMPLICATION,\n HEAD_BODY_CONJUNCTION,\n COMMENT,\n hljs.C_BLOCK_COMMENT_MODE,\n NUMCODE,\n hljs.NUMBER_MODE,\n ATOM,\n STRING,\n { // relevance booster\n begin: /:-/ },\n { // relevance booster\n begin: /\\.$/ }\n ]\n };\n}\n\nmodule.exports = mercury;\n", "/*\nLanguage: MIPS Assembly\nAuthor: Nebuleon Fumika <nebuleon.fumika@gmail.com>\nDescription: MIPS Assembly (up to MIPS32R2)\nWebsite: https://en.wikipedia.org/wiki/MIPS_architecture\nCategory: assembler\n*/\n\nfunction mipsasm(hljs) {\n // local labels: %?[FB]?[AT]?\\d{1,2}\\w+\n return {\n name: 'MIPS Assembly',\n case_insensitive: true,\n aliases: [ 'mips' ],\n keywords: {\n $pattern: '\\\\.?' + hljs.IDENT_RE,\n meta:\n // GNU preprocs\n '.2byte .4byte .align .ascii .asciz .balign .byte .code .data .else .end .endif .endm .endr .equ .err .exitm .extern .global .hword .if .ifdef .ifndef .include .irp .long .macro .rept .req .section .set .skip .space .text .word .ltorg ',\n built_in:\n '$0 $1 $2 $3 $4 $5 $6 $7 $8 $9 $10 $11 $12 $13 $14 $15 ' // integer registers\n + '$16 $17 $18 $19 $20 $21 $22 $23 $24 $25 $26 $27 $28 $29 $30 $31 ' // integer registers\n + 'zero at v0 v1 a0 a1 a2 a3 a4 a5 a6 a7 ' // integer register aliases\n + 't0 t1 t2 t3 t4 t5 t6 t7 t8 t9 s0 s1 s2 s3 s4 s5 s6 s7 s8 ' // integer register aliases\n + 'k0 k1 gp sp fp ra ' // integer register aliases\n + '$f0 $f1 $f2 $f2 $f4 $f5 $f6 $f7 $f8 $f9 $f10 $f11 $f12 $f13 $f14 $f15 ' // floating-point registers\n + '$f16 $f17 $f18 $f19 $f20 $f21 $f22 $f23 $f24 $f25 $f26 $f27 $f28 $f29 $f30 $f31 ' // floating-point registers\n + 'Context Random EntryLo0 EntryLo1 Context PageMask Wired EntryHi ' // Coprocessor 0 registers\n + 'HWREna BadVAddr Count Compare SR IntCtl SRSCtl SRSMap Cause EPC PRId ' // Coprocessor 0 registers\n + 'EBase Config Config1 Config2 Config3 LLAddr Debug DEPC DESAVE CacheErr ' // Coprocessor 0 registers\n + 'ECC ErrorEPC TagLo DataLo TagHi DataHi WatchLo WatchHi PerfCtl PerfCnt ' // Coprocessor 0 registers\n },\n contains: [\n {\n className: 'keyword',\n begin: '\\\\b(' // mnemonics\n // 32-bit integer instructions\n + 'addi?u?|andi?|b(al)?|beql?|bgez(al)?l?|bgtzl?|blezl?|bltz(al)?l?|'\n + 'bnel?|cl[oz]|divu?|ext|ins|j(al)?|jalr(\\\\.hb)?|jr(\\\\.hb)?|lbu?|lhu?|'\n + 'll|lui|lw[lr]?|maddu?|mfhi|mflo|movn|movz|move|msubu?|mthi|mtlo|mul|'\n + 'multu?|nop|nor|ori?|rotrv?|sb|sc|se[bh]|sh|sllv?|slti?u?|srav?|'\n + 'srlv?|subu?|sw[lr]?|xori?|wsbh|'\n // floating-point instructions\n + 'abs\\\\.[sd]|add\\\\.[sd]|alnv.ps|bc1[ft]l?|'\n + 'c\\\\.(s?f|un|u?eq|[ou]lt|[ou]le|ngle?|seq|l[et]|ng[et])\\\\.[sd]|'\n + '(ceil|floor|round|trunc)\\\\.[lw]\\\\.[sd]|cfc1|cvt\\\\.d\\\\.[lsw]|'\n + 'cvt\\\\.l\\\\.[dsw]|cvt\\\\.ps\\\\.s|cvt\\\\.s\\\\.[dlw]|cvt\\\\.s\\\\.p[lu]|cvt\\\\.w\\\\.[dls]|'\n + 'div\\\\.[ds]|ldx?c1|luxc1|lwx?c1|madd\\\\.[sd]|mfc1|mov[fntz]?\\\\.[ds]|'\n + 'msub\\\\.[sd]|mth?c1|mul\\\\.[ds]|neg\\\\.[ds]|nmadd\\\\.[ds]|nmsub\\\\.[ds]|'\n + 'p[lu][lu]\\\\.ps|recip\\\\.fmt|r?sqrt\\\\.[ds]|sdx?c1|sub\\\\.[ds]|suxc1|'\n + 'swx?c1|'\n // system control instructions\n + 'break|cache|d?eret|[de]i|ehb|mfc0|mtc0|pause|prefx?|rdhwr|'\n + 'rdpgpr|sdbbp|ssnop|synci?|syscall|teqi?|tgei?u?|tlb(p|r|w[ir])|'\n + 'tlti?u?|tnei?|wait|wrpgpr'\n + ')',\n end: '\\\\s'\n },\n // lines ending with ; or # aren't really comments, probably auto-detect fail\n hljs.COMMENT('[;#](?!\\\\s*$)', '$'),\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n {\n className: 'string',\n begin: '\\'',\n end: '[^\\\\\\\\]\\'',\n relevance: 0\n },\n {\n className: 'title',\n begin: '\\\\|',\n end: '\\\\|',\n illegal: '\\\\n',\n relevance: 0\n },\n {\n className: 'number',\n variants: [\n { // hex\n begin: '0x[0-9a-f]+' },\n { // bare number\n begin: '\\\\b-?\\\\d+' }\n ],\n relevance: 0\n },\n {\n className: 'symbol',\n variants: [\n { // GNU MIPS syntax\n begin: '^\\\\s*[a-z_\\\\.\\\\$][a-z0-9_\\\\.\\\\$]+:' },\n { // numbered local labels\n begin: '^\\\\s*[0-9]+:' },\n { // number local label reference (backwards, forwards)\n begin: '[0-9]+[bf]' }\n ],\n relevance: 0\n }\n ],\n // forward slashes are not allowed\n illegal: /\\//\n };\n}\n\nmodule.exports = mipsasm;\n", "/*\nLanguage: Mizar\nDescription: The Mizar Language is a formal language derived from the mathematical vernacular.\nAuthor: Kelley van Evert <kelleyvanevert@gmail.com>\nWebsite: http://mizar.org/language/\nCategory: scientific\n*/\n\nfunction mizar(hljs) {\n return {\n name: 'Mizar',\n keywords:\n 'environ vocabularies notations constructors definitions '\n + 'registrations theorems schemes requirements begin end definition '\n + 'registration cluster existence pred func defpred deffunc theorem '\n + 'proof let take assume then thus hence ex for st holds consider '\n + 'reconsider such that and in provided of as from be being by means '\n + 'equals implies iff redefine define now not or attr is mode '\n + 'suppose per cases set thesis contradiction scheme reserve struct '\n + 'correctness compatibility coherence symmetry assymetry '\n + 'reflexivity irreflexivity connectedness uniqueness commutativity '\n + 'idempotence involutiveness projectivity',\n contains: [ hljs.COMMENT('::', '$') ]\n };\n}\n\nmodule.exports = mizar;\n", "/*\nLanguage: Perl\nAuthor: Peter Leonov <gojpeg@yandex.ru>\nWebsite: https://www.perl.org\nCategory: common\n*/\n\n/** @type LanguageFn */\nfunction perl(hljs) {\n const regex = hljs.regex;\n const KEYWORDS = [\n 'abs',\n 'accept',\n 'alarm',\n 'and',\n 'atan2',\n 'bind',\n 'binmode',\n 'bless',\n 'break',\n 'caller',\n 'chdir',\n 'chmod',\n 'chomp',\n 'chop',\n 'chown',\n 'chr',\n 'chroot',\n 'close',\n 'closedir',\n 'connect',\n 'continue',\n 'cos',\n 'crypt',\n 'dbmclose',\n 'dbmopen',\n 'defined',\n 'delete',\n 'die',\n 'do',\n 'dump',\n 'each',\n 'else',\n 'elsif',\n 'endgrent',\n 'endhostent',\n 'endnetent',\n 'endprotoent',\n 'endpwent',\n 'endservent',\n 'eof',\n 'eval',\n 'exec',\n 'exists',\n 'exit',\n 'exp',\n 'fcntl',\n 'fileno',\n 'flock',\n 'for',\n 'foreach',\n 'fork',\n 'format',\n 'formline',\n 'getc',\n 'getgrent',\n 'getgrgid',\n 'getgrnam',\n 'gethostbyaddr',\n 'gethostbyname',\n 'gethostent',\n 'getlogin',\n 'getnetbyaddr',\n 'getnetbyname',\n 'getnetent',\n 'getpeername',\n 'getpgrp',\n 'getpriority',\n 'getprotobyname',\n 'getprotobynumber',\n 'getprotoent',\n 'getpwent',\n 'getpwnam',\n 'getpwuid',\n 'getservbyname',\n 'getservbyport',\n 'getservent',\n 'getsockname',\n 'getsockopt',\n 'given',\n 'glob',\n 'gmtime',\n 'goto',\n 'grep',\n 'gt',\n 'hex',\n 'if',\n 'index',\n 'int',\n 'ioctl',\n 'join',\n 'keys',\n 'kill',\n 'last',\n 'lc',\n 'lcfirst',\n 'length',\n 'link',\n 'listen',\n 'local',\n 'localtime',\n 'log',\n 'lstat',\n 'lt',\n 'ma',\n 'map',\n 'mkdir',\n 'msgctl',\n 'msgget',\n 'msgrcv',\n 'msgsnd',\n 'my',\n 'ne',\n 'next',\n 'no',\n 'not',\n 'oct',\n 'open',\n 'opendir',\n 'or',\n 'ord',\n 'our',\n 'pack',\n 'package',\n 'pipe',\n 'pop',\n 'pos',\n 'print',\n 'printf',\n 'prototype',\n 'push',\n 'q|0',\n 'qq',\n 'quotemeta',\n 'qw',\n 'qx',\n 'rand',\n 'read',\n 'readdir',\n 'readline',\n 'readlink',\n 'readpipe',\n 'recv',\n 'redo',\n 'ref',\n 'rename',\n 'require',\n 'reset',\n 'return',\n 'reverse',\n 'rewinddir',\n 'rindex',\n 'rmdir',\n 'say',\n 'scalar',\n 'seek',\n 'seekdir',\n 'select',\n 'semctl',\n 'semget',\n 'semop',\n 'send',\n 'setgrent',\n 'sethostent',\n 'setnetent',\n 'setpgrp',\n 'setpriority',\n 'setprotoent',\n 'setpwent',\n 'setservent',\n 'setsockopt',\n 'shift',\n 'shmctl',\n 'shmget',\n 'shmread',\n 'shmwrite',\n 'shutdown',\n 'sin',\n 'sleep',\n 'socket',\n 'socketpair',\n 'sort',\n 'splice',\n 'split',\n 'sprintf',\n 'sqrt',\n 'srand',\n 'stat',\n 'state',\n 'study',\n 'sub',\n 'substr',\n 'symlink',\n 'syscall',\n 'sysopen',\n 'sysread',\n 'sysseek',\n 'system',\n 'syswrite',\n 'tell',\n 'telldir',\n 'tie',\n 'tied',\n 'time',\n 'times',\n 'tr',\n 'truncate',\n 'uc',\n 'ucfirst',\n 'umask',\n 'undef',\n 'unless',\n 'unlink',\n 'unpack',\n 'unshift',\n 'untie',\n 'until',\n 'use',\n 'utime',\n 'values',\n 'vec',\n 'wait',\n 'waitpid',\n 'wantarray',\n 'warn',\n 'when',\n 'while',\n 'write',\n 'x|0',\n 'xor',\n 'y|0'\n ];\n\n // https://perldoc.perl.org/perlre#Modifiers\n const REGEX_MODIFIERS = /[dualxmsipngr]{0,12}/; // aa and xx are valid, making max length 12\n const PERL_KEYWORDS = {\n $pattern: /[\\w.]+/,\n keyword: KEYWORDS.join(\" \")\n };\n const SUBST = {\n className: 'subst',\n begin: '[$@]\\\\{',\n end: '\\\\}',\n keywords: PERL_KEYWORDS\n };\n const METHOD = {\n begin: /->\\{/,\n end: /\\}/\n // contains defined later\n };\n const VAR = { variants: [\n { begin: /\\$\\d/ },\n { begin: regex.concat(\n /[$%@](\\^\\w\\b|#\\w+(::\\w+)*|\\{\\w+\\}|\\w+(::\\w*)*)/,\n // negative look-ahead tries to avoid matching patterns that are not\n // Perl at all like $ident$, @ident@, etc.\n `(?![A-Za-z])(?![@$%])`\n ) },\n {\n begin: /[$%@][^\\s\\w{]/,\n relevance: 0\n }\n ] };\n const STRING_CONTAINS = [\n hljs.BACKSLASH_ESCAPE,\n SUBST,\n VAR\n ];\n const REGEX_DELIMS = [\n /!/,\n /\\//,\n /\\|/,\n /\\?/,\n /'/,\n /\"/, // valid but infrequent and weird\n /#/ // valid but infrequent and weird\n ];\n /**\n * @param {string|RegExp} prefix\n * @param {string|RegExp} open\n * @param {string|RegExp} close\n */\n const PAIRED_DOUBLE_RE = (prefix, open, close = '\\\\1') => {\n const middle = (close === '\\\\1')\n ? close\n : regex.concat(close, open);\n return regex.concat(\n regex.concat(\"(?:\", prefix, \")\"),\n open,\n /(?:\\\\.|[^\\\\\\/])*?/,\n middle,\n /(?:\\\\.|[^\\\\\\/])*?/,\n close,\n REGEX_MODIFIERS\n );\n };\n /**\n * @param {string|RegExp} prefix\n * @param {string|RegExp} open\n * @param {string|RegExp} close\n */\n const PAIRED_RE = (prefix, open, close) => {\n return regex.concat(\n regex.concat(\"(?:\", prefix, \")\"),\n open,\n /(?:\\\\.|[^\\\\\\/])*?/,\n close,\n REGEX_MODIFIERS\n );\n };\n const PERL_DEFAULT_CONTAINS = [\n VAR,\n hljs.HASH_COMMENT_MODE,\n hljs.COMMENT(\n /^=\\w/,\n /=cut/,\n { endsWithParent: true }\n ),\n METHOD,\n {\n className: 'string',\n contains: STRING_CONTAINS,\n variants: [\n {\n begin: 'q[qwxr]?\\\\s*\\\\(',\n end: '\\\\)',\n relevance: 5\n },\n {\n begin: 'q[qwxr]?\\\\s*\\\\[',\n end: '\\\\]',\n relevance: 5\n },\n {\n begin: 'q[qwxr]?\\\\s*\\\\{',\n end: '\\\\}',\n relevance: 5\n },\n {\n begin: 'q[qwxr]?\\\\s*\\\\|',\n end: '\\\\|',\n relevance: 5\n },\n {\n begin: 'q[qwxr]?\\\\s*<',\n end: '>',\n relevance: 5\n },\n {\n begin: 'qw\\\\s+q',\n end: 'q',\n relevance: 5\n },\n {\n begin: '\\'',\n end: '\\'',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: '\"',\n end: '\"'\n },\n {\n begin: '`',\n end: '`',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: /\\{\\w+\\}/,\n relevance: 0\n },\n {\n begin: '-?\\\\w+\\\\s*=>',\n relevance: 0\n }\n ]\n },\n {\n className: 'number',\n begin: '(\\\\b0[0-7_]+)|(\\\\b0x[0-9a-fA-F_]+)|(\\\\b[1-9][0-9_]*(\\\\.[0-9_]+)?)|[0_]\\\\b',\n relevance: 0\n },\n { // regexp container\n begin: '(\\\\/\\\\/|' + hljs.RE_STARTERS_RE + '|\\\\b(split|return|print|reverse|grep)\\\\b)\\\\s*',\n keywords: 'split return print reverse grep',\n relevance: 0,\n contains: [\n hljs.HASH_COMMENT_MODE,\n {\n className: 'regexp',\n variants: [\n // allow matching common delimiters\n { begin: PAIRED_DOUBLE_RE(\"s|tr|y\", regex.either(...REGEX_DELIMS, { capture: true })) },\n // and then paired delmis\n { begin: PAIRED_DOUBLE_RE(\"s|tr|y\", \"\\\\(\", \"\\\\)\") },\n { begin: PAIRED_DOUBLE_RE(\"s|tr|y\", \"\\\\[\", \"\\\\]\") },\n { begin: PAIRED_DOUBLE_RE(\"s|tr|y\", \"\\\\{\", \"\\\\}\") }\n ],\n relevance: 2\n },\n {\n className: 'regexp',\n variants: [\n {\n // could be a comment in many languages so do not count\n // as relevant\n begin: /(m|qr)\\/\\//,\n relevance: 0\n },\n // prefix is optional with /regex/\n { begin: PAIRED_RE(\"(?:m|qr)?\", /\\//, /\\//) },\n // allow matching common delimiters\n { begin: PAIRED_RE(\"m|qr\", regex.either(...REGEX_DELIMS, { capture: true }), /\\1/) },\n // allow common paired delmins\n { begin: PAIRED_RE(\"m|qr\", /\\(/, /\\)/) },\n { begin: PAIRED_RE(\"m|qr\", /\\[/, /\\]/) },\n { begin: PAIRED_RE(\"m|qr\", /\\{/, /\\}/) }\n ]\n }\n ]\n },\n {\n className: 'function',\n beginKeywords: 'sub',\n end: '(\\\\s*\\\\(.*?\\\\))?[;{]',\n excludeEnd: true,\n relevance: 5,\n contains: [ hljs.TITLE_MODE ]\n },\n {\n begin: '-\\\\w\\\\b',\n relevance: 0\n },\n {\n begin: \"^__DATA__$\",\n end: \"^__END__$\",\n subLanguage: 'mojolicious',\n contains: [\n {\n begin: \"^@@.*\",\n end: \"$\",\n className: \"comment\"\n }\n ]\n }\n ];\n SUBST.contains = PERL_DEFAULT_CONTAINS;\n METHOD.contains = PERL_DEFAULT_CONTAINS;\n\n return {\n name: 'Perl',\n aliases: [\n 'pl',\n 'pm'\n ],\n keywords: PERL_KEYWORDS,\n contains: PERL_DEFAULT_CONTAINS\n };\n}\n\nmodule.exports = perl;\n", "/*\nLanguage: Mojolicious\nRequires: xml.js, perl.js\nAuthor: Dotan Dimet <dotan@corky.net>\nDescription: Mojolicious .ep (Embedded Perl) templates\nWebsite: https://mojolicious.org\nCategory: template\n*/\nfunction mojolicious(hljs) {\n return {\n name: 'Mojolicious',\n subLanguage: 'xml',\n contains: [\n {\n className: 'meta',\n begin: '^__(END|DATA)__$'\n },\n // mojolicious line\n {\n begin: \"^\\\\s*%{1,2}={0,2}\",\n end: '$',\n subLanguage: 'perl'\n },\n // mojolicious block\n {\n begin: \"<%{1,2}={0,2}\",\n end: \"={0,1}%>\",\n subLanguage: 'perl',\n excludeBegin: true,\n excludeEnd: true\n }\n ]\n };\n}\n\nmodule.exports = mojolicious;\n", "/*\nLanguage: Monkey\nDescription: Monkey2 is an easy to use, cross platform, games oriented programming language from Blitz Research.\nAuthor: Arthur Bikmullin <devolonter@gmail.com>\nWebsite: https://blitzresearch.itch.io/monkey2\n*/\n\nfunction monkey(hljs) {\n const NUMBER = {\n className: 'number',\n relevance: 0,\n variants: [\n { begin: '[$][a-fA-F0-9]+' },\n hljs.NUMBER_MODE\n ]\n };\n const FUNC_DEFINITION = {\n variants: [\n { match: [\n /(function|method)/,\n /\\s+/,\n hljs.UNDERSCORE_IDENT_RE,\n ] },\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.function\"\n }\n };\n const CLASS_DEFINITION = {\n variants: [\n { match: [\n /(class|interface|extends|implements)/,\n /\\s+/,\n hljs.UNDERSCORE_IDENT_RE,\n ] },\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.class\"\n }\n };\n const BUILT_INS = [\n \"DebugLog\",\n \"DebugStop\",\n \"Error\",\n \"Print\",\n \"ACos\",\n \"ACosr\",\n \"ASin\",\n \"ASinr\",\n \"ATan\",\n \"ATan2\",\n \"ATan2r\",\n \"ATanr\",\n \"Abs\",\n \"Abs\",\n \"Ceil\",\n \"Clamp\",\n \"Clamp\",\n \"Cos\",\n \"Cosr\",\n \"Exp\",\n \"Floor\",\n \"Log\",\n \"Max\",\n \"Max\",\n \"Min\",\n \"Min\",\n \"Pow\",\n \"Sgn\",\n \"Sgn\",\n \"Sin\",\n \"Sinr\",\n \"Sqrt\",\n \"Tan\",\n \"Tanr\",\n \"Seed\",\n \"PI\",\n \"HALFPI\",\n \"TWOPI\"\n ];\n const LITERALS = [\n \"true\",\n \"false\",\n \"null\"\n ];\n const KEYWORDS = [\n \"public\",\n \"private\",\n \"property\",\n \"continue\",\n \"exit\",\n \"extern\",\n \"new\",\n \"try\",\n \"catch\",\n \"eachin\",\n \"not\",\n \"abstract\",\n \"final\",\n \"select\",\n \"case\",\n \"default\",\n \"const\",\n \"local\",\n \"global\",\n \"field\",\n \"end\",\n \"if\",\n \"then\",\n \"else\",\n \"elseif\",\n \"endif\",\n \"while\",\n \"wend\",\n \"repeat\",\n \"until\",\n \"forever\",\n \"for\",\n \"to\",\n \"step\",\n \"next\",\n \"return\",\n \"module\",\n \"inline\",\n \"throw\",\n \"import\",\n // not positive, but these are not literals\n \"and\",\n \"or\",\n \"shl\",\n \"shr\",\n \"mod\"\n ];\n\n return {\n name: 'Monkey',\n case_insensitive: true,\n keywords: {\n keyword: KEYWORDS,\n built_in: BUILT_INS,\n literal: LITERALS\n },\n illegal: /\\/\\*/,\n contains: [\n hljs.COMMENT('#rem', '#end'),\n hljs.COMMENT(\n \"'\",\n '$',\n { relevance: 0 }\n ),\n FUNC_DEFINITION,\n CLASS_DEFINITION,\n {\n className: 'variable.language',\n begin: /\\b(self|super)\\b/\n },\n {\n className: 'meta',\n begin: /\\s*#/,\n end: '$',\n keywords: { keyword: 'if else elseif endif end then' }\n },\n {\n match: [\n /^\\s*/,\n /strict\\b/\n ],\n scope: { 2: \"meta\" }\n },\n {\n beginKeywords: 'alias',\n end: '=',\n contains: [ hljs.UNDERSCORE_TITLE_MODE ]\n },\n hljs.QUOTE_STRING_MODE,\n NUMBER\n ]\n };\n}\n\nmodule.exports = monkey;\n", "/*\nLanguage: MoonScript\nAuthor: Billy Quith <chinbillybilbo@gmail.com>\nDescription: MoonScript is a programming language that transcompiles to Lua.\nOrigin: coffeescript.js\nWebsite: http://moonscript.org/\nCategory: scripting\n*/\n\nfunction moonscript(hljs) {\n const KEYWORDS = {\n keyword:\n // Moonscript keywords\n 'if then not for in while do return else elseif break continue switch and or '\n + 'unless when class extends super local import export from using',\n literal:\n 'true false nil',\n built_in:\n '_G _VERSION assert collectgarbage dofile error getfenv getmetatable ipairs load '\n + 'loadfile loadstring module next pairs pcall print rawequal rawget rawset require '\n + 'select setfenv setmetatable tonumber tostring type unpack xpcall coroutine debug '\n + 'io math os package string table'\n };\n const JS_IDENT_RE = '[A-Za-z$_][0-9A-Za-z$_]*';\n const SUBST = {\n className: 'subst',\n begin: /#\\{/,\n end: /\\}/,\n keywords: KEYWORDS\n };\n const EXPRESSIONS = [\n hljs.inherit(hljs.C_NUMBER_MODE,\n { starts: {\n end: '(\\\\s*/)?',\n relevance: 0\n } }), // a number tries to eat the following slash to prevent treating it as a regexp\n {\n className: 'string',\n variants: [\n {\n begin: /'/,\n end: /'/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: /\"/,\n end: /\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ]\n }\n ]\n },\n {\n className: 'built_in',\n begin: '@__' + hljs.IDENT_RE\n },\n { begin: '@' + hljs.IDENT_RE // relevance booster on par with CoffeeScript\n },\n { begin: hljs.IDENT_RE + '\\\\\\\\' + hljs.IDENT_RE // inst\\method\n }\n ];\n SUBST.contains = EXPRESSIONS;\n\n const TITLE = hljs.inherit(hljs.TITLE_MODE, { begin: JS_IDENT_RE });\n const POSSIBLE_PARAMS_RE = '(\\\\(.*\\\\)\\\\s*)?\\\\B[-=]>';\n const PARAMS = {\n className: 'params',\n begin: '\\\\([^\\\\(]',\n returnBegin: true,\n /* We need another contained nameless mode to not have every nested\n pair of parens to be called \"params\" */\n contains: [\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS,\n contains: [ 'self' ].concat(EXPRESSIONS)\n }\n ]\n };\n\n return {\n name: 'MoonScript',\n aliases: [ 'moon' ],\n keywords: KEYWORDS,\n illegal: /\\/\\*/,\n contains: EXPRESSIONS.concat([\n hljs.COMMENT('--', '$'),\n {\n className: 'function', // function: -> =>\n begin: '^\\\\s*' + JS_IDENT_RE + '\\\\s*=\\\\s*' + POSSIBLE_PARAMS_RE,\n end: '[-=]>',\n returnBegin: true,\n contains: [\n TITLE,\n PARAMS\n ]\n },\n {\n begin: /[\\(,:=]\\s*/, // anonymous function start\n relevance: 0,\n contains: [\n {\n className: 'function',\n begin: POSSIBLE_PARAMS_RE,\n end: '[-=]>',\n returnBegin: true,\n contains: [ PARAMS ]\n }\n ]\n },\n {\n className: 'class',\n beginKeywords: 'class',\n end: '$',\n illegal: /[:=\"\\[\\]]/,\n contains: [\n {\n beginKeywords: 'extends',\n endsWithParent: true,\n illegal: /[:=\"\\[\\]]/,\n contains: [ TITLE ]\n },\n TITLE\n ]\n },\n {\n className: 'name', // table\n begin: JS_IDENT_RE + ':',\n end: ':',\n returnBegin: true,\n returnEnd: true,\n relevance: 0\n }\n ])\n };\n}\n\nmodule.exports = moonscript;\n", "/*\n Language: N1QL\n Author: Andres T\u00E4ht <andres.taht@gmail.com>\n Contributors: Rene Saarsoo <nene@triin.net>\n Description: Couchbase query language\n Website: https://www.couchbase.com/products/n1ql\n */\n\nfunction n1ql(hljs) {\n // Taken from http://developer.couchbase.com/documentation/server/current/n1ql/n1ql-language-reference/reservedwords.html\n const KEYWORDS = [\n \"all\",\n \"alter\",\n \"analyze\",\n \"and\",\n \"any\",\n \"array\",\n \"as\",\n \"asc\",\n \"begin\",\n \"between\",\n \"binary\",\n \"boolean\",\n \"break\",\n \"bucket\",\n \"build\",\n \"by\",\n \"call\",\n \"case\",\n \"cast\",\n \"cluster\",\n \"collate\",\n \"collection\",\n \"commit\",\n \"connect\",\n \"continue\",\n \"correlate\",\n \"cover\",\n \"create\",\n \"database\",\n \"dataset\",\n \"datastore\",\n \"declare\",\n \"decrement\",\n \"delete\",\n \"derived\",\n \"desc\",\n \"describe\",\n \"distinct\",\n \"do\",\n \"drop\",\n \"each\",\n \"element\",\n \"else\",\n \"end\",\n \"every\",\n \"except\",\n \"exclude\",\n \"execute\",\n \"exists\",\n \"explain\",\n \"fetch\",\n \"first\",\n \"flatten\",\n \"for\",\n \"force\",\n \"from\",\n \"function\",\n \"grant\",\n \"group\",\n \"gsi\",\n \"having\",\n \"if\",\n \"ignore\",\n \"ilike\",\n \"in\",\n \"include\",\n \"increment\",\n \"index\",\n \"infer\",\n \"inline\",\n \"inner\",\n \"insert\",\n \"intersect\",\n \"into\",\n \"is\",\n \"join\",\n \"key\",\n \"keys\",\n \"keyspace\",\n \"known\",\n \"last\",\n \"left\",\n \"let\",\n \"letting\",\n \"like\",\n \"limit\",\n \"lsm\",\n \"map\",\n \"mapping\",\n \"matched\",\n \"materialized\",\n \"merge\",\n \"minus\",\n \"namespace\",\n \"nest\",\n \"not\",\n \"number\",\n \"object\",\n \"offset\",\n \"on\",\n \"option\",\n \"or\",\n \"order\",\n \"outer\",\n \"over\",\n \"parse\",\n \"partition\",\n \"password\",\n \"path\",\n \"pool\",\n \"prepare\",\n \"primary\",\n \"private\",\n \"privilege\",\n \"procedure\",\n \"public\",\n \"raw\",\n \"realm\",\n \"reduce\",\n \"rename\",\n \"return\",\n \"returning\",\n \"revoke\",\n \"right\",\n \"role\",\n \"rollback\",\n \"satisfies\",\n \"schema\",\n \"select\",\n \"self\",\n \"semi\",\n \"set\",\n \"show\",\n \"some\",\n \"start\",\n \"statistics\",\n \"string\",\n \"system\",\n \"then\",\n \"to\",\n \"transaction\",\n \"trigger\",\n \"truncate\",\n \"under\",\n \"union\",\n \"unique\",\n \"unknown\",\n \"unnest\",\n \"unset\",\n \"update\",\n \"upsert\",\n \"use\",\n \"user\",\n \"using\",\n \"validate\",\n \"value\",\n \"valued\",\n \"values\",\n \"via\",\n \"view\",\n \"when\",\n \"where\",\n \"while\",\n \"with\",\n \"within\",\n \"work\",\n \"xor\"\n ];\n // Taken from http://developer.couchbase.com/documentation/server/4.5/n1ql/n1ql-language-reference/literals.html\n const LITERALS = [\n \"true\",\n \"false\",\n \"null\",\n \"missing|5\"\n ];\n // Taken from http://developer.couchbase.com/documentation/server/4.5/n1ql/n1ql-language-reference/functions.html\n const BUILT_INS = [\n \"array_agg\",\n \"array_append\",\n \"array_concat\",\n \"array_contains\",\n \"array_count\",\n \"array_distinct\",\n \"array_ifnull\",\n \"array_length\",\n \"array_max\",\n \"array_min\",\n \"array_position\",\n \"array_prepend\",\n \"array_put\",\n \"array_range\",\n \"array_remove\",\n \"array_repeat\",\n \"array_replace\",\n \"array_reverse\",\n \"array_sort\",\n \"array_sum\",\n \"avg\",\n \"count\",\n \"max\",\n \"min\",\n \"sum\",\n \"greatest\",\n \"least\",\n \"ifmissing\",\n \"ifmissingornull\",\n \"ifnull\",\n \"missingif\",\n \"nullif\",\n \"ifinf\",\n \"ifnan\",\n \"ifnanorinf\",\n \"naninf\",\n \"neginfif\",\n \"posinfif\",\n \"clock_millis\",\n \"clock_str\",\n \"date_add_millis\",\n \"date_add_str\",\n \"date_diff_millis\",\n \"date_diff_str\",\n \"date_part_millis\",\n \"date_part_str\",\n \"date_trunc_millis\",\n \"date_trunc_str\",\n \"duration_to_str\",\n \"millis\",\n \"str_to_millis\",\n \"millis_to_str\",\n \"millis_to_utc\",\n \"millis_to_zone_name\",\n \"now_millis\",\n \"now_str\",\n \"str_to_duration\",\n \"str_to_utc\",\n \"str_to_zone_name\",\n \"decode_json\",\n \"encode_json\",\n \"encoded_size\",\n \"poly_length\",\n \"base64\",\n \"base64_encode\",\n \"base64_decode\",\n \"meta\",\n \"uuid\",\n \"abs\",\n \"acos\",\n \"asin\",\n \"atan\",\n \"atan2\",\n \"ceil\",\n \"cos\",\n \"degrees\",\n \"e\",\n \"exp\",\n \"ln\",\n \"log\",\n \"floor\",\n \"pi\",\n \"power\",\n \"radians\",\n \"random\",\n \"round\",\n \"sign\",\n \"sin\",\n \"sqrt\",\n \"tan\",\n \"trunc\",\n \"object_length\",\n \"object_names\",\n \"object_pairs\",\n \"object_inner_pairs\",\n \"object_values\",\n \"object_inner_values\",\n \"object_add\",\n \"object_put\",\n \"object_remove\",\n \"object_unwrap\",\n \"regexp_contains\",\n \"regexp_like\",\n \"regexp_position\",\n \"regexp_replace\",\n \"contains\",\n \"initcap\",\n \"length\",\n \"lower\",\n \"ltrim\",\n \"position\",\n \"repeat\",\n \"replace\",\n \"rtrim\",\n \"split\",\n \"substr\",\n \"title\",\n \"trim\",\n \"upper\",\n \"isarray\",\n \"isatom\",\n \"isboolean\",\n \"isnumber\",\n \"isobject\",\n \"isstring\",\n \"type\",\n \"toarray\",\n \"toatom\",\n \"toboolean\",\n \"tonumber\",\n \"toobject\",\n \"tostring\"\n ];\n\n return {\n name: 'N1QL',\n case_insensitive: true,\n contains: [\n {\n beginKeywords:\n 'build create index delete drop explain infer|10 insert merge prepare select update upsert|10',\n end: /;/,\n keywords: {\n keyword: KEYWORDS,\n literal: LITERALS,\n built_in: BUILT_INS\n },\n contains: [\n {\n className: 'string',\n begin: '\\'',\n end: '\\'',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n className: 'string',\n begin: '\"',\n end: '\"',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n className: 'symbol',\n begin: '`',\n end: '`',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n hljs.C_NUMBER_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n hljs.C_BLOCK_COMMENT_MODE\n ]\n };\n}\n\nmodule.exports = n1ql;\n", "/*\nLanguage: NestedText\nDescription: NestedText is a file format for holding data that is to be entered, edited, or viewed by people.\nWebsite: https://nestedtext.org/\nCategory: config\n*/\n\n/** @type LanguageFn */\nfunction nestedtext(hljs) {\n const NESTED = {\n match: [\n /^\\s*(?=\\S)/, // have to look forward here to avoid polynomial backtracking\n /[^:]+/,\n /:\\s*/,\n /$/\n ],\n className: {\n 2: \"attribute\",\n 3: \"punctuation\"\n }\n };\n const DICTIONARY_ITEM = {\n match: [\n /^\\s*(?=\\S)/, // have to look forward here to avoid polynomial backtracking\n /[^:]*[^: ]/,\n /[ ]*:/,\n /[ ]/,\n /.*$/\n ],\n className: {\n 2: \"attribute\",\n 3: \"punctuation\",\n 5: \"string\"\n }\n };\n const STRING = {\n match: [\n /^\\s*/,\n />/,\n /[ ]/,\n /.*$/\n ],\n className: {\n 2: \"punctuation\",\n 4: \"string\"\n }\n };\n const LIST_ITEM = {\n variants: [\n { match: [\n /^\\s*/,\n /-/,\n /[ ]/,\n /.*$/\n ] },\n { match: [\n /^\\s*/,\n /-$/\n ] }\n ],\n className: {\n 2: \"bullet\",\n 4: \"string\"\n }\n };\n\n return {\n name: 'Nested Text',\n aliases: [ 'nt' ],\n contains: [\n hljs.inherit(hljs.HASH_COMMENT_MODE, {\n begin: /^\\s*(?=#)/,\n excludeBegin: true\n }),\n LIST_ITEM,\n STRING,\n NESTED,\n DICTIONARY_ITEM\n ]\n };\n}\n\nmodule.exports = nestedtext;\n", "/*\nLanguage: Nginx config\nAuthor: Peter Leonov <gojpeg@yandex.ru>\nContributors: Ivan Sagalaev <maniac@softwaremaniacs.org>\nCategory: config, web\nWebsite: https://www.nginx.com\n*/\n\n/** @type LanguageFn */\nfunction nginx(hljs) {\n const regex = hljs.regex;\n const VAR = {\n className: 'variable',\n variants: [\n { begin: /\\$\\d+/ },\n { begin: /\\$\\{\\w+\\}/ },\n { begin: regex.concat(/[$@]/, hljs.UNDERSCORE_IDENT_RE) }\n ]\n };\n const LITERALS = [\n \"on\",\n \"off\",\n \"yes\",\n \"no\",\n \"true\",\n \"false\",\n \"none\",\n \"blocked\",\n \"debug\",\n \"info\",\n \"notice\",\n \"warn\",\n \"error\",\n \"crit\",\n \"select\",\n \"break\",\n \"last\",\n \"permanent\",\n \"redirect\",\n \"kqueue\",\n \"rtsig\",\n \"epoll\",\n \"poll\",\n \"/dev/poll\"\n ];\n const DEFAULT = {\n endsWithParent: true,\n keywords: {\n $pattern: /[a-z_]{2,}|\\/dev\\/poll/,\n literal: LITERALS\n },\n relevance: 0,\n illegal: '=>',\n contains: [\n hljs.HASH_COMMENT_MODE,\n {\n className: 'string',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n VAR\n ],\n variants: [\n {\n begin: /\"/,\n end: /\"/\n },\n {\n begin: /'/,\n end: /'/\n }\n ]\n },\n // this swallows entire URLs to avoid detecting numbers within\n {\n begin: '([a-z]+):/',\n end: '\\\\s',\n endsWithParent: true,\n excludeEnd: true,\n contains: [ VAR ]\n },\n {\n className: 'regexp',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n VAR\n ],\n variants: [\n {\n begin: \"\\\\s\\\\^\",\n end: \"\\\\s|\\\\{|;\",\n returnEnd: true\n },\n // regexp locations (~, ~*)\n {\n begin: \"~\\\\*?\\\\s+\",\n end: \"\\\\s|\\\\{|;\",\n returnEnd: true\n },\n // *.example.com\n { begin: \"\\\\*(\\\\.[a-z\\\\-]+)+\" },\n // sub.example.*\n { begin: \"([a-z\\\\-]+\\\\.)+\\\\*\" }\n ]\n },\n // IP\n {\n className: 'number',\n begin: '\\\\b\\\\d{1,3}\\\\.\\\\d{1,3}\\\\.\\\\d{1,3}\\\\.\\\\d{1,3}(:\\\\d{1,5})?\\\\b'\n },\n // units\n {\n className: 'number',\n begin: '\\\\b\\\\d+[kKmMgGdshdwy]?\\\\b',\n relevance: 0\n },\n VAR\n ]\n };\n\n return {\n name: 'Nginx config',\n aliases: [ 'nginxconf' ],\n contains: [\n hljs.HASH_COMMENT_MODE,\n {\n beginKeywords: \"upstream location\",\n end: /;|\\{/,\n contains: DEFAULT.contains,\n keywords: { section: \"upstream location\" }\n },\n {\n className: 'section',\n begin: regex.concat(hljs.UNDERSCORE_IDENT_RE + regex.lookahead(/\\s+\\{/)),\n relevance: 0\n },\n {\n begin: regex.lookahead(hljs.UNDERSCORE_IDENT_RE + '\\\\s'),\n end: ';|\\\\{',\n contains: [\n {\n className: 'attribute',\n begin: hljs.UNDERSCORE_IDENT_RE,\n starts: DEFAULT\n }\n ],\n relevance: 0\n }\n ],\n illegal: '[^\\\\s\\\\}\\\\{]'\n };\n}\n\nmodule.exports = nginx;\n", "/*\nLanguage: Nim\nDescription: Nim is a statically typed compiled systems programming language.\nWebsite: https://nim-lang.org\nCategory: system\n*/\n\nfunction nim(hljs) {\n const TYPES = [\n \"int\",\n \"int8\",\n \"int16\",\n \"int32\",\n \"int64\",\n \"uint\",\n \"uint8\",\n \"uint16\",\n \"uint32\",\n \"uint64\",\n \"float\",\n \"float32\",\n \"float64\",\n \"bool\",\n \"char\",\n \"string\",\n \"cstring\",\n \"pointer\",\n \"expr\",\n \"stmt\",\n \"void\",\n \"auto\",\n \"any\",\n \"range\",\n \"array\",\n \"openarray\",\n \"varargs\",\n \"seq\",\n \"set\",\n \"clong\",\n \"culong\",\n \"cchar\",\n \"cschar\",\n \"cshort\",\n \"cint\",\n \"csize\",\n \"clonglong\",\n \"cfloat\",\n \"cdouble\",\n \"clongdouble\",\n \"cuchar\",\n \"cushort\",\n \"cuint\",\n \"culonglong\",\n \"cstringarray\",\n \"semistatic\"\n ];\n const KEYWORDS = [\n \"addr\",\n \"and\",\n \"as\",\n \"asm\",\n \"bind\",\n \"block\",\n \"break\",\n \"case\",\n \"cast\",\n \"const\",\n \"continue\",\n \"converter\",\n \"discard\",\n \"distinct\",\n \"div\",\n \"do\",\n \"elif\",\n \"else\",\n \"end\",\n \"enum\",\n \"except\",\n \"export\",\n \"finally\",\n \"for\",\n \"from\",\n \"func\",\n \"generic\",\n \"guarded\",\n \"if\",\n \"import\",\n \"in\",\n \"include\",\n \"interface\",\n \"is\",\n \"isnot\",\n \"iterator\",\n \"let\",\n \"macro\",\n \"method\",\n \"mixin\",\n \"mod\",\n \"nil\",\n \"not\",\n \"notin\",\n \"object\",\n \"of\",\n \"or\",\n \"out\",\n \"proc\",\n \"ptr\",\n \"raise\",\n \"ref\",\n \"return\",\n \"shared\",\n \"shl\",\n \"shr\",\n \"static\",\n \"template\",\n \"try\",\n \"tuple\",\n \"type\",\n \"using\",\n \"var\",\n \"when\",\n \"while\",\n \"with\",\n \"without\",\n \"xor\",\n \"yield\"\n ];\n const BUILT_INS = [\n \"stdin\",\n \"stdout\",\n \"stderr\",\n \"result\"\n ];\n const LITERALS = [\n \"true\",\n \"false\"\n ];\n return {\n name: 'Nim',\n keywords: {\n keyword: KEYWORDS,\n literal: LITERALS,\n type: TYPES,\n built_in: BUILT_INS\n },\n contains: [\n {\n className: 'meta', // Actually pragma\n begin: /\\{\\./,\n end: /\\.\\}/,\n relevance: 10\n },\n {\n className: 'string',\n begin: /[a-zA-Z]\\w*\"/,\n end: /\"/,\n contains: [ { begin: /\"\"/ } ]\n },\n {\n className: 'string',\n begin: /([a-zA-Z]\\w*)?\"\"\"/,\n end: /\"\"\"/\n },\n hljs.QUOTE_STRING_MODE,\n {\n className: 'type',\n begin: /\\b[A-Z]\\w+\\b/,\n relevance: 0\n },\n {\n className: 'number',\n relevance: 0,\n variants: [\n { begin: /\\b(0[xX][0-9a-fA-F][_0-9a-fA-F]*)('?[iIuU](8|16|32|64))?/ },\n { begin: /\\b(0o[0-7][_0-7]*)('?[iIuUfF](8|16|32|64))?/ },\n { begin: /\\b(0(b|B)[01][_01]*)('?[iIuUfF](8|16|32|64))?/ },\n { begin: /\\b(\\d[_\\d]*)('?[iIuUfF](8|16|32|64))?/ }\n ]\n },\n hljs.HASH_COMMENT_MODE\n ]\n };\n}\n\nmodule.exports = nim;\n", "/*\nLanguage: Nix\nAuthor: Domen Ko\u017Ear <domen@dev.si>\nDescription: Nix functional language\nWebsite: http://nixos.org/nix\n*/\n\nfunction nix(hljs) {\n const KEYWORDS = {\n keyword: [\n \"rec\",\n \"with\",\n \"let\",\n \"in\",\n \"inherit\",\n \"assert\",\n \"if\",\n \"else\",\n \"then\"\n ],\n literal: [\n \"true\",\n \"false\",\n \"or\",\n \"and\",\n \"null\"\n ],\n built_in: [\n \"import\",\n \"abort\",\n \"baseNameOf\",\n \"dirOf\",\n \"isNull\",\n \"builtins\",\n \"map\",\n \"removeAttrs\",\n \"throw\",\n \"toString\",\n \"derivation\"\n ]\n };\n const ANTIQUOTE = {\n className: 'subst',\n begin: /\\$\\{/,\n end: /\\}/,\n keywords: KEYWORDS\n };\n const ESCAPED_DOLLAR = {\n className: 'char.escape',\n begin: /''\\$/,\n };\n const ATTRS = {\n begin: /[a-zA-Z0-9-_]+(\\s*=)/,\n returnBegin: true,\n relevance: 0,\n contains: [\n {\n className: 'attr',\n begin: /\\S+/,\n relevance: 0.2\n }\n ]\n };\n const STRING = {\n className: 'string',\n contains: [ ESCAPED_DOLLAR, ANTIQUOTE ],\n variants: [\n {\n begin: \"''\",\n end: \"''\"\n },\n {\n begin: '\"',\n end: '\"'\n }\n ]\n };\n const EXPRESSIONS = [\n hljs.NUMBER_MODE,\n hljs.HASH_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n STRING,\n ATTRS\n ];\n ANTIQUOTE.contains = EXPRESSIONS;\n return {\n name: 'Nix',\n aliases: [ \"nixos\" ],\n keywords: KEYWORDS,\n contains: EXPRESSIONS\n };\n}\n\nmodule.exports = nix;\n", "/*\nLanguage: Node REPL\nRequires: javascript.js\nAuthor: Marat Nagayev <nagaevmt@yandex.ru>\nCategory: scripting\n*/\n\n/** @type LanguageFn */\nfunction nodeRepl(hljs) {\n return {\n name: 'Node REPL',\n contains: [\n {\n className: 'meta.prompt',\n starts: {\n // a space separates the REPL prefix from the actual code\n // this is purely for cleaner HTML output\n end: / |$/,\n starts: {\n end: '$',\n subLanguage: 'javascript'\n }\n },\n variants: [\n { begin: /^>(?=[ ]|$)/ },\n { begin: /^\\.\\.\\.(?=[ ]|$)/ }\n ]\n }\n ]\n };\n}\n\nmodule.exports = nodeRepl;\n", "/*\nLanguage: NSIS\nDescription: Nullsoft Scriptable Install System\nAuthor: Jan T. Sott <jan.sott@gmail.com>\nWebsite: https://nsis.sourceforge.io/Main_Page\n*/\n\nfunction nsis(hljs) {\n const regex = hljs.regex;\n const LANGUAGE_CONSTANTS = [\n \"ADMINTOOLS\",\n \"APPDATA\",\n \"CDBURN_AREA\",\n \"CMDLINE\",\n \"COMMONFILES32\",\n \"COMMONFILES64\",\n \"COMMONFILES\",\n \"COOKIES\",\n \"DESKTOP\",\n \"DOCUMENTS\",\n \"EXEDIR\",\n \"EXEFILE\",\n \"EXEPATH\",\n \"FAVORITES\",\n \"FONTS\",\n \"HISTORY\",\n \"HWNDPARENT\",\n \"INSTDIR\",\n \"INTERNET_CACHE\",\n \"LANGUAGE\",\n \"LOCALAPPDATA\",\n \"MUSIC\",\n \"NETHOOD\",\n \"OUTDIR\",\n \"PICTURES\",\n \"PLUGINSDIR\",\n \"PRINTHOOD\",\n \"PROFILE\",\n \"PROGRAMFILES32\",\n \"PROGRAMFILES64\",\n \"PROGRAMFILES\",\n \"QUICKLAUNCH\",\n \"RECENT\",\n \"RESOURCES_LOCALIZED\",\n \"RESOURCES\",\n \"SENDTO\",\n \"SMPROGRAMS\",\n \"SMSTARTUP\",\n \"STARTMENU\",\n \"SYSDIR\",\n \"TEMP\",\n \"TEMPLATES\",\n \"VIDEOS\",\n \"WINDIR\"\n ];\n\n const PARAM_NAMES = [\n \"ARCHIVE\",\n \"FILE_ATTRIBUTE_ARCHIVE\",\n \"FILE_ATTRIBUTE_NORMAL\",\n \"FILE_ATTRIBUTE_OFFLINE\",\n \"FILE_ATTRIBUTE_READONLY\",\n \"FILE_ATTRIBUTE_SYSTEM\",\n \"FILE_ATTRIBUTE_TEMPORARY\",\n \"HKCR\",\n \"HKCU\",\n \"HKDD\",\n \"HKEY_CLASSES_ROOT\",\n \"HKEY_CURRENT_CONFIG\",\n \"HKEY_CURRENT_USER\",\n \"HKEY_DYN_DATA\",\n \"HKEY_LOCAL_MACHINE\",\n \"HKEY_PERFORMANCE_DATA\",\n \"HKEY_USERS\",\n \"HKLM\",\n \"HKPD\",\n \"HKU\",\n \"IDABORT\",\n \"IDCANCEL\",\n \"IDIGNORE\",\n \"IDNO\",\n \"IDOK\",\n \"IDRETRY\",\n \"IDYES\",\n \"MB_ABORTRETRYIGNORE\",\n \"MB_DEFBUTTON1\",\n \"MB_DEFBUTTON2\",\n \"MB_DEFBUTTON3\",\n \"MB_DEFBUTTON4\",\n \"MB_ICONEXCLAMATION\",\n \"MB_ICONINFORMATION\",\n \"MB_ICONQUESTION\",\n \"MB_ICONSTOP\",\n \"MB_OK\",\n \"MB_OKCANCEL\",\n \"MB_RETRYCANCEL\",\n \"MB_RIGHT\",\n \"MB_RTLREADING\",\n \"MB_SETFOREGROUND\",\n \"MB_TOPMOST\",\n \"MB_USERICON\",\n \"MB_YESNO\",\n \"NORMAL\",\n \"OFFLINE\",\n \"READONLY\",\n \"SHCTX\",\n \"SHELL_CONTEXT\",\n \"SYSTEM|TEMPORARY\",\n ];\n\n const COMPILER_FLAGS = [\n \"addincludedir\",\n \"addplugindir\",\n \"appendfile\",\n \"cd\",\n \"define\",\n \"delfile\",\n \"echo\",\n \"else\",\n \"endif\",\n \"error\",\n \"execute\",\n \"finalize\",\n \"getdllversion\",\n \"gettlbversion\",\n \"if\",\n \"ifdef\",\n \"ifmacrodef\",\n \"ifmacrondef\",\n \"ifndef\",\n \"include\",\n \"insertmacro\",\n \"macro\",\n \"macroend\",\n \"makensis\",\n \"packhdr\",\n \"searchparse\",\n \"searchreplace\",\n \"system\",\n \"tempfile\",\n \"undef\",\n \"uninstfinalize\",\n \"verbose\",\n \"warning\",\n ];\n\n const CONSTANTS = {\n className: 'variable.constant',\n begin: regex.concat(/\\$/, regex.either(...LANGUAGE_CONSTANTS))\n };\n\n const DEFINES = {\n // ${defines}\n className: 'variable',\n begin: /\\$+\\{[\\!\\w.:-]+\\}/\n };\n\n const VARIABLES = {\n // $variables\n className: 'variable',\n begin: /\\$+\\w[\\w\\.]*/,\n illegal: /\\(\\)\\{\\}/\n };\n\n const LANGUAGES = {\n // $(language_strings)\n className: 'variable',\n begin: /\\$+\\([\\w^.:!-]+\\)/\n };\n\n const PARAMETERS = {\n // command parameters\n className: 'params',\n begin: regex.either(...PARAM_NAMES)\n };\n\n const COMPILER = {\n // !compiler_flags\n className: 'keyword',\n begin: regex.concat(\n /!/,\n regex.either(...COMPILER_FLAGS)\n )\n };\n\n const ESCAPE_CHARS = {\n // $\\n, $\\r, $\\t, $$\n className: 'char.escape',\n begin: /\\$(\\\\[nrt]|\\$)/\n };\n\n const PLUGINS = {\n // plug::ins\n className: 'title.function',\n begin: /\\w+::\\w+/\n };\n\n const STRING = {\n className: 'string',\n variants: [\n {\n begin: '\"',\n end: '\"'\n },\n {\n begin: '\\'',\n end: '\\''\n },\n {\n begin: '`',\n end: '`'\n }\n ],\n illegal: /\\n/,\n contains: [\n ESCAPE_CHARS,\n CONSTANTS,\n DEFINES,\n VARIABLES,\n LANGUAGES\n ]\n };\n\n const KEYWORDS = [\n \"Abort\",\n \"AddBrandingImage\",\n \"AddSize\",\n \"AllowRootDirInstall\",\n \"AllowSkipFiles\",\n \"AutoCloseWindow\",\n \"BGFont\",\n \"BGGradient\",\n \"BrandingText\",\n \"BringToFront\",\n \"Call\",\n \"CallInstDLL\",\n \"Caption\",\n \"ChangeUI\",\n \"CheckBitmap\",\n \"ClearErrors\",\n \"CompletedText\",\n \"ComponentText\",\n \"CopyFiles\",\n \"CRCCheck\",\n \"CreateDirectory\",\n \"CreateFont\",\n \"CreateShortCut\",\n \"Delete\",\n \"DeleteINISec\",\n \"DeleteINIStr\",\n \"DeleteRegKey\",\n \"DeleteRegValue\",\n \"DetailPrint\",\n \"DetailsButtonText\",\n \"DirText\",\n \"DirVar\",\n \"DirVerify\",\n \"EnableWindow\",\n \"EnumRegKey\",\n \"EnumRegValue\",\n \"Exch\",\n \"Exec\",\n \"ExecShell\",\n \"ExecShellWait\",\n \"ExecWait\",\n \"ExpandEnvStrings\",\n \"File\",\n \"FileBufSize\",\n \"FileClose\",\n \"FileErrorText\",\n \"FileOpen\",\n \"FileRead\",\n \"FileReadByte\",\n \"FileReadUTF16LE\",\n \"FileReadWord\",\n \"FileWriteUTF16LE\",\n \"FileSeek\",\n \"FileWrite\",\n \"FileWriteByte\",\n \"FileWriteWord\",\n \"FindClose\",\n \"FindFirst\",\n \"FindNext\",\n \"FindWindow\",\n \"FlushINI\",\n \"GetCurInstType\",\n \"GetCurrentAddress\",\n \"GetDlgItem\",\n \"GetDLLVersion\",\n \"GetDLLVersionLocal\",\n \"GetErrorLevel\",\n \"GetFileTime\",\n \"GetFileTimeLocal\",\n \"GetFullPathName\",\n \"GetFunctionAddress\",\n \"GetInstDirError\",\n \"GetKnownFolderPath\",\n \"GetLabelAddress\",\n \"GetTempFileName\",\n \"GetWinVer\",\n \"Goto\",\n \"HideWindow\",\n \"Icon\",\n \"IfAbort\",\n \"IfErrors\",\n \"IfFileExists\",\n \"IfRebootFlag\",\n \"IfRtlLanguage\",\n \"IfShellVarContextAll\",\n \"IfSilent\",\n \"InitPluginsDir\",\n \"InstallButtonText\",\n \"InstallColors\",\n \"InstallDir\",\n \"InstallDirRegKey\",\n \"InstProgressFlags\",\n \"InstType\",\n \"InstTypeGetText\",\n \"InstTypeSetText\",\n \"Int64Cmp\",\n \"Int64CmpU\",\n \"Int64Fmt\",\n \"IntCmp\",\n \"IntCmpU\",\n \"IntFmt\",\n \"IntOp\",\n \"IntPtrCmp\",\n \"IntPtrCmpU\",\n \"IntPtrOp\",\n \"IsWindow\",\n \"LangString\",\n \"LicenseBkColor\",\n \"LicenseData\",\n \"LicenseForceSelection\",\n \"LicenseLangString\",\n \"LicenseText\",\n \"LoadAndSetImage\",\n \"LoadLanguageFile\",\n \"LockWindow\",\n \"LogSet\",\n \"LogText\",\n \"ManifestDPIAware\",\n \"ManifestLongPathAware\",\n \"ManifestMaxVersionTested\",\n \"ManifestSupportedOS\",\n \"MessageBox\",\n \"MiscButtonText\",\n \"Name|0\",\n \"Nop\",\n \"OutFile\",\n \"Page\",\n \"PageCallbacks\",\n \"PEAddResource\",\n \"PEDllCharacteristics\",\n \"PERemoveResource\",\n \"PESubsysVer\",\n \"Pop\",\n \"Push\",\n \"Quit\",\n \"ReadEnvStr\",\n \"ReadINIStr\",\n \"ReadRegDWORD\",\n \"ReadRegStr\",\n \"Reboot\",\n \"RegDLL\",\n \"Rename\",\n \"RequestExecutionLevel\",\n \"ReserveFile\",\n \"Return\",\n \"RMDir\",\n \"SearchPath\",\n \"SectionGetFlags\",\n \"SectionGetInstTypes\",\n \"SectionGetSize\",\n \"SectionGetText\",\n \"SectionIn\",\n \"SectionSetFlags\",\n \"SectionSetInstTypes\",\n \"SectionSetSize\",\n \"SectionSetText\",\n \"SendMessage\",\n \"SetAutoClose\",\n \"SetBrandingImage\",\n \"SetCompress\",\n \"SetCompressor\",\n \"SetCompressorDictSize\",\n \"SetCtlColors\",\n \"SetCurInstType\",\n \"SetDatablockOptimize\",\n \"SetDateSave\",\n \"SetDetailsPrint\",\n \"SetDetailsView\",\n \"SetErrorLevel\",\n \"SetErrors\",\n \"SetFileAttributes\",\n \"SetFont\",\n \"SetOutPath\",\n \"SetOverwrite\",\n \"SetRebootFlag\",\n \"SetRegView\",\n \"SetShellVarContext\",\n \"SetSilent\",\n \"ShowInstDetails\",\n \"ShowUninstDetails\",\n \"ShowWindow\",\n \"SilentInstall\",\n \"SilentUnInstall\",\n \"Sleep\",\n \"SpaceTexts\",\n \"StrCmp\",\n \"StrCmpS\",\n \"StrCpy\",\n \"StrLen\",\n \"SubCaption\",\n \"Unicode\",\n \"UninstallButtonText\",\n \"UninstallCaption\",\n \"UninstallIcon\",\n \"UninstallSubCaption\",\n \"UninstallText\",\n \"UninstPage\",\n \"UnRegDLL\",\n \"Var\",\n \"VIAddVersionKey\",\n \"VIFileVersion\",\n \"VIProductVersion\",\n \"WindowIcon\",\n \"WriteINIStr\",\n \"WriteRegBin\",\n \"WriteRegDWORD\",\n \"WriteRegExpandStr\",\n \"WriteRegMultiStr\",\n \"WriteRegNone\",\n \"WriteRegStr\",\n \"WriteUninstaller\",\n \"XPStyle\"\n ];\n\n const LITERALS = [\n \"admin\",\n \"all\",\n \"auto\",\n \"both\",\n \"bottom\",\n \"bzip2\",\n \"colored\",\n \"components\",\n \"current\",\n \"custom\",\n \"directory\",\n \"false\",\n \"force\",\n \"hide\",\n \"highest\",\n \"ifdiff\",\n \"ifnewer\",\n \"instfiles\",\n \"lastused\",\n \"leave\",\n \"left\",\n \"license\",\n \"listonly\",\n \"lzma\",\n \"nevershow\",\n \"none\",\n \"normal\",\n \"notset\",\n \"off\",\n \"on\",\n \"open\",\n \"print\",\n \"right\",\n \"show\",\n \"silent\",\n \"silentlog\",\n \"smooth\",\n \"textonly\",\n \"top\",\n \"true\",\n \"try\",\n \"un.components\",\n \"un.custom\",\n \"un.directory\",\n \"un.instfiles\",\n \"un.license\",\n \"uninstConfirm\",\n \"user\",\n \"Win10\",\n \"Win7\",\n \"Win8\",\n \"WinVista\",\n \"zlib\"\n ];\n\n const FUNCTION_DEFINITION = {\n match: [\n /Function/,\n /\\s+/,\n regex.concat(/(\\.)?/, hljs.IDENT_RE)\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.function\"\n }\n };\n\n // Var Custom.Variable.Name.Item\n // Var /GLOBAL Custom.Variable.Name.Item\n const VARIABLE_NAME_RE = /[A-Za-z][\\w.]*/;\n const VARIABLE_DEFINITION = {\n match: [\n /Var/,\n /\\s+/,\n /(?:\\/GLOBAL\\s+)?/,\n VARIABLE_NAME_RE\n ],\n scope: {\n 1: \"keyword\",\n 3: \"params\",\n 4: \"variable\"\n }\n };\n\n return {\n name: 'NSIS',\n case_insensitive: true,\n keywords: {\n keyword: KEYWORDS,\n literal: LITERALS\n },\n contains: [\n hljs.HASH_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.COMMENT(\n ';',\n '$',\n { relevance: 0 }\n ),\n VARIABLE_DEFINITION,\n FUNCTION_DEFINITION,\n { beginKeywords: 'Function PageEx Section SectionGroup FunctionEnd SectionEnd', },\n STRING,\n COMPILER,\n DEFINES,\n VARIABLES,\n LANGUAGES,\n PARAMETERS,\n PLUGINS,\n hljs.NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = nsis;\n", "/*\nLanguage: Objective-C\nAuthor: Valerii Hiora <valerii.hiora@gmail.com>\nContributors: Angel G. Olloqui <angelgarcia.mail@gmail.com>, Matt Diephouse <matt@diephouse.com>, Andrew Farmer <ahfarmer@gmail.com>, Minh Nguy\u1EC5n <mxn@1ec5.org>\nWebsite: https://developer.apple.com/documentation/objectivec\nCategory: common\n*/\n\nfunction objectivec(hljs) {\n const API_CLASS = {\n className: 'built_in',\n begin: '\\\\b(AV|CA|CF|CG|CI|CL|CM|CN|CT|MK|MP|MTK|MTL|NS|SCN|SK|UI|WK|XC)\\\\w+'\n };\n const IDENTIFIER_RE = /[a-zA-Z@][a-zA-Z0-9_]*/;\n const TYPES = [\n \"int\",\n \"float\",\n \"char\",\n \"unsigned\",\n \"signed\",\n \"short\",\n \"long\",\n \"double\",\n \"wchar_t\",\n \"unichar\",\n \"void\",\n \"bool\",\n \"BOOL\",\n \"id|0\",\n \"_Bool\"\n ];\n const KWS = [\n \"while\",\n \"export\",\n \"sizeof\",\n \"typedef\",\n \"const\",\n \"struct\",\n \"for\",\n \"union\",\n \"volatile\",\n \"static\",\n \"mutable\",\n \"if\",\n \"do\",\n \"return\",\n \"goto\",\n \"enum\",\n \"else\",\n \"break\",\n \"extern\",\n \"asm\",\n \"case\",\n \"default\",\n \"register\",\n \"explicit\",\n \"typename\",\n \"switch\",\n \"continue\",\n \"inline\",\n \"readonly\",\n \"assign\",\n \"readwrite\",\n \"self\",\n \"@synchronized\",\n \"id\",\n \"typeof\",\n \"nonatomic\",\n \"IBOutlet\",\n \"IBAction\",\n \"strong\",\n \"weak\",\n \"copy\",\n \"in\",\n \"out\",\n \"inout\",\n \"bycopy\",\n \"byref\",\n \"oneway\",\n \"__strong\",\n \"__weak\",\n \"__block\",\n \"__autoreleasing\",\n \"@private\",\n \"@protected\",\n \"@public\",\n \"@try\",\n \"@property\",\n \"@end\",\n \"@throw\",\n \"@catch\",\n \"@finally\",\n \"@autoreleasepool\",\n \"@synthesize\",\n \"@dynamic\",\n \"@selector\",\n \"@optional\",\n \"@required\",\n \"@encode\",\n \"@package\",\n \"@import\",\n \"@defs\",\n \"@compatibility_alias\",\n \"__bridge\",\n \"__bridge_transfer\",\n \"__bridge_retained\",\n \"__bridge_retain\",\n \"__covariant\",\n \"__contravariant\",\n \"__kindof\",\n \"_Nonnull\",\n \"_Nullable\",\n \"_Null_unspecified\",\n \"__FUNCTION__\",\n \"__PRETTY_FUNCTION__\",\n \"__attribute__\",\n \"getter\",\n \"setter\",\n \"retain\",\n \"unsafe_unretained\",\n \"nonnull\",\n \"nullable\",\n \"null_unspecified\",\n \"null_resettable\",\n \"class\",\n \"instancetype\",\n \"NS_DESIGNATED_INITIALIZER\",\n \"NS_UNAVAILABLE\",\n \"NS_REQUIRES_SUPER\",\n \"NS_RETURNS_INNER_POINTER\",\n \"NS_INLINE\",\n \"NS_AVAILABLE\",\n \"NS_DEPRECATED\",\n \"NS_ENUM\",\n \"NS_OPTIONS\",\n \"NS_SWIFT_UNAVAILABLE\",\n \"NS_ASSUME_NONNULL_BEGIN\",\n \"NS_ASSUME_NONNULL_END\",\n \"NS_REFINED_FOR_SWIFT\",\n \"NS_SWIFT_NAME\",\n \"NS_SWIFT_NOTHROW\",\n \"NS_DURING\",\n \"NS_HANDLER\",\n \"NS_ENDHANDLER\",\n \"NS_VALUERETURN\",\n \"NS_VOIDRETURN\"\n ];\n const LITERALS = [\n \"false\",\n \"true\",\n \"FALSE\",\n \"TRUE\",\n \"nil\",\n \"YES\",\n \"NO\",\n \"NULL\"\n ];\n const BUILT_INS = [\n \"dispatch_once_t\",\n \"dispatch_queue_t\",\n \"dispatch_sync\",\n \"dispatch_async\",\n \"dispatch_once\"\n ];\n const KEYWORDS = {\n \"variable.language\": [\n \"this\",\n \"super\"\n ],\n $pattern: IDENTIFIER_RE,\n keyword: KWS,\n literal: LITERALS,\n built_in: BUILT_INS,\n type: TYPES\n };\n const CLASS_KEYWORDS = {\n $pattern: IDENTIFIER_RE,\n keyword: [\n \"@interface\",\n \"@class\",\n \"@protocol\",\n \"@implementation\"\n ]\n };\n return {\n name: 'Objective-C',\n aliases: [\n 'mm',\n 'objc',\n 'obj-c',\n 'obj-c++',\n 'objective-c++'\n ],\n keywords: KEYWORDS,\n illegal: '</',\n contains: [\n API_CLASS,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.C_NUMBER_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n {\n className: 'string',\n variants: [\n {\n begin: '@\"',\n end: '\"',\n illegal: '\\\\n',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n }\n ]\n },\n {\n className: 'meta',\n begin: /#\\s*[a-z]+\\b/,\n end: /$/,\n keywords: { keyword:\n 'if else elif endif define undef warning error line '\n + 'pragma ifdef ifndef include' },\n contains: [\n {\n begin: /\\\\\\n/,\n relevance: 0\n },\n hljs.inherit(hljs.QUOTE_STRING_MODE, { className: 'string' }),\n {\n className: 'string',\n begin: /<.*?>/,\n end: /$/,\n illegal: '\\\\n'\n },\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n },\n {\n className: 'class',\n begin: '(' + CLASS_KEYWORDS.keyword.join('|') + ')\\\\b',\n end: /(\\{|$)/,\n excludeEnd: true,\n keywords: CLASS_KEYWORDS,\n contains: [ hljs.UNDERSCORE_TITLE_MODE ]\n },\n {\n begin: '\\\\.' + hljs.UNDERSCORE_IDENT_RE,\n relevance: 0\n }\n ]\n };\n}\n\nmodule.exports = objectivec;\n", "/*\nLanguage: OCaml\nAuthor: Mehdi Dogguy <mehdi@dogguy.org>\nContributors: Nicolas Braud-Santoni <nicolas.braud-santoni@ens-cachan.fr>, Mickael Delahaye <mickael.delahaye@gmail.com>\nDescription: OCaml language definition.\nWebsite: https://ocaml.org\nCategory: functional\n*/\n\nfunction ocaml(hljs) {\n /* missing support for heredoc-like string (OCaml 4.0.2+) */\n return {\n name: 'OCaml',\n aliases: [ 'ml' ],\n keywords: {\n $pattern: '[a-z_]\\\\w*!?',\n keyword:\n 'and as assert asr begin class constraint do done downto else end '\n + 'exception external for fun function functor if in include '\n + 'inherit! inherit initializer land lazy let lor lsl lsr lxor match method!|10 method '\n + 'mod module mutable new object of open! open or private rec sig struct '\n + 'then to try type val! val virtual when while with '\n /* camlp4 */\n + 'parser value',\n built_in:\n /* built-in types */\n 'array bool bytes char exn|5 float int int32 int64 list lazy_t|5 nativeint|5 string unit '\n /* (some) types in Pervasives */\n + 'in_channel out_channel ref',\n literal:\n 'true false'\n },\n illegal: /\\/\\/|>>/,\n contains: [\n {\n className: 'literal',\n begin: '\\\\[(\\\\|\\\\|)?\\\\]|\\\\(\\\\)',\n relevance: 0\n },\n hljs.COMMENT(\n '\\\\(\\\\*',\n '\\\\*\\\\)',\n { contains: [ 'self' ] }\n ),\n { /* type variable */\n className: 'symbol',\n begin: '\\'[A-Za-z_](?!\\')[\\\\w\\']*'\n /* the grammar is ambiguous on how 'a'b should be interpreted but not the compiler */\n },\n { /* polymorphic variant */\n className: 'type',\n begin: '`[A-Z][\\\\w\\']*'\n },\n { /* module or constructor */\n className: 'type',\n begin: '\\\\b[A-Z][\\\\w\\']*',\n relevance: 0\n },\n { /* don't color identifiers, but safely catch all identifiers with ' */\n begin: '[a-z_]\\\\w*\\'[\\\\w\\']*',\n relevance: 0\n },\n hljs.inherit(hljs.APOS_STRING_MODE, {\n className: 'string',\n relevance: 0\n }),\n hljs.inherit(hljs.QUOTE_STRING_MODE, { illegal: null }),\n {\n className: 'number',\n begin:\n '\\\\b(0[xX][a-fA-F0-9_]+[Lln]?|'\n + '0[oO][0-7_]+[Lln]?|'\n + '0[bB][01_]+[Lln]?|'\n + '[0-9][0-9_]*([Lln]|(\\\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)',\n relevance: 0\n },\n { begin: /->/ // relevance booster\n }\n ]\n };\n}\n\nmodule.exports = ocaml;\n", "/*\nLanguage: OpenSCAD\nAuthor: Dan Panzarella <alsoelp@gmail.com>\nDescription: OpenSCAD is a language for the 3D CAD modeling software of the same name.\nWebsite: https://www.openscad.org\nCategory: scientific\n*/\n\nfunction openscad(hljs) {\n const SPECIAL_VARS = {\n className: 'keyword',\n begin: '\\\\$(f[asn]|t|vp[rtd]|children)'\n };\n const LITERALS = {\n className: 'literal',\n begin: 'false|true|PI|undef'\n };\n const NUMBERS = {\n className: 'number',\n begin: '\\\\b\\\\d+(\\\\.\\\\d+)?(e-?\\\\d+)?', // adds 1e5, 1e-10\n relevance: 0\n };\n const STRING = hljs.inherit(hljs.QUOTE_STRING_MODE, { illegal: null });\n const PREPRO = {\n className: 'meta',\n keywords: { keyword: 'include use' },\n begin: 'include|use <',\n end: '>'\n };\n const PARAMS = {\n className: 'params',\n begin: '\\\\(',\n end: '\\\\)',\n contains: [\n 'self',\n NUMBERS,\n STRING,\n SPECIAL_VARS,\n LITERALS\n ]\n };\n const MODIFIERS = {\n begin: '[*!#%]',\n relevance: 0\n };\n const FUNCTIONS = {\n className: 'function',\n beginKeywords: 'module function',\n end: /=|\\{/,\n contains: [\n PARAMS,\n hljs.UNDERSCORE_TITLE_MODE\n ]\n };\n\n return {\n name: 'OpenSCAD',\n aliases: [ 'scad' ],\n keywords: {\n keyword: 'function module include use for intersection_for if else \\\\%',\n literal: 'false true PI undef',\n built_in: 'circle square polygon text sphere cube cylinder polyhedron translate rotate scale resize mirror multmatrix color offset hull minkowski union difference intersection abs sign sin cos tan acos asin atan atan2 floor round ceil ln log pow sqrt exp rands min max concat lookup str chr search version version_num norm cross parent_module echo import import_dxf dxf_linear_extrude linear_extrude rotate_extrude surface projection render children dxf_cross dxf_dim let assign'\n },\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n NUMBERS,\n PREPRO,\n STRING,\n SPECIAL_VARS,\n MODIFIERS,\n FUNCTIONS\n ]\n };\n}\n\nmodule.exports = openscad;\n", "/*\nLanguage: Oxygene\nAuthor: Carlo Kok <ck@remobjects.com>\nDescription: Oxygene is built on the foundation of Object Pascal, revamped and extended to be a modern language for the twenty-first century.\nWebsite: https://www.elementscompiler.com/elements/default.aspx\n*/\n\nfunction oxygene(hljs) {\n const OXYGENE_KEYWORDS = {\n $pattern: /\\.?\\w+/,\n keyword:\n 'abstract add and array as asc aspect assembly async begin break block by case class concat const copy constructor continue '\n + 'create default delegate desc distinct div do downto dynamic each else empty end ensure enum equals event except exit extension external false '\n + 'final finalize finalizer finally flags for forward from function future global group has if implementation implements implies in index inherited '\n + 'inline interface into invariants is iterator join locked locking loop matching method mod module namespace nested new nil not notify nullable of '\n + 'old on operator or order out override parallel params partial pinned private procedure property protected public queryable raise read readonly '\n + 'record reintroduce remove repeat require result reverse sealed select self sequence set shl shr skip static step soft take then to true try tuple '\n + 'type union unit unsafe until uses using var virtual raises volatile where while with write xor yield await mapped deprecated stdcall cdecl pascal '\n + 'register safecall overload library platform reference packed strict published autoreleasepool selector strong weak unretained'\n };\n const CURLY_COMMENT = hljs.COMMENT(\n /\\{/,\n /\\}/,\n { relevance: 0 }\n );\n const PAREN_COMMENT = hljs.COMMENT(\n '\\\\(\\\\*',\n '\\\\*\\\\)',\n { relevance: 10 }\n );\n const STRING = {\n className: 'string',\n begin: '\\'',\n end: '\\'',\n contains: [ { begin: '\\'\\'' } ]\n };\n const CHAR_STRING = {\n className: 'string',\n begin: '(#\\\\d+)+'\n };\n const FUNCTION = {\n beginKeywords: 'function constructor destructor procedure method',\n end: '[:;]',\n keywords: 'function constructor|10 destructor|10 procedure|10 method|10',\n contains: [\n hljs.inherit(hljs.TITLE_MODE, { scope: \"title.function\" }),\n {\n className: 'params',\n begin: '\\\\(',\n end: '\\\\)',\n keywords: OXYGENE_KEYWORDS,\n contains: [\n STRING,\n CHAR_STRING\n ]\n },\n CURLY_COMMENT,\n PAREN_COMMENT\n ]\n };\n\n const SEMICOLON = {\n scope: \"punctuation\",\n match: /;/,\n relevance: 0\n };\n\n return {\n name: 'Oxygene',\n case_insensitive: true,\n keywords: OXYGENE_KEYWORDS,\n illegal: '(\"|\\\\$[G-Zg-z]|\\\\/\\\\*|</|=>|->)',\n contains: [\n CURLY_COMMENT,\n PAREN_COMMENT,\n hljs.C_LINE_COMMENT_MODE,\n STRING,\n CHAR_STRING,\n hljs.NUMBER_MODE,\n FUNCTION,\n SEMICOLON\n ]\n };\n}\n\nmodule.exports = oxygene;\n", "/*\nLanguage: Parser3\nRequires: xml.js\nAuthor: Oleg Volchkov <oleg@volchkov.net>\nWebsite: https://www.parser.ru/en/\nCategory: template\n*/\n\nfunction parser3(hljs) {\n const CURLY_SUBCOMMENT = hljs.COMMENT(\n /\\{/,\n /\\}/,\n { contains: [ 'self' ] }\n );\n return {\n name: 'Parser3',\n subLanguage: 'xml',\n relevance: 0,\n contains: [\n hljs.COMMENT('^#', '$'),\n hljs.COMMENT(\n /\\^rem\\{/,\n /\\}/,\n {\n relevance: 10,\n contains: [ CURLY_SUBCOMMENT ]\n }\n ),\n {\n className: 'meta',\n begin: '^@(?:BASE|USE|CLASS|OPTIONS)$',\n relevance: 10\n },\n {\n className: 'title',\n begin: '@[\\\\w\\\\-]+\\\\[[\\\\w^;\\\\-]*\\\\](?:\\\\[[\\\\w^;\\\\-]*\\\\])?(?:.*)$'\n },\n {\n className: 'variable',\n begin: /\\$\\{?[\\w\\-.:]+\\}?/\n },\n {\n className: 'keyword',\n begin: /\\^[\\w\\-.:]+/\n },\n {\n className: 'number',\n begin: '\\\\^#[0-9a-fA-F]+'\n },\n hljs.C_NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = parser3;\n", "/*\nLanguage: Packet Filter config\nDescription: pf.conf \u2014 packet filter configuration file (OpenBSD)\nAuthor: Peter Piwowarski <oldlaptop654@aol.com>\nWebsite: http://man.openbsd.org/pf.conf\nCategory: config\n*/\n\nfunction pf(hljs) {\n const MACRO = {\n className: 'variable',\n begin: /\\$[\\w\\d#@][\\w\\d_]*/,\n relevance: 0\n };\n const TABLE = {\n className: 'variable',\n begin: /<(?!\\/)/,\n end: />/\n };\n\n return {\n name: 'Packet Filter config',\n aliases: [ 'pf.conf' ],\n keywords: {\n $pattern: /[a-z0-9_<>-]+/,\n built_in: /* block match pass are \"actions\" in pf.conf(5), the rest are\n * lexically similar top-level commands.\n */\n 'block match pass load anchor|5 antispoof|10 set table',\n keyword:\n 'in out log quick on rdomain inet inet6 proto from port os to route '\n + 'allow-opts divert-packet divert-reply divert-to flags group icmp-type '\n + 'icmp6-type label once probability recieved-on rtable prio queue '\n + 'tos tag tagged user keep fragment for os drop '\n + 'af-to|10 binat-to|10 nat-to|10 rdr-to|10 bitmask least-stats random round-robin '\n + 'source-hash static-port '\n + 'dup-to reply-to route-to '\n + 'parent bandwidth default min max qlimit '\n + 'block-policy debug fingerprints hostid limit loginterface optimization '\n + 'reassemble ruleset-optimization basic none profile skip state-defaults '\n + 'state-policy timeout '\n + 'const counters persist '\n + 'no modulate synproxy state|5 floating if-bound no-sync pflow|10 sloppy '\n + 'source-track global rule max-src-nodes max-src-states max-src-conn '\n + 'max-src-conn-rate overload flush '\n + 'scrub|5 max-mss min-ttl no-df|10 random-id',\n literal:\n 'all any no-route self urpf-failed egress|5 unknown'\n },\n contains: [\n hljs.HASH_COMMENT_MODE,\n hljs.NUMBER_MODE,\n hljs.QUOTE_STRING_MODE,\n MACRO,\n TABLE\n ]\n };\n}\n\nmodule.exports = pf;\n", "/*\nLanguage: PostgreSQL and PL/pgSQL\nAuthor: Egor Rogov (e.rogov@postgrespro.ru)\nWebsite: https://www.postgresql.org/docs/11/sql.html\nDescription:\n This language incorporates both PostgreSQL SQL dialect and PL/pgSQL language.\n It is based on PostgreSQL version 11. Some notes:\n - Text in double-dollar-strings is _always_ interpreted as some programming code. Text\n in ordinary quotes is _never_ interpreted that way and highlighted just as a string.\n - There are quite a bit \"special cases\". That's because many keywords are not strictly\n they are keywords in some contexts and ordinary identifiers in others. Only some\n of such cases are handled; you still can get some of your identifiers highlighted\n wrong way.\n - Function names deliberately are not highlighted. There is no way to tell function\n call from other constructs, hence we can't highlight _all_ function names. And\n some names highlighted while others not looks ugly.\n*/\n\nfunction pgsql(hljs) {\n const COMMENT_MODE = hljs.COMMENT('--', '$');\n const UNQUOTED_IDENT = '[a-zA-Z_][a-zA-Z_0-9$]*';\n const DOLLAR_STRING = '\\\\$([a-zA-Z_]?|[a-zA-Z_][a-zA-Z_0-9]*)\\\\$';\n const LABEL = '<<\\\\s*' + UNQUOTED_IDENT + '\\\\s*>>';\n\n const SQL_KW =\n // https://www.postgresql.org/docs/11/static/sql-keywords-appendix.html\n // https://www.postgresql.org/docs/11/static/sql-commands.html\n // SQL commands (starting words)\n 'ABORT ALTER ANALYZE BEGIN CALL CHECKPOINT|10 CLOSE CLUSTER COMMENT COMMIT COPY CREATE DEALLOCATE DECLARE '\n + 'DELETE DISCARD DO DROP END EXECUTE EXPLAIN FETCH GRANT IMPORT INSERT LISTEN LOAD LOCK MOVE NOTIFY '\n + 'PREPARE REASSIGN|10 REFRESH REINDEX RELEASE RESET REVOKE ROLLBACK SAVEPOINT SECURITY SELECT SET SHOW '\n + 'START TRUNCATE UNLISTEN|10 UPDATE VACUUM|10 VALUES '\n // SQL commands (others)\n + 'AGGREGATE COLLATION CONVERSION|10 DATABASE DEFAULT PRIVILEGES DOMAIN TRIGGER EXTENSION FOREIGN '\n + 'WRAPPER|10 TABLE FUNCTION GROUP LANGUAGE LARGE OBJECT MATERIALIZED VIEW OPERATOR CLASS '\n + 'FAMILY POLICY PUBLICATION|10 ROLE RULE SCHEMA SEQUENCE SERVER STATISTICS SUBSCRIPTION SYSTEM '\n + 'TABLESPACE CONFIGURATION DICTIONARY PARSER TEMPLATE TYPE USER MAPPING PREPARED ACCESS '\n + 'METHOD CAST AS TRANSFORM TRANSACTION OWNED TO INTO SESSION AUTHORIZATION '\n + 'INDEX PROCEDURE ASSERTION '\n // additional reserved key words\n + 'ALL ANALYSE AND ANY ARRAY ASC ASYMMETRIC|10 BOTH CASE CHECK '\n + 'COLLATE COLUMN CONCURRENTLY|10 CONSTRAINT CROSS '\n + 'DEFERRABLE RANGE '\n + 'DESC DISTINCT ELSE EXCEPT FOR FREEZE|10 FROM FULL HAVING '\n + 'ILIKE IN INITIALLY INNER INTERSECT IS ISNULL JOIN LATERAL LEADING LIKE LIMIT '\n + 'NATURAL NOT NOTNULL NULL OFFSET ON ONLY OR ORDER OUTER OVERLAPS PLACING PRIMARY '\n + 'REFERENCES RETURNING SIMILAR SOME SYMMETRIC TABLESAMPLE THEN '\n + 'TRAILING UNION UNIQUE USING VARIADIC|10 VERBOSE WHEN WHERE WINDOW WITH '\n // some of non-reserved (which are used in clauses or as PL/pgSQL keyword)\n + 'BY RETURNS INOUT OUT SETOF|10 IF STRICT CURRENT CONTINUE OWNER LOCATION OVER PARTITION WITHIN '\n + 'BETWEEN ESCAPE EXTERNAL INVOKER DEFINER WORK RENAME VERSION CONNECTION CONNECT '\n + 'TABLES TEMP TEMPORARY FUNCTIONS SEQUENCES TYPES SCHEMAS OPTION CASCADE RESTRICT ADD ADMIN '\n + 'EXISTS VALID VALIDATE ENABLE DISABLE REPLICA|10 ALWAYS PASSING COLUMNS PATH '\n + 'REF VALUE OVERRIDING IMMUTABLE STABLE VOLATILE BEFORE AFTER EACH ROW PROCEDURAL '\n + 'ROUTINE NO HANDLER VALIDATOR OPTIONS STORAGE OIDS|10 WITHOUT INHERIT DEPENDS CALLED '\n + 'INPUT LEAKPROOF|10 COST ROWS NOWAIT SEARCH UNTIL ENCRYPTED|10 PASSWORD CONFLICT|10 '\n + 'INSTEAD INHERITS CHARACTERISTICS WRITE CURSOR ALSO STATEMENT SHARE EXCLUSIVE INLINE '\n + 'ISOLATION REPEATABLE READ COMMITTED SERIALIZABLE UNCOMMITTED LOCAL GLOBAL SQL PROCEDURES '\n + 'RECURSIVE SNAPSHOT ROLLUP CUBE TRUSTED|10 INCLUDE FOLLOWING PRECEDING UNBOUNDED RANGE GROUPS '\n + 'UNENCRYPTED|10 SYSID FORMAT DELIMITER HEADER QUOTE ENCODING FILTER OFF '\n // some parameters of VACUUM/ANALYZE/EXPLAIN\n + 'FORCE_QUOTE FORCE_NOT_NULL FORCE_NULL COSTS BUFFERS TIMING SUMMARY DISABLE_PAGE_SKIPPING '\n //\n + 'RESTART CYCLE GENERATED IDENTITY DEFERRED IMMEDIATE LEVEL LOGGED UNLOGGED '\n + 'OF NOTHING NONE EXCLUDE ATTRIBUTE '\n // from GRANT (not keywords actually)\n + 'USAGE ROUTINES '\n // actually literals, but look better this way (due to IS TRUE, IS FALSE, ISNULL etc)\n + 'TRUE FALSE NAN INFINITY ';\n\n const ROLE_ATTRS = // only those not in keywrods already\n 'SUPERUSER NOSUPERUSER CREATEDB NOCREATEDB CREATEROLE NOCREATEROLE INHERIT NOINHERIT '\n + 'LOGIN NOLOGIN REPLICATION NOREPLICATION BYPASSRLS NOBYPASSRLS ';\n\n const PLPGSQL_KW =\n 'ALIAS BEGIN CONSTANT DECLARE END EXCEPTION RETURN PERFORM|10 RAISE GET DIAGNOSTICS '\n + 'STACKED|10 FOREACH LOOP ELSIF EXIT WHILE REVERSE SLICE DEBUG LOG INFO NOTICE WARNING ASSERT '\n + 'OPEN ';\n\n const TYPES =\n // https://www.postgresql.org/docs/11/static/datatype.html\n 'BIGINT INT8 BIGSERIAL SERIAL8 BIT VARYING VARBIT BOOLEAN BOOL BOX BYTEA CHARACTER CHAR VARCHAR '\n + 'CIDR CIRCLE DATE DOUBLE PRECISION FLOAT8 FLOAT INET INTEGER INT INT4 INTERVAL JSON JSONB LINE LSEG|10 '\n + 'MACADDR MACADDR8 MONEY NUMERIC DEC DECIMAL PATH POINT POLYGON REAL FLOAT4 SMALLINT INT2 '\n + 'SMALLSERIAL|10 SERIAL2|10 SERIAL|10 SERIAL4|10 TEXT TIME ZONE TIMETZ|10 TIMESTAMP TIMESTAMPTZ|10 TSQUERY|10 TSVECTOR|10 '\n + 'TXID_SNAPSHOT|10 UUID XML NATIONAL NCHAR '\n + 'INT4RANGE|10 INT8RANGE|10 NUMRANGE|10 TSRANGE|10 TSTZRANGE|10 DATERANGE|10 '\n // pseudotypes\n + 'ANYELEMENT ANYARRAY ANYNONARRAY ANYENUM ANYRANGE CSTRING INTERNAL '\n + 'RECORD PG_DDL_COMMAND VOID UNKNOWN OPAQUE REFCURSOR '\n // spec. type\n + 'NAME '\n // OID-types\n + 'OID REGPROC|10 REGPROCEDURE|10 REGOPER|10 REGOPERATOR|10 REGCLASS|10 REGTYPE|10 REGROLE|10 '\n + 'REGNAMESPACE|10 REGCONFIG|10 REGDICTIONARY|10 ';// +\n\n const TYPES_RE =\n TYPES.trim()\n .split(' ')\n .map(function(val) { return val.split('|')[0]; })\n .join('|');\n\n const SQL_BI =\n 'CURRENT_TIME CURRENT_TIMESTAMP CURRENT_USER CURRENT_CATALOG|10 CURRENT_DATE LOCALTIME LOCALTIMESTAMP '\n + 'CURRENT_ROLE|10 CURRENT_SCHEMA|10 SESSION_USER PUBLIC ';\n\n const PLPGSQL_BI =\n 'FOUND NEW OLD TG_NAME|10 TG_WHEN|10 TG_LEVEL|10 TG_OP|10 TG_RELID|10 TG_RELNAME|10 '\n + 'TG_TABLE_NAME|10 TG_TABLE_SCHEMA|10 TG_NARGS|10 TG_ARGV|10 TG_EVENT|10 TG_TAG|10 '\n // get diagnostics\n + 'ROW_COUNT RESULT_OID|10 PG_CONTEXT|10 RETURNED_SQLSTATE COLUMN_NAME CONSTRAINT_NAME '\n + 'PG_DATATYPE_NAME|10 MESSAGE_TEXT TABLE_NAME SCHEMA_NAME PG_EXCEPTION_DETAIL|10 '\n + 'PG_EXCEPTION_HINT|10 PG_EXCEPTION_CONTEXT|10 ';\n\n const PLPGSQL_EXCEPTIONS =\n // exceptions https://www.postgresql.org/docs/current/static/errcodes-appendix.html\n 'SQLSTATE SQLERRM|10 '\n + 'SUCCESSFUL_COMPLETION WARNING DYNAMIC_RESULT_SETS_RETURNED IMPLICIT_ZERO_BIT_PADDING '\n + 'NULL_VALUE_ELIMINATED_IN_SET_FUNCTION PRIVILEGE_NOT_GRANTED PRIVILEGE_NOT_REVOKED '\n + 'STRING_DATA_RIGHT_TRUNCATION DEPRECATED_FEATURE NO_DATA NO_ADDITIONAL_DYNAMIC_RESULT_SETS_RETURNED '\n + 'SQL_STATEMENT_NOT_YET_COMPLETE CONNECTION_EXCEPTION CONNECTION_DOES_NOT_EXIST CONNECTION_FAILURE '\n + 'SQLCLIENT_UNABLE_TO_ESTABLISH_SQLCONNECTION SQLSERVER_REJECTED_ESTABLISHMENT_OF_SQLCONNECTION '\n + 'TRANSACTION_RESOLUTION_UNKNOWN PROTOCOL_VIOLATION TRIGGERED_ACTION_EXCEPTION FEATURE_NOT_SUPPORTED '\n + 'INVALID_TRANSACTION_INITIATION LOCATOR_EXCEPTION INVALID_LOCATOR_SPECIFICATION INVALID_GRANTOR '\n + 'INVALID_GRANT_OPERATION INVALID_ROLE_SPECIFICATION DIAGNOSTICS_EXCEPTION '\n + 'STACKED_DIAGNOSTICS_ACCESSED_WITHOUT_ACTIVE_HANDLER CASE_NOT_FOUND CARDINALITY_VIOLATION '\n + 'DATA_EXCEPTION ARRAY_SUBSCRIPT_ERROR CHARACTER_NOT_IN_REPERTOIRE DATETIME_FIELD_OVERFLOW '\n + 'DIVISION_BY_ZERO ERROR_IN_ASSIGNMENT ESCAPE_CHARACTER_CONFLICT INDICATOR_OVERFLOW '\n + 'INTERVAL_FIELD_OVERFLOW INVALID_ARGUMENT_FOR_LOGARITHM INVALID_ARGUMENT_FOR_NTILE_FUNCTION '\n + 'INVALID_ARGUMENT_FOR_NTH_VALUE_FUNCTION INVALID_ARGUMENT_FOR_POWER_FUNCTION '\n + 'INVALID_ARGUMENT_FOR_WIDTH_BUCKET_FUNCTION INVALID_CHARACTER_VALUE_FOR_CAST '\n + 'INVALID_DATETIME_FORMAT INVALID_ESCAPE_CHARACTER INVALID_ESCAPE_OCTET INVALID_ESCAPE_SEQUENCE '\n + 'NONSTANDARD_USE_OF_ESCAPE_CHARACTER INVALID_INDICATOR_PARAMETER_VALUE INVALID_PARAMETER_VALUE '\n + 'INVALID_REGULAR_EXPRESSION INVALID_ROW_COUNT_IN_LIMIT_CLAUSE '\n + 'INVALID_ROW_COUNT_IN_RESULT_OFFSET_CLAUSE INVALID_TABLESAMPLE_ARGUMENT INVALID_TABLESAMPLE_REPEAT '\n + 'INVALID_TIME_ZONE_DISPLACEMENT_VALUE INVALID_USE_OF_ESCAPE_CHARACTER MOST_SPECIFIC_TYPE_MISMATCH '\n + 'NULL_VALUE_NOT_ALLOWED NULL_VALUE_NO_INDICATOR_PARAMETER NUMERIC_VALUE_OUT_OF_RANGE '\n + 'SEQUENCE_GENERATOR_LIMIT_EXCEEDED STRING_DATA_LENGTH_MISMATCH STRING_DATA_RIGHT_TRUNCATION '\n + 'SUBSTRING_ERROR TRIM_ERROR UNTERMINATED_C_STRING ZERO_LENGTH_CHARACTER_STRING '\n + 'FLOATING_POINT_EXCEPTION INVALID_TEXT_REPRESENTATION INVALID_BINARY_REPRESENTATION '\n + 'BAD_COPY_FILE_FORMAT UNTRANSLATABLE_CHARACTER NOT_AN_XML_DOCUMENT INVALID_XML_DOCUMENT '\n + 'INVALID_XML_CONTENT INVALID_XML_COMMENT INVALID_XML_PROCESSING_INSTRUCTION '\n + 'INTEGRITY_CONSTRAINT_VIOLATION RESTRICT_VIOLATION NOT_NULL_VIOLATION FOREIGN_KEY_VIOLATION '\n + 'UNIQUE_VIOLATION CHECK_VIOLATION EXCLUSION_VIOLATION INVALID_CURSOR_STATE '\n + 'INVALID_TRANSACTION_STATE ACTIVE_SQL_TRANSACTION BRANCH_TRANSACTION_ALREADY_ACTIVE '\n + 'HELD_CURSOR_REQUIRES_SAME_ISOLATION_LEVEL INAPPROPRIATE_ACCESS_MODE_FOR_BRANCH_TRANSACTION '\n + 'INAPPROPRIATE_ISOLATION_LEVEL_FOR_BRANCH_TRANSACTION '\n + 'NO_ACTIVE_SQL_TRANSACTION_FOR_BRANCH_TRANSACTION READ_ONLY_SQL_TRANSACTION '\n + 'SCHEMA_AND_DATA_STATEMENT_MIXING_NOT_SUPPORTED NO_ACTIVE_SQL_TRANSACTION '\n + 'IN_FAILED_SQL_TRANSACTION IDLE_IN_TRANSACTION_SESSION_TIMEOUT INVALID_SQL_STATEMENT_NAME '\n + 'TRIGGERED_DATA_CHANGE_VIOLATION INVALID_AUTHORIZATION_SPECIFICATION INVALID_PASSWORD '\n + 'DEPENDENT_PRIVILEGE_DESCRIPTORS_STILL_EXIST DEPENDENT_OBJECTS_STILL_EXIST '\n + 'INVALID_TRANSACTION_TERMINATION SQL_ROUTINE_EXCEPTION FUNCTION_EXECUTED_NO_RETURN_STATEMENT '\n + 'MODIFYING_SQL_DATA_NOT_PERMITTED PROHIBITED_SQL_STATEMENT_ATTEMPTED '\n + 'READING_SQL_DATA_NOT_PERMITTED INVALID_CURSOR_NAME EXTERNAL_ROUTINE_EXCEPTION '\n + 'CONTAINING_SQL_NOT_PERMITTED MODIFYING_SQL_DATA_NOT_PERMITTED '\n + 'PROHIBITED_SQL_STATEMENT_ATTEMPTED READING_SQL_DATA_NOT_PERMITTED '\n + 'EXTERNAL_ROUTINE_INVOCATION_EXCEPTION INVALID_SQLSTATE_RETURNED NULL_VALUE_NOT_ALLOWED '\n + 'TRIGGER_PROTOCOL_VIOLATED SRF_PROTOCOL_VIOLATED EVENT_TRIGGER_PROTOCOL_VIOLATED '\n + 'SAVEPOINT_EXCEPTION INVALID_SAVEPOINT_SPECIFICATION INVALID_CATALOG_NAME '\n + 'INVALID_SCHEMA_NAME TRANSACTION_ROLLBACK TRANSACTION_INTEGRITY_CONSTRAINT_VIOLATION '\n + 'SERIALIZATION_FAILURE STATEMENT_COMPLETION_UNKNOWN DEADLOCK_DETECTED '\n + 'SYNTAX_ERROR_OR_ACCESS_RULE_VIOLATION SYNTAX_ERROR INSUFFICIENT_PRIVILEGE CANNOT_COERCE '\n + 'GROUPING_ERROR WINDOWING_ERROR INVALID_RECURSION INVALID_FOREIGN_KEY INVALID_NAME '\n + 'NAME_TOO_LONG RESERVED_NAME DATATYPE_MISMATCH INDETERMINATE_DATATYPE COLLATION_MISMATCH '\n + 'INDETERMINATE_COLLATION WRONG_OBJECT_TYPE GENERATED_ALWAYS UNDEFINED_COLUMN '\n + 'UNDEFINED_FUNCTION UNDEFINED_TABLE UNDEFINED_PARAMETER UNDEFINED_OBJECT '\n + 'DUPLICATE_COLUMN DUPLICATE_CURSOR DUPLICATE_DATABASE DUPLICATE_FUNCTION '\n + 'DUPLICATE_PREPARED_STATEMENT DUPLICATE_SCHEMA DUPLICATE_TABLE DUPLICATE_ALIAS '\n + 'DUPLICATE_OBJECT AMBIGUOUS_COLUMN AMBIGUOUS_FUNCTION AMBIGUOUS_PARAMETER AMBIGUOUS_ALIAS '\n + 'INVALID_COLUMN_REFERENCE INVALID_COLUMN_DEFINITION INVALID_CURSOR_DEFINITION '\n + 'INVALID_DATABASE_DEFINITION INVALID_FUNCTION_DEFINITION '\n + 'INVALID_PREPARED_STATEMENT_DEFINITION INVALID_SCHEMA_DEFINITION INVALID_TABLE_DEFINITION '\n + 'INVALID_OBJECT_DEFINITION WITH_CHECK_OPTION_VIOLATION INSUFFICIENT_RESOURCES DISK_FULL '\n + 'OUT_OF_MEMORY TOO_MANY_CONNECTIONS CONFIGURATION_LIMIT_EXCEEDED PROGRAM_LIMIT_EXCEEDED '\n + 'STATEMENT_TOO_COMPLEX TOO_MANY_COLUMNS TOO_MANY_ARGUMENTS OBJECT_NOT_IN_PREREQUISITE_STATE '\n + 'OBJECT_IN_USE CANT_CHANGE_RUNTIME_PARAM LOCK_NOT_AVAILABLE OPERATOR_INTERVENTION '\n + 'QUERY_CANCELED ADMIN_SHUTDOWN CRASH_SHUTDOWN CANNOT_CONNECT_NOW DATABASE_DROPPED '\n + 'SYSTEM_ERROR IO_ERROR UNDEFINED_FILE DUPLICATE_FILE SNAPSHOT_TOO_OLD CONFIG_FILE_ERROR '\n + 'LOCK_FILE_EXISTS FDW_ERROR FDW_COLUMN_NAME_NOT_FOUND FDW_DYNAMIC_PARAMETER_VALUE_NEEDED '\n + 'FDW_FUNCTION_SEQUENCE_ERROR FDW_INCONSISTENT_DESCRIPTOR_INFORMATION '\n + 'FDW_INVALID_ATTRIBUTE_VALUE FDW_INVALID_COLUMN_NAME FDW_INVALID_COLUMN_NUMBER '\n + 'FDW_INVALID_DATA_TYPE FDW_INVALID_DATA_TYPE_DESCRIPTORS '\n + 'FDW_INVALID_DESCRIPTOR_FIELD_IDENTIFIER FDW_INVALID_HANDLE FDW_INVALID_OPTION_INDEX '\n + 'FDW_INVALID_OPTION_NAME FDW_INVALID_STRING_LENGTH_OR_BUFFER_LENGTH '\n + 'FDW_INVALID_STRING_FORMAT FDW_INVALID_USE_OF_NULL_POINTER FDW_TOO_MANY_HANDLES '\n + 'FDW_OUT_OF_MEMORY FDW_NO_SCHEMAS FDW_OPTION_NAME_NOT_FOUND FDW_REPLY_HANDLE '\n + 'FDW_SCHEMA_NOT_FOUND FDW_TABLE_NOT_FOUND FDW_UNABLE_TO_CREATE_EXECUTION '\n + 'FDW_UNABLE_TO_CREATE_REPLY FDW_UNABLE_TO_ESTABLISH_CONNECTION PLPGSQL_ERROR '\n + 'RAISE_EXCEPTION NO_DATA_FOUND TOO_MANY_ROWS ASSERT_FAILURE INTERNAL_ERROR DATA_CORRUPTED '\n + 'INDEX_CORRUPTED ';\n\n const FUNCTIONS =\n // https://www.postgresql.org/docs/11/static/functions-aggregate.html\n 'ARRAY_AGG AVG BIT_AND BIT_OR BOOL_AND BOOL_OR COUNT EVERY JSON_AGG JSONB_AGG JSON_OBJECT_AGG '\n + 'JSONB_OBJECT_AGG MAX MIN MODE STRING_AGG SUM XMLAGG '\n + 'CORR COVAR_POP COVAR_SAMP REGR_AVGX REGR_AVGY REGR_COUNT REGR_INTERCEPT REGR_R2 REGR_SLOPE '\n + 'REGR_SXX REGR_SXY REGR_SYY STDDEV STDDEV_POP STDDEV_SAMP VARIANCE VAR_POP VAR_SAMP '\n + 'PERCENTILE_CONT PERCENTILE_DISC '\n // https://www.postgresql.org/docs/11/static/functions-window.html\n + 'ROW_NUMBER RANK DENSE_RANK PERCENT_RANK CUME_DIST NTILE LAG LEAD FIRST_VALUE LAST_VALUE NTH_VALUE '\n // https://www.postgresql.org/docs/11/static/functions-comparison.html\n + 'NUM_NONNULLS NUM_NULLS '\n // https://www.postgresql.org/docs/11/static/functions-math.html\n + 'ABS CBRT CEIL CEILING DEGREES DIV EXP FLOOR LN LOG MOD PI POWER RADIANS ROUND SCALE SIGN SQRT '\n + 'TRUNC WIDTH_BUCKET '\n + 'RANDOM SETSEED '\n + 'ACOS ACOSD ASIN ASIND ATAN ATAND ATAN2 ATAN2D COS COSD COT COTD SIN SIND TAN TAND '\n // https://www.postgresql.org/docs/11/static/functions-string.html\n + 'BIT_LENGTH CHAR_LENGTH CHARACTER_LENGTH LOWER OCTET_LENGTH OVERLAY POSITION SUBSTRING TREAT TRIM UPPER '\n + 'ASCII BTRIM CHR CONCAT CONCAT_WS CONVERT CONVERT_FROM CONVERT_TO DECODE ENCODE INITCAP '\n + 'LEFT LENGTH LPAD LTRIM MD5 PARSE_IDENT PG_CLIENT_ENCODING QUOTE_IDENT|10 QUOTE_LITERAL|10 '\n + 'QUOTE_NULLABLE|10 REGEXP_MATCH REGEXP_MATCHES REGEXP_REPLACE REGEXP_SPLIT_TO_ARRAY '\n + 'REGEXP_SPLIT_TO_TABLE REPEAT REPLACE REVERSE RIGHT RPAD RTRIM SPLIT_PART STRPOS SUBSTR '\n + 'TO_ASCII TO_HEX TRANSLATE '\n // https://www.postgresql.org/docs/11/static/functions-binarystring.html\n + 'OCTET_LENGTH GET_BIT GET_BYTE SET_BIT SET_BYTE '\n // https://www.postgresql.org/docs/11/static/functions-formatting.html\n + 'TO_CHAR TO_DATE TO_NUMBER TO_TIMESTAMP '\n // https://www.postgresql.org/docs/11/static/functions-datetime.html\n + 'AGE CLOCK_TIMESTAMP|10 DATE_PART DATE_TRUNC ISFINITE JUSTIFY_DAYS JUSTIFY_HOURS JUSTIFY_INTERVAL '\n + 'MAKE_DATE MAKE_INTERVAL|10 MAKE_TIME MAKE_TIMESTAMP|10 MAKE_TIMESTAMPTZ|10 NOW STATEMENT_TIMESTAMP|10 '\n + 'TIMEOFDAY TRANSACTION_TIMESTAMP|10 '\n // https://www.postgresql.org/docs/11/static/functions-enum.html\n + 'ENUM_FIRST ENUM_LAST ENUM_RANGE '\n // https://www.postgresql.org/docs/11/static/functions-geometry.html\n + 'AREA CENTER DIAMETER HEIGHT ISCLOSED ISOPEN NPOINTS PCLOSE POPEN RADIUS WIDTH '\n + 'BOX BOUND_BOX CIRCLE LINE LSEG PATH POLYGON '\n // https://www.postgresql.org/docs/11/static/functions-net.html\n + 'ABBREV BROADCAST HOST HOSTMASK MASKLEN NETMASK NETWORK SET_MASKLEN TEXT INET_SAME_FAMILY '\n + 'INET_MERGE MACADDR8_SET7BIT '\n // https://www.postgresql.org/docs/11/static/functions-textsearch.html\n + 'ARRAY_TO_TSVECTOR GET_CURRENT_TS_CONFIG NUMNODE PLAINTO_TSQUERY PHRASETO_TSQUERY WEBSEARCH_TO_TSQUERY '\n + 'QUERYTREE SETWEIGHT STRIP TO_TSQUERY TO_TSVECTOR JSON_TO_TSVECTOR JSONB_TO_TSVECTOR TS_DELETE '\n + 'TS_FILTER TS_HEADLINE TS_RANK TS_RANK_CD TS_REWRITE TSQUERY_PHRASE TSVECTOR_TO_ARRAY '\n + 'TSVECTOR_UPDATE_TRIGGER TSVECTOR_UPDATE_TRIGGER_COLUMN '\n // https://www.postgresql.org/docs/11/static/functions-xml.html\n + 'XMLCOMMENT XMLCONCAT XMLELEMENT XMLFOREST XMLPI XMLROOT '\n + 'XMLEXISTS XML_IS_WELL_FORMED XML_IS_WELL_FORMED_DOCUMENT XML_IS_WELL_FORMED_CONTENT '\n + 'XPATH XPATH_EXISTS XMLTABLE XMLNAMESPACES '\n + 'TABLE_TO_XML TABLE_TO_XMLSCHEMA TABLE_TO_XML_AND_XMLSCHEMA '\n + 'QUERY_TO_XML QUERY_TO_XMLSCHEMA QUERY_TO_XML_AND_XMLSCHEMA '\n + 'CURSOR_TO_XML CURSOR_TO_XMLSCHEMA '\n + 'SCHEMA_TO_XML SCHEMA_TO_XMLSCHEMA SCHEMA_TO_XML_AND_XMLSCHEMA '\n + 'DATABASE_TO_XML DATABASE_TO_XMLSCHEMA DATABASE_TO_XML_AND_XMLSCHEMA '\n + 'XMLATTRIBUTES '\n // https://www.postgresql.org/docs/11/static/functions-json.html\n + 'TO_JSON TO_JSONB ARRAY_TO_JSON ROW_TO_JSON JSON_BUILD_ARRAY JSONB_BUILD_ARRAY JSON_BUILD_OBJECT '\n + 'JSONB_BUILD_OBJECT JSON_OBJECT JSONB_OBJECT JSON_ARRAY_LENGTH JSONB_ARRAY_LENGTH JSON_EACH '\n + 'JSONB_EACH JSON_EACH_TEXT JSONB_EACH_TEXT JSON_EXTRACT_PATH JSONB_EXTRACT_PATH '\n + 'JSON_OBJECT_KEYS JSONB_OBJECT_KEYS JSON_POPULATE_RECORD JSONB_POPULATE_RECORD JSON_POPULATE_RECORDSET '\n + 'JSONB_POPULATE_RECORDSET JSON_ARRAY_ELEMENTS JSONB_ARRAY_ELEMENTS JSON_ARRAY_ELEMENTS_TEXT '\n + 'JSONB_ARRAY_ELEMENTS_TEXT JSON_TYPEOF JSONB_TYPEOF JSON_TO_RECORD JSONB_TO_RECORD JSON_TO_RECORDSET '\n + 'JSONB_TO_RECORDSET JSON_STRIP_NULLS JSONB_STRIP_NULLS JSONB_SET JSONB_INSERT JSONB_PRETTY '\n // https://www.postgresql.org/docs/11/static/functions-sequence.html\n + 'CURRVAL LASTVAL NEXTVAL SETVAL '\n // https://www.postgresql.org/docs/11/static/functions-conditional.html\n + 'COALESCE NULLIF GREATEST LEAST '\n // https://www.postgresql.org/docs/11/static/functions-array.html\n + 'ARRAY_APPEND ARRAY_CAT ARRAY_NDIMS ARRAY_DIMS ARRAY_FILL ARRAY_LENGTH ARRAY_LOWER ARRAY_POSITION '\n + 'ARRAY_POSITIONS ARRAY_PREPEND ARRAY_REMOVE ARRAY_REPLACE ARRAY_TO_STRING ARRAY_UPPER CARDINALITY '\n + 'STRING_TO_ARRAY UNNEST '\n // https://www.postgresql.org/docs/11/static/functions-range.html\n + 'ISEMPTY LOWER_INC UPPER_INC LOWER_INF UPPER_INF RANGE_MERGE '\n // https://www.postgresql.org/docs/11/static/functions-srf.html\n + 'GENERATE_SERIES GENERATE_SUBSCRIPTS '\n // https://www.postgresql.org/docs/11/static/functions-info.html\n + 'CURRENT_DATABASE CURRENT_QUERY CURRENT_SCHEMA|10 CURRENT_SCHEMAS|10 INET_CLIENT_ADDR INET_CLIENT_PORT '\n + 'INET_SERVER_ADDR INET_SERVER_PORT ROW_SECURITY_ACTIVE FORMAT_TYPE '\n + 'TO_REGCLASS TO_REGPROC TO_REGPROCEDURE TO_REGOPER TO_REGOPERATOR TO_REGTYPE TO_REGNAMESPACE TO_REGROLE '\n + 'COL_DESCRIPTION OBJ_DESCRIPTION SHOBJ_DESCRIPTION '\n + 'TXID_CURRENT TXID_CURRENT_IF_ASSIGNED TXID_CURRENT_SNAPSHOT TXID_SNAPSHOT_XIP TXID_SNAPSHOT_XMAX '\n + 'TXID_SNAPSHOT_XMIN TXID_VISIBLE_IN_SNAPSHOT TXID_STATUS '\n // https://www.postgresql.org/docs/11/static/functions-admin.html\n + 'CURRENT_SETTING SET_CONFIG BRIN_SUMMARIZE_NEW_VALUES BRIN_SUMMARIZE_RANGE BRIN_DESUMMARIZE_RANGE '\n + 'GIN_CLEAN_PENDING_LIST '\n // https://www.postgresql.org/docs/11/static/functions-trigger.html\n + 'SUPPRESS_REDUNDANT_UPDATES_TRIGGER '\n // ihttps://www.postgresql.org/docs/devel/static/lo-funcs.html\n + 'LO_FROM_BYTEA LO_PUT LO_GET LO_CREAT LO_CREATE LO_UNLINK LO_IMPORT LO_EXPORT LOREAD LOWRITE '\n //\n + 'GROUPING CAST ';\n\n const FUNCTIONS_RE =\n FUNCTIONS.trim()\n .split(' ')\n .map(function(val) { return val.split('|')[0]; })\n .join('|');\n\n return {\n name: 'PostgreSQL',\n aliases: [\n 'postgres',\n 'postgresql'\n ],\n supersetOf: \"sql\",\n case_insensitive: true,\n keywords: {\n keyword:\n SQL_KW + PLPGSQL_KW + ROLE_ATTRS,\n built_in:\n SQL_BI + PLPGSQL_BI + PLPGSQL_EXCEPTIONS\n },\n // Forbid some cunstructs from other languages to improve autodetect. In fact\n // \"[a-z]:\" is legal (as part of array slice), but improbabal.\n illegal: /:==|\\W\\s*\\(\\*|(^|\\s)\\$[a-z]|\\{\\{|[a-z]:\\s*$|\\.\\.\\.|TO:|DO:/,\n contains: [\n // special handling of some words, which are reserved only in some contexts\n {\n className: 'keyword',\n variants: [\n { begin: /\\bTEXT\\s*SEARCH\\b/ },\n { begin: /\\b(PRIMARY|FOREIGN|FOR(\\s+NO)?)\\s+KEY\\b/ },\n { begin: /\\bPARALLEL\\s+(UNSAFE|RESTRICTED|SAFE)\\b/ },\n { begin: /\\bSTORAGE\\s+(PLAIN|EXTERNAL|EXTENDED|MAIN)\\b/ },\n { begin: /\\bMATCH\\s+(FULL|PARTIAL|SIMPLE)\\b/ },\n { begin: /\\bNULLS\\s+(FIRST|LAST)\\b/ },\n { begin: /\\bEVENT\\s+TRIGGER\\b/ },\n { begin: /\\b(MAPPING|OR)\\s+REPLACE\\b/ },\n { begin: /\\b(FROM|TO)\\s+(PROGRAM|STDIN|STDOUT)\\b/ },\n { begin: /\\b(SHARE|EXCLUSIVE)\\s+MODE\\b/ },\n { begin: /\\b(LEFT|RIGHT)\\s+(OUTER\\s+)?JOIN\\b/ },\n { begin: /\\b(FETCH|MOVE)\\s+(NEXT|PRIOR|FIRST|LAST|ABSOLUTE|RELATIVE|FORWARD|BACKWARD)\\b/ },\n { begin: /\\bPRESERVE\\s+ROWS\\b/ },\n { begin: /\\bDISCARD\\s+PLANS\\b/ },\n { begin: /\\bREFERENCING\\s+(OLD|NEW)\\b/ },\n { begin: /\\bSKIP\\s+LOCKED\\b/ },\n { begin: /\\bGROUPING\\s+SETS\\b/ },\n { begin: /\\b(BINARY|INSENSITIVE|SCROLL|NO\\s+SCROLL)\\s+(CURSOR|FOR)\\b/ },\n { begin: /\\b(WITH|WITHOUT)\\s+HOLD\\b/ },\n { begin: /\\bWITH\\s+(CASCADED|LOCAL)\\s+CHECK\\s+OPTION\\b/ },\n { begin: /\\bEXCLUDE\\s+(TIES|NO\\s+OTHERS)\\b/ },\n { begin: /\\bFORMAT\\s+(TEXT|XML|JSON|YAML)\\b/ },\n { begin: /\\bSET\\s+((SESSION|LOCAL)\\s+)?NAMES\\b/ },\n { begin: /\\bIS\\s+(NOT\\s+)?UNKNOWN\\b/ },\n { begin: /\\bSECURITY\\s+LABEL\\b/ },\n { begin: /\\bSTANDALONE\\s+(YES|NO|NO\\s+VALUE)\\b/ },\n { begin: /\\bWITH\\s+(NO\\s+)?DATA\\b/ },\n { begin: /\\b(FOREIGN|SET)\\s+DATA\\b/ },\n { begin: /\\bSET\\s+(CATALOG|CONSTRAINTS)\\b/ },\n { begin: /\\b(WITH|FOR)\\s+ORDINALITY\\b/ },\n { begin: /\\bIS\\s+(NOT\\s+)?DOCUMENT\\b/ },\n { begin: /\\bXML\\s+OPTION\\s+(DOCUMENT|CONTENT)\\b/ },\n { begin: /\\b(STRIP|PRESERVE)\\s+WHITESPACE\\b/ },\n { begin: /\\bNO\\s+(ACTION|MAXVALUE|MINVALUE)\\b/ },\n { begin: /\\bPARTITION\\s+BY\\s+(RANGE|LIST|HASH)\\b/ },\n { begin: /\\bAT\\s+TIME\\s+ZONE\\b/ },\n { begin: /\\bGRANTED\\s+BY\\b/ },\n { begin: /\\bRETURN\\s+(QUERY|NEXT)\\b/ },\n { begin: /\\b(ATTACH|DETACH)\\s+PARTITION\\b/ },\n { begin: /\\bFORCE\\s+ROW\\s+LEVEL\\s+SECURITY\\b/ },\n { begin: /\\b(INCLUDING|EXCLUDING)\\s+(COMMENTS|CONSTRAINTS|DEFAULTS|IDENTITY|INDEXES|STATISTICS|STORAGE|ALL)\\b/ },\n { begin: /\\bAS\\s+(ASSIGNMENT|IMPLICIT|PERMISSIVE|RESTRICTIVE|ENUM|RANGE)\\b/ }\n ]\n },\n // functions named as keywords, followed by '('\n { begin: /\\b(FORMAT|FAMILY|VERSION)\\s*\\(/\n // keywords: { built_in: 'FORMAT FAMILY VERSION' }\n },\n // INCLUDE ( ... ) in index_parameters in CREATE TABLE\n {\n begin: /\\bINCLUDE\\s*\\(/,\n keywords: 'INCLUDE'\n },\n // not highlight RANGE if not in frame_clause (not 100% correct, but seems satisfactory)\n { begin: /\\bRANGE(?!\\s*(BETWEEN|UNBOUNDED|CURRENT|[-0-9]+))/ },\n // disable highlighting in commands CREATE AGGREGATE/COLLATION/DATABASE/OPERTOR/TEXT SEARCH .../TYPE\n // and in PL/pgSQL RAISE ... USING\n { begin: /\\b(VERSION|OWNER|TEMPLATE|TABLESPACE|CONNECTION\\s+LIMIT|PROCEDURE|RESTRICT|JOIN|PARSER|COPY|START|END|COLLATION|INPUT|ANALYZE|STORAGE|LIKE|DEFAULT|DELIMITER|ENCODING|COLUMN|CONSTRAINT|TABLE|SCHEMA)\\s*=/ },\n // PG_smth; HAS_some_PRIVILEGE\n {\n // className: 'built_in',\n begin: /\\b(PG_\\w+?|HAS_[A-Z_]+_PRIVILEGE)\\b/,\n relevance: 10\n },\n // extract\n {\n begin: /\\bEXTRACT\\s*\\(/,\n end: /\\bFROM\\b/,\n returnEnd: true,\n keywords: {\n // built_in: 'EXTRACT',\n type: 'CENTURY DAY DECADE DOW DOY EPOCH HOUR ISODOW ISOYEAR MICROSECONDS '\n + 'MILLENNIUM MILLISECONDS MINUTE MONTH QUARTER SECOND TIMEZONE TIMEZONE_HOUR '\n + 'TIMEZONE_MINUTE WEEK YEAR' }\n },\n // xmlelement, xmlpi - special NAME\n {\n begin: /\\b(XMLELEMENT|XMLPI)\\s*\\(\\s*NAME/,\n keywords: {\n // built_in: 'XMLELEMENT XMLPI',\n keyword: 'NAME' }\n },\n // xmlparse, xmlserialize\n {\n begin: /\\b(XMLPARSE|XMLSERIALIZE)\\s*\\(\\s*(DOCUMENT|CONTENT)/,\n keywords: {\n // built_in: 'XMLPARSE XMLSERIALIZE',\n keyword: 'DOCUMENT CONTENT' }\n },\n // Sequences. We actually skip everything between CACHE|INCREMENT|MAXVALUE|MINVALUE and\n // nearest following numeric constant. Without with trick we find a lot of \"keywords\"\n // in 'avrasm' autodetection test...\n {\n beginKeywords: 'CACHE INCREMENT MAXVALUE MINVALUE',\n end: hljs.C_NUMBER_RE,\n returnEnd: true,\n keywords: 'BY CACHE INCREMENT MAXVALUE MINVALUE'\n },\n // WITH|WITHOUT TIME ZONE as part of datatype\n {\n className: 'type',\n begin: /\\b(WITH|WITHOUT)\\s+TIME\\s+ZONE\\b/\n },\n // INTERVAL optional fields\n {\n className: 'type',\n begin: /\\bINTERVAL\\s+(YEAR|MONTH|DAY|HOUR|MINUTE|SECOND)(\\s+TO\\s+(MONTH|HOUR|MINUTE|SECOND))?\\b/\n },\n // Pseudo-types which allowed only as return type\n {\n begin: /\\bRETURNS\\s+(LANGUAGE_HANDLER|TRIGGER|EVENT_TRIGGER|FDW_HANDLER|INDEX_AM_HANDLER|TSM_HANDLER)\\b/,\n keywords: {\n keyword: 'RETURNS',\n type: 'LANGUAGE_HANDLER TRIGGER EVENT_TRIGGER FDW_HANDLER INDEX_AM_HANDLER TSM_HANDLER'\n }\n },\n // Known functions - only when followed by '('\n { begin: '\\\\b(' + FUNCTIONS_RE + ')\\\\s*\\\\('\n // keywords: { built_in: FUNCTIONS }\n },\n // Types\n { begin: '\\\\.(' + TYPES_RE + ')\\\\b' // prevent highlight as type, say, 'oid' in 'pgclass.oid'\n },\n {\n begin: '\\\\b(' + TYPES_RE + ')\\\\s+PATH\\\\b', // in XMLTABLE\n keywords: {\n keyword: 'PATH', // hopefully no one would use PATH type in XMLTABLE...\n type: TYPES.replace('PATH ', '')\n }\n },\n {\n className: 'type',\n begin: '\\\\b(' + TYPES_RE + ')\\\\b'\n },\n // Strings, see https://www.postgresql.org/docs/11/static/sql-syntax-lexical.html#SQL-SYNTAX-CONSTANTS\n {\n className: 'string',\n begin: '\\'',\n end: '\\'',\n contains: [ { begin: '\\'\\'' } ]\n },\n {\n className: 'string',\n begin: '(e|E|u&|U&)\\'',\n end: '\\'',\n contains: [ { begin: '\\\\\\\\.' } ],\n relevance: 10\n },\n hljs.END_SAME_AS_BEGIN({\n begin: DOLLAR_STRING,\n end: DOLLAR_STRING,\n contains: [\n {\n // actually we want them all except SQL; listed are those with known implementations\n // and XML + JSON just in case\n subLanguage: [\n 'pgsql',\n 'perl',\n 'python',\n 'tcl',\n 'r',\n 'lua',\n 'java',\n 'php',\n 'ruby',\n 'bash',\n 'scheme',\n 'xml',\n 'json'\n ],\n endsWithParent: true\n }\n ]\n }),\n // identifiers in quotes\n {\n begin: '\"',\n end: '\"',\n contains: [ { begin: '\"\"' } ]\n },\n // numbers\n hljs.C_NUMBER_MODE,\n // comments\n hljs.C_BLOCK_COMMENT_MODE,\n COMMENT_MODE,\n // PL/pgSQL staff\n // %ROWTYPE, %TYPE, $n\n {\n className: 'meta',\n variants: [\n { // %TYPE, %ROWTYPE\n begin: '%(ROW)?TYPE',\n relevance: 10\n },\n { // $n\n begin: '\\\\$\\\\d+' },\n { // #compiler option\n begin: '^#\\\\w',\n end: '$'\n }\n ]\n },\n // <<labeles>>\n {\n className: 'symbol',\n begin: LABEL,\n relevance: 10\n }\n ]\n };\n}\n\nmodule.exports = pgsql;\n", "/*\nLanguage: PHP\nAuthor: Victor Karamzin <Victor.Karamzin@enterra-inc.com>\nContributors: Evgeny Stepanischev <imbolk@gmail.com>, Ivan Sagalaev <maniac@softwaremaniacs.org>\nWebsite: https://www.php.net\nCategory: common\n*/\n\n/**\n * @param {HLJSApi} hljs\n * @returns {LanguageDetail}\n * */\nfunction php(hljs) {\n const regex = hljs.regex;\n // negative look-ahead tries to avoid matching patterns that are not\n // Perl at all like $ident$, @ident@, etc.\n const NOT_PERL_ETC = /(?![A-Za-z0-9])(?![$])/;\n const IDENT_RE = regex.concat(\n /[a-zA-Z_\\x7f-\\xff][a-zA-Z0-9_\\x7f-\\xff]*/,\n NOT_PERL_ETC);\n // Will not detect camelCase classes\n const PASCAL_CASE_CLASS_NAME_RE = regex.concat(\n /(\\\\?[A-Z][a-z0-9_\\x7f-\\xff]+|\\\\?[A-Z]+(?=[A-Z][a-z0-9_\\x7f-\\xff])){1,}/,\n NOT_PERL_ETC);\n const VARIABLE = {\n scope: 'variable',\n match: '\\\\$+' + IDENT_RE,\n };\n const PREPROCESSOR = {\n scope: 'meta',\n variants: [\n { begin: /<\\?php/, relevance: 10 }, // boost for obvious PHP\n { begin: /<\\?=/ },\n // less relevant per PSR-1 which says not to use short-tags\n { begin: /<\\?/, relevance: 0.1 },\n { begin: /\\?>/ } // end php tag\n ]\n };\n const SUBST = {\n scope: 'subst',\n variants: [\n { begin: /\\$\\w+/ },\n {\n begin: /\\{\\$/,\n end: /\\}/\n }\n ]\n };\n const SINGLE_QUOTED = hljs.inherit(hljs.APOS_STRING_MODE, { illegal: null, });\n const DOUBLE_QUOTED = hljs.inherit(hljs.QUOTE_STRING_MODE, {\n illegal: null,\n contains: hljs.QUOTE_STRING_MODE.contains.concat(SUBST),\n });\n\n const HEREDOC = {\n begin: /<<<[ \\t]*(?:(\\w+)|\"(\\w+)\")\\n/,\n end: /[ \\t]*(\\w+)\\b/,\n contains: hljs.QUOTE_STRING_MODE.contains.concat(SUBST),\n 'on:begin': (m, resp) => { resp.data._beginMatch = m[1] || m[2]; },\n 'on:end': (m, resp) => { if (resp.data._beginMatch !== m[1]) resp.ignoreMatch(); },\n };\n\n const NOWDOC = hljs.END_SAME_AS_BEGIN({\n begin: /<<<[ \\t]*'(\\w+)'\\n/,\n end: /[ \\t]*(\\w+)\\b/,\n });\n // list of valid whitespaces because non-breaking space might be part of a IDENT_RE\n const WHITESPACE = '[ \\t\\n]';\n const STRING = {\n scope: 'string',\n variants: [\n DOUBLE_QUOTED,\n SINGLE_QUOTED,\n HEREDOC,\n NOWDOC\n ]\n };\n const NUMBER = {\n scope: 'number',\n variants: [\n { begin: `\\\\b0[bB][01]+(?:_[01]+)*\\\\b` }, // Binary w/ underscore support\n { begin: `\\\\b0[oO][0-7]+(?:_[0-7]+)*\\\\b` }, // Octals w/ underscore support\n { begin: `\\\\b0[xX][\\\\da-fA-F]+(?:_[\\\\da-fA-F]+)*\\\\b` }, // Hex w/ underscore support\n // Decimals w/ underscore support, with optional fragments and scientific exponent (e) suffix.\n { begin: `(?:\\\\b\\\\d+(?:_\\\\d+)*(\\\\.(?:\\\\d+(?:_\\\\d+)*))?|\\\\B\\\\.\\\\d+)(?:[eE][+-]?\\\\d+)?` }\n ],\n relevance: 0\n };\n const LITERALS = [\n \"false\",\n \"null\",\n \"true\"\n ];\n const KWS = [\n // Magic constants:\n // <https://www.php.net/manual/en/language.constants.predefined.php>\n \"__CLASS__\",\n \"__DIR__\",\n \"__FILE__\",\n \"__FUNCTION__\",\n \"__COMPILER_HALT_OFFSET__\",\n \"__LINE__\",\n \"__METHOD__\",\n \"__NAMESPACE__\",\n \"__TRAIT__\",\n // Function that look like language construct or language construct that look like function:\n // List of keywords that may not require parenthesis\n \"die\",\n \"echo\",\n \"exit\",\n \"include\",\n \"include_once\",\n \"print\",\n \"require\",\n \"require_once\",\n // These are not language construct (function) but operate on the currently-executing function and can access the current symbol table\n // 'compact extract func_get_arg func_get_args func_num_args get_called_class get_parent_class ' +\n // Other keywords:\n // <https://www.php.net/manual/en/reserved.php>\n // <https://www.php.net/manual/en/language.types.type-juggling.php>\n \"array\",\n \"abstract\",\n \"and\",\n \"as\",\n \"binary\",\n \"bool\",\n \"boolean\",\n \"break\",\n \"callable\",\n \"case\",\n \"catch\",\n \"class\",\n \"clone\",\n \"const\",\n \"continue\",\n \"declare\",\n \"default\",\n \"do\",\n \"double\",\n \"else\",\n \"elseif\",\n \"empty\",\n \"enddeclare\",\n \"endfor\",\n \"endforeach\",\n \"endif\",\n \"endswitch\",\n \"endwhile\",\n \"enum\",\n \"eval\",\n \"extends\",\n \"final\",\n \"finally\",\n \"float\",\n \"for\",\n \"foreach\",\n \"from\",\n \"global\",\n \"goto\",\n \"if\",\n \"implements\",\n \"instanceof\",\n \"insteadof\",\n \"int\",\n \"integer\",\n \"interface\",\n \"isset\",\n \"iterable\",\n \"list\",\n \"match|0\",\n \"mixed\",\n \"new\",\n \"never\",\n \"object\",\n \"or\",\n \"private\",\n \"protected\",\n \"public\",\n \"readonly\",\n \"real\",\n \"return\",\n \"string\",\n \"switch\",\n \"throw\",\n \"trait\",\n \"try\",\n \"unset\",\n \"use\",\n \"var\",\n \"void\",\n \"while\",\n \"xor\",\n \"yield\"\n ];\n\n const BUILT_INS = [\n // Standard PHP library:\n // <https://www.php.net/manual/en/book.spl.php>\n \"Error|0\",\n \"AppendIterator\",\n \"ArgumentCountError\",\n \"ArithmeticError\",\n \"ArrayIterator\",\n \"ArrayObject\",\n \"AssertionError\",\n \"BadFunctionCallException\",\n \"BadMethodCallException\",\n \"CachingIterator\",\n \"CallbackFilterIterator\",\n \"CompileError\",\n \"Countable\",\n \"DirectoryIterator\",\n \"DivisionByZeroError\",\n \"DomainException\",\n \"EmptyIterator\",\n \"ErrorException\",\n \"Exception\",\n \"FilesystemIterator\",\n \"FilterIterator\",\n \"GlobIterator\",\n \"InfiniteIterator\",\n \"InvalidArgumentException\",\n \"IteratorIterator\",\n \"LengthException\",\n \"LimitIterator\",\n \"LogicException\",\n \"MultipleIterator\",\n \"NoRewindIterator\",\n \"OutOfBoundsException\",\n \"OutOfRangeException\",\n \"OuterIterator\",\n \"OverflowException\",\n \"ParentIterator\",\n \"ParseError\",\n \"RangeException\",\n \"RecursiveArrayIterator\",\n \"RecursiveCachingIterator\",\n \"RecursiveCallbackFilterIterator\",\n \"RecursiveDirectoryIterator\",\n \"RecursiveFilterIterator\",\n \"RecursiveIterator\",\n \"RecursiveIteratorIterator\",\n \"RecursiveRegexIterator\",\n \"RecursiveTreeIterator\",\n \"RegexIterator\",\n \"RuntimeException\",\n \"SeekableIterator\",\n \"SplDoublyLinkedList\",\n \"SplFileInfo\",\n \"SplFileObject\",\n \"SplFixedArray\",\n \"SplHeap\",\n \"SplMaxHeap\",\n \"SplMinHeap\",\n \"SplObjectStorage\",\n \"SplObserver\",\n \"SplPriorityQueue\",\n \"SplQueue\",\n \"SplStack\",\n \"SplSubject\",\n \"SplTempFileObject\",\n \"TypeError\",\n \"UnderflowException\",\n \"UnexpectedValueException\",\n \"UnhandledMatchError\",\n // Reserved interfaces:\n // <https://www.php.net/manual/en/reserved.interfaces.php>\n \"ArrayAccess\",\n \"BackedEnum\",\n \"Closure\",\n \"Fiber\",\n \"Generator\",\n \"Iterator\",\n \"IteratorAggregate\",\n \"Serializable\",\n \"Stringable\",\n \"Throwable\",\n \"Traversable\",\n \"UnitEnum\",\n \"WeakReference\",\n \"WeakMap\",\n // Reserved classes:\n // <https://www.php.net/manual/en/reserved.classes.php>\n \"Directory\",\n \"__PHP_Incomplete_Class\",\n \"parent\",\n \"php_user_filter\",\n \"self\",\n \"static\",\n \"stdClass\"\n ];\n\n /** Dual-case keywords\n *\n * [\"then\",\"FILE\"] =>\n * [\"then\", \"THEN\", \"FILE\", \"file\"]\n *\n * @param {string[]} items */\n const dualCase = (items) => {\n /** @type string[] */\n const result = [];\n items.forEach(item => {\n result.push(item);\n if (item.toLowerCase() === item) {\n result.push(item.toUpperCase());\n } else {\n result.push(item.toLowerCase());\n }\n });\n return result;\n };\n\n const KEYWORDS = {\n keyword: KWS,\n literal: dualCase(LITERALS),\n built_in: BUILT_INS,\n };\n\n /**\n * @param {string[]} items */\n const normalizeKeywords = (items) => {\n return items.map(item => {\n return item.replace(/\\|\\d+$/, \"\");\n });\n };\n\n const CONSTRUCTOR_CALL = { variants: [\n {\n match: [\n /new/,\n regex.concat(WHITESPACE, \"+\"),\n // to prevent built ins from being confused as the class constructor call\n regex.concat(\"(?!\", normalizeKeywords(BUILT_INS).join(\"\\\\b|\"), \"\\\\b)\"),\n PASCAL_CASE_CLASS_NAME_RE,\n ],\n scope: {\n 1: \"keyword\",\n 4: \"title.class\",\n },\n }\n ] };\n\n const CONSTANT_REFERENCE = regex.concat(IDENT_RE, \"\\\\b(?!\\\\()\");\n\n const LEFT_AND_RIGHT_SIDE_OF_DOUBLE_COLON = { variants: [\n {\n match: [\n regex.concat(\n /::/,\n regex.lookahead(/(?!class\\b)/)\n ),\n CONSTANT_REFERENCE,\n ],\n scope: { 2: \"variable.constant\", },\n },\n {\n match: [\n /::/,\n /class/,\n ],\n scope: { 2: \"variable.language\", },\n },\n {\n match: [\n PASCAL_CASE_CLASS_NAME_RE,\n regex.concat(\n /::/,\n regex.lookahead(/(?!class\\b)/)\n ),\n CONSTANT_REFERENCE,\n ],\n scope: {\n 1: \"title.class\",\n 3: \"variable.constant\",\n },\n },\n {\n match: [\n PASCAL_CASE_CLASS_NAME_RE,\n regex.concat(\n \"::\",\n regex.lookahead(/(?!class\\b)/)\n ),\n ],\n scope: { 1: \"title.class\", },\n },\n {\n match: [\n PASCAL_CASE_CLASS_NAME_RE,\n /::/,\n /class/,\n ],\n scope: {\n 1: \"title.class\",\n 3: \"variable.language\",\n },\n }\n ] };\n\n const NAMED_ARGUMENT = {\n scope: 'attr',\n match: regex.concat(IDENT_RE, regex.lookahead(':'), regex.lookahead(/(?!::)/)),\n };\n const PARAMS_MODE = {\n relevance: 0,\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS,\n contains: [\n NAMED_ARGUMENT,\n VARIABLE,\n LEFT_AND_RIGHT_SIDE_OF_DOUBLE_COLON,\n hljs.C_BLOCK_COMMENT_MODE,\n STRING,\n NUMBER,\n CONSTRUCTOR_CALL,\n ],\n };\n const FUNCTION_INVOKE = {\n relevance: 0,\n match: [\n /\\b/,\n // to prevent keywords from being confused as the function title\n regex.concat(\"(?!fn\\\\b|function\\\\b|\", normalizeKeywords(KWS).join(\"\\\\b|\"), \"|\", normalizeKeywords(BUILT_INS).join(\"\\\\b|\"), \"\\\\b)\"),\n IDENT_RE,\n regex.concat(WHITESPACE, \"*\"),\n regex.lookahead(/(?=\\()/)\n ],\n scope: { 3: \"title.function.invoke\", },\n contains: [ PARAMS_MODE ]\n };\n PARAMS_MODE.contains.push(FUNCTION_INVOKE);\n\n const ATTRIBUTE_CONTAINS = [\n NAMED_ARGUMENT,\n LEFT_AND_RIGHT_SIDE_OF_DOUBLE_COLON,\n hljs.C_BLOCK_COMMENT_MODE,\n STRING,\n NUMBER,\n CONSTRUCTOR_CALL,\n ];\n\n const ATTRIBUTES = {\n begin: regex.concat(/#\\[\\s*/, PASCAL_CASE_CLASS_NAME_RE),\n beginScope: \"meta\",\n end: /]/,\n endScope: \"meta\",\n keywords: {\n literal: LITERALS,\n keyword: [\n 'new',\n 'array',\n ]\n },\n contains: [\n {\n begin: /\\[/,\n end: /]/,\n keywords: {\n literal: LITERALS,\n keyword: [\n 'new',\n 'array',\n ]\n },\n contains: [\n 'self',\n ...ATTRIBUTE_CONTAINS,\n ]\n },\n ...ATTRIBUTE_CONTAINS,\n {\n scope: 'meta',\n match: PASCAL_CASE_CLASS_NAME_RE\n }\n ]\n };\n\n return {\n case_insensitive: false,\n keywords: KEYWORDS,\n contains: [\n ATTRIBUTES,\n hljs.HASH_COMMENT_MODE,\n hljs.COMMENT('//', '$'),\n hljs.COMMENT(\n '/\\\\*',\n '\\\\*/',\n { contains: [\n {\n scope: 'doctag',\n match: '@[A-Za-z]+'\n }\n ] }\n ),\n {\n match: /__halt_compiler\\(\\);/,\n keywords: '__halt_compiler',\n starts: {\n scope: \"comment\",\n end: hljs.MATCH_NOTHING_RE,\n contains: [\n {\n match: /\\?>/,\n scope: \"meta\",\n endsParent: true\n }\n ]\n }\n },\n PREPROCESSOR,\n {\n scope: 'variable.language',\n match: /\\$this\\b/\n },\n VARIABLE,\n FUNCTION_INVOKE,\n LEFT_AND_RIGHT_SIDE_OF_DOUBLE_COLON,\n {\n match: [\n /const/,\n /\\s/,\n IDENT_RE,\n ],\n scope: {\n 1: \"keyword\",\n 3: \"variable.constant\",\n },\n },\n CONSTRUCTOR_CALL,\n {\n scope: 'function',\n relevance: 0,\n beginKeywords: 'fn function',\n end: /[;{]/,\n excludeEnd: true,\n illegal: '[$%\\\\[]',\n contains: [\n { beginKeywords: 'use', },\n hljs.UNDERSCORE_TITLE_MODE,\n {\n begin: '=>', // No markup, just a relevance booster\n endsParent: true\n },\n {\n scope: 'params',\n begin: '\\\\(',\n end: '\\\\)',\n excludeBegin: true,\n excludeEnd: true,\n keywords: KEYWORDS,\n contains: [\n 'self',\n VARIABLE,\n LEFT_AND_RIGHT_SIDE_OF_DOUBLE_COLON,\n hljs.C_BLOCK_COMMENT_MODE,\n STRING,\n NUMBER\n ]\n },\n ]\n },\n {\n scope: 'class',\n variants: [\n {\n beginKeywords: \"enum\",\n illegal: /[($\"]/\n },\n {\n beginKeywords: \"class interface trait\",\n illegal: /[:($\"]/\n }\n ],\n relevance: 0,\n end: /\\{/,\n excludeEnd: true,\n contains: [\n { beginKeywords: 'extends implements' },\n hljs.UNDERSCORE_TITLE_MODE\n ]\n },\n // both use and namespace still use \"old style\" rules (vs multi-match)\n // because the namespace name can include `\\` and we still want each\n // element to be treated as its own *individual* title\n {\n beginKeywords: 'namespace',\n relevance: 0,\n end: ';',\n illegal: /[.']/,\n contains: [ hljs.inherit(hljs.UNDERSCORE_TITLE_MODE, { scope: \"title.class\" }) ]\n },\n {\n beginKeywords: 'use',\n relevance: 0,\n end: ';',\n contains: [\n // TODO: title.function vs title.class\n {\n match: /\\b(as|const|function)\\b/,\n scope: \"keyword\"\n },\n // TODO: could be title.class or title.function\n hljs.UNDERSCORE_TITLE_MODE\n ]\n },\n STRING,\n NUMBER,\n ]\n };\n}\n\nmodule.exports = php;\n", "/*\nLanguage: PHP Template\nRequires: xml.js, php.js\nAuthor: Josh Goebel <hello@joshgoebel.com>\nWebsite: https://www.php.net\nCategory: common\n*/\n\nfunction phpTemplate(hljs) {\n return {\n name: \"PHP template\",\n subLanguage: 'xml',\n contains: [\n {\n begin: /<\\?(php|=)?/,\n end: /\\?>/,\n subLanguage: 'php',\n contains: [\n // We don't want the php closing tag ?> to close the PHP block when\n // inside any of the following blocks:\n {\n begin: '/\\\\*',\n end: '\\\\*/',\n skip: true\n },\n {\n begin: 'b\"',\n end: '\"',\n skip: true\n },\n {\n begin: 'b\\'',\n end: '\\'',\n skip: true\n },\n hljs.inherit(hljs.APOS_STRING_MODE, {\n illegal: null,\n className: null,\n contains: null,\n skip: true\n }),\n hljs.inherit(hljs.QUOTE_STRING_MODE, {\n illegal: null,\n className: null,\n contains: null,\n skip: true\n })\n ]\n }\n ]\n };\n}\n\nmodule.exports = phpTemplate;\n", "/*\nLanguage: Plain text\nAuthor: Egor Rogov (e.rogov@postgrespro.ru)\nDescription: Plain text without any highlighting.\nCategory: common\n*/\n\nfunction plaintext(hljs) {\n return {\n name: 'Plain text',\n aliases: [\n 'text',\n 'txt'\n ],\n disableAutodetect: true\n };\n}\n\nmodule.exports = plaintext;\n", "/*\nLanguage: Pony\nAuthor: Joe Eli McIlvain <joe.eli.mac@gmail.com>\nDescription: Pony is an open-source, object-oriented, actor-model,\n capabilities-secure, high performance programming language.\nWebsite: https://www.ponylang.io\n*/\n\nfunction pony(hljs) {\n const KEYWORDS = {\n keyword:\n 'actor addressof and as be break class compile_error compile_intrinsic '\n + 'consume continue delegate digestof do else elseif embed end error '\n + 'for fun if ifdef in interface is isnt lambda let match new not object '\n + 'or primitive recover repeat return struct then trait try type until '\n + 'use var where while with xor',\n meta:\n 'iso val tag trn box ref',\n literal:\n 'this false true'\n };\n\n const TRIPLE_QUOTE_STRING_MODE = {\n className: 'string',\n begin: '\"\"\"',\n end: '\"\"\"',\n relevance: 10\n };\n\n const QUOTE_STRING_MODE = {\n className: 'string',\n begin: '\"',\n end: '\"',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n };\n\n const SINGLE_QUOTE_CHAR_MODE = {\n className: 'string',\n begin: '\\'',\n end: '\\'',\n contains: [ hljs.BACKSLASH_ESCAPE ],\n relevance: 0\n };\n\n const TYPE_NAME = {\n className: 'type',\n begin: '\\\\b_?[A-Z][\\\\w]*',\n relevance: 0\n };\n\n const PRIMED_NAME = {\n begin: hljs.IDENT_RE + '\\'',\n relevance: 0\n };\n\n const NUMBER_MODE = {\n className: 'number',\n begin: '(-?)(\\\\b0[xX][a-fA-F0-9]+|\\\\b0[bB][01]+|(\\\\b\\\\d+(_\\\\d+)?(\\\\.\\\\d*)?|\\\\.\\\\d+)([eE][-+]?\\\\d+)?)',\n relevance: 0\n };\n\n /**\n * The `FUNCTION` and `CLASS` modes were intentionally removed to simplify\n * highlighting and fix cases like\n * ```\n * interface Iterator[A: A]\n * fun has_next(): Bool\n * fun next(): A?\n * ```\n * where it is valid to have a function head without a body\n */\n\n return {\n name: 'Pony',\n keywords: KEYWORDS,\n contains: [\n TYPE_NAME,\n TRIPLE_QUOTE_STRING_MODE,\n QUOTE_STRING_MODE,\n SINGLE_QUOTE_CHAR_MODE,\n PRIMED_NAME,\n NUMBER_MODE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n };\n}\n\nmodule.exports = pony;\n", "/*\nLanguage: PowerShell\nDescription: PowerShell is a task-based command-line shell and scripting language built on .NET.\nAuthor: David Mohundro <david@mohundro.com>\nContributors: Nicholas Blumhardt <nblumhardt@nblumhardt.com>, Victor Zhou <OiCMudkips@users.noreply.github.com>, Nicolas Le Gall <contact@nlegall.fr>\nWebsite: https://docs.microsoft.com/en-us/powershell/\n*/\n\nfunction powershell(hljs) {\n const TYPES = [\n \"string\",\n \"char\",\n \"byte\",\n \"int\",\n \"long\",\n \"bool\",\n \"decimal\",\n \"single\",\n \"double\",\n \"DateTime\",\n \"xml\",\n \"array\",\n \"hashtable\",\n \"void\"\n ];\n\n // https://docs.microsoft.com/en-us/powershell/scripting/developer/cmdlet/approved-verbs-for-windows-powershell-commands\n const VALID_VERBS =\n 'Add|Clear|Close|Copy|Enter|Exit|Find|Format|Get|Hide|Join|Lock|'\n + 'Move|New|Open|Optimize|Pop|Push|Redo|Remove|Rename|Reset|Resize|'\n + 'Search|Select|Set|Show|Skip|Split|Step|Switch|Undo|Unlock|'\n + 'Watch|Backup|Checkpoint|Compare|Compress|Convert|ConvertFrom|'\n + 'ConvertTo|Dismount|Edit|Expand|Export|Group|Import|Initialize|'\n + 'Limit|Merge|Mount|Out|Publish|Restore|Save|Sync|Unpublish|Update|'\n + 'Approve|Assert|Build|Complete|Confirm|Deny|Deploy|Disable|Enable|Install|Invoke|'\n + 'Register|Request|Restart|Resume|Start|Stop|Submit|Suspend|Uninstall|'\n + 'Unregister|Wait|Debug|Measure|Ping|Repair|Resolve|Test|Trace|Connect|'\n + 'Disconnect|Read|Receive|Send|Write|Block|Grant|Protect|Revoke|Unblock|'\n + 'Unprotect|Use|ForEach|Sort|Tee|Where';\n\n const COMPARISON_OPERATORS =\n '-and|-as|-band|-bnot|-bor|-bxor|-casesensitive|-ccontains|-ceq|-cge|-cgt|'\n + '-cle|-clike|-clt|-cmatch|-cne|-cnotcontains|-cnotlike|-cnotmatch|-contains|'\n + '-creplace|-csplit|-eq|-exact|-f|-file|-ge|-gt|-icontains|-ieq|-ige|-igt|'\n + '-ile|-ilike|-ilt|-imatch|-in|-ine|-inotcontains|-inotlike|-inotmatch|'\n + '-ireplace|-is|-isnot|-isplit|-join|-le|-like|-lt|-match|-ne|-not|'\n + '-notcontains|-notin|-notlike|-notmatch|-or|-regex|-replace|-shl|-shr|'\n + '-split|-wildcard|-xor';\n\n const KEYWORDS = {\n $pattern: /-?[A-z\\.\\-]+\\b/,\n keyword:\n 'if else foreach return do while until elseif begin for trap data dynamicparam '\n + 'end break throw param continue finally in switch exit filter try process catch '\n + 'hidden static parameter',\n // \"echo\" relevance has been set to 0 to avoid auto-detect conflicts with shell transcripts\n built_in:\n 'ac asnp cat cd CFS chdir clc clear clhy cli clp cls clv cnsn compare copy cp '\n + 'cpi cpp curl cvpa dbp del diff dir dnsn ebp echo|0 epal epcsv epsn erase etsn exsn fc fhx '\n + 'fl ft fw gal gbp gc gcb gci gcm gcs gdr gerr ghy gi gin gjb gl gm gmo gp gps gpv group '\n + 'gsn gsnp gsv gtz gu gv gwmi h history icm iex ihy ii ipal ipcsv ipmo ipsn irm ise iwmi '\n + 'iwr kill lp ls man md measure mi mount move mp mv nal ndr ni nmo npssc nsn nv ogv oh '\n + 'popd ps pushd pwd r rbp rcjb rcsn rd rdr ren ri rjb rm rmdir rmo rni rnp rp rsn rsnp '\n + 'rujb rv rvpa rwmi sajb sal saps sasv sbp sc scb select set shcm si sl sleep sls sort sp '\n + 'spjb spps spsv start stz sujb sv swmi tee trcm type wget where wjb write'\n // TODO: 'validate[A-Z]+' can't work in keywords\n };\n\n const TITLE_NAME_RE = /\\w[\\w\\d]*((-)[\\w\\d]+)*/;\n\n const BACKTICK_ESCAPE = {\n begin: '`[\\\\s\\\\S]',\n relevance: 0\n };\n\n const VAR = {\n className: 'variable',\n variants: [\n { begin: /\\$\\B/ },\n {\n className: 'keyword',\n begin: /\\$this/\n },\n { begin: /\\$[\\w\\d][\\w\\d_:]*/ }\n ]\n };\n\n const LITERAL = {\n className: 'literal',\n begin: /\\$(null|true|false)\\b/\n };\n\n const QUOTE_STRING = {\n className: \"string\",\n variants: [\n {\n begin: /\"/,\n end: /\"/\n },\n {\n begin: /@\"/,\n end: /^\"@/\n }\n ],\n contains: [\n BACKTICK_ESCAPE,\n VAR,\n {\n className: 'variable',\n begin: /\\$[A-z]/,\n end: /[^A-z]/\n }\n ]\n };\n\n const APOS_STRING = {\n className: 'string',\n variants: [\n {\n begin: /'/,\n end: /'/\n },\n {\n begin: /@'/,\n end: /^'@/\n }\n ]\n };\n\n const PS_HELPTAGS = {\n className: \"doctag\",\n variants: [\n /* no paramater help tags */\n { begin: /\\.(synopsis|description|example|inputs|outputs|notes|link|component|role|functionality)/ },\n /* one parameter help tags */\n { begin: /\\.(parameter|forwardhelptargetname|forwardhelpcategory|remotehelprunspace|externalhelp)\\s+\\S+/ }\n ]\n };\n\n const PS_COMMENT = hljs.inherit(\n hljs.COMMENT(null, null),\n {\n variants: [\n /* single-line comment */\n {\n begin: /#/,\n end: /$/\n },\n /* multi-line comment */\n {\n begin: /<#/,\n end: /#>/\n }\n ],\n contains: [ PS_HELPTAGS ]\n }\n );\n\n const CMDLETS = {\n className: 'built_in',\n variants: [ { begin: '('.concat(VALID_VERBS, ')+(-)[\\\\w\\\\d]+') } ]\n };\n\n const PS_CLASS = {\n className: 'class',\n beginKeywords: 'class enum',\n end: /\\s*[{]/,\n excludeEnd: true,\n relevance: 0,\n contains: [ hljs.TITLE_MODE ]\n };\n\n const PS_FUNCTION = {\n className: 'function',\n begin: /function\\s+/,\n end: /\\s*\\{|$/,\n excludeEnd: true,\n returnBegin: true,\n relevance: 0,\n contains: [\n {\n begin: \"function\",\n relevance: 0,\n className: \"keyword\"\n },\n {\n className: \"title\",\n begin: TITLE_NAME_RE,\n relevance: 0\n },\n {\n begin: /\\(/,\n end: /\\)/,\n className: \"params\",\n relevance: 0,\n contains: [ VAR ]\n }\n // CMDLETS\n ]\n };\n\n // Using statment, plus type, plus assembly name.\n const PS_USING = {\n begin: /using\\s/,\n end: /$/,\n returnBegin: true,\n contains: [\n QUOTE_STRING,\n APOS_STRING,\n {\n className: 'keyword',\n begin: /(using|assembly|command|module|namespace|type)/\n }\n ]\n };\n\n // Comperison operators & function named parameters.\n const PS_ARGUMENTS = { variants: [\n // PS literals are pretty verbose so it's a good idea to accent them a bit.\n {\n className: 'operator',\n begin: '('.concat(COMPARISON_OPERATORS, ')\\\\b')\n },\n {\n className: 'literal',\n begin: /(-){1,2}[\\w\\d-]+/,\n relevance: 0\n }\n ] };\n\n const HASH_SIGNS = {\n className: 'selector-tag',\n begin: /@\\B/,\n relevance: 0\n };\n\n // It's a very general rule so I'll narrow it a bit with some strict boundaries\n // to avoid any possible false-positive collisions!\n const PS_METHODS = {\n className: 'function',\n begin: /\\[.*\\]\\s*[\\w]+[ ]??\\(/,\n end: /$/,\n returnBegin: true,\n relevance: 0,\n contains: [\n {\n className: 'keyword',\n begin: '('.concat(\n KEYWORDS.keyword.toString().replace(/\\s/g, '|'\n ), ')\\\\b'),\n endsParent: true,\n relevance: 0\n },\n hljs.inherit(hljs.TITLE_MODE, { endsParent: true })\n ]\n };\n\n const GENTLEMANS_SET = [\n // STATIC_MEMBER,\n PS_METHODS,\n PS_COMMENT,\n BACKTICK_ESCAPE,\n hljs.NUMBER_MODE,\n QUOTE_STRING,\n APOS_STRING,\n // PS_NEW_OBJECT_TYPE,\n CMDLETS,\n VAR,\n LITERAL,\n HASH_SIGNS\n ];\n\n const PS_TYPE = {\n begin: /\\[/,\n end: /\\]/,\n excludeBegin: true,\n excludeEnd: true,\n relevance: 0,\n contains: [].concat(\n 'self',\n GENTLEMANS_SET,\n {\n begin: \"(\" + TYPES.join(\"|\") + \")\",\n className: \"built_in\",\n relevance: 0\n },\n {\n className: 'type',\n begin: /[\\.\\w\\d]+/,\n relevance: 0\n }\n )\n };\n\n PS_METHODS.contains.unshift(PS_TYPE);\n\n return {\n name: 'PowerShell',\n aliases: [\n \"pwsh\",\n \"ps\",\n \"ps1\"\n ],\n case_insensitive: true,\n keywords: KEYWORDS,\n contains: GENTLEMANS_SET.concat(\n PS_CLASS,\n PS_FUNCTION,\n PS_USING,\n PS_ARGUMENTS,\n PS_TYPE\n )\n };\n}\n\nmodule.exports = powershell;\n", "/*\nLanguage: Processing\nDescription: Processing is a flexible software sketchbook and a language for learning how to code within the context of the visual arts.\nAuthor: Erik Paluka <erik.paluka@gmail.com>\nWebsite: https://processing.org\nCategory: graphics\n*/\n\nfunction processing(hljs) {\n const regex = hljs.regex;\n const BUILT_INS = [\n \"displayHeight\",\n \"displayWidth\",\n \"mouseY\",\n \"mouseX\",\n \"mousePressed\",\n \"pmouseX\",\n \"pmouseY\",\n \"key\",\n \"keyCode\",\n \"pixels\",\n \"focused\",\n \"frameCount\",\n \"frameRate\",\n \"height\",\n \"width\",\n \"size\",\n \"createGraphics\",\n \"beginDraw\",\n \"createShape\",\n \"loadShape\",\n \"PShape\",\n \"arc\",\n \"ellipse\",\n \"line\",\n \"point\",\n \"quad\",\n \"rect\",\n \"triangle\",\n \"bezier\",\n \"bezierDetail\",\n \"bezierPoint\",\n \"bezierTangent\",\n \"curve\",\n \"curveDetail\",\n \"curvePoint\",\n \"curveTangent\",\n \"curveTightness\",\n \"shape\",\n \"shapeMode\",\n \"beginContour\",\n \"beginShape\",\n \"bezierVertex\",\n \"curveVertex\",\n \"endContour\",\n \"endShape\",\n \"quadraticVertex\",\n \"vertex\",\n \"ellipseMode\",\n \"noSmooth\",\n \"rectMode\",\n \"smooth\",\n \"strokeCap\",\n \"strokeJoin\",\n \"strokeWeight\",\n \"mouseClicked\",\n \"mouseDragged\",\n \"mouseMoved\",\n \"mousePressed\",\n \"mouseReleased\",\n \"mouseWheel\",\n \"keyPressed\",\n \"keyPressedkeyReleased\",\n \"keyTyped\",\n \"print\",\n \"println\",\n \"save\",\n \"saveFrame\",\n \"day\",\n \"hour\",\n \"millis\",\n \"minute\",\n \"month\",\n \"second\",\n \"year\",\n \"background\",\n \"clear\",\n \"colorMode\",\n \"fill\",\n \"noFill\",\n \"noStroke\",\n \"stroke\",\n \"alpha\",\n \"blue\",\n \"brightness\",\n \"color\",\n \"green\",\n \"hue\",\n \"lerpColor\",\n \"red\",\n \"saturation\",\n \"modelX\",\n \"modelY\",\n \"modelZ\",\n \"screenX\",\n \"screenY\",\n \"screenZ\",\n \"ambient\",\n \"emissive\",\n \"shininess\",\n \"specular\",\n \"add\",\n \"createImage\",\n \"beginCamera\",\n \"camera\",\n \"endCamera\",\n \"frustum\",\n \"ortho\",\n \"perspective\",\n \"printCamera\",\n \"printProjection\",\n \"cursor\",\n \"frameRate\",\n \"noCursor\",\n \"exit\",\n \"loop\",\n \"noLoop\",\n \"popStyle\",\n \"pushStyle\",\n \"redraw\",\n \"binary\",\n \"boolean\",\n \"byte\",\n \"char\",\n \"float\",\n \"hex\",\n \"int\",\n \"str\",\n \"unbinary\",\n \"unhex\",\n \"join\",\n \"match\",\n \"matchAll\",\n \"nf\",\n \"nfc\",\n \"nfp\",\n \"nfs\",\n \"split\",\n \"splitTokens\",\n \"trim\",\n \"append\",\n \"arrayCopy\",\n \"concat\",\n \"expand\",\n \"reverse\",\n \"shorten\",\n \"sort\",\n \"splice\",\n \"subset\",\n \"box\",\n \"sphere\",\n \"sphereDetail\",\n \"createInput\",\n \"createReader\",\n \"loadBytes\",\n \"loadJSONArray\",\n \"loadJSONObject\",\n \"loadStrings\",\n \"loadTable\",\n \"loadXML\",\n \"open\",\n \"parseXML\",\n \"saveTable\",\n \"selectFolder\",\n \"selectInput\",\n \"beginRaw\",\n \"beginRecord\",\n \"createOutput\",\n \"createWriter\",\n \"endRaw\",\n \"endRecord\",\n \"PrintWritersaveBytes\",\n \"saveJSONArray\",\n \"saveJSONObject\",\n \"saveStream\",\n \"saveStrings\",\n \"saveXML\",\n \"selectOutput\",\n \"popMatrix\",\n \"printMatrix\",\n \"pushMatrix\",\n \"resetMatrix\",\n \"rotate\",\n \"rotateX\",\n \"rotateY\",\n \"rotateZ\",\n \"scale\",\n \"shearX\",\n \"shearY\",\n \"translate\",\n \"ambientLight\",\n \"directionalLight\",\n \"lightFalloff\",\n \"lights\",\n \"lightSpecular\",\n \"noLights\",\n \"normal\",\n \"pointLight\",\n \"spotLight\",\n \"image\",\n \"imageMode\",\n \"loadImage\",\n \"noTint\",\n \"requestImage\",\n \"tint\",\n \"texture\",\n \"textureMode\",\n \"textureWrap\",\n \"blend\",\n \"copy\",\n \"filter\",\n \"get\",\n \"loadPixels\",\n \"set\",\n \"updatePixels\",\n \"blendMode\",\n \"loadShader\",\n \"PShaderresetShader\",\n \"shader\",\n \"createFont\",\n \"loadFont\",\n \"text\",\n \"textFont\",\n \"textAlign\",\n \"textLeading\",\n \"textMode\",\n \"textSize\",\n \"textWidth\",\n \"textAscent\",\n \"textDescent\",\n \"abs\",\n \"ceil\",\n \"constrain\",\n \"dist\",\n \"exp\",\n \"floor\",\n \"lerp\",\n \"log\",\n \"mag\",\n \"map\",\n \"max\",\n \"min\",\n \"norm\",\n \"pow\",\n \"round\",\n \"sq\",\n \"sqrt\",\n \"acos\",\n \"asin\",\n \"atan\",\n \"atan2\",\n \"cos\",\n \"degrees\",\n \"radians\",\n \"sin\",\n \"tan\",\n \"noise\",\n \"noiseDetail\",\n \"noiseSeed\",\n \"random\",\n \"randomGaussian\",\n \"randomSeed\"\n ];\n const IDENT = hljs.IDENT_RE;\n const FUNC_NAME = { variants: [\n {\n match: regex.concat(regex.either(...BUILT_INS), regex.lookahead(/\\s*\\(/)),\n className: \"built_in\"\n },\n {\n relevance: 0,\n match: regex.concat(\n /\\b(?!for|if|while)/,\n IDENT, regex.lookahead(/\\s*\\(/)),\n className: \"title.function\"\n }\n ] };\n const NEW_CLASS = {\n match: [\n /new\\s+/,\n IDENT\n ],\n className: {\n 1: \"keyword\",\n 2: \"class.title\"\n }\n };\n const PROPERTY = {\n relevance: 0,\n match: [\n /\\./,\n IDENT\n ],\n className: { 2: \"property\" }\n };\n const CLASS = {\n variants: [\n { match: [\n /class/,\n /\\s+/,\n IDENT,\n /\\s+/,\n /extends/,\n /\\s+/,\n IDENT\n ] },\n { match: [\n /class/,\n /\\s+/,\n IDENT\n ] }\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.class\",\n 5: \"keyword\",\n 7: \"title.class.inherited\"\n }\n };\n\n const TYPES = [\n \"boolean\",\n \"byte\",\n \"char\",\n \"color\",\n \"double\",\n \"float\",\n \"int\",\n \"long\",\n \"short\",\n ];\n const CLASSES = [\n \"BufferedReader\",\n \"PVector\",\n \"PFont\",\n \"PImage\",\n \"PGraphics\",\n \"HashMap\",\n \"String\",\n \"Array\",\n \"FloatDict\",\n \"ArrayList\",\n \"FloatList\",\n \"IntDict\",\n \"IntList\",\n \"JSONArray\",\n \"JSONObject\",\n \"Object\",\n \"StringDict\",\n \"StringList\",\n \"Table\",\n \"TableRow\",\n \"XML\"\n ];\n const JAVA_KEYWORDS = [\n \"abstract\",\n \"assert\",\n \"break\",\n \"case\",\n \"catch\",\n \"const\",\n \"continue\",\n \"default\",\n \"else\",\n \"enum\",\n \"final\",\n \"finally\",\n \"for\",\n \"if\",\n \"import\",\n \"instanceof\",\n \"long\",\n \"native\",\n \"new\",\n \"package\",\n \"private\",\n \"private\",\n \"protected\",\n \"protected\",\n \"public\",\n \"public\",\n \"return\",\n \"static\",\n \"strictfp\",\n \"switch\",\n \"synchronized\",\n \"throw\",\n \"throws\",\n \"transient\",\n \"try\",\n \"void\",\n \"volatile\",\n \"while\"\n ];\n\n return {\n name: 'Processing',\n aliases: [ 'pde' ],\n keywords: {\n keyword: [ ...JAVA_KEYWORDS ],\n literal: 'P2D P3D HALF_PI PI QUARTER_PI TAU TWO_PI null true false',\n title: 'setup draw',\n variable: \"super this\",\n built_in: [\n ...BUILT_INS,\n ...CLASSES\n ],\n type: TYPES\n },\n contains: [\n CLASS,\n NEW_CLASS,\n FUNC_NAME,\n PROPERTY,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.C_NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = processing;\n", "/*\nLanguage: Python profiler\nDescription: Python profiler results\nAuthor: Brian Beck <exogen@gmail.com>\n*/\n\nfunction profile(hljs) {\n return {\n name: 'Python profiler',\n contains: [\n hljs.C_NUMBER_MODE,\n {\n begin: '[a-zA-Z_][\\\\da-zA-Z_]+\\\\.[\\\\da-zA-Z_]{1,3}',\n end: ':',\n excludeEnd: true\n },\n {\n begin: '(ncalls|tottime|cumtime)',\n end: '$',\n keywords: 'ncalls tottime|10 cumtime|10 filename',\n relevance: 10\n },\n {\n begin: 'function calls',\n end: '$',\n contains: [ hljs.C_NUMBER_MODE ],\n relevance: 10\n },\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n {\n className: 'string',\n begin: '\\\\(',\n end: '\\\\)$',\n excludeBegin: true,\n excludeEnd: true,\n relevance: 0\n }\n ]\n };\n}\n\nmodule.exports = profile;\n", "/*\nLanguage: Prolog\nDescription: Prolog is a general purpose logic programming language associated with artificial intelligence and computational linguistics.\nAuthor: Raivo Laanemets <raivo@infdot.com>\nWebsite: https://en.wikipedia.org/wiki/Prolog\n*/\n\nfunction prolog(hljs) {\n const ATOM = {\n\n begin: /[a-z][A-Za-z0-9_]*/,\n relevance: 0\n };\n\n const VAR = {\n\n className: 'symbol',\n variants: [\n { begin: /[A-Z][a-zA-Z0-9_]*/ },\n { begin: /_[A-Za-z0-9_]*/ }\n ],\n relevance: 0\n };\n\n const PARENTED = {\n\n begin: /\\(/,\n end: /\\)/,\n relevance: 0\n };\n\n const LIST = {\n\n begin: /\\[/,\n end: /\\]/\n };\n\n const LINE_COMMENT = {\n\n className: 'comment',\n begin: /%/,\n end: /$/,\n contains: [ hljs.PHRASAL_WORDS_MODE ]\n };\n\n const BACKTICK_STRING = {\n\n className: 'string',\n begin: /`/,\n end: /`/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n };\n\n const CHAR_CODE = {\n className: 'string', // 0'a etc.\n begin: /0'(\\\\'|.)/\n };\n\n const SPACE_CODE = {\n className: 'string',\n begin: /0'\\\\s/ // 0'\\s\n };\n\n const PRED_OP = { // relevance booster\n begin: /:-/ };\n\n const inner = [\n\n ATOM,\n VAR,\n PARENTED,\n PRED_OP,\n LIST,\n LINE_COMMENT,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n BACKTICK_STRING,\n CHAR_CODE,\n SPACE_CODE,\n hljs.C_NUMBER_MODE\n ];\n\n PARENTED.contains = inner;\n LIST.contains = inner;\n\n return {\n name: 'Prolog',\n contains: inner.concat([\n { // relevance booster\n begin: /\\.$/ }\n ])\n };\n}\n\nmodule.exports = prolog;\n", "/*\nLanguage: .properties\nContributors: Valentin Aitken <valentin@nalisbg.com>, Egor Rogov <e.rogov@postgrespro.ru>\nWebsite: https://en.wikipedia.org/wiki/.properties\nCategory: config\n*/\n\n/** @type LanguageFn */\nfunction properties(hljs) {\n // whitespaces: space, tab, formfeed\n const WS0 = '[ \\\\t\\\\f]*';\n const WS1 = '[ \\\\t\\\\f]+';\n // delimiter\n const EQUAL_DELIM = WS0 + '[:=]' + WS0;\n const WS_DELIM = WS1;\n const DELIM = '(' + EQUAL_DELIM + '|' + WS_DELIM + ')';\n const KEY = '([^\\\\\\\\:= \\\\t\\\\f\\\\n]|\\\\\\\\.)+';\n\n const DELIM_AND_VALUE = {\n // skip DELIM\n end: DELIM,\n relevance: 0,\n starts: {\n // value: everything until end of line (again, taking into account backslashes)\n className: 'string',\n end: /$/,\n relevance: 0,\n contains: [\n { begin: '\\\\\\\\\\\\\\\\' },\n { begin: '\\\\\\\\\\\\n' }\n ]\n }\n };\n\n return {\n name: '.properties',\n disableAutodetect: true,\n case_insensitive: true,\n illegal: /\\S/,\n contains: [\n hljs.COMMENT('^\\\\s*[!#]', '$'),\n // key: everything until whitespace or = or : (taking into account backslashes)\n // case of a key-value pair\n {\n returnBegin: true,\n variants: [\n { begin: KEY + EQUAL_DELIM },\n { begin: KEY + WS_DELIM }\n ],\n contains: [\n {\n className: 'attr',\n begin: KEY,\n endsParent: true\n }\n ],\n starts: DELIM_AND_VALUE\n },\n // case of an empty key\n {\n className: 'attr',\n begin: KEY + WS0 + '$'\n }\n ]\n };\n}\n\nmodule.exports = properties;\n", "/*\nLanguage: Protocol Buffers\nAuthor: Dan Tao <daniel.tao@gmail.com>\nDescription: Protocol buffer message definition format\nWebsite: https://developers.google.com/protocol-buffers/docs/proto3\nCategory: protocols\n*/\n\nfunction protobuf(hljs) {\n const KEYWORDS = [\n \"package\",\n \"import\",\n \"option\",\n \"optional\",\n \"required\",\n \"repeated\",\n \"group\",\n \"oneof\"\n ];\n const TYPES = [\n \"double\",\n \"float\",\n \"int32\",\n \"int64\",\n \"uint32\",\n \"uint64\",\n \"sint32\",\n \"sint64\",\n \"fixed32\",\n \"fixed64\",\n \"sfixed32\",\n \"sfixed64\",\n \"bool\",\n \"string\",\n \"bytes\"\n ];\n const CLASS_DEFINITION = {\n match: [\n /(message|enum|service)\\s+/,\n hljs.IDENT_RE\n ],\n scope: {\n 1: \"keyword\",\n 2: \"title.class\"\n }\n };\n\n return {\n name: 'Protocol Buffers',\n aliases: ['proto'],\n keywords: {\n keyword: KEYWORDS,\n type: TYPES,\n literal: [\n 'true',\n 'false'\n ]\n },\n contains: [\n hljs.QUOTE_STRING_MODE,\n hljs.NUMBER_MODE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n CLASS_DEFINITION,\n {\n className: 'function',\n beginKeywords: 'rpc',\n end: /[{;]/,\n excludeEnd: true,\n keywords: 'rpc returns'\n },\n { // match enum items (relevance)\n // BLAH = ...;\n begin: /^\\s*[A-Z_]+(?=\\s*=[^\\n]+;$)/ }\n ]\n };\n}\n\nmodule.exports = protobuf;\n", "/*\nLanguage: Puppet\nAuthor: Jose Molina Colmenero <gaudy41@gmail.com>\nWebsite: https://puppet.com/docs\nCategory: config\n*/\n\nfunction puppet(hljs) {\n const PUPPET_KEYWORDS = {\n keyword:\n /* language keywords */\n 'and case default else elsif false if in import enherits node or true undef unless main settings $string ',\n literal:\n /* metaparameters */\n 'alias audit before loglevel noop require subscribe tag '\n /* normal attributes */\n + 'owner ensure group mode name|0 changes context force incl lens load_path onlyif provider returns root show_diff type_check '\n + 'en_address ip_address realname command environment hour monute month monthday special target weekday '\n + 'creates cwd ogoutput refresh refreshonly tries try_sleep umask backup checksum content ctime force ignore '\n + 'links mtime purge recurse recurselimit replace selinux_ignore_defaults selrange selrole seltype seluser source '\n + 'souirce_permissions sourceselect validate_cmd validate_replacement allowdupe attribute_membership auth_membership forcelocal gid '\n + 'ia_load_module members system host_aliases ip allowed_trunk_vlans description device_url duplex encapsulation etherchannel '\n + 'native_vlan speed principals allow_root auth_class auth_type authenticate_user k_of_n mechanisms rule session_owner shared options '\n + 'device fstype enable hasrestart directory present absent link atboot blockdevice device dump pass remounts poller_tag use '\n + 'message withpath adminfile allow_virtual allowcdrom category configfiles flavor install_options instance package_settings platform '\n + 'responsefile status uninstall_options vendor unless_system_user unless_uid binary control flags hasstatus manifest pattern restart running '\n + 'start stop allowdupe auths expiry gid groups home iterations key_membership keys managehome membership password password_max_age '\n + 'password_min_age profile_membership profiles project purge_ssh_keys role_membership roles salt shell uid baseurl cost descr enabled '\n + 'enablegroups exclude failovermethod gpgcheck gpgkey http_caching include includepkgs keepalive metadata_expire metalink mirrorlist '\n + 'priority protect proxy proxy_password proxy_username repo_gpgcheck s3_enabled skip_if_unavailable sslcacert sslclientcert sslclientkey '\n + 'sslverify mounted',\n built_in:\n /* core facts */\n 'architecture augeasversion blockdevices boardmanufacturer boardproductname boardserialnumber cfkey dhcp_servers '\n + 'domain ec2_ ec2_userdata facterversion filesystems ldom fqdn gid hardwareisa hardwaremodel hostname id|0 interfaces '\n + 'ipaddress ipaddress_ ipaddress6 ipaddress6_ iphostnumber is_virtual kernel kernelmajversion kernelrelease kernelversion '\n + 'kernelrelease kernelversion lsbdistcodename lsbdistdescription lsbdistid lsbdistrelease lsbmajdistrelease lsbminordistrelease '\n + 'lsbrelease macaddress macaddress_ macosx_buildversion macosx_productname macosx_productversion macosx_productverson_major '\n + 'macosx_productversion_minor manufacturer memoryfree memorysize netmask metmask_ network_ operatingsystem operatingsystemmajrelease '\n + 'operatingsystemrelease osfamily partitions path physicalprocessorcount processor processorcount productname ps puppetversion '\n + 'rubysitedir rubyversion selinux selinux_config_mode selinux_config_policy selinux_current_mode selinux_current_mode selinux_enforced '\n + 'selinux_policyversion serialnumber sp_ sshdsakey sshecdsakey sshrsakey swapencrypted swapfree swapsize timezone type uniqueid uptime '\n + 'uptime_days uptime_hours uptime_seconds uuid virtual vlans xendomains zfs_version zonenae zones zpool_version'\n };\n\n const COMMENT = hljs.COMMENT('#', '$');\n\n const IDENT_RE = '([A-Za-z_]|::)(\\\\w|::)*';\n\n const TITLE = hljs.inherit(hljs.TITLE_MODE, { begin: IDENT_RE });\n\n const VARIABLE = {\n className: 'variable',\n begin: '\\\\$' + IDENT_RE\n };\n\n const STRING = {\n className: 'string',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n VARIABLE\n ],\n variants: [\n {\n begin: /'/,\n end: /'/\n },\n {\n begin: /\"/,\n end: /\"/\n }\n ]\n };\n\n return {\n name: 'Puppet',\n aliases: [ 'pp' ],\n contains: [\n COMMENT,\n VARIABLE,\n STRING,\n {\n beginKeywords: 'class',\n end: '\\\\{|;',\n illegal: /=/,\n contains: [\n TITLE,\n COMMENT\n ]\n },\n {\n beginKeywords: 'define',\n end: /\\{/,\n contains: [\n {\n className: 'section',\n begin: hljs.IDENT_RE,\n endsParent: true\n }\n ]\n },\n {\n begin: hljs.IDENT_RE + '\\\\s+\\\\{',\n returnBegin: true,\n end: /\\S/,\n contains: [\n {\n className: 'keyword',\n begin: hljs.IDENT_RE,\n relevance: 0.2\n },\n {\n begin: /\\{/,\n end: /\\}/,\n keywords: PUPPET_KEYWORDS,\n relevance: 0,\n contains: [\n STRING,\n COMMENT,\n {\n begin: '[a-zA-Z_]+\\\\s*=>',\n returnBegin: true,\n end: '=>',\n contains: [\n {\n className: 'attr',\n begin: hljs.IDENT_RE\n }\n ]\n },\n {\n className: 'number',\n begin: '(\\\\b0[0-7_]+)|(\\\\b0x[0-9a-fA-F_]+)|(\\\\b[1-9][0-9_]*(\\\\.[0-9_]+)?)|[0_]\\\\b',\n relevance: 0\n },\n VARIABLE\n ]\n }\n ],\n relevance: 0\n }\n ]\n };\n}\n\nmodule.exports = puppet;\n", "/*\nLanguage: PureBASIC\nAuthor: Tristano Ajmone <tajmone@gmail.com>\nDescription: Syntax highlighting for PureBASIC (v.5.00-5.60). No inline ASM highlighting. (v.1.2, May 2017)\nCredits: I've taken inspiration from the PureBasic language file for GeSHi, created by Gustavo Julio Fiorenza (GuShH).\nWebsite: https://www.purebasic.com\n*/\n\n// Base deafult colors in PB IDE: background: #FFFFDF; foreground: #000000;\n\nfunction purebasic(hljs) {\n const STRINGS = { // PB IDE color: #0080FF (Azure Radiance)\n className: 'string',\n begin: '(~)?\"',\n end: '\"',\n illegal: '\\\\n'\n };\n const CONSTANTS = { // PB IDE color: #924B72 (Cannon Pink)\n // \"#\" + a letter or underscore + letters, digits or underscores + (optional) \"$\"\n className: 'symbol',\n begin: '#[a-zA-Z_]\\\\w*\\\\$?'\n };\n\n return {\n name: 'PureBASIC',\n aliases: [\n 'pb',\n 'pbi'\n ],\n keywords: // PB IDE color: #006666 (Blue Stone) + Bold\n // Keywords from all version of PureBASIC 5.00 upward ...\n 'Align And Array As Break CallDebugger Case CompilerCase CompilerDefault '\n + 'CompilerElse CompilerElseIf CompilerEndIf CompilerEndSelect CompilerError '\n + 'CompilerIf CompilerSelect CompilerWarning Continue Data DataSection Debug '\n + 'DebugLevel Declare DeclareC DeclareCDLL DeclareDLL DeclareModule Default '\n + 'Define Dim DisableASM DisableDebugger DisableExplicit Else ElseIf EnableASM '\n + 'EnableDebugger EnableExplicit End EndDataSection EndDeclareModule EndEnumeration '\n + 'EndIf EndImport EndInterface EndMacro EndModule EndProcedure EndSelect '\n + 'EndStructure EndStructureUnion EndWith Enumeration EnumerationBinary Extends '\n + 'FakeReturn For ForEach ForEver Global Gosub Goto If Import ImportC '\n + 'IncludeBinary IncludeFile IncludePath Interface List Macro MacroExpandedCount '\n + 'Map Module NewList NewMap Next Not Or Procedure ProcedureC '\n + 'ProcedureCDLL ProcedureDLL ProcedureReturn Protected Prototype PrototypeC ReDim '\n + 'Read Repeat Restore Return Runtime Select Shared Static Step Structure '\n + 'StructureUnion Swap Threaded To UndefineMacro Until Until UnuseModule '\n + 'UseModule Wend While With XIncludeFile XOr',\n contains: [\n // COMMENTS | PB IDE color: #00AAAA (Persian Green)\n hljs.COMMENT(';', '$', { relevance: 0 }),\n\n { // PROCEDURES DEFINITIONS\n className: 'function',\n begin: '\\\\b(Procedure|Declare)(C|CDLL|DLL)?\\\\b',\n end: '\\\\(',\n excludeEnd: true,\n returnBegin: true,\n contains: [\n { // PROCEDURE KEYWORDS | PB IDE color: #006666 (Blue Stone) + Bold\n className: 'keyword',\n begin: '(Procedure|Declare)(C|CDLL|DLL)?',\n excludeEnd: true\n },\n { // PROCEDURE RETURN TYPE SETTING | PB IDE color: #000000 (Black)\n className: 'type',\n begin: '\\\\.\\\\w*'\n // end: ' ',\n },\n hljs.UNDERSCORE_TITLE_MODE // PROCEDURE NAME | PB IDE color: #006666 (Blue Stone)\n ]\n },\n STRINGS,\n CONSTANTS\n ]\n };\n}\n\n/* ==============================================================================\n CHANGELOG\n ==============================================================================\n - v.1.2 (2017-05-12)\n -- BUG-FIX: Some keywords were accidentally joyned together. Now fixed.\n - v.1.1 (2017-04-30)\n -- Updated to PureBASIC 5.60.\n -- Keywords list now built by extracting them from the PureBASIC SDK's\n \"SyntaxHilighting.dll\" (from each PureBASIC version). Tokens from each\n version are added to the list, and renamed or removed tokens are kept\n for the sake of covering all versions of the language from PureBASIC\n v5.00 upward. (NOTE: currently, there are no renamed or deprecated\n tokens in the keywords list). For more info, see:\n -- http://www.purebasic.fr/english/viewtopic.php?&p=506269\n -- https://github.com/tajmone/purebasic-archives/tree/master/syntax-highlighting/guidelines\n - v.1.0 (April 2016)\n -- First release\n -- Keywords list taken and adapted from GuShH's (Gustavo Julio Fiorenza)\n PureBasic language file for GeSHi:\n -- https://github.com/easybook/geshi/blob/master/geshi/purebasic.php\n*/\n\nmodule.exports = purebasic;\n", "/*\nLanguage: Python\nDescription: Python is an interpreted, object-oriented, high-level programming language with dynamic semantics.\nWebsite: https://www.python.org\nCategory: common\n*/\n\nfunction python(hljs) {\n const regex = hljs.regex;\n const IDENT_RE = /[\\p{XID_Start}_]\\p{XID_Continue}*/u;\n const RESERVED_WORDS = [\n 'and',\n 'as',\n 'assert',\n 'async',\n 'await',\n 'break',\n 'case',\n 'class',\n 'continue',\n 'def',\n 'del',\n 'elif',\n 'else',\n 'except',\n 'finally',\n 'for',\n 'from',\n 'global',\n 'if',\n 'import',\n 'in',\n 'is',\n 'lambda',\n 'match',\n 'nonlocal|10',\n 'not',\n 'or',\n 'pass',\n 'raise',\n 'return',\n 'try',\n 'while',\n 'with',\n 'yield'\n ];\n\n const BUILT_INS = [\n '__import__',\n 'abs',\n 'all',\n 'any',\n 'ascii',\n 'bin',\n 'bool',\n 'breakpoint',\n 'bytearray',\n 'bytes',\n 'callable',\n 'chr',\n 'classmethod',\n 'compile',\n 'complex',\n 'delattr',\n 'dict',\n 'dir',\n 'divmod',\n 'enumerate',\n 'eval',\n 'exec',\n 'filter',\n 'float',\n 'format',\n 'frozenset',\n 'getattr',\n 'globals',\n 'hasattr',\n 'hash',\n 'help',\n 'hex',\n 'id',\n 'input',\n 'int',\n 'isinstance',\n 'issubclass',\n 'iter',\n 'len',\n 'list',\n 'locals',\n 'map',\n 'max',\n 'memoryview',\n 'min',\n 'next',\n 'object',\n 'oct',\n 'open',\n 'ord',\n 'pow',\n 'print',\n 'property',\n 'range',\n 'repr',\n 'reversed',\n 'round',\n 'set',\n 'setattr',\n 'slice',\n 'sorted',\n 'staticmethod',\n 'str',\n 'sum',\n 'super',\n 'tuple',\n 'type',\n 'vars',\n 'zip'\n ];\n\n const LITERALS = [\n '__debug__',\n 'Ellipsis',\n 'False',\n 'None',\n 'NotImplemented',\n 'True'\n ];\n\n // https://docs.python.org/3/library/typing.html\n // TODO: Could these be supplemented by a CamelCase matcher in certain\n // contexts, leaving these remaining only for relevance hinting?\n const TYPES = [\n \"Any\",\n \"Callable\",\n \"Coroutine\",\n \"Dict\",\n \"List\",\n \"Literal\",\n \"Generic\",\n \"Optional\",\n \"Sequence\",\n \"Set\",\n \"Tuple\",\n \"Type\",\n \"Union\"\n ];\n\n const KEYWORDS = {\n $pattern: /[A-Za-z]\\w+|__\\w+__/,\n keyword: RESERVED_WORDS,\n built_in: BUILT_INS,\n literal: LITERALS,\n type: TYPES\n };\n\n const PROMPT = {\n className: 'meta',\n begin: /^(>>>|\\.\\.\\.) /\n };\n\n const SUBST = {\n className: 'subst',\n begin: /\\{/,\n end: /\\}/,\n keywords: KEYWORDS,\n illegal: /#/\n };\n\n const LITERAL_BRACKET = {\n begin: /\\{\\{/,\n relevance: 0\n };\n\n const STRING = {\n className: 'string',\n contains: [ hljs.BACKSLASH_ESCAPE ],\n variants: [\n {\n begin: /([uU]|[bB]|[rR]|[bB][rR]|[rR][bB])?'''/,\n end: /'''/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n PROMPT\n ],\n relevance: 10\n },\n {\n begin: /([uU]|[bB]|[rR]|[bB][rR]|[rR][bB])?\"\"\"/,\n end: /\"\"\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n PROMPT\n ],\n relevance: 10\n },\n {\n begin: /([fF][rR]|[rR][fF]|[fF])'''/,\n end: /'''/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n PROMPT,\n LITERAL_BRACKET,\n SUBST\n ]\n },\n {\n begin: /([fF][rR]|[rR][fF]|[fF])\"\"\"/,\n end: /\"\"\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n PROMPT,\n LITERAL_BRACKET,\n SUBST\n ]\n },\n {\n begin: /([uU]|[rR])'/,\n end: /'/,\n relevance: 10\n },\n {\n begin: /([uU]|[rR])\"/,\n end: /\"/,\n relevance: 10\n },\n {\n begin: /([bB]|[bB][rR]|[rR][bB])'/,\n end: /'/\n },\n {\n begin: /([bB]|[bB][rR]|[rR][bB])\"/,\n end: /\"/\n },\n {\n begin: /([fF][rR]|[rR][fF]|[fF])'/,\n end: /'/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n LITERAL_BRACKET,\n SUBST\n ]\n },\n {\n begin: /([fF][rR]|[rR][fF]|[fF])\"/,\n end: /\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n LITERAL_BRACKET,\n SUBST\n ]\n },\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ]\n };\n\n // https://docs.python.org/3.9/reference/lexical_analysis.html#numeric-literals\n const digitpart = '[0-9](_?[0-9])*';\n const pointfloat = `(\\\\b(${digitpart}))?\\\\.(${digitpart})|\\\\b(${digitpart})\\\\.`;\n // Whitespace after a number (or any lexical token) is needed only if its absence\n // would change the tokenization\n // https://docs.python.org/3.9/reference/lexical_analysis.html#whitespace-between-tokens\n // We deviate slightly, requiring a word boundary or a keyword\n // to avoid accidentally recognizing *prefixes* (e.g., `0` in `0x41` or `08` or `0__1`)\n const lookahead = `\\\\b|${RESERVED_WORDS.join('|')}`;\n const NUMBER = {\n className: 'number',\n relevance: 0,\n variants: [\n // exponentfloat, pointfloat\n // https://docs.python.org/3.9/reference/lexical_analysis.html#floating-point-literals\n // optionally imaginary\n // https://docs.python.org/3.9/reference/lexical_analysis.html#imaginary-literals\n // Note: no leading \\b because floats can start with a decimal point\n // and we don't want to mishandle e.g. `fn(.5)`,\n // no trailing \\b for pointfloat because it can end with a decimal point\n // and we don't want to mishandle e.g. `0..hex()`; this should be safe\n // because both MUST contain a decimal point and so cannot be confused with\n // the interior part of an identifier\n {\n begin: `(\\\\b(${digitpart})|(${pointfloat}))[eE][+-]?(${digitpart})[jJ]?(?=${lookahead})`\n },\n {\n begin: `(${pointfloat})[jJ]?`\n },\n\n // decinteger, bininteger, octinteger, hexinteger\n // https://docs.python.org/3.9/reference/lexical_analysis.html#integer-literals\n // optionally \"long\" in Python 2\n // https://docs.python.org/2.7/reference/lexical_analysis.html#integer-and-long-integer-literals\n // decinteger is optionally imaginary\n // https://docs.python.org/3.9/reference/lexical_analysis.html#imaginary-literals\n {\n begin: `\\\\b([1-9](_?[0-9])*|0+(_?0)*)[lLjJ]?(?=${lookahead})`\n },\n {\n begin: `\\\\b0[bB](_?[01])+[lL]?(?=${lookahead})`\n },\n {\n begin: `\\\\b0[oO](_?[0-7])+[lL]?(?=${lookahead})`\n },\n {\n begin: `\\\\b0[xX](_?[0-9a-fA-F])+[lL]?(?=${lookahead})`\n },\n\n // imagnumber (digitpart-based)\n // https://docs.python.org/3.9/reference/lexical_analysis.html#imaginary-literals\n {\n begin: `\\\\b(${digitpart})[jJ](?=${lookahead})`\n }\n ]\n };\n const COMMENT_TYPE = {\n className: \"comment\",\n begin: regex.lookahead(/# type:/),\n end: /$/,\n keywords: KEYWORDS,\n contains: [\n { // prevent keywords from coloring `type`\n begin: /# type:/\n },\n // comment within a datatype comment includes no keywords\n {\n begin: /#/,\n end: /\\b\\B/,\n endsWithParent: true\n }\n ]\n };\n const PARAMS = {\n className: 'params',\n variants: [\n // Exclude params in functions without params\n {\n className: \"\",\n begin: /\\(\\s*\\)/,\n skip: true\n },\n {\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n keywords: KEYWORDS,\n contains: [\n 'self',\n PROMPT,\n NUMBER,\n STRING,\n hljs.HASH_COMMENT_MODE\n ]\n }\n ]\n };\n SUBST.contains = [\n STRING,\n NUMBER,\n PROMPT\n ];\n\n return {\n name: 'Python',\n aliases: [\n 'py',\n 'gyp',\n 'ipython'\n ],\n unicodeRegex: true,\n keywords: KEYWORDS,\n illegal: /(<\\/|\\?)|=>/,\n contains: [\n PROMPT,\n NUMBER,\n {\n // very common convention\n begin: /\\bself\\b/\n },\n {\n // eat \"if\" prior to string so that it won't accidentally be\n // labeled as an f-string\n beginKeywords: \"if\",\n relevance: 0\n },\n STRING,\n COMMENT_TYPE,\n hljs.HASH_COMMENT_MODE,\n {\n match: [\n /\\bdef/, /\\s+/,\n IDENT_RE,\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.function\"\n },\n contains: [ PARAMS ]\n },\n {\n variants: [\n {\n match: [\n /\\bclass/, /\\s+/,\n IDENT_RE, /\\s*/,\n /\\(\\s*/, IDENT_RE,/\\s*\\)/\n ],\n },\n {\n match: [\n /\\bclass/, /\\s+/,\n IDENT_RE\n ],\n }\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.class\",\n 6: \"title.class.inherited\",\n }\n },\n {\n className: 'meta',\n begin: /^[\\t ]*@/,\n end: /(?=#)|$/,\n contains: [\n NUMBER,\n PARAMS,\n STRING\n ]\n }\n ]\n };\n}\n\nmodule.exports = python;\n", "/*\nLanguage: Python REPL\nRequires: python.js\nAuthor: Josh Goebel <hello@joshgoebel.com>\nCategory: common\n*/\n\nfunction pythonRepl(hljs) {\n return {\n aliases: [ 'pycon' ],\n contains: [\n {\n className: 'meta.prompt',\n starts: {\n // a space separates the REPL prefix from the actual code\n // this is purely for cleaner HTML output\n end: / |$/,\n starts: {\n end: '$',\n subLanguage: 'python'\n }\n },\n variants: [\n { begin: /^>>>(?=[ ]|$)/ },\n { begin: /^\\.\\.\\.(?=[ ]|$)/ }\n ]\n }\n ]\n };\n}\n\nmodule.exports = pythonRepl;\n", "/*\nLanguage: Q\nDescription: Q is a vector-based functional paradigm programming language built into the kdb+ database.\n (K/Q/Kdb+ from Kx Systems)\nAuthor: Sergey Vidyuk <svidyuk@gmail.com>\nWebsite: https://kx.com/connect-with-us/developers/\n*/\n\nfunction q(hljs) {\n const KEYWORDS = {\n $pattern: /(`?)[A-Za-z0-9_]+\\b/,\n keyword:\n 'do while select delete by update from',\n literal:\n '0b 1b',\n built_in:\n 'neg not null string reciprocal floor ceiling signum mod xbar xlog and or each scan over prior mmu lsq inv md5 ltime gtime count first var dev med cov cor all any rand sums prds mins maxs fills deltas ratios avgs differ prev next rank reverse iasc idesc asc desc msum mcount mavg mdev xrank mmin mmax xprev rotate distinct group where flip type key til get value attr cut set upsert raze union inter except cross sv vs sublist enlist read0 read1 hopen hclose hdel hsym hcount peach system ltrim rtrim trim lower upper ssr view tables views cols xcols keys xkey xcol xasc xdesc fkeys meta lj aj aj0 ij pj asof uj ww wj wj1 fby xgroup ungroup ej save load rsave rload show csv parse eval min max avg wavg wsum sin cos tan sum',\n type:\n '`float `double int `timestamp `timespan `datetime `time `boolean `symbol `char `byte `short `long `real `month `date `minute `second `guid'\n };\n\n return {\n name: 'Q',\n aliases: [\n 'k',\n 'kdb'\n ],\n keywords: KEYWORDS,\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.C_NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = q;\n", "/*\nLanguage: QML\nRequires: javascript.js, xml.js\nAuthor: John Foster <jfoster@esri.com>\nDescription: Syntax highlighting for the Qt Quick QML scripting language, based mostly off\n the JavaScript parser.\nWebsite: https://doc.qt.io/qt-5/qmlapplications.html\nCategory: scripting\n*/\n\nfunction qml(hljs) {\n const regex = hljs.regex;\n const KEYWORDS = {\n keyword:\n 'in of on if for while finally var new function do return void else break catch '\n + 'instanceof with throw case default try this switch continue typeof delete '\n + 'let yield const export super debugger as async await import',\n literal:\n 'true false null undefined NaN Infinity',\n built_in:\n 'eval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent '\n + 'encodeURI encodeURIComponent escape unescape Object Function Boolean Error '\n + 'EvalError InternalError RangeError ReferenceError StopIteration SyntaxError '\n + 'TypeError URIError Number Math Date String RegExp Array Float32Array '\n + 'Float64Array Int16Array Int32Array Int8Array Uint16Array Uint32Array '\n + 'Uint8Array Uint8ClampedArray ArrayBuffer DataView JSON Intl arguments require '\n + 'module console window document Symbol Set Map WeakSet WeakMap Proxy Reflect '\n + 'Behavior bool color coordinate date double enumeration font geocircle georectangle '\n + 'geoshape int list matrix4x4 parent point quaternion real rect '\n + 'size string url variant vector2d vector3d vector4d '\n + 'Promise'\n };\n\n const QML_IDENT_RE = '[a-zA-Z_][a-zA-Z0-9\\\\._]*';\n\n // Isolate property statements. Ends at a :, =, ;, ,, a comment or end of line.\n // Use property class.\n const PROPERTY = {\n className: 'keyword',\n begin: '\\\\bproperty\\\\b',\n starts: {\n className: 'string',\n end: '(:|=|;|,|//|/\\\\*|$)',\n returnEnd: true\n }\n };\n\n // Isolate signal statements. Ends at a ) a comment or end of line.\n // Use property class.\n const SIGNAL = {\n className: 'keyword',\n begin: '\\\\bsignal\\\\b',\n starts: {\n className: 'string',\n end: '(\\\\(|:|=|;|,|//|/\\\\*|$)',\n returnEnd: true\n }\n };\n\n // id: is special in QML. When we see id: we want to mark the id: as attribute and\n // emphasize the token following.\n const ID_ID = {\n className: 'attribute',\n begin: '\\\\bid\\\\s*:',\n starts: {\n className: 'string',\n end: QML_IDENT_RE,\n returnEnd: false\n }\n };\n\n // Find QML object attribute. An attribute is a QML identifier followed by :.\n // Unfortunately it's hard to know where it ends, as it may contain scalars,\n // objects, object definitions, or javascript. The true end is either when the parent\n // ends or the next attribute is detected.\n const QML_ATTRIBUTE = {\n begin: QML_IDENT_RE + '\\\\s*:',\n returnBegin: true,\n contains: [\n {\n className: 'attribute',\n begin: QML_IDENT_RE,\n end: '\\\\s*:',\n excludeEnd: true,\n relevance: 0\n }\n ],\n relevance: 0\n };\n\n // Find QML object. A QML object is a QML identifier followed by { and ends at the matching }.\n // All we really care about is finding IDENT followed by { and just mark up the IDENT and ignore the {.\n const QML_OBJECT = {\n begin: regex.concat(QML_IDENT_RE, /\\s*\\{/),\n end: /\\{/,\n returnBegin: true,\n relevance: 0,\n contains: [ hljs.inherit(hljs.TITLE_MODE, { begin: QML_IDENT_RE }) ]\n };\n\n return {\n name: 'QML',\n aliases: [ 'qt' ],\n case_insensitive: false,\n keywords: KEYWORDS,\n contains: [\n {\n className: 'meta',\n begin: /^\\s*['\"]use (strict|asm)['\"]/\n },\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n { // template string\n className: 'string',\n begin: '`',\n end: '`',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n {\n className: 'subst',\n begin: '\\\\$\\\\{',\n end: '\\\\}'\n }\n ]\n },\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n {\n className: 'number',\n variants: [\n { begin: '\\\\b(0[bB][01]+)' },\n { begin: '\\\\b(0[oO][0-7]+)' },\n { begin: hljs.C_NUMBER_RE }\n ],\n relevance: 0\n },\n { // \"value\" container\n begin: '(' + hljs.RE_STARTERS_RE + '|\\\\b(case|return|throw)\\\\b)\\\\s*',\n keywords: 'return throw case',\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.REGEXP_MODE,\n { // E4X / JSX\n begin: /</,\n end: />\\s*[);\\]]/,\n relevance: 0,\n subLanguage: 'xml'\n }\n ],\n relevance: 0\n },\n SIGNAL,\n PROPERTY,\n {\n className: 'function',\n beginKeywords: 'function',\n end: /\\{/,\n excludeEnd: true,\n contains: [\n hljs.inherit(hljs.TITLE_MODE, { begin: /[A-Za-z$_][0-9A-Za-z$_]*/ }),\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n }\n ],\n illegal: /\\[|%/\n },\n {\n // hack: prevents detection of keywords after dots\n begin: '\\\\.' + hljs.IDENT_RE,\n relevance: 0\n },\n ID_ID,\n QML_ATTRIBUTE,\n QML_OBJECT\n ],\n illegal: /#/\n };\n}\n\nmodule.exports = qml;\n", "/*\nLanguage: R\nDescription: R is a free software environment for statistical computing and graphics.\nAuthor: Joe Cheng <joe@rstudio.org>\nContributors: Konrad Rudolph <konrad.rudolph@gmail.com>\nWebsite: https://www.r-project.org\nCategory: common,scientific\n*/\n\n/** @type LanguageFn */\nfunction r(hljs) {\n const regex = hljs.regex;\n // Identifiers in R cannot start with `_`, but they can start with `.` if it\n // is not immediately followed by a digit.\n // R also supports quoted identifiers, which are near-arbitrary sequences\n // delimited by backticks (`\u2026`), which may contain escape sequences. These are\n // handled in a separate mode. See `test/markup/r/names.txt` for examples.\n // FIXME: Support Unicode identifiers.\n const IDENT_RE = /(?:(?:[a-zA-Z]|\\.[._a-zA-Z])[._a-zA-Z0-9]*)|\\.(?!\\d)/;\n const NUMBER_TYPES_RE = regex.either(\n // Special case: only hexadecimal binary powers can contain fractions\n /0[xX][0-9a-fA-F]+\\.[0-9a-fA-F]*[pP][+-]?\\d+i?/,\n // Hexadecimal numbers without fraction and optional binary power\n /0[xX][0-9a-fA-F]+(?:[pP][+-]?\\d+)?[Li]?/,\n // Decimal numbers\n /(?:\\d+(?:\\.\\d*)?|\\.\\d+)(?:[eE][+-]?\\d+)?[Li]?/\n );\n const OPERATORS_RE = /[=!<>:]=|\\|\\||&&|:::?|<-|<<-|->>|->|\\|>|[-+*\\/?!$&|:<=>@^~]|\\*\\*/;\n const PUNCTUATION_RE = regex.either(\n /[()]/,\n /[{}]/,\n /\\[\\[/,\n /[[\\]]/,\n /\\\\/,\n /,/\n );\n\n return {\n name: 'R',\n\n keywords: {\n $pattern: IDENT_RE,\n keyword:\n 'function if in break next repeat else for while',\n literal:\n 'NULL NA TRUE FALSE Inf NaN NA_integer_|10 NA_real_|10 '\n + 'NA_character_|10 NA_complex_|10',\n built_in:\n // Builtin constants\n 'LETTERS letters month.abb month.name pi T F '\n // Primitive functions\n // These are all the functions in `base` that are implemented as a\n // `.Primitive`, minus those functions that are also keywords.\n + 'abs acos acosh all any anyNA Arg as.call as.character '\n + 'as.complex as.double as.environment as.integer as.logical '\n + 'as.null.default as.numeric as.raw asin asinh atan atanh attr '\n + 'attributes baseenv browser c call ceiling class Conj cos cosh '\n + 'cospi cummax cummin cumprod cumsum digamma dim dimnames '\n + 'emptyenv exp expression floor forceAndCall gamma gc.time '\n + 'globalenv Im interactive invisible is.array is.atomic is.call '\n + 'is.character is.complex is.double is.environment is.expression '\n + 'is.finite is.function is.infinite is.integer is.language '\n + 'is.list is.logical is.matrix is.na is.name is.nan is.null '\n + 'is.numeric is.object is.pairlist is.raw is.recursive is.single '\n + 'is.symbol lazyLoadDBfetch length lgamma list log max min '\n + 'missing Mod names nargs nzchar oldClass on.exit pos.to.env '\n + 'proc.time prod quote range Re rep retracemem return round '\n + 'seq_along seq_len seq.int sign signif sin sinh sinpi sqrt '\n + 'standardGeneric substitute sum switch tan tanh tanpi tracemem '\n + 'trigamma trunc unclass untracemem UseMethod xtfrm',\n },\n\n contains: [\n // Roxygen comments\n hljs.COMMENT(\n /#'/,\n /$/,\n { contains: [\n {\n // Handle `@examples` separately to cause all subsequent code\n // until the next `@`-tag on its own line to be kept as-is,\n // preventing highlighting. This code is example R code, so nested\n // doctags shouldn\u2019t be treated as such. See\n // `test/markup/r/roxygen.txt` for an example.\n scope: 'doctag',\n match: /@examples/,\n starts: {\n end: regex.lookahead(regex.either(\n // end if another doc comment\n /\\n^#'\\s*(?=@[a-zA-Z]+)/,\n // or a line with no comment\n /\\n^(?!#')/\n )),\n endsParent: true\n }\n },\n {\n // Handle `@param` to highlight the parameter name following\n // after.\n scope: 'doctag',\n begin: '@param',\n end: /$/,\n contains: [\n {\n scope: 'variable',\n variants: [\n { match: IDENT_RE },\n { match: /`(?:\\\\.|[^`\\\\])+`/ }\n ],\n endsParent: true\n }\n ]\n },\n {\n scope: 'doctag',\n match: /@[a-zA-Z]+/\n },\n {\n scope: 'keyword',\n match: /\\\\[a-zA-Z]+/\n }\n ] }\n ),\n\n hljs.HASH_COMMENT_MODE,\n\n {\n scope: 'string',\n contains: [ hljs.BACKSLASH_ESCAPE ],\n variants: [\n hljs.END_SAME_AS_BEGIN({\n begin: /[rR]\"(-*)\\(/,\n end: /\\)(-*)\"/\n }),\n hljs.END_SAME_AS_BEGIN({\n begin: /[rR]\"(-*)\\{/,\n end: /\\}(-*)\"/\n }),\n hljs.END_SAME_AS_BEGIN({\n begin: /[rR]\"(-*)\\[/,\n end: /\\](-*)\"/\n }),\n hljs.END_SAME_AS_BEGIN({\n begin: /[rR]'(-*)\\(/,\n end: /\\)(-*)'/\n }),\n hljs.END_SAME_AS_BEGIN({\n begin: /[rR]'(-*)\\{/,\n end: /\\}(-*)'/\n }),\n hljs.END_SAME_AS_BEGIN({\n begin: /[rR]'(-*)\\[/,\n end: /\\](-*)'/\n }),\n {\n begin: '\"',\n end: '\"',\n relevance: 0\n },\n {\n begin: \"'\",\n end: \"'\",\n relevance: 0\n }\n ],\n },\n\n // Matching numbers immediately following punctuation and operators is\n // tricky since we need to look at the character ahead of a number to\n // ensure the number is not part of an identifier, and we cannot use\n // negative look-behind assertions. So instead we explicitly handle all\n // possible combinations of (operator|punctuation), number.\n // TODO: replace with negative look-behind when available\n // { begin: /(?<![a-zA-Z0-9._])0[xX][0-9a-fA-F]+\\.[0-9a-fA-F]*[pP][+-]?\\d+i?/ },\n // { begin: /(?<![a-zA-Z0-9._])0[xX][0-9a-fA-F]+([pP][+-]?\\d+)?[Li]?/ },\n // { begin: /(?<![a-zA-Z0-9._])(\\d+(\\.\\d*)?|\\.\\d+)([eE][+-]?\\d+)?[Li]?/ }\n {\n relevance: 0,\n variants: [\n {\n scope: {\n 1: 'operator',\n 2: 'number'\n },\n match: [\n OPERATORS_RE,\n NUMBER_TYPES_RE\n ]\n },\n {\n scope: {\n 1: 'operator',\n 2: 'number'\n },\n match: [\n /%[^%]*%/,\n NUMBER_TYPES_RE\n ]\n },\n {\n scope: {\n 1: 'punctuation',\n 2: 'number'\n },\n match: [\n PUNCTUATION_RE,\n NUMBER_TYPES_RE\n ]\n },\n {\n scope: { 2: 'number' },\n match: [\n /[^a-zA-Z0-9._]|^/, // not part of an identifier, or start of document\n NUMBER_TYPES_RE\n ]\n }\n ]\n },\n\n // Operators/punctuation when they're not directly followed by numbers\n {\n // Relevance boost for the most common assignment form.\n scope: { 3: 'operator' },\n match: [\n IDENT_RE,\n /\\s+/,\n /<-/,\n /\\s+/\n ]\n },\n\n {\n scope: 'operator',\n relevance: 0,\n variants: [\n { match: OPERATORS_RE },\n { match: /%[^%]*%/ }\n ]\n },\n\n {\n scope: 'punctuation',\n relevance: 0,\n match: PUNCTUATION_RE\n },\n\n {\n // Escaped identifier\n begin: '`',\n end: '`',\n contains: [ { begin: /\\\\./ } ]\n }\n ]\n };\n}\n\nmodule.exports = r;\n", "/*\nLanguage: ReasonML\nDescription: Reason lets you write simple, fast and quality type safe code while leveraging both the JavaScript & OCaml ecosystems.\nWebsite: https://reasonml.github.io\nAuthor: Gidi Meir Morris <oss@gidi.io>\nCategory: functional\n*/\nfunction reasonml(hljs) {\n function orReValues(ops) {\n return ops\n .map(function(op) {\n return op\n .split('')\n .map(function(char) {\n return '\\\\' + char;\n })\n .join('');\n })\n .join('|');\n }\n\n const RE_IDENT = '~?[a-z$_][0-9a-zA-Z$_]*';\n const RE_MODULE_IDENT = '`?[A-Z$_][0-9a-zA-Z$_]*';\n\n const RE_PARAM_TYPEPARAM = '\\'?[a-z$_][0-9a-z$_]*';\n const RE_PARAM_TYPE = '\\\\s*:\\\\s*[a-z$_][0-9a-z$_]*(\\\\(\\\\s*(' + RE_PARAM_TYPEPARAM + '\\\\s*(,' + RE_PARAM_TYPEPARAM + '\\\\s*)*)?\\\\))?';\n const RE_PARAM = RE_IDENT + '(' + RE_PARAM_TYPE + '){0,2}';\n const RE_OPERATOR = \"(\" + orReValues([\n '||',\n '++',\n '**',\n '+.',\n '*',\n '/',\n '*.',\n '/.',\n '...'\n ]) + \"|\\\\|>|&&|==|===)\";\n const RE_OPERATOR_SPACED = \"\\\\s+\" + RE_OPERATOR + \"\\\\s+\";\n\n const KEYWORDS = {\n keyword:\n 'and as asr assert begin class constraint do done downto else end exception external '\n + 'for fun function functor if in include inherit initializer '\n + 'land lazy let lor lsl lsr lxor match method mod module mutable new nonrec '\n + 'object of open or private rec sig struct then to try type val virtual when while with',\n built_in:\n 'array bool bytes char exn|5 float int int32 int64 list lazy_t|5 nativeint|5 ref string unit ',\n literal:\n 'true false'\n };\n\n const RE_NUMBER = '\\\\b(0[xX][a-fA-F0-9_]+[Lln]?|'\n + '0[oO][0-7_]+[Lln]?|'\n + '0[bB][01_]+[Lln]?|'\n + '[0-9][0-9_]*([Lln]|(\\\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)';\n\n const NUMBER_MODE = {\n className: 'number',\n relevance: 0,\n variants: [\n { begin: RE_NUMBER },\n { begin: '\\\\(-' + RE_NUMBER + '\\\\)' }\n ]\n };\n\n const OPERATOR_MODE = {\n className: 'operator',\n relevance: 0,\n begin: RE_OPERATOR\n };\n const LIST_CONTENTS_MODES = [\n {\n className: 'identifier',\n relevance: 0,\n begin: RE_IDENT\n },\n OPERATOR_MODE,\n NUMBER_MODE\n ];\n\n const MODULE_ACCESS_CONTENTS = [\n hljs.QUOTE_STRING_MODE,\n OPERATOR_MODE,\n {\n className: 'module',\n begin: \"\\\\b\" + RE_MODULE_IDENT,\n returnBegin: true,\n relevance: 0,\n end: \"\\.\",\n contains: [\n {\n className: 'identifier',\n begin: RE_MODULE_IDENT,\n relevance: 0\n }\n ]\n }\n ];\n\n const PARAMS_CONTENTS = [\n {\n className: 'module',\n begin: \"\\\\b\" + RE_MODULE_IDENT,\n returnBegin: true,\n end: \"\\.\",\n relevance: 0,\n contains: [\n {\n className: 'identifier',\n begin: RE_MODULE_IDENT,\n relevance: 0\n }\n ]\n }\n ];\n\n const PARAMS_MODE = {\n begin: RE_IDENT,\n end: '(,|\\\\n|\\\\))',\n relevance: 0,\n contains: [\n OPERATOR_MODE,\n {\n className: 'typing',\n begin: ':',\n end: '(,|\\\\n)',\n returnBegin: true,\n relevance: 0,\n contains: PARAMS_CONTENTS\n }\n ]\n };\n\n const FUNCTION_BLOCK_MODE = {\n className: 'function',\n relevance: 0,\n keywords: KEYWORDS,\n variants: [\n {\n begin: '\\\\s(\\\\(\\\\.?.*?\\\\)|' + RE_IDENT + ')\\\\s*=>',\n end: '\\\\s*=>',\n returnBegin: true,\n relevance: 0,\n contains: [\n {\n className: 'params',\n variants: [\n { begin: RE_IDENT },\n { begin: RE_PARAM },\n { begin: /\\(\\s*\\)/ }\n ]\n }\n ]\n },\n {\n begin: '\\\\s\\\\(\\\\.?[^;\\\\|]*\\\\)\\\\s*=>',\n end: '\\\\s=>',\n returnBegin: true,\n relevance: 0,\n contains: [\n {\n className: 'params',\n relevance: 0,\n variants: [ PARAMS_MODE ]\n }\n ]\n },\n { begin: '\\\\(\\\\.\\\\s' + RE_IDENT + '\\\\)\\\\s*=>' }\n ]\n };\n MODULE_ACCESS_CONTENTS.push(FUNCTION_BLOCK_MODE);\n\n const CONSTRUCTOR_MODE = {\n className: 'constructor',\n begin: RE_MODULE_IDENT + '\\\\(',\n end: '\\\\)',\n illegal: '\\\\n',\n keywords: KEYWORDS,\n contains: [\n hljs.QUOTE_STRING_MODE,\n OPERATOR_MODE,\n {\n className: 'params',\n begin: '\\\\b' + RE_IDENT\n }\n ]\n };\n\n const PATTERN_MATCH_BLOCK_MODE = {\n className: 'pattern-match',\n begin: '\\\\|',\n returnBegin: true,\n keywords: KEYWORDS,\n end: '=>',\n relevance: 0,\n contains: [\n CONSTRUCTOR_MODE,\n OPERATOR_MODE,\n {\n relevance: 0,\n className: 'constructor',\n begin: RE_MODULE_IDENT\n }\n ]\n };\n\n const MODULE_ACCESS_MODE = {\n className: 'module-access',\n keywords: KEYWORDS,\n returnBegin: true,\n variants: [\n { begin: \"\\\\b(\" + RE_MODULE_IDENT + \"\\\\.)+\" + RE_IDENT },\n {\n begin: \"\\\\b(\" + RE_MODULE_IDENT + \"\\\\.)+\\\\(\",\n end: \"\\\\)\",\n returnBegin: true,\n contains: [\n FUNCTION_BLOCK_MODE,\n {\n begin: '\\\\(',\n end: '\\\\)',\n relevance: 0,\n skip: true\n }\n ].concat(MODULE_ACCESS_CONTENTS)\n },\n {\n begin: \"\\\\b(\" + RE_MODULE_IDENT + \"\\\\.)+\\\\{\",\n end: /\\}/\n }\n ],\n contains: MODULE_ACCESS_CONTENTS\n };\n\n PARAMS_CONTENTS.push(MODULE_ACCESS_MODE);\n\n return {\n name: 'ReasonML',\n aliases: [ 're' ],\n keywords: KEYWORDS,\n illegal: '(:-|:=|\\\\$\\\\{|\\\\+=)',\n contains: [\n hljs.COMMENT('/\\\\*', '\\\\*/', { illegal: '^(#,\\\\/\\\\/)' }),\n {\n className: 'character',\n begin: '\\'(\\\\\\\\[^\\']+|[^\\'])\\'',\n illegal: '\\\\n',\n relevance: 0\n },\n hljs.QUOTE_STRING_MODE,\n {\n className: 'literal',\n begin: '\\\\(\\\\)',\n relevance: 0\n },\n {\n className: 'literal',\n begin: '\\\\[\\\\|',\n end: '\\\\|\\\\]',\n relevance: 0,\n contains: LIST_CONTENTS_MODES\n },\n {\n className: 'literal',\n begin: '\\\\[',\n end: '\\\\]',\n relevance: 0,\n contains: LIST_CONTENTS_MODES\n },\n CONSTRUCTOR_MODE,\n {\n className: 'operator',\n begin: RE_OPERATOR_SPACED,\n illegal: '-->',\n relevance: 0\n },\n NUMBER_MODE,\n hljs.C_LINE_COMMENT_MODE,\n PATTERN_MATCH_BLOCK_MODE,\n FUNCTION_BLOCK_MODE,\n {\n className: 'module-def',\n begin: \"\\\\bmodule\\\\s+\" + RE_IDENT + \"\\\\s+\" + RE_MODULE_IDENT + \"\\\\s+=\\\\s+\\\\{\",\n end: /\\}/,\n returnBegin: true,\n keywords: KEYWORDS,\n relevance: 0,\n contains: [\n {\n className: 'module',\n relevance: 0,\n begin: RE_MODULE_IDENT\n },\n {\n begin: /\\{/,\n end: /\\}/,\n relevance: 0,\n skip: true\n }\n ].concat(MODULE_ACCESS_CONTENTS)\n },\n MODULE_ACCESS_MODE\n ]\n };\n}\n\nmodule.exports = reasonml;\n", "/*\nLanguage: RenderMan RIB\nAuthor: Konstantin Evdokimenko <qewerty@gmail.com>\nContributors: Shuen-Huei Guan <drake.guan@gmail.com>\nWebsite: https://renderman.pixar.com/resources/RenderMan_20/ribBinding.html\nCategory: graphics\n*/\n\nfunction rib(hljs) {\n return {\n name: 'RenderMan RIB',\n keywords:\n 'ArchiveRecord AreaLightSource Atmosphere Attribute AttributeBegin AttributeEnd Basis '\n + 'Begin Blobby Bound Clipping ClippingPlane Color ColorSamples ConcatTransform Cone '\n + 'CoordinateSystem CoordSysTransform CropWindow Curves Cylinder DepthOfField Detail '\n + 'DetailRange Disk Displacement Display End ErrorHandler Exposure Exterior Format '\n + 'FrameAspectRatio FrameBegin FrameEnd GeneralPolygon GeometricApproximation Geometry '\n + 'Hider Hyperboloid Identity Illuminate Imager Interior LightSource '\n + 'MakeCubeFaceEnvironment MakeLatLongEnvironment MakeShadow MakeTexture Matte '\n + 'MotionBegin MotionEnd NuPatch ObjectBegin ObjectEnd ObjectInstance Opacity Option '\n + 'Orientation Paraboloid Patch PatchMesh Perspective PixelFilter PixelSamples '\n + 'PixelVariance Points PointsGeneralPolygons PointsPolygons Polygon Procedural Projection '\n + 'Quantize ReadArchive RelativeDetail ReverseOrientation Rotate Scale ScreenWindow '\n + 'ShadingInterpolation ShadingRate Shutter Sides Skew SolidBegin SolidEnd Sphere '\n + 'SubdivisionMesh Surface TextureCoordinates Torus Transform TransformBegin TransformEnd '\n + 'TransformPoints Translate TrimCurve WorldBegin WorldEnd',\n illegal: '</',\n contains: [\n hljs.HASH_COMMENT_MODE,\n hljs.C_NUMBER_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ]\n };\n}\n\nmodule.exports = rib;\n", "/*\nLanguage: Roboconf\nAuthor: Vincent Zurczak <vzurczak@linagora.com>\nDescription: Syntax highlighting for Roboconf's DSL\nWebsite: http://roboconf.net\nCategory: config\n*/\n\nfunction roboconf(hljs) {\n const IDENTIFIER = '[a-zA-Z-_][^\\\\n{]+\\\\{';\n\n const PROPERTY = {\n className: 'attribute',\n begin: /[a-zA-Z-_]+/,\n end: /\\s*:/,\n excludeEnd: true,\n starts: {\n end: ';',\n relevance: 0,\n contains: [\n {\n className: 'variable',\n begin: /\\.[a-zA-Z-_]+/\n },\n {\n className: 'keyword',\n begin: /\\(optional\\)/\n }\n ]\n }\n };\n\n return {\n name: 'Roboconf',\n aliases: [\n 'graph',\n 'instances'\n ],\n case_insensitive: true,\n keywords: 'import',\n contains: [\n // Facet sections\n {\n begin: '^facet ' + IDENTIFIER,\n end: /\\}/,\n keywords: 'facet',\n contains: [\n PROPERTY,\n hljs.HASH_COMMENT_MODE\n ]\n },\n\n // Instance sections\n {\n begin: '^\\\\s*instance of ' + IDENTIFIER,\n end: /\\}/,\n keywords: 'name count channels instance-data instance-state instance of',\n illegal: /\\S/,\n contains: [\n 'self',\n PROPERTY,\n hljs.HASH_COMMENT_MODE\n ]\n },\n\n // Component sections\n {\n begin: '^' + IDENTIFIER,\n end: /\\}/,\n contains: [\n PROPERTY,\n hljs.HASH_COMMENT_MODE\n ]\n },\n\n // Comments\n hljs.HASH_COMMENT_MODE\n ]\n };\n}\n\nmodule.exports = roboconf;\n", "/*\nLanguage: MikroTik RouterOS script\nAuthor: Ivan Dementev <ivan_div@mail.ru>\nDescription: Scripting host provides a way to automate some router maintenance tasks by means of executing user-defined scripts bounded to some event occurrence\nWebsite: https://wiki.mikrotik.com/wiki/Manual:Scripting\n*/\n\n// Colors from RouterOS terminal:\n// green - #0E9A00\n// teal - #0C9A9A\n// purple - #99069A\n// light-brown - #9A9900\n\nfunction routeros(hljs) {\n const STATEMENTS = 'foreach do while for if from to step else on-error and or not in';\n\n // Global commands: Every global command should start with \":\" token, otherwise it will be treated as variable.\n const GLOBAL_COMMANDS = 'global local beep delay put len typeof pick log time set find environment terminal error execute parse resolve toarray tobool toid toip toip6 tonum tostr totime';\n\n // Common commands: Following commands available from most sub-menus:\n const COMMON_COMMANDS = 'add remove enable disable set get print export edit find run debug error info warning';\n\n const LITERALS = 'true false yes no nothing nil null';\n\n const OBJECTS = 'traffic-flow traffic-generator firewall scheduler aaa accounting address-list address align area bandwidth-server bfd bgp bridge client clock community config connection console customer default dhcp-client dhcp-server discovery dns e-mail ethernet filter firmware gps graphing group hardware health hotspot identity igmp-proxy incoming instance interface ip ipsec ipv6 irq l2tp-server lcd ldp logging mac-server mac-winbox mangle manual mirror mme mpls nat nd neighbor network note ntp ospf ospf-v3 ovpn-server page peer pim ping policy pool port ppp pppoe-client pptp-server prefix profile proposal proxy queue radius resource rip ripng route routing screen script security-profiles server service service-port settings shares smb sms sniffer snmp snooper socks sstp-server system tool tracking type upgrade upnp user-manager users user vlan secret vrrp watchdog web-access wireless pptp pppoe lan wan layer7-protocol lease simple raw';\n\n const VAR = {\n className: 'variable',\n variants: [\n { begin: /\\$[\\w\\d#@][\\w\\d_]*/ },\n { begin: /\\$\\{(.*?)\\}/ }\n ]\n };\n\n const QUOTE_STRING = {\n className: 'string',\n begin: /\"/,\n end: /\"/,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n VAR,\n {\n className: 'variable',\n begin: /\\$\\(/,\n end: /\\)/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n }\n ]\n };\n\n const APOS_STRING = {\n className: 'string',\n begin: /'/,\n end: /'/\n };\n\n return {\n name: 'MikroTik RouterOS script',\n aliases: [ 'mikrotik' ],\n case_insensitive: true,\n keywords: {\n $pattern: /:?[\\w-]+/,\n literal: LITERALS,\n keyword: STATEMENTS + ' :' + STATEMENTS.split(' ').join(' :') + ' :' + GLOBAL_COMMANDS.split(' ').join(' :')\n },\n contains: [\n { // illegal syntax\n variants: [\n { // -- comment\n begin: /\\/\\*/,\n end: /\\*\\//\n },\n { // Stan comment\n begin: /\\/\\//,\n end: /$/\n },\n { // HTML tags\n begin: /<\\//,\n end: />/\n }\n ],\n illegal: /./\n },\n hljs.COMMENT('^#', '$'),\n QUOTE_STRING,\n APOS_STRING,\n VAR,\n // attribute=value\n {\n // > is to avoid matches with => in other grammars\n begin: /[\\w-]+=([^\\s{}[\\]()>]+)/,\n relevance: 0,\n returnBegin: true,\n contains: [\n {\n className: 'attribute',\n begin: /[^=]+/\n },\n {\n begin: /=/,\n endsWithParent: true,\n relevance: 0,\n contains: [\n QUOTE_STRING,\n APOS_STRING,\n VAR,\n {\n className: 'literal',\n begin: '\\\\b(' + LITERALS.split(' ').join('|') + ')\\\\b'\n },\n {\n // Do not format unclassified values. Needed to exclude highlighting of values as built_in.\n begin: /(\"[^\"]*\"|[^\\s{}[\\]]+)/ }\n /*\n {\n // IPv4 addresses and subnets\n className: 'number',\n variants: [\n {begin: IPADDR_wBITMASK+'(,'+IPADDR_wBITMASK+')*'}, //192.168.0.0/24,1.2.3.0/24\n {begin: IPADDR+'-'+IPADDR}, // 192.168.0.1-192.168.0.3\n {begin: IPADDR+'(,'+IPADDR+')*'}, // 192.168.0.1,192.168.0.34,192.168.24.1,192.168.0.1\n ]\n },\n {\n // MAC addresses and DHCP Client IDs\n className: 'number',\n begin: /\\b(1:)?([0-9A-Fa-f]{1,2}[:-]){5}([0-9A-Fa-f]){1,2}\\b/,\n },\n */\n ]\n }\n ]\n },\n {\n // HEX values\n className: 'number',\n begin: /\\*[0-9a-fA-F]+/\n },\n {\n begin: '\\\\b(' + COMMON_COMMANDS.split(' ').join('|') + ')([\\\\s[(\\\\]|])',\n returnBegin: true,\n contains: [\n {\n className: 'built_in', // 'function',\n begin: /\\w+/\n }\n ]\n },\n {\n className: 'built_in',\n variants: [\n { begin: '(\\\\.\\\\./|/|\\\\s)((' + OBJECTS.split(' ').join('|') + ');?\\\\s)+' },\n {\n begin: /\\.\\./,\n relevance: 0\n }\n ]\n }\n ]\n };\n}\n\nmodule.exports = routeros;\n", "/*\nLanguage: RenderMan RSL\nAuthor: Konstantin Evdokimenko <qewerty@gmail.com>\nContributors: Shuen-Huei Guan <drake.guan@gmail.com>\nWebsite: https://renderman.pixar.com/resources/RenderMan_20/shadingLanguage.html\nCategory: graphics\n*/\n\nfunction rsl(hljs) {\n const BUILT_INS = [\n \"abs\",\n \"acos\",\n \"ambient\",\n \"area\",\n \"asin\",\n \"atan\",\n \"atmosphere\",\n \"attribute\",\n \"calculatenormal\",\n \"ceil\",\n \"cellnoise\",\n \"clamp\",\n \"comp\",\n \"concat\",\n \"cos\",\n \"degrees\",\n \"depth\",\n \"Deriv\",\n \"diffuse\",\n \"distance\",\n \"Du\",\n \"Dv\",\n \"environment\",\n \"exp\",\n \"faceforward\",\n \"filterstep\",\n \"floor\",\n \"format\",\n \"fresnel\",\n \"incident\",\n \"length\",\n \"lightsource\",\n \"log\",\n \"match\",\n \"max\",\n \"min\",\n \"mod\",\n \"noise\",\n \"normalize\",\n \"ntransform\",\n \"opposite\",\n \"option\",\n \"phong\",\n \"pnoise\",\n \"pow\",\n \"printf\",\n \"ptlined\",\n \"radians\",\n \"random\",\n \"reflect\",\n \"refract\",\n \"renderinfo\",\n \"round\",\n \"setcomp\",\n \"setxcomp\",\n \"setycomp\",\n \"setzcomp\",\n \"shadow\",\n \"sign\",\n \"sin\",\n \"smoothstep\",\n \"specular\",\n \"specularbrdf\",\n \"spline\",\n \"sqrt\",\n \"step\",\n \"tan\",\n \"texture\",\n \"textureinfo\",\n \"trace\",\n \"transform\",\n \"vtransform\",\n \"xcomp\",\n \"ycomp\",\n \"zcomp\"\n ];\n\n const TYPES = [\n \"matrix\",\n \"float\",\n \"color\",\n \"point\",\n \"normal\",\n \"vector\"\n ];\n\n const KEYWORDS = [\n \"while\",\n \"for\",\n \"if\",\n \"do\",\n \"return\",\n \"else\",\n \"break\",\n \"extern\",\n \"continue\"\n ];\n\n const CLASS_DEFINITION = {\n match: [\n /(surface|displacement|light|volume|imager)/,\n /\\s+/,\n hljs.IDENT_RE,\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.class\",\n }\n };\n\n return {\n name: 'RenderMan RSL',\n keywords: {\n keyword: KEYWORDS,\n built_in: BUILT_INS,\n type: TYPES\n },\n illegal: '</',\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n hljs.C_NUMBER_MODE,\n {\n className: 'meta',\n begin: '#',\n end: '$'\n },\n CLASS_DEFINITION,\n {\n beginKeywords: 'illuminate illuminance gather',\n end: '\\\\('\n }\n ]\n };\n}\n\nmodule.exports = rsl;\n", "/*\nLanguage: Oracle Rules Language\nAuthor: Jason Jacobson <jason.a.jacobson@gmail.com>\nDescription: The Oracle Utilities Rules Language is used to program the Oracle Utilities Applications acquired from LODESTAR Corporation. The products include Billing Component, LPSS, Pricing Component etc. through version 1.6.1.\nWebsite: https://docs.oracle.com/cd/E17904_01/dev.1111/e10227/rlref.htm\nCategory: enterprise\n*/\n\nfunction ruleslanguage(hljs) {\n return {\n name: 'Oracle Rules Language',\n keywords: {\n keyword:\n 'BILL_PERIOD BILL_START BILL_STOP RS_EFFECTIVE_START RS_EFFECTIVE_STOP RS_JURIS_CODE RS_OPCO_CODE '\n + 'INTDADDATTRIBUTE|5 INTDADDVMSG|5 INTDBLOCKOP|5 INTDBLOCKOPNA|5 INTDCLOSE|5 INTDCOUNT|5 '\n + 'INTDCOUNTSTATUSCODE|5 INTDCREATEMASK|5 INTDCREATEDAYMASK|5 INTDCREATEFACTORMASK|5 '\n + 'INTDCREATEHANDLE|5 INTDCREATEOVERRIDEDAYMASK|5 INTDCREATEOVERRIDEMASK|5 '\n + 'INTDCREATESTATUSCODEMASK|5 INTDCREATETOUPERIOD|5 INTDDELETE|5 INTDDIPTEST|5 INTDEXPORT|5 '\n + 'INTDGETERRORCODE|5 INTDGETERRORMESSAGE|5 INTDISEQUAL|5 INTDJOIN|5 INTDLOAD|5 INTDLOADACTUALCUT|5 '\n + 'INTDLOADDATES|5 INTDLOADHIST|5 INTDLOADLIST|5 INTDLOADLISTDATES|5 INTDLOADLISTENERGY|5 '\n + 'INTDLOADLISTHIST|5 INTDLOADRELATEDCHANNEL|5 INTDLOADSP|5 INTDLOADSTAGING|5 INTDLOADUOM|5 '\n + 'INTDLOADUOMDATES|5 INTDLOADUOMHIST|5 INTDLOADVERSION|5 INTDOPEN|5 INTDREADFIRST|5 INTDREADNEXT|5 '\n + 'INTDRECCOUNT|5 INTDRELEASE|5 INTDREPLACE|5 INTDROLLAVG|5 INTDROLLPEAK|5 INTDSCALAROP|5 INTDSCALE|5 '\n + 'INTDSETATTRIBUTE|5 INTDSETDSTPARTICIPANT|5 INTDSETSTRING|5 INTDSETVALUE|5 INTDSETVALUESTATUS|5 '\n + 'INTDSHIFTSTARTTIME|5 INTDSMOOTH|5 INTDSORT|5 INTDSPIKETEST|5 INTDSUBSET|5 INTDTOU|5 '\n + 'INTDTOURELEASE|5 INTDTOUVALUE|5 INTDUPDATESTATS|5 INTDVALUE|5 STDEV INTDDELETEEX|5 '\n + 'INTDLOADEXACTUAL|5 INTDLOADEXCUT|5 INTDLOADEXDATES|5 INTDLOADEX|5 INTDLOADEXRELATEDCHANNEL|5 '\n + 'INTDSAVEEX|5 MVLOAD|5 MVLOADACCT|5 MVLOADACCTDATES|5 MVLOADACCTHIST|5 MVLOADDATES|5 MVLOADHIST|5 '\n + 'MVLOADLIST|5 MVLOADLISTDATES|5 MVLOADLISTHIST|5 IF FOR NEXT DONE SELECT END CALL ABORT CLEAR CHANNEL FACTOR LIST NUMBER '\n + 'OVERRIDE SET WEEK DISTRIBUTIONNODE ELSE WHEN THEN OTHERWISE IENUM CSV INCLUDE LEAVE RIDER SAVE DELETE '\n + 'NOVALUE SECTION WARN SAVE_UPDATE DETERMINANT LABEL REPORT REVENUE EACH '\n + 'IN FROM TOTAL CHARGE BLOCK AND OR CSV_FILE RATE_CODE AUXILIARY_DEMAND '\n + 'UIDACCOUNT RS BILL_PERIOD_SELECT HOURS_PER_MONTH INTD_ERROR_STOP SEASON_SCHEDULE_NAME '\n + 'ACCOUNTFACTOR ARRAYUPPERBOUND CALLSTOREDPROC GETADOCONNECTION GETCONNECT GETDATASOURCE '\n + 'GETQUALIFIER GETUSERID HASVALUE LISTCOUNT LISTOP LISTUPDATE LISTVALUE PRORATEFACTOR RSPRORATE '\n + 'SETBINPATH SETDBMONITOR WQ_OPEN BILLINGHOURS DATE DATEFROMFLOAT DATETIMEFROMSTRING '\n + 'DATETIMETOSTRING DATETOFLOAT DAY DAYDIFF DAYNAME DBDATETIME HOUR MINUTE MONTH MONTHDIFF '\n + 'MONTHHOURS MONTHNAME ROUNDDATE SAMEWEEKDAYLASTYEAR SECOND WEEKDAY WEEKDIFF YEAR YEARDAY '\n + 'YEARSTR COMPSUM HISTCOUNT HISTMAX HISTMIN HISTMINNZ HISTVALUE MAXNRANGE MAXRANGE MINRANGE '\n + 'COMPIKVA COMPKVA COMPKVARFROMKQKW COMPLF IDATTR FLAG LF2KW LF2KWH MAXKW POWERFACTOR '\n + 'READING2USAGE AVGSEASON MAXSEASON MONTHLYMERGE SEASONVALUE SUMSEASON ACCTREADDATES '\n + 'ACCTTABLELOAD CONFIGADD CONFIGGET CREATEOBJECT CREATEREPORT EMAILCLIENT EXPBLKMDMUSAGE '\n + 'EXPMDMUSAGE EXPORT_USAGE FACTORINEFFECT GETUSERSPECIFIEDSTOP INEFFECT ISHOLIDAY RUNRATE '\n + 'SAVE_PROFILE SETREPORTTITLE USEREXIT WATFORRUNRATE TO TABLE ACOS ASIN ATAN ATAN2 BITAND CEIL '\n + 'COS COSECANT COSH COTANGENT DIVQUOT DIVREM EXP FABS FLOOR FMOD FREPM FREXPN LOG LOG10 MAX MAXN '\n + 'MIN MINNZ MODF POW ROUND ROUND2VALUE ROUNDINT SECANT SIN SINH SQROOT TAN TANH FLOAT2STRING '\n + 'FLOAT2STRINGNC INSTR LEFT LEN LTRIM MID RIGHT RTRIM STRING STRINGNC TOLOWER TOUPPER TRIM '\n + 'NUMDAYS READ_DATE STAGING',\n built_in:\n 'IDENTIFIER OPTIONS XML_ELEMENT XML_OP XML_ELEMENT_OF DOMDOCCREATE DOMDOCLOADFILE DOMDOCLOADXML '\n + 'DOMDOCSAVEFILE DOMDOCGETROOT DOMDOCADDPI DOMNODEGETNAME DOMNODEGETTYPE DOMNODEGETVALUE DOMNODEGETCHILDCT '\n + 'DOMNODEGETFIRSTCHILD DOMNODEGETSIBLING DOMNODECREATECHILDELEMENT DOMNODESETATTRIBUTE '\n + 'DOMNODEGETCHILDELEMENTCT DOMNODEGETFIRSTCHILDELEMENT DOMNODEGETSIBLINGELEMENT DOMNODEGETATTRIBUTECT '\n + 'DOMNODEGETATTRIBUTEI DOMNODEGETATTRIBUTEBYNAME DOMNODEGETBYNAME'\n },\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.C_NUMBER_MODE,\n {\n className: 'literal',\n variants: [\n { // looks like #-comment\n begin: '#\\\\s+',\n relevance: 0\n },\n { begin: '#[a-zA-Z .]+' }\n ]\n }\n ]\n };\n}\n\nmodule.exports = ruleslanguage;\n", "/*\nLanguage: Rust\nAuthor: Andrey Vlasovskikh <andrey.vlasovskikh@gmail.com>\nContributors: Roman Shmatov <romanshmatov@gmail.com>, Kasper Andersen <kma_untrusted@protonmail.com>\nWebsite: https://www.rust-lang.org\nCategory: common, system\n*/\n\n/** @type LanguageFn */\nfunction rust(hljs) {\n const regex = hljs.regex;\n const FUNCTION_INVOKE = {\n className: \"title.function.invoke\",\n relevance: 0,\n begin: regex.concat(\n /\\b/,\n /(?!let\\b)/,\n hljs.IDENT_RE,\n regex.lookahead(/\\s*\\(/))\n };\n const NUMBER_SUFFIX = '([ui](8|16|32|64|128|size)|f(32|64))\\?';\n const KEYWORDS = [\n \"abstract\",\n \"as\",\n \"async\",\n \"await\",\n \"become\",\n \"box\",\n \"break\",\n \"const\",\n \"continue\",\n \"crate\",\n \"do\",\n \"dyn\",\n \"else\",\n \"enum\",\n \"extern\",\n \"false\",\n \"final\",\n \"fn\",\n \"for\",\n \"if\",\n \"impl\",\n \"in\",\n \"let\",\n \"loop\",\n \"macro\",\n \"match\",\n \"mod\",\n \"move\",\n \"mut\",\n \"override\",\n \"priv\",\n \"pub\",\n \"ref\",\n \"return\",\n \"self\",\n \"Self\",\n \"static\",\n \"struct\",\n \"super\",\n \"trait\",\n \"true\",\n \"try\",\n \"type\",\n \"typeof\",\n \"unsafe\",\n \"unsized\",\n \"use\",\n \"virtual\",\n \"where\",\n \"while\",\n \"yield\"\n ];\n const LITERALS = [\n \"true\",\n \"false\",\n \"Some\",\n \"None\",\n \"Ok\",\n \"Err\"\n ];\n const BUILTINS = [\n // functions\n 'drop ',\n // traits\n \"Copy\",\n \"Send\",\n \"Sized\",\n \"Sync\",\n \"Drop\",\n \"Fn\",\n \"FnMut\",\n \"FnOnce\",\n \"ToOwned\",\n \"Clone\",\n \"Debug\",\n \"PartialEq\",\n \"PartialOrd\",\n \"Eq\",\n \"Ord\",\n \"AsRef\",\n \"AsMut\",\n \"Into\",\n \"From\",\n \"Default\",\n \"Iterator\",\n \"Extend\",\n \"IntoIterator\",\n \"DoubleEndedIterator\",\n \"ExactSizeIterator\",\n \"SliceConcatExt\",\n \"ToString\",\n // macros\n \"assert!\",\n \"assert_eq!\",\n \"bitflags!\",\n \"bytes!\",\n \"cfg!\",\n \"col!\",\n \"concat!\",\n \"concat_idents!\",\n \"debug_assert!\",\n \"debug_assert_eq!\",\n \"env!\",\n \"panic!\",\n \"file!\",\n \"format!\",\n \"format_args!\",\n \"include_bytes!\",\n \"include_str!\",\n \"line!\",\n \"local_data_key!\",\n \"module_path!\",\n \"option_env!\",\n \"print!\",\n \"println!\",\n \"select!\",\n \"stringify!\",\n \"try!\",\n \"unimplemented!\",\n \"unreachable!\",\n \"vec!\",\n \"write!\",\n \"writeln!\",\n \"macro_rules!\",\n \"assert_ne!\",\n \"debug_assert_ne!\"\n ];\n const TYPES = [\n \"i8\",\n \"i16\",\n \"i32\",\n \"i64\",\n \"i128\",\n \"isize\",\n \"u8\",\n \"u16\",\n \"u32\",\n \"u64\",\n \"u128\",\n \"usize\",\n \"f32\",\n \"f64\",\n \"str\",\n \"char\",\n \"bool\",\n \"Box\",\n \"Option\",\n \"Result\",\n \"String\",\n \"Vec\"\n ];\n return {\n name: 'Rust',\n aliases: [ 'rs' ],\n keywords: {\n $pattern: hljs.IDENT_RE + '!?',\n type: TYPES,\n keyword: KEYWORDS,\n literal: LITERALS,\n built_in: BUILTINS\n },\n illegal: '</',\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.COMMENT('/\\\\*', '\\\\*/', { contains: [ 'self' ] }),\n hljs.inherit(hljs.QUOTE_STRING_MODE, {\n begin: /b?\"/,\n illegal: null\n }),\n {\n className: 'string',\n variants: [\n { begin: /b?r(#*)\"(.|\\n)*?\"\\1(?!#)/ },\n { begin: /b?'\\\\?(x\\w{2}|u\\w{4}|U\\w{8}|.)'/ }\n ]\n },\n {\n className: 'symbol',\n begin: /'[a-zA-Z_][a-zA-Z0-9_]*/\n },\n {\n className: 'number',\n variants: [\n { begin: '\\\\b0b([01_]+)' + NUMBER_SUFFIX },\n { begin: '\\\\b0o([0-7_]+)' + NUMBER_SUFFIX },\n { begin: '\\\\b0x([A-Fa-f0-9_]+)' + NUMBER_SUFFIX },\n { begin: '\\\\b(\\\\d[\\\\d_]*(\\\\.[0-9_]+)?([eE][+-]?[0-9_]+)?)'\n + NUMBER_SUFFIX }\n ],\n relevance: 0\n },\n {\n begin: [\n /fn/,\n /\\s+/,\n hljs.UNDERSCORE_IDENT_RE\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.function\"\n }\n },\n {\n className: 'meta',\n begin: '#!?\\\\[',\n end: '\\\\]',\n contains: [\n {\n className: 'string',\n begin: /\"/,\n end: /\"/\n }\n ]\n },\n {\n begin: [\n /let/,\n /\\s+/,\n /(?:mut\\s+)?/,\n hljs.UNDERSCORE_IDENT_RE\n ],\n className: {\n 1: \"keyword\",\n 3: \"keyword\",\n 4: \"variable\"\n }\n },\n // must come before impl/for rule later\n {\n begin: [\n /for/,\n /\\s+/,\n hljs.UNDERSCORE_IDENT_RE,\n /\\s+/,\n /in/\n ],\n className: {\n 1: \"keyword\",\n 3: \"variable\",\n 5: \"keyword\"\n }\n },\n {\n begin: [\n /type/,\n /\\s+/,\n hljs.UNDERSCORE_IDENT_RE\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.class\"\n }\n },\n {\n begin: [\n /(?:trait|enum|struct|union|impl|for)/,\n /\\s+/,\n hljs.UNDERSCORE_IDENT_RE\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.class\"\n }\n },\n {\n begin: hljs.IDENT_RE + '::',\n keywords: {\n keyword: \"Self\",\n built_in: BUILTINS,\n type: TYPES\n }\n },\n {\n className: \"punctuation\",\n begin: '->'\n },\n FUNCTION_INVOKE\n ]\n };\n}\n\nmodule.exports = rust;\n", "/*\nLanguage: SAS\nAuthor: Mauricio Caceres <mauricio.caceres.bravo@gmail.com>\nDescription: Syntax Highlighting for SAS\n*/\n\n/** @type LanguageFn */\nfunction sas(hljs) {\n const regex = hljs.regex;\n // Data step and PROC SQL statements\n const SAS_KEYWORDS = [\n \"do\",\n \"if\",\n \"then\",\n \"else\",\n \"end\",\n \"until\",\n \"while\",\n \"abort\",\n \"array\",\n \"attrib\",\n \"by\",\n \"call\",\n \"cards\",\n \"cards4\",\n \"catname\",\n \"continue\",\n \"datalines\",\n \"datalines4\",\n \"delete\",\n \"delim\",\n \"delimiter\",\n \"display\",\n \"dm\",\n \"drop\",\n \"endsas\",\n \"error\",\n \"file\",\n \"filename\",\n \"footnote\",\n \"format\",\n \"goto\",\n \"in\",\n \"infile\",\n \"informat\",\n \"input\",\n \"keep\",\n \"label\",\n \"leave\",\n \"length\",\n \"libname\",\n \"link\",\n \"list\",\n \"lostcard\",\n \"merge\",\n \"missing\",\n \"modify\",\n \"options\",\n \"output\",\n \"out\",\n \"page\",\n \"put\",\n \"redirect\",\n \"remove\",\n \"rename\",\n \"replace\",\n \"retain\",\n \"return\",\n \"select\",\n \"set\",\n \"skip\",\n \"startsas\",\n \"stop\",\n \"title\",\n \"update\",\n \"waitsas\",\n \"where\",\n \"window\",\n \"x|0\",\n \"systask\",\n \"add\",\n \"and\",\n \"alter\",\n \"as\",\n \"cascade\",\n \"check\",\n \"create\",\n \"delete\",\n \"describe\",\n \"distinct\",\n \"drop\",\n \"foreign\",\n \"from\",\n \"group\",\n \"having\",\n \"index\",\n \"insert\",\n \"into\",\n \"in\",\n \"key\",\n \"like\",\n \"message\",\n \"modify\",\n \"msgtype\",\n \"not\",\n \"null\",\n \"on\",\n \"or\",\n \"order\",\n \"primary\",\n \"references\",\n \"reset\",\n \"restrict\",\n \"select\",\n \"set\",\n \"table\",\n \"unique\",\n \"update\",\n \"validate\",\n \"view\",\n \"where\"\n ];\n\n // Built-in SAS functions\n const FUNCTIONS = [\n \"abs\",\n \"addr\",\n \"airy\",\n \"arcos\",\n \"arsin\",\n \"atan\",\n \"attrc\",\n \"attrn\",\n \"band\",\n \"betainv\",\n \"blshift\",\n \"bnot\",\n \"bor\",\n \"brshift\",\n \"bxor\",\n \"byte\",\n \"cdf\",\n \"ceil\",\n \"cexist\",\n \"cinv\",\n \"close\",\n \"cnonct\",\n \"collate\",\n \"compbl\",\n \"compound\",\n \"compress\",\n \"cos\",\n \"cosh\",\n \"css\",\n \"curobs\",\n \"cv\",\n \"daccdb\",\n \"daccdbsl\",\n \"daccsl\",\n \"daccsyd\",\n \"dacctab\",\n \"dairy\",\n \"date\",\n \"datejul\",\n \"datepart\",\n \"datetime\",\n \"day\",\n \"dclose\",\n \"depdb\",\n \"depdbsl\",\n \"depdbsl\",\n \"depsl\",\n \"depsl\",\n \"depsyd\",\n \"depsyd\",\n \"deptab\",\n \"deptab\",\n \"dequote\",\n \"dhms\",\n \"dif\",\n \"digamma\",\n \"dim\",\n \"dinfo\",\n \"dnum\",\n \"dopen\",\n \"doptname\",\n \"doptnum\",\n \"dread\",\n \"dropnote\",\n \"dsname\",\n \"erf\",\n \"erfc\",\n \"exist\",\n \"exp\",\n \"fappend\",\n \"fclose\",\n \"fcol\",\n \"fdelete\",\n \"fetch\",\n \"fetchobs\",\n \"fexist\",\n \"fget\",\n \"fileexist\",\n \"filename\",\n \"fileref\",\n \"finfo\",\n \"finv\",\n \"fipname\",\n \"fipnamel\",\n \"fipstate\",\n \"floor\",\n \"fnonct\",\n \"fnote\",\n \"fopen\",\n \"foptname\",\n \"foptnum\",\n \"fpoint\",\n \"fpos\",\n \"fput\",\n \"fread\",\n \"frewind\",\n \"frlen\",\n \"fsep\",\n \"fuzz\",\n \"fwrite\",\n \"gaminv\",\n \"gamma\",\n \"getoption\",\n \"getvarc\",\n \"getvarn\",\n \"hbound\",\n \"hms\",\n \"hosthelp\",\n \"hour\",\n \"ibessel\",\n \"index\",\n \"indexc\",\n \"indexw\",\n \"input\",\n \"inputc\",\n \"inputn\",\n \"int\",\n \"intck\",\n \"intnx\",\n \"intrr\",\n \"irr\",\n \"jbessel\",\n \"juldate\",\n \"kurtosis\",\n \"lag\",\n \"lbound\",\n \"left\",\n \"length\",\n \"lgamma\",\n \"libname\",\n \"libref\",\n \"log\",\n \"log10\",\n \"log2\",\n \"logpdf\",\n \"logpmf\",\n \"logsdf\",\n \"lowcase\",\n \"max\",\n \"mdy\",\n \"mean\",\n \"min\",\n \"minute\",\n \"mod\",\n \"month\",\n \"mopen\",\n \"mort\",\n \"n\",\n \"netpv\",\n \"nmiss\",\n \"normal\",\n \"note\",\n \"npv\",\n \"open\",\n \"ordinal\",\n \"pathname\",\n \"pdf\",\n \"peek\",\n \"peekc\",\n \"pmf\",\n \"point\",\n \"poisson\",\n \"poke\",\n \"probbeta\",\n \"probbnml\",\n \"probchi\",\n \"probf\",\n \"probgam\",\n \"probhypr\",\n \"probit\",\n \"probnegb\",\n \"probnorm\",\n \"probt\",\n \"put\",\n \"putc\",\n \"putn\",\n \"qtr\",\n \"quote\",\n \"ranbin\",\n \"rancau\",\n \"ranexp\",\n \"rangam\",\n \"range\",\n \"rank\",\n \"rannor\",\n \"ranpoi\",\n \"rantbl\",\n \"rantri\",\n \"ranuni\",\n \"repeat\",\n \"resolve\",\n \"reverse\",\n \"rewind\",\n \"right\",\n \"round\",\n \"saving\",\n \"scan\",\n \"sdf\",\n \"second\",\n \"sign\",\n \"sin\",\n \"sinh\",\n \"skewness\",\n \"soundex\",\n \"spedis\",\n \"sqrt\",\n \"std\",\n \"stderr\",\n \"stfips\",\n \"stname\",\n \"stnamel\",\n \"substr\",\n \"sum\",\n \"symget\",\n \"sysget\",\n \"sysmsg\",\n \"sysprod\",\n \"sysrc\",\n \"system\",\n \"tan\",\n \"tanh\",\n \"time\",\n \"timepart\",\n \"tinv\",\n \"tnonct\",\n \"today\",\n \"translate\",\n \"tranwrd\",\n \"trigamma\",\n \"trim\",\n \"trimn\",\n \"trunc\",\n \"uniform\",\n \"upcase\",\n \"uss\",\n \"var\",\n \"varfmt\",\n \"varinfmt\",\n \"varlabel\",\n \"varlen\",\n \"varname\",\n \"varnum\",\n \"varray\",\n \"varrayx\",\n \"vartype\",\n \"verify\",\n \"vformat\",\n \"vformatd\",\n \"vformatdx\",\n \"vformatn\",\n \"vformatnx\",\n \"vformatw\",\n \"vformatwx\",\n \"vformatx\",\n \"vinarray\",\n \"vinarrayx\",\n \"vinformat\",\n \"vinformatd\",\n \"vinformatdx\",\n \"vinformatn\",\n \"vinformatnx\",\n \"vinformatw\",\n \"vinformatwx\",\n \"vinformatx\",\n \"vlabel\",\n \"vlabelx\",\n \"vlength\",\n \"vlengthx\",\n \"vname\",\n \"vnamex\",\n \"vtype\",\n \"vtypex\",\n \"weekday\",\n \"year\",\n \"yyq\",\n \"zipfips\",\n \"zipname\",\n \"zipnamel\",\n \"zipstate\"\n ];\n\n // Built-in macro functions\n const MACRO_FUNCTIONS = [\n \"bquote\",\n \"nrbquote\",\n \"cmpres\",\n \"qcmpres\",\n \"compstor\",\n \"datatyp\",\n \"display\",\n \"do\",\n \"else\",\n \"end\",\n \"eval\",\n \"global\",\n \"goto\",\n \"if\",\n \"index\",\n \"input\",\n \"keydef\",\n \"label\",\n \"left\",\n \"length\",\n \"let\",\n \"local\",\n \"lowcase\",\n \"macro\",\n \"mend\",\n \"nrbquote\",\n \"nrquote\",\n \"nrstr\",\n \"put\",\n \"qcmpres\",\n \"qleft\",\n \"qlowcase\",\n \"qscan\",\n \"qsubstr\",\n \"qsysfunc\",\n \"qtrim\",\n \"quote\",\n \"qupcase\",\n \"scan\",\n \"str\",\n \"substr\",\n \"superq\",\n \"syscall\",\n \"sysevalf\",\n \"sysexec\",\n \"sysfunc\",\n \"sysget\",\n \"syslput\",\n \"sysprod\",\n \"sysrc\",\n \"sysrput\",\n \"then\",\n \"to\",\n \"trim\",\n \"unquote\",\n \"until\",\n \"upcase\",\n \"verify\",\n \"while\",\n \"window\"\n ];\n\n const LITERALS = [\n \"null\",\n \"missing\",\n \"_all_\",\n \"_automatic_\",\n \"_character_\",\n \"_infile_\",\n \"_n_\",\n \"_name_\",\n \"_null_\",\n \"_numeric_\",\n \"_user_\",\n \"_webout_\"\n ];\n\n return {\n name: 'SAS',\n case_insensitive: true,\n keywords: {\n literal: LITERALS,\n keyword: SAS_KEYWORDS\n },\n contains: [\n {\n // Distinct highlight for proc <proc>, data, run, quit\n className: 'keyword',\n begin: /^\\s*(proc [\\w\\d_]+|data|run|quit)[\\s;]/\n },\n {\n // Macro variables\n className: 'variable',\n begin: /&[a-zA-Z_&][a-zA-Z0-9_]*\\.?/\n },\n {\n begin: [\n /^\\s*/,\n /datalines;|cards;/,\n /(?:.*\\n)+/,\n /^\\s*;\\s*$/\n ],\n className: {\n 2: \"keyword\",\n 3: \"string\"\n }\n },\n {\n begin: [\n /%mend|%macro/,\n /\\s+/,\n /[a-zA-Z_&][a-zA-Z0-9_]*/\n ],\n className: {\n 1: \"built_in\",\n 3: \"title.function\"\n }\n },\n { // Built-in macro variables\n className: 'built_in',\n begin: '%' + regex.either(...MACRO_FUNCTIONS)\n },\n {\n // User-defined macro functions\n className: 'title.function',\n begin: /%[a-zA-Z_][a-zA-Z_0-9]*/\n },\n {\n // TODO: this is most likely an incorrect classification\n // built_in may need more nuance\n // https://github.com/highlightjs/highlight.js/issues/2521\n className: 'meta',\n begin: regex.either(...FUNCTIONS) + '(?=\\\\()'\n },\n {\n className: 'string',\n variants: [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ]\n },\n hljs.COMMENT('\\\\*', ';'),\n hljs.C_BLOCK_COMMENT_MODE\n ]\n };\n}\n\nmodule.exports = sas;\n", "/*\nLanguage: Scala\nCategory: functional\nAuthor: Jan Berkel <jan.berkel@gmail.com>\nContributors: Erik Osheim <d_m@plastic-idolatry.com>\nWebsite: https://www.scala-lang.org\n*/\n\nfunction scala(hljs) {\n const regex = hljs.regex;\n const ANNOTATION = {\n className: 'meta',\n begin: '@[A-Za-z]+'\n };\n\n // used in strings for escaping/interpolation/substitution\n const SUBST = {\n className: 'subst',\n variants: [\n { begin: '\\\\$[A-Za-z0-9_]+' },\n {\n begin: /\\$\\{/,\n end: /\\}/\n }\n ]\n };\n\n const STRING = {\n className: 'string',\n variants: [\n {\n begin: '\"\"\"',\n end: '\"\"\"'\n },\n {\n begin: '\"',\n end: '\"',\n illegal: '\\\\n',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n begin: '[a-z]+\"',\n end: '\"',\n illegal: '\\\\n',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ]\n },\n {\n className: 'string',\n begin: '[a-z]+\"\"\"',\n end: '\"\"\"',\n contains: [ SUBST ],\n relevance: 10\n }\n ]\n\n };\n\n const TYPE = {\n className: 'type',\n begin: '\\\\b[A-Z][A-Za-z0-9_]*',\n relevance: 0\n };\n\n const NAME = {\n className: 'title',\n begin: /[^0-9\\n\\t \"'(),.`{}\\[\\]:;][^\\n\\t \"'(),.`{}\\[\\]:;]+|[^0-9\\n\\t \"'(),.`{}\\[\\]:;=]/,\n relevance: 0\n };\n\n const CLASS = {\n className: 'class',\n beginKeywords: 'class object trait type',\n end: /[:={\\[\\n;]/,\n excludeEnd: true,\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n {\n beginKeywords: 'extends with',\n relevance: 10\n },\n {\n begin: /\\[/,\n end: /\\]/,\n excludeBegin: true,\n excludeEnd: true,\n relevance: 0,\n contains: [ TYPE ]\n },\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n relevance: 0,\n contains: [ TYPE ]\n },\n NAME\n ]\n };\n\n const METHOD = {\n className: 'function',\n beginKeywords: 'def',\n end: regex.lookahead(/[:={\\[(\\n;]/),\n contains: [ NAME ]\n };\n\n const EXTENSION = {\n begin: [\n /^\\s*/, // Is first token on the line\n 'extension',\n /\\s+(?=[[(])/, // followed by at least one space and `[` or `(`\n ],\n beginScope: { 2: \"keyword\", }\n };\n\n const END = {\n begin: [\n /^\\s*/, // Is first token on the line\n /end/,\n /\\s+/,\n /(extension\\b)?/, // `extension` is the only marker that follows an `end` that cannot be captured by another rule.\n ],\n beginScope: {\n 2: \"keyword\",\n 4: \"keyword\",\n }\n };\n\n // TODO: use negative look-behind in future\n // /(?<!\\.)\\binline(?=\\s)/\n const INLINE_MODES = [\n { match: /\\.inline\\b/ },\n {\n begin: /\\binline(?=\\s)/,\n keywords: 'inline'\n }\n ];\n\n const USING_PARAM_CLAUSE = {\n begin: [\n /\\(\\s*/, // Opening `(` of a parameter or argument list\n /using/,\n /\\s+(?!\\))/, // Spaces not followed by `)`\n ],\n beginScope: { 2: \"keyword\", }\n };\n\n return {\n name: 'Scala',\n keywords: {\n literal: 'true false null',\n keyword: 'type yield lazy override def with val var sealed abstract private trait object if then forSome for while do throw finally protected extends import final return else break new catch super class case package default try this match continue throws implicit export enum given transparent'\n },\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n STRING,\n TYPE,\n METHOD,\n CLASS,\n hljs.C_NUMBER_MODE,\n EXTENSION,\n END,\n ...INLINE_MODES,\n USING_PARAM_CLAUSE,\n ANNOTATION\n ]\n };\n}\n\nmodule.exports = scala;\n", "/*\nLanguage: Scheme\nDescription: Scheme is a programming language in the Lisp family.\n (keywords based on http://community.schemewiki.org/?scheme-keywords)\nAuthor: JP Verkamp <me@jverkamp.com>\nContributors: Ivan Sagalaev <maniac@softwaremaniacs.org>\nOrigin: clojure.js\nWebsite: http://community.schemewiki.org/?what-is-scheme\nCategory: lisp\n*/\n\nfunction scheme(hljs) {\n const SCHEME_IDENT_RE = '[^\\\\(\\\\)\\\\[\\\\]\\\\{\\\\}\",\\'`;#|\\\\\\\\\\\\s]+';\n const SCHEME_SIMPLE_NUMBER_RE = '(-|\\\\+)?\\\\d+([./]\\\\d+)?';\n const SCHEME_COMPLEX_NUMBER_RE = SCHEME_SIMPLE_NUMBER_RE + '[+\\\\-]' + SCHEME_SIMPLE_NUMBER_RE + 'i';\n const KEYWORDS = {\n $pattern: SCHEME_IDENT_RE,\n built_in:\n 'case-lambda call/cc class define-class exit-handler field import '\n + 'inherit init-field interface let*-values let-values let/ec mixin '\n + 'opt-lambda override protect provide public rename require '\n + 'require-for-syntax syntax syntax-case syntax-error unit/sig unless '\n + 'when with-syntax and begin call-with-current-continuation '\n + 'call-with-input-file call-with-output-file case cond define '\n + 'define-syntax delay do dynamic-wind else for-each if lambda let let* '\n + 'let-syntax letrec letrec-syntax map or syntax-rules \\' * + , ,@ - ... / '\n + '; < <= = => > >= ` abs acos angle append apply asin assoc assq assv atan '\n + 'boolean? caar cadr call-with-input-file call-with-output-file '\n + 'call-with-values car cdddar cddddr cdr ceiling char->integer '\n + 'char-alphabetic? char-ci<=? char-ci<? char-ci=? char-ci>=? char-ci>? '\n + 'char-downcase char-lower-case? char-numeric? char-ready? char-upcase '\n + 'char-upper-case? char-whitespace? char<=? char<? char=? char>=? char>? '\n + 'char? close-input-port close-output-port complex? cons cos '\n + 'current-input-port current-output-port denominator display eof-object? '\n + 'eq? equal? eqv? eval even? exact->inexact exact? exp expt floor '\n + 'force gcd imag-part inexact->exact inexact? input-port? integer->char '\n + 'integer? interaction-environment lcm length list list->string '\n + 'list->vector list-ref list-tail list? load log magnitude make-polar '\n + 'make-rectangular make-string make-vector max member memq memv min '\n + 'modulo negative? newline not null-environment null? number->string '\n + 'number? numerator odd? open-input-file open-output-file output-port? '\n + 'pair? peek-char port? positive? procedure? quasiquote quote quotient '\n + 'rational? rationalize read read-char real-part real? remainder reverse '\n + 'round scheme-report-environment set! set-car! set-cdr! sin sqrt string '\n + 'string->list string->number string->symbol string-append string-ci<=? '\n + 'string-ci<? string-ci=? string-ci>=? string-ci>? string-copy '\n + 'string-fill! string-length string-ref string-set! string<=? string<? '\n + 'string=? string>=? string>? string? substring symbol->string symbol? '\n + 'tan transcript-off transcript-on truncate values vector '\n + 'vector->list vector-fill! vector-length vector-ref vector-set! '\n + 'with-input-from-file with-output-to-file write write-char zero?'\n };\n\n const LITERAL = {\n className: 'literal',\n begin: '(#t|#f|#\\\\\\\\' + SCHEME_IDENT_RE + '|#\\\\\\\\.)'\n };\n\n const NUMBER = {\n className: 'number',\n variants: [\n {\n begin: SCHEME_SIMPLE_NUMBER_RE,\n relevance: 0\n },\n {\n begin: SCHEME_COMPLEX_NUMBER_RE,\n relevance: 0\n },\n { begin: '#b[0-1]+(/[0-1]+)?' },\n { begin: '#o[0-7]+(/[0-7]+)?' },\n { begin: '#x[0-9a-f]+(/[0-9a-f]+)?' }\n ]\n };\n\n const STRING = hljs.QUOTE_STRING_MODE;\n\n const COMMENT_MODES = [\n hljs.COMMENT(\n ';',\n '$',\n { relevance: 0 }\n ),\n hljs.COMMENT('#\\\\|', '\\\\|#')\n ];\n\n const IDENT = {\n begin: SCHEME_IDENT_RE,\n relevance: 0\n };\n\n const QUOTED_IDENT = {\n className: 'symbol',\n begin: '\\'' + SCHEME_IDENT_RE\n };\n\n const BODY = {\n endsWithParent: true,\n relevance: 0\n };\n\n const QUOTED_LIST = {\n variants: [\n { begin: /'/ },\n { begin: '`' }\n ],\n contains: [\n {\n begin: '\\\\(',\n end: '\\\\)',\n contains: [\n 'self',\n LITERAL,\n STRING,\n NUMBER,\n IDENT,\n QUOTED_IDENT\n ]\n }\n ]\n };\n\n const NAME = {\n className: 'name',\n relevance: 0,\n begin: SCHEME_IDENT_RE,\n keywords: KEYWORDS\n };\n\n const LAMBDA = {\n begin: /lambda/,\n endsWithParent: true,\n returnBegin: true,\n contains: [\n NAME,\n {\n endsParent: true,\n variants: [\n {\n begin: /\\(/,\n end: /\\)/\n },\n {\n begin: /\\[/,\n end: /\\]/\n }\n ],\n contains: [ IDENT ]\n }\n ]\n };\n\n const LIST = {\n variants: [\n {\n begin: '\\\\(',\n end: '\\\\)'\n },\n {\n begin: '\\\\[',\n end: '\\\\]'\n }\n ],\n contains: [\n LAMBDA,\n NAME,\n BODY\n ]\n };\n\n BODY.contains = [\n LITERAL,\n NUMBER,\n STRING,\n IDENT,\n QUOTED_IDENT,\n QUOTED_LIST,\n LIST\n ].concat(COMMENT_MODES);\n\n return {\n name: 'Scheme',\n aliases: ['scm'],\n illegal: /\\S/,\n contains: [\n hljs.SHEBANG(),\n NUMBER,\n STRING,\n QUOTED_IDENT,\n QUOTED_LIST,\n LIST\n ].concat(COMMENT_MODES)\n };\n}\n\nmodule.exports = scheme;\n", "/*\nLanguage: Scilab\nAuthor: Sylvestre Ledru <sylvestre.ledru@scilab-enterprises.com>\nOrigin: matlab.js\nDescription: Scilab is a port from Matlab\nWebsite: https://www.scilab.org\nCategory: scientific\n*/\n\nfunction scilab(hljs) {\n const COMMON_CONTAINS = [\n hljs.C_NUMBER_MODE,\n {\n className: 'string',\n begin: '\\'|\\\"',\n end: '\\'|\\\"',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n { begin: '\\'\\'' }\n ]\n }\n ];\n\n return {\n name: 'Scilab',\n aliases: [ 'sci' ],\n keywords: {\n $pattern: /%?\\w+/,\n keyword: 'abort break case clear catch continue do elseif else endfunction end for function '\n + 'global if pause return resume select try then while',\n literal:\n '%f %F %t %T %pi %eps %inf %nan %e %i %z %s',\n built_in: // Scilab has more than 2000 functions. Just list the most commons\n 'abs and acos asin atan ceil cd chdir clearglobal cosh cos cumprod deff disp error '\n + 'exec execstr exists exp eye gettext floor fprintf fread fsolve imag isdef isempty '\n + 'isinfisnan isvector lasterror length load linspace list listfiles log10 log2 log '\n + 'max min msprintf mclose mopen ones or pathconvert poly printf prod pwd rand real '\n + 'round sinh sin size gsort sprintf sqrt strcat strcmps tring sum system tanh tan '\n + 'type typename warning zeros matrix'\n },\n illegal: '(\"|#|/\\\\*|\\\\s+/\\\\w+)',\n contains: [\n {\n className: 'function',\n beginKeywords: 'function',\n end: '$',\n contains: [\n hljs.UNDERSCORE_TITLE_MODE,\n {\n className: 'params',\n begin: '\\\\(',\n end: '\\\\)'\n }\n ]\n },\n // seems to be a guard against [ident]' or [ident].\n // perhaps to prevent attributes from flagging as keywords?\n {\n begin: '[a-zA-Z_][a-zA-Z_0-9]*[\\\\.\\']+',\n relevance: 0\n },\n {\n begin: '\\\\[',\n end: '\\\\][\\\\.\\']*',\n relevance: 0,\n contains: COMMON_CONTAINS\n },\n hljs.COMMENT('//', '$')\n ].concat(COMMON_CONTAINS)\n };\n}\n\nmodule.exports = scilab;\n", "const MODES = (hljs) => {\n return {\n IMPORTANT: {\n scope: 'meta',\n begin: '!important'\n },\n BLOCK_COMMENT: hljs.C_BLOCK_COMMENT_MODE,\n HEXCOLOR: {\n scope: 'number',\n begin: /#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\\b/\n },\n FUNCTION_DISPATCH: {\n className: \"built_in\",\n begin: /[\\w-]+(?=\\()/\n },\n ATTRIBUTE_SELECTOR_MODE: {\n scope: 'selector-attr',\n begin: /\\[/,\n end: /\\]/,\n illegal: '$',\n contains: [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ]\n },\n CSS_NUMBER_MODE: {\n scope: 'number',\n begin: hljs.NUMBER_RE + '(' +\n '%|em|ex|ch|rem' +\n '|vw|vh|vmin|vmax' +\n '|cm|mm|in|pt|pc|px' +\n '|deg|grad|rad|turn' +\n '|s|ms' +\n '|Hz|kHz' +\n '|dpi|dpcm|dppx' +\n ')?',\n relevance: 0\n },\n CSS_VARIABLE: {\n className: \"attr\",\n begin: /--[A-Za-z][A-Za-z0-9_-]*/\n }\n };\n};\n\nconst TAGS = [\n 'a',\n 'abbr',\n 'address',\n 'article',\n 'aside',\n 'audio',\n 'b',\n 'blockquote',\n 'body',\n 'button',\n 'canvas',\n 'caption',\n 'cite',\n 'code',\n 'dd',\n 'del',\n 'details',\n 'dfn',\n 'div',\n 'dl',\n 'dt',\n 'em',\n 'fieldset',\n 'figcaption',\n 'figure',\n 'footer',\n 'form',\n 'h1',\n 'h2',\n 'h3',\n 'h4',\n 'h5',\n 'h6',\n 'header',\n 'hgroup',\n 'html',\n 'i',\n 'iframe',\n 'img',\n 'input',\n 'ins',\n 'kbd',\n 'label',\n 'legend',\n 'li',\n 'main',\n 'mark',\n 'menu',\n 'nav',\n 'object',\n 'ol',\n 'p',\n 'q',\n 'quote',\n 'samp',\n 'section',\n 'span',\n 'strong',\n 'summary',\n 'sup',\n 'table',\n 'tbody',\n 'td',\n 'textarea',\n 'tfoot',\n 'th',\n 'thead',\n 'time',\n 'tr',\n 'ul',\n 'var',\n 'video'\n];\n\nconst MEDIA_FEATURES = [\n 'any-hover',\n 'any-pointer',\n 'aspect-ratio',\n 'color',\n 'color-gamut',\n 'color-index',\n 'device-aspect-ratio',\n 'device-height',\n 'device-width',\n 'display-mode',\n 'forced-colors',\n 'grid',\n 'height',\n 'hover',\n 'inverted-colors',\n 'monochrome',\n 'orientation',\n 'overflow-block',\n 'overflow-inline',\n 'pointer',\n 'prefers-color-scheme',\n 'prefers-contrast',\n 'prefers-reduced-motion',\n 'prefers-reduced-transparency',\n 'resolution',\n 'scan',\n 'scripting',\n 'update',\n 'width',\n // TODO: find a better solution?\n 'min-width',\n 'max-width',\n 'min-height',\n 'max-height'\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/CSS/Pseudo-classes\nconst PSEUDO_CLASSES = [\n 'active',\n 'any-link',\n 'blank',\n 'checked',\n 'current',\n 'default',\n 'defined',\n 'dir', // dir()\n 'disabled',\n 'drop',\n 'empty',\n 'enabled',\n 'first',\n 'first-child',\n 'first-of-type',\n 'fullscreen',\n 'future',\n 'focus',\n 'focus-visible',\n 'focus-within',\n 'has', // has()\n 'host', // host or host()\n 'host-context', // host-context()\n 'hover',\n 'indeterminate',\n 'in-range',\n 'invalid',\n 'is', // is()\n 'lang', // lang()\n 'last-child',\n 'last-of-type',\n 'left',\n 'link',\n 'local-link',\n 'not', // not()\n 'nth-child', // nth-child()\n 'nth-col', // nth-col()\n 'nth-last-child', // nth-last-child()\n 'nth-last-col', // nth-last-col()\n 'nth-last-of-type', //nth-last-of-type()\n 'nth-of-type', //nth-of-type()\n 'only-child',\n 'only-of-type',\n 'optional',\n 'out-of-range',\n 'past',\n 'placeholder-shown',\n 'read-only',\n 'read-write',\n 'required',\n 'right',\n 'root',\n 'scope',\n 'target',\n 'target-within',\n 'user-invalid',\n 'valid',\n 'visited',\n 'where' // where()\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/CSS/Pseudo-elements\nconst PSEUDO_ELEMENTS = [\n 'after',\n 'backdrop',\n 'before',\n 'cue',\n 'cue-region',\n 'first-letter',\n 'first-line',\n 'grammar-error',\n 'marker',\n 'part',\n 'placeholder',\n 'selection',\n 'slotted',\n 'spelling-error'\n];\n\nconst ATTRIBUTES = [\n 'align-content',\n 'align-items',\n 'align-self',\n 'all',\n 'animation',\n 'animation-delay',\n 'animation-direction',\n 'animation-duration',\n 'animation-fill-mode',\n 'animation-iteration-count',\n 'animation-name',\n 'animation-play-state',\n 'animation-timing-function',\n 'backface-visibility',\n 'background',\n 'background-attachment',\n 'background-blend-mode',\n 'background-clip',\n 'background-color',\n 'background-image',\n 'background-origin',\n 'background-position',\n 'background-repeat',\n 'background-size',\n 'block-size',\n 'border',\n 'border-block',\n 'border-block-color',\n 'border-block-end',\n 'border-block-end-color',\n 'border-block-end-style',\n 'border-block-end-width',\n 'border-block-start',\n 'border-block-start-color',\n 'border-block-start-style',\n 'border-block-start-width',\n 'border-block-style',\n 'border-block-width',\n 'border-bottom',\n 'border-bottom-color',\n 'border-bottom-left-radius',\n 'border-bottom-right-radius',\n 'border-bottom-style',\n 'border-bottom-width',\n 'border-collapse',\n 'border-color',\n 'border-image',\n 'border-image-outset',\n 'border-image-repeat',\n 'border-image-slice',\n 'border-image-source',\n 'border-image-width',\n 'border-inline',\n 'border-inline-color',\n 'border-inline-end',\n 'border-inline-end-color',\n 'border-inline-end-style',\n 'border-inline-end-width',\n 'border-inline-start',\n 'border-inline-start-color',\n 'border-inline-start-style',\n 'border-inline-start-width',\n 'border-inline-style',\n 'border-inline-width',\n 'border-left',\n 'border-left-color',\n 'border-left-style',\n 'border-left-width',\n 'border-radius',\n 'border-right',\n 'border-right-color',\n 'border-right-style',\n 'border-right-width',\n 'border-spacing',\n 'border-style',\n 'border-top',\n 'border-top-color',\n 'border-top-left-radius',\n 'border-top-right-radius',\n 'border-top-style',\n 'border-top-width',\n 'border-width',\n 'bottom',\n 'box-decoration-break',\n 'box-shadow',\n 'box-sizing',\n 'break-after',\n 'break-before',\n 'break-inside',\n 'caption-side',\n 'caret-color',\n 'clear',\n 'clip',\n 'clip-path',\n 'clip-rule',\n 'color',\n 'column-count',\n 'column-fill',\n 'column-gap',\n 'column-rule',\n 'column-rule-color',\n 'column-rule-style',\n 'column-rule-width',\n 'column-span',\n 'column-width',\n 'columns',\n 'contain',\n 'content',\n 'content-visibility',\n 'counter-increment',\n 'counter-reset',\n 'cue',\n 'cue-after',\n 'cue-before',\n 'cursor',\n 'direction',\n 'display',\n 'empty-cells',\n 'filter',\n 'flex',\n 'flex-basis',\n 'flex-direction',\n 'flex-flow',\n 'flex-grow',\n 'flex-shrink',\n 'flex-wrap',\n 'float',\n 'flow',\n 'font',\n 'font-display',\n 'font-family',\n 'font-feature-settings',\n 'font-kerning',\n 'font-language-override',\n 'font-size',\n 'font-size-adjust',\n 'font-smoothing',\n 'font-stretch',\n 'font-style',\n 'font-synthesis',\n 'font-variant',\n 'font-variant-caps',\n 'font-variant-east-asian',\n 'font-variant-ligatures',\n 'font-variant-numeric',\n 'font-variant-position',\n 'font-variation-settings',\n 'font-weight',\n 'gap',\n 'glyph-orientation-vertical',\n 'grid',\n 'grid-area',\n 'grid-auto-columns',\n 'grid-auto-flow',\n 'grid-auto-rows',\n 'grid-column',\n 'grid-column-end',\n 'grid-column-start',\n 'grid-gap',\n 'grid-row',\n 'grid-row-end',\n 'grid-row-start',\n 'grid-template',\n 'grid-template-areas',\n 'grid-template-columns',\n 'grid-template-rows',\n 'hanging-punctuation',\n 'height',\n 'hyphens',\n 'icon',\n 'image-orientation',\n 'image-rendering',\n 'image-resolution',\n 'ime-mode',\n 'inline-size',\n 'isolation',\n 'justify-content',\n 'left',\n 'letter-spacing',\n 'line-break',\n 'line-height',\n 'list-style',\n 'list-style-image',\n 'list-style-position',\n 'list-style-type',\n 'margin',\n 'margin-block',\n 'margin-block-end',\n 'margin-block-start',\n 'margin-bottom',\n 'margin-inline',\n 'margin-inline-end',\n 'margin-inline-start',\n 'margin-left',\n 'margin-right',\n 'margin-top',\n 'marks',\n 'mask',\n 'mask-border',\n 'mask-border-mode',\n 'mask-border-outset',\n 'mask-border-repeat',\n 'mask-border-slice',\n 'mask-border-source',\n 'mask-border-width',\n 'mask-clip',\n 'mask-composite',\n 'mask-image',\n 'mask-mode',\n 'mask-origin',\n 'mask-position',\n 'mask-repeat',\n 'mask-size',\n 'mask-type',\n 'max-block-size',\n 'max-height',\n 'max-inline-size',\n 'max-width',\n 'min-block-size',\n 'min-height',\n 'min-inline-size',\n 'min-width',\n 'mix-blend-mode',\n 'nav-down',\n 'nav-index',\n 'nav-left',\n 'nav-right',\n 'nav-up',\n 'none',\n 'normal',\n 'object-fit',\n 'object-position',\n 'opacity',\n 'order',\n 'orphans',\n 'outline',\n 'outline-color',\n 'outline-offset',\n 'outline-style',\n 'outline-width',\n 'overflow',\n 'overflow-wrap',\n 'overflow-x',\n 'overflow-y',\n 'padding',\n 'padding-block',\n 'padding-block-end',\n 'padding-block-start',\n 'padding-bottom',\n 'padding-inline',\n 'padding-inline-end',\n 'padding-inline-start',\n 'padding-left',\n 'padding-right',\n 'padding-top',\n 'page-break-after',\n 'page-break-before',\n 'page-break-inside',\n 'pause',\n 'pause-after',\n 'pause-before',\n 'perspective',\n 'perspective-origin',\n 'pointer-events',\n 'position',\n 'quotes',\n 'resize',\n 'rest',\n 'rest-after',\n 'rest-before',\n 'right',\n 'row-gap',\n 'scroll-margin',\n 'scroll-margin-block',\n 'scroll-margin-block-end',\n 'scroll-margin-block-start',\n 'scroll-margin-bottom',\n 'scroll-margin-inline',\n 'scroll-margin-inline-end',\n 'scroll-margin-inline-start',\n 'scroll-margin-left',\n 'scroll-margin-right',\n 'scroll-margin-top',\n 'scroll-padding',\n 'scroll-padding-block',\n 'scroll-padding-block-end',\n 'scroll-padding-block-start',\n 'scroll-padding-bottom',\n 'scroll-padding-inline',\n 'scroll-padding-inline-end',\n 'scroll-padding-inline-start',\n 'scroll-padding-left',\n 'scroll-padding-right',\n 'scroll-padding-top',\n 'scroll-snap-align',\n 'scroll-snap-stop',\n 'scroll-snap-type',\n 'scrollbar-color',\n 'scrollbar-gutter',\n 'scrollbar-width',\n 'shape-image-threshold',\n 'shape-margin',\n 'shape-outside',\n 'speak',\n 'speak-as',\n 'src', // @font-face\n 'tab-size',\n 'table-layout',\n 'text-align',\n 'text-align-all',\n 'text-align-last',\n 'text-combine-upright',\n 'text-decoration',\n 'text-decoration-color',\n 'text-decoration-line',\n 'text-decoration-style',\n 'text-emphasis',\n 'text-emphasis-color',\n 'text-emphasis-position',\n 'text-emphasis-style',\n 'text-indent',\n 'text-justify',\n 'text-orientation',\n 'text-overflow',\n 'text-rendering',\n 'text-shadow',\n 'text-transform',\n 'text-underline-position',\n 'top',\n 'transform',\n 'transform-box',\n 'transform-origin',\n 'transform-style',\n 'transition',\n 'transition-delay',\n 'transition-duration',\n 'transition-property',\n 'transition-timing-function',\n 'unicode-bidi',\n 'vertical-align',\n 'visibility',\n 'voice-balance',\n 'voice-duration',\n 'voice-family',\n 'voice-pitch',\n 'voice-range',\n 'voice-rate',\n 'voice-stress',\n 'voice-volume',\n 'white-space',\n 'widows',\n 'width',\n 'will-change',\n 'word-break',\n 'word-spacing',\n 'word-wrap',\n 'writing-mode',\n 'z-index'\n // reverse makes sure longer attributes `font-weight` are matched fully\n // instead of getting false positives on say `font`\n].reverse();\n\n/*\nLanguage: SCSS\nDescription: Scss is an extension of the syntax of CSS.\nAuthor: Kurt Emch <kurt@kurtemch.com>\nWebsite: https://sass-lang.com\nCategory: common, css, web\n*/\n\n/** @type LanguageFn */\nfunction scss(hljs) {\n const modes = MODES(hljs);\n const PSEUDO_ELEMENTS$1 = PSEUDO_ELEMENTS;\n const PSEUDO_CLASSES$1 = PSEUDO_CLASSES;\n\n const AT_IDENTIFIER = '@[a-z-]+'; // @font-face\n const AT_MODIFIERS = \"and or not only\";\n const IDENT_RE = '[a-zA-Z-][a-zA-Z0-9_-]*';\n const VARIABLE = {\n className: 'variable',\n begin: '(\\\\$' + IDENT_RE + ')\\\\b',\n relevance: 0\n };\n\n return {\n name: 'SCSS',\n case_insensitive: true,\n illegal: '[=/|\\']',\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n // to recognize keyframe 40% etc which are outside the scope of our\n // attribute value mode\n modes.CSS_NUMBER_MODE,\n {\n className: 'selector-id',\n begin: '#[A-Za-z0-9_-]+',\n relevance: 0\n },\n {\n className: 'selector-class',\n begin: '\\\\.[A-Za-z0-9_-]+',\n relevance: 0\n },\n modes.ATTRIBUTE_SELECTOR_MODE,\n {\n className: 'selector-tag',\n begin: '\\\\b(' + TAGS.join('|') + ')\\\\b',\n // was there, before, but why?\n relevance: 0\n },\n {\n className: 'selector-pseudo',\n begin: ':(' + PSEUDO_CLASSES$1.join('|') + ')'\n },\n {\n className: 'selector-pseudo',\n begin: ':(:)?(' + PSEUDO_ELEMENTS$1.join('|') + ')'\n },\n VARIABLE,\n { // pseudo-selector params\n begin: /\\(/,\n end: /\\)/,\n contains: [ modes.CSS_NUMBER_MODE ]\n },\n modes.CSS_VARIABLE,\n {\n className: 'attribute',\n begin: '\\\\b(' + ATTRIBUTES.join('|') + ')\\\\b'\n },\n { begin: '\\\\b(whitespace|wait|w-resize|visible|vertical-text|vertical-ideographic|uppercase|upper-roman|upper-alpha|underline|transparent|top|thin|thick|text|text-top|text-bottom|tb-rl|table-header-group|table-footer-group|sw-resize|super|strict|static|square|solid|small-caps|separate|se-resize|scroll|s-resize|rtl|row-resize|ridge|right|repeat|repeat-y|repeat-x|relative|progress|pointer|overline|outside|outset|oblique|nowrap|not-allowed|normal|none|nw-resize|no-repeat|no-drop|newspaper|ne-resize|n-resize|move|middle|medium|ltr|lr-tb|lowercase|lower-roman|lower-alpha|loose|list-item|line|line-through|line-edge|lighter|left|keep-all|justify|italic|inter-word|inter-ideograph|inside|inset|inline|inline-block|inherit|inactive|ideograph-space|ideograph-parenthesis|ideograph-numeric|ideograph-alpha|horizontal|hidden|help|hand|groove|fixed|ellipsis|e-resize|double|dotted|distribute|distribute-space|distribute-letter|distribute-all-lines|disc|disabled|default|decimal|dashed|crosshair|collapse|col-resize|circle|char|center|capitalize|break-word|break-all|bottom|both|bolder|bold|block|bidi-override|below|baseline|auto|always|all-scroll|absolute|table|table-cell)\\\\b' },\n {\n begin: /:/,\n end: /[;}{]/,\n relevance: 0,\n contains: [\n modes.BLOCK_COMMENT,\n VARIABLE,\n modes.HEXCOLOR,\n modes.CSS_NUMBER_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n modes.IMPORTANT,\n modes.FUNCTION_DISPATCH\n ]\n },\n // matching these here allows us to treat them more like regular CSS\n // rules so everything between the {} gets regular rule highlighting,\n // which is what we want for page and font-face\n {\n begin: '@(page|font-face)',\n keywords: {\n $pattern: AT_IDENTIFIER,\n keyword: '@page @font-face'\n }\n },\n {\n begin: '@',\n end: '[{;]',\n returnBegin: true,\n keywords: {\n $pattern: /[a-z-]+/,\n keyword: AT_MODIFIERS,\n attribute: MEDIA_FEATURES.join(\" \")\n },\n contains: [\n {\n begin: AT_IDENTIFIER,\n className: \"keyword\"\n },\n {\n begin: /[a-z-]+(?=:)/,\n className: \"attribute\"\n },\n VARIABLE,\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n modes.HEXCOLOR,\n modes.CSS_NUMBER_MODE\n ]\n },\n modes.FUNCTION_DISPATCH\n ]\n };\n}\n\nmodule.exports = scss;\n", "/*\nLanguage: Shell Session\nRequires: bash.js\nAuthor: TSUYUSATO Kitsune <make.just.on@gmail.com>\nCategory: common\nAudit: 2020\n*/\n\n/** @type LanguageFn */\nfunction shell(hljs) {\n return {\n name: 'Shell Session',\n aliases: [\n 'console',\n 'shellsession'\n ],\n contains: [\n {\n className: 'meta.prompt',\n // We cannot add \\s (spaces) in the regular expression otherwise it will be too broad and produce unexpected result.\n // For instance, in the following example, it would match \"echo /path/to/home >\" as a prompt:\n // echo /path/to/home > t.exe\n begin: /^\\s{0,3}[/~\\w\\d[\\]()@-]*[>%$#][ ]?/,\n starts: {\n end: /[^\\\\](?=\\s*$)/,\n subLanguage: 'bash'\n }\n }\n ]\n };\n}\n\nmodule.exports = shell;\n", "/*\nLanguage: Smali\nAuthor: Dennis Titze <dennis.titze@gmail.com>\nDescription: Basic Smali highlighting\nWebsite: https://github.com/JesusFreke/smali\n*/\n\nfunction smali(hljs) {\n const smali_instr_low_prio = [\n 'add',\n 'and',\n 'cmp',\n 'cmpg',\n 'cmpl',\n 'const',\n 'div',\n 'double',\n 'float',\n 'goto',\n 'if',\n 'int',\n 'long',\n 'move',\n 'mul',\n 'neg',\n 'new',\n 'nop',\n 'not',\n 'or',\n 'rem',\n 'return',\n 'shl',\n 'shr',\n 'sput',\n 'sub',\n 'throw',\n 'ushr',\n 'xor'\n ];\n const smali_instr_high_prio = [\n 'aget',\n 'aput',\n 'array',\n 'check',\n 'execute',\n 'fill',\n 'filled',\n 'goto/16',\n 'goto/32',\n 'iget',\n 'instance',\n 'invoke',\n 'iput',\n 'monitor',\n 'packed',\n 'sget',\n 'sparse'\n ];\n const smali_keywords = [\n 'transient',\n 'constructor',\n 'abstract',\n 'final',\n 'synthetic',\n 'public',\n 'private',\n 'protected',\n 'static',\n 'bridge',\n 'system'\n ];\n return {\n name: 'Smali',\n contains: [\n {\n className: 'string',\n begin: '\"',\n end: '\"',\n relevance: 0\n },\n hljs.COMMENT(\n '#',\n '$',\n { relevance: 0 }\n ),\n {\n className: 'keyword',\n variants: [\n { begin: '\\\\s*\\\\.end\\\\s[a-zA-Z0-9]*' },\n {\n begin: '^[ ]*\\\\.[a-zA-Z]*',\n relevance: 0\n },\n {\n begin: '\\\\s:[a-zA-Z_0-9]*',\n relevance: 0\n },\n { begin: '\\\\s(' + smali_keywords.join('|') + ')' }\n ]\n },\n {\n className: 'built_in',\n variants: [\n { begin: '\\\\s(' + smali_instr_low_prio.join('|') + ')\\\\s' },\n {\n begin: '\\\\s(' + smali_instr_low_prio.join('|') + ')((-|/)[a-zA-Z0-9]+)+\\\\s',\n relevance: 10\n },\n {\n begin: '\\\\s(' + smali_instr_high_prio.join('|') + ')((-|/)[a-zA-Z0-9]+)*\\\\s',\n relevance: 10\n }\n ]\n },\n {\n className: 'class',\n begin: 'L[^\\(;:\\n]*;',\n relevance: 0\n },\n { begin: '[vp][0-9]+' }\n ]\n };\n}\n\nmodule.exports = smali;\n", "/*\nLanguage: Smalltalk\nDescription: Smalltalk is an object-oriented, dynamically typed reflective programming language.\nAuthor: Vladimir Gubarkov <xonixx@gmail.com>\nWebsite: https://en.wikipedia.org/wiki/Smalltalk\n*/\n\nfunction smalltalk(hljs) {\n const VAR_IDENT_RE = '[a-z][a-zA-Z0-9_]*';\n const CHAR = {\n className: 'string',\n begin: '\\\\$.{1}'\n };\n const SYMBOL = {\n className: 'symbol',\n begin: '#' + hljs.UNDERSCORE_IDENT_RE\n };\n return {\n name: 'Smalltalk',\n aliases: [ 'st' ],\n keywords: [\n \"self\",\n \"super\",\n \"nil\",\n \"true\",\n \"false\",\n \"thisContext\"\n ],\n contains: [\n hljs.COMMENT('\"', '\"'),\n hljs.APOS_STRING_MODE,\n {\n className: 'type',\n begin: '\\\\b[A-Z][A-Za-z0-9_]*',\n relevance: 0\n },\n {\n begin: VAR_IDENT_RE + ':',\n relevance: 0\n },\n hljs.C_NUMBER_MODE,\n SYMBOL,\n CHAR,\n {\n // This looks more complicated than needed to avoid combinatorial\n // explosion under V8. It effectively means `| var1 var2 ... |` with\n // whitespace adjacent to `|` being optional.\n begin: '\\\\|[ ]*' + VAR_IDENT_RE + '([ ]+' + VAR_IDENT_RE + ')*[ ]*\\\\|',\n returnBegin: true,\n end: /\\|/,\n illegal: /\\S/,\n contains: [ { begin: '(\\\\|[ ]*)?' + VAR_IDENT_RE } ]\n },\n {\n begin: '#\\\\(',\n end: '\\\\)',\n contains: [\n hljs.APOS_STRING_MODE,\n CHAR,\n hljs.C_NUMBER_MODE,\n SYMBOL\n ]\n }\n ]\n };\n}\n\nmodule.exports = smalltalk;\n", "/*\nLanguage: SML (Standard ML)\nAuthor: Edwin Dalorzo <edwin@dalorzo.org>\nDescription: SML language definition.\nWebsite: https://www.smlnj.org\nOrigin: ocaml.js\nCategory: functional\n*/\nfunction sml(hljs) {\n return {\n name: 'SML (Standard ML)',\n aliases: [ 'ml' ],\n keywords: {\n $pattern: '[a-z_]\\\\w*!?',\n keyword:\n /* according to Definition of Standard ML 97 */\n 'abstype and andalso as case datatype do else end eqtype '\n + 'exception fn fun functor handle if in include infix infixr '\n + 'let local nonfix of op open orelse raise rec sharing sig '\n + 'signature struct structure then type val with withtype where while',\n built_in:\n /* built-in types according to basis library */\n 'array bool char exn int list option order real ref string substring vector unit word',\n literal:\n 'true false NONE SOME LESS EQUAL GREATER nil'\n },\n illegal: /\\/\\/|>>/,\n contains: [\n {\n className: 'literal',\n begin: /\\[(\\|\\|)?\\]|\\(\\)/,\n relevance: 0\n },\n hljs.COMMENT(\n '\\\\(\\\\*',\n '\\\\*\\\\)',\n { contains: [ 'self' ] }\n ),\n { /* type variable */\n className: 'symbol',\n begin: '\\'[A-Za-z_](?!\\')[\\\\w\\']*'\n /* the grammar is ambiguous on how 'a'b should be interpreted but not the compiler */\n },\n { /* polymorphic variant */\n className: 'type',\n begin: '`[A-Z][\\\\w\\']*'\n },\n { /* module or constructor */\n className: 'type',\n begin: '\\\\b[A-Z][\\\\w\\']*',\n relevance: 0\n },\n { /* don't color identifiers, but safely catch all identifiers with ' */\n begin: '[a-z_]\\\\w*\\'[\\\\w\\']*' },\n hljs.inherit(hljs.APOS_STRING_MODE, {\n className: 'string',\n relevance: 0\n }),\n hljs.inherit(hljs.QUOTE_STRING_MODE, { illegal: null }),\n {\n className: 'number',\n begin:\n '\\\\b(0[xX][a-fA-F0-9_]+[Lln]?|'\n + '0[oO][0-7_]+[Lln]?|'\n + '0[bB][01_]+[Lln]?|'\n + '[0-9][0-9_]*([Lln]|(\\\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)',\n relevance: 0\n },\n { begin: /[-=]>/ // relevance booster\n }\n ]\n };\n}\n\nmodule.exports = sml;\n", "/*\nLanguage: SQF\nAuthor: S\u00F8ren Enevoldsen <senevoldsen90@gmail.com>\nContributors: Marvin Saignat <contact@zgmrvn.com>, Dedmen Miller <dedmen@dedmen.de>, Leopard20\nDescription: Scripting language for the Arma game series\nWebsite: https://community.bistudio.com/wiki/SQF_syntax\nCategory: scripting\nLast update: 07.01.2023, Arma 3 v2.11\n*/\n\n/*\n////////////////////////////////////////////////////////////////////////////////////////////\n * Author: Leopard20\n \n * Description:\n This script can be used to dump all commands to the clipboard.\n Make sure you're using the Diag EXE to dump all of the commands.\n \n * How to use:\n Simply replace the _KEYWORDS and _LITERAL arrays with the one from this sqf.js file.\n Execute the script from the debug console.\n All commands will be copied to the clipboard.\n////////////////////////////////////////////////////////////////////////////////////////////\n_KEYWORDS = ['if']; //Array of all KEYWORDS\n_LITERALS = ['west']; //Array of all LITERALS\n_allCommands = createHashMap;\n{\n _type = _x select [0,1];\n if (_type != \"t\") then {\n _command_lowercase = ((_x select [2]) splitString \" \")#((([\"n\", \"u\", \"b\"] find _type) - 1) max 0);\n _command_uppercase = supportInfo (\"i:\" + _command_lowercase) # 0 # 2;\n _allCommands set [_command_lowercase, _command_uppercase];\n };\n} forEach supportInfo \"\";\n_allCommands = _allCommands toArray false;\n_allCommands sort true; //sort by lowercase\n_allCommands = ((_allCommands apply {_x#1}) -_KEYWORDS)-_LITERALS; //remove KEYWORDS and LITERALS\ncopyToClipboard (str (_allCommands select {_x regexMatch \"\\w+\"}) regexReplace [\"\"\"\", \"'\"] regexReplace [\",\", \",\\n\"]);\n*/\n\nfunction sqf(hljs) {\n // In SQF, a local variable starts with _\n const VARIABLE = {\n className: 'variable',\n begin: /\\b_+[a-zA-Z]\\w*/\n };\n\n // In SQF, a function should fit myTag_fnc_myFunction pattern\n // https://community.bistudio.com/wiki/Functions_Library_(Arma_3)#Adding_a_Function\n const FUNCTION = {\n className: 'title',\n begin: /[a-zA-Z][a-zA-Z_0-9]*_fnc_[a-zA-Z_0-9]+/\n };\n\n // In SQF strings, quotes matching the start are escaped by adding a consecutive.\n // Example of single escaped quotes: \" \"\" \" and ' '' '.\n const STRINGS = {\n className: 'string',\n variants: [\n {\n begin: '\"',\n end: '\"',\n contains: [\n {\n begin: '\"\"',\n relevance: 0\n }\n ]\n },\n {\n begin: '\\'',\n end: '\\'',\n contains: [\n {\n begin: '\\'\\'',\n relevance: 0\n }\n ]\n }\n ]\n };\n\n const KEYWORDS = [\n 'break',\n 'breakWith',\n 'breakOut',\n 'breakTo',\n 'case',\n 'catch',\n 'continue',\n 'continueWith',\n 'default',\n 'do',\n 'else',\n 'exit',\n 'exitWith',\n 'for',\n 'forEach',\n 'from',\n 'if',\n 'local',\n 'private',\n 'switch',\n 'step',\n 'then',\n 'throw',\n 'to',\n 'try',\n 'waitUntil',\n 'while',\n 'with'\n ];\n\n const LITERAL = [\n 'blufor',\n 'civilian',\n 'configNull',\n 'controlNull',\n 'displayNull',\n 'diaryRecordNull',\n 'east',\n 'endl',\n 'false',\n 'grpNull',\n 'independent',\n 'lineBreak',\n 'locationNull',\n 'nil',\n 'objNull',\n 'opfor',\n 'pi',\n 'resistance',\n 'scriptNull',\n 'sideAmbientLife',\n 'sideEmpty',\n 'sideEnemy',\n 'sideFriendly',\n 'sideLogic',\n 'sideUnknown',\n 'taskNull',\n 'teamMemberNull',\n 'true',\n 'west'\n ];\n\n const BUILT_IN = [\n 'abs',\n 'accTime',\n 'acos',\n 'action',\n 'actionIDs',\n 'actionKeys',\n 'actionKeysEx',\n 'actionKeysImages',\n 'actionKeysNames',\n 'actionKeysNamesArray',\n 'actionName',\n 'actionParams',\n 'activateAddons',\n 'activatedAddons',\n 'activateKey',\n 'activeTitleEffectParams',\n 'add3DENConnection',\n 'add3DENEventHandler',\n 'add3DENLayer',\n 'addAction',\n 'addBackpack',\n 'addBackpackCargo',\n 'addBackpackCargoGlobal',\n 'addBackpackGlobal',\n 'addBinocularItem',\n 'addCamShake',\n 'addCuratorAddons',\n 'addCuratorCameraArea',\n 'addCuratorEditableObjects',\n 'addCuratorEditingArea',\n 'addCuratorPoints',\n 'addEditorObject',\n 'addEventHandler',\n 'addForce',\n 'addForceGeneratorRTD',\n 'addGoggles',\n 'addGroupIcon',\n 'addHandgunItem',\n 'addHeadgear',\n 'addItem',\n 'addItemCargo',\n 'addItemCargoGlobal',\n 'addItemPool',\n 'addItemToBackpack',\n 'addItemToUniform',\n 'addItemToVest',\n 'addLiveStats',\n 'addMagazine',\n 'addMagazineAmmoCargo',\n 'addMagazineCargo',\n 'addMagazineCargoGlobal',\n 'addMagazineGlobal',\n 'addMagazinePool',\n 'addMagazines',\n 'addMagazineTurret',\n 'addMenu',\n 'addMenuItem',\n 'addMissionEventHandler',\n 'addMPEventHandler',\n 'addMusicEventHandler',\n 'addonFiles',\n 'addOwnedMine',\n 'addPlayerScores',\n 'addPrimaryWeaponItem',\n 'addPublicVariableEventHandler',\n 'addRating',\n 'addResources',\n 'addScore',\n 'addScoreSide',\n 'addSecondaryWeaponItem',\n 'addSwitchableUnit',\n 'addTeamMember',\n 'addToRemainsCollector',\n 'addTorque',\n 'addUniform',\n 'addUserActionEventHandler',\n 'addVehicle',\n 'addVest',\n 'addWaypoint',\n 'addWeapon',\n 'addWeaponCargo',\n 'addWeaponCargoGlobal',\n 'addWeaponGlobal',\n 'addWeaponItem',\n 'addWeaponPool',\n 'addWeaponTurret',\n 'addWeaponWithAttachmentsCargo',\n 'addWeaponWithAttachmentsCargoGlobal',\n 'admin',\n 'agent',\n 'agents',\n 'AGLToASL',\n 'aimedAtTarget',\n 'aimPos',\n 'airDensityCurveRTD',\n 'airDensityRTD',\n 'airplaneThrottle',\n 'airportSide',\n 'AISFinishHeal',\n 'alive',\n 'all3DENEntities',\n 'allActiveTitleEffects',\n 'allAddonsInfo',\n 'allAirports',\n 'allControls',\n 'allCurators',\n 'allCutLayers',\n 'allDead',\n 'allDeadMen',\n 'allDiaryRecords',\n 'allDiarySubjects',\n 'allDisplays',\n 'allEnv3DSoundSources',\n 'allGroups',\n 'allLODs',\n 'allMapMarkers',\n 'allMines',\n 'allMissionObjects',\n 'allObjects',\n 'allow3DMode',\n 'allowCrewInImmobile',\n 'allowCuratorLogicIgnoreAreas',\n 'allowDamage',\n 'allowDammage',\n 'allowedService',\n 'allowFileOperations',\n 'allowFleeing',\n 'allowGetIn',\n 'allowService',\n 'allowSprint',\n 'allPlayers',\n 'allSimpleObjects',\n 'allSites',\n 'allTurrets',\n 'allUnits',\n 'allUnitsUAV',\n 'allUsers',\n 'allVariables',\n 'ambientTemperature',\n 'ammo',\n 'ammoOnPylon',\n 'and',\n 'animate',\n 'animateBay',\n 'animateDoor',\n 'animatePylon',\n 'animateSource',\n 'animationNames',\n 'animationPhase',\n 'animationSourcePhase',\n 'animationState',\n 'apertureParams',\n 'append',\n 'apply',\n 'armoryPoints',\n 'arrayIntersect',\n 'asin',\n 'ASLToAGL',\n 'ASLToATL',\n 'assert',\n 'assignAsCargo',\n 'assignAsCargoIndex',\n 'assignAsCommander',\n 'assignAsDriver',\n 'assignAsGunner',\n 'assignAsTurret',\n 'assignCurator',\n 'assignedCargo',\n 'assignedCommander',\n 'assignedDriver',\n 'assignedGroup',\n 'assignedGunner',\n 'assignedItems',\n 'assignedTarget',\n 'assignedTeam',\n 'assignedVehicle',\n 'assignedVehicleRole',\n 'assignedVehicles',\n 'assignItem',\n 'assignTeam',\n 'assignToAirport',\n 'atan',\n 'atan2',\n 'atg',\n 'ATLToASL',\n 'attachedObject',\n 'attachedObjects',\n 'attachedTo',\n 'attachObject',\n 'attachTo',\n 'attackEnabled',\n 'awake',\n 'backpack',\n 'backpackCargo',\n 'backpackContainer',\n 'backpackItems',\n 'backpackMagazines',\n 'backpackSpaceFor',\n 'behaviour',\n 'benchmark',\n 'bezierInterpolation',\n 'binocular',\n 'binocularItems',\n 'binocularMagazine',\n 'boundingBox',\n 'boundingBoxReal',\n 'boundingCenter',\n 'brakesDisabled',\n 'briefingName',\n 'buildingExit',\n 'buildingPos',\n 'buldozer_EnableRoadDiag',\n 'buldozer_IsEnabledRoadDiag',\n 'buldozer_LoadNewRoads',\n 'buldozer_reloadOperMap',\n 'buttonAction',\n 'buttonSetAction',\n 'cadetMode',\n 'calculatePath',\n 'calculatePlayerVisibilityByFriendly',\n 'call',\n 'callExtension',\n 'camCommand',\n 'camCommit',\n 'camCommitPrepared',\n 'camCommitted',\n 'camConstuctionSetParams',\n 'camCreate',\n 'camDestroy',\n 'cameraEffect',\n 'cameraEffectEnableHUD',\n 'cameraInterest',\n 'cameraOn',\n 'cameraView',\n 'campaignConfigFile',\n 'camPreload',\n 'camPreloaded',\n 'camPrepareBank',\n 'camPrepareDir',\n 'camPrepareDive',\n 'camPrepareFocus',\n 'camPrepareFov',\n 'camPrepareFovRange',\n 'camPreparePos',\n 'camPrepareRelPos',\n 'camPrepareTarget',\n 'camSetBank',\n 'camSetDir',\n 'camSetDive',\n 'camSetFocus',\n 'camSetFov',\n 'camSetFovRange',\n 'camSetPos',\n 'camSetRelPos',\n 'camSetTarget',\n 'camTarget',\n 'camUseNVG',\n 'canAdd',\n 'canAddItemToBackpack',\n 'canAddItemToUniform',\n 'canAddItemToVest',\n 'cancelSimpleTaskDestination',\n 'canDeployWeapon',\n 'canFire',\n 'canMove',\n 'canSlingLoad',\n 'canStand',\n 'canSuspend',\n 'canTriggerDynamicSimulation',\n 'canUnloadInCombat',\n 'canVehicleCargo',\n 'captive',\n 'captiveNum',\n 'cbChecked',\n 'cbSetChecked',\n 'ceil',\n 'channelEnabled',\n 'cheatsEnabled',\n 'checkAIFeature',\n 'checkVisibility',\n 'className',\n 'clear3DENAttribute',\n 'clear3DENInventory',\n 'clearAllItemsFromBackpack',\n 'clearBackpackCargo',\n 'clearBackpackCargoGlobal',\n 'clearForcesRTD',\n 'clearGroupIcons',\n 'clearItemCargo',\n 'clearItemCargoGlobal',\n 'clearItemPool',\n 'clearMagazineCargo',\n 'clearMagazineCargoGlobal',\n 'clearMagazinePool',\n 'clearOverlay',\n 'clearRadio',\n 'clearWeaponCargo',\n 'clearWeaponCargoGlobal',\n 'clearWeaponPool',\n 'clientOwner',\n 'closeDialog',\n 'closeDisplay',\n 'closeOverlay',\n 'collapseObjectTree',\n 'collect3DENHistory',\n 'collectiveRTD',\n 'collisionDisabledWith',\n 'combatBehaviour',\n 'combatMode',\n 'commandArtilleryFire',\n 'commandChat',\n 'commander',\n 'commandFire',\n 'commandFollow',\n 'commandFSM',\n 'commandGetOut',\n 'commandingMenu',\n 'commandMove',\n 'commandRadio',\n 'commandStop',\n 'commandSuppressiveFire',\n 'commandTarget',\n 'commandWatch',\n 'comment',\n 'commitOverlay',\n 'compatibleItems',\n 'compatibleMagazines',\n 'compile',\n 'compileFinal',\n 'compileScript',\n 'completedFSM',\n 'composeText',\n 'configClasses',\n 'configFile',\n 'configHierarchy',\n 'configName',\n 'configOf',\n 'configProperties',\n 'configSourceAddonList',\n 'configSourceMod',\n 'configSourceModList',\n 'confirmSensorTarget',\n 'connectTerminalToUAV',\n 'connectToServer',\n 'controlsGroupCtrl',\n 'conversationDisabled',\n 'copyFromClipboard',\n 'copyToClipboard',\n 'copyWaypoints',\n 'cos',\n 'count',\n 'countEnemy',\n 'countFriendly',\n 'countSide',\n 'countType',\n 'countUnknown',\n 'create3DENComposition',\n 'create3DENEntity',\n 'createAgent',\n 'createCenter',\n 'createDialog',\n 'createDiaryLink',\n 'createDiaryRecord',\n 'createDiarySubject',\n 'createDisplay',\n 'createGearDialog',\n 'createGroup',\n 'createGuardedPoint',\n 'createHashMap',\n 'createHashMapFromArray',\n 'createLocation',\n 'createMarker',\n 'createMarkerLocal',\n 'createMenu',\n 'createMine',\n 'createMissionDisplay',\n 'createMPCampaignDisplay',\n 'createSimpleObject',\n 'createSimpleTask',\n 'createSite',\n 'createSoundSource',\n 'createTask',\n 'createTeam',\n 'createTrigger',\n 'createUnit',\n 'createVehicle',\n 'createVehicleCrew',\n 'createVehicleLocal',\n 'crew',\n 'ctAddHeader',\n 'ctAddRow',\n 'ctClear',\n 'ctCurSel',\n 'ctData',\n 'ctFindHeaderRows',\n 'ctFindRowHeader',\n 'ctHeaderControls',\n 'ctHeaderCount',\n 'ctRemoveHeaders',\n 'ctRemoveRows',\n 'ctrlActivate',\n 'ctrlAddEventHandler',\n 'ctrlAngle',\n 'ctrlAnimateModel',\n 'ctrlAnimationPhaseModel',\n 'ctrlAt',\n 'ctrlAutoScrollDelay',\n 'ctrlAutoScrollRewind',\n 'ctrlAutoScrollSpeed',\n 'ctrlBackgroundColor',\n 'ctrlChecked',\n 'ctrlClassName',\n 'ctrlCommit',\n 'ctrlCommitted',\n 'ctrlCreate',\n 'ctrlDelete',\n 'ctrlEnable',\n 'ctrlEnabled',\n 'ctrlFade',\n 'ctrlFontHeight',\n 'ctrlForegroundColor',\n 'ctrlHTMLLoaded',\n 'ctrlIDC',\n 'ctrlIDD',\n 'ctrlMapAnimAdd',\n 'ctrlMapAnimClear',\n 'ctrlMapAnimCommit',\n 'ctrlMapAnimDone',\n 'ctrlMapCursor',\n 'ctrlMapMouseOver',\n 'ctrlMapPosition',\n 'ctrlMapScale',\n 'ctrlMapScreenToWorld',\n 'ctrlMapSetPosition',\n 'ctrlMapWorldToScreen',\n 'ctrlModel',\n 'ctrlModelDirAndUp',\n 'ctrlModelScale',\n 'ctrlMousePosition',\n 'ctrlParent',\n 'ctrlParentControlsGroup',\n 'ctrlPosition',\n 'ctrlRemoveAllEventHandlers',\n 'ctrlRemoveEventHandler',\n 'ctrlScale',\n 'ctrlScrollValues',\n 'ctrlSetActiveColor',\n 'ctrlSetAngle',\n 'ctrlSetAutoScrollDelay',\n 'ctrlSetAutoScrollRewind',\n 'ctrlSetAutoScrollSpeed',\n 'ctrlSetBackgroundColor',\n 'ctrlSetChecked',\n 'ctrlSetDisabledColor',\n 'ctrlSetEventHandler',\n 'ctrlSetFade',\n 'ctrlSetFocus',\n 'ctrlSetFont',\n 'ctrlSetFontH1',\n 'ctrlSetFontH1B',\n 'ctrlSetFontH2',\n 'ctrlSetFontH2B',\n 'ctrlSetFontH3',\n 'ctrlSetFontH3B',\n 'ctrlSetFontH4',\n 'ctrlSetFontH4B',\n 'ctrlSetFontH5',\n 'ctrlSetFontH5B',\n 'ctrlSetFontH6',\n 'ctrlSetFontH6B',\n 'ctrlSetFontHeight',\n 'ctrlSetFontHeightH1',\n 'ctrlSetFontHeightH2',\n 'ctrlSetFontHeightH3',\n 'ctrlSetFontHeightH4',\n 'ctrlSetFontHeightH5',\n 'ctrlSetFontHeightH6',\n 'ctrlSetFontHeightSecondary',\n 'ctrlSetFontP',\n 'ctrlSetFontPB',\n 'ctrlSetFontSecondary',\n 'ctrlSetForegroundColor',\n 'ctrlSetModel',\n 'ctrlSetModelDirAndUp',\n 'ctrlSetModelScale',\n 'ctrlSetMousePosition',\n 'ctrlSetPixelPrecision',\n 'ctrlSetPosition',\n 'ctrlSetPositionH',\n 'ctrlSetPositionW',\n 'ctrlSetPositionX',\n 'ctrlSetPositionY',\n 'ctrlSetScale',\n 'ctrlSetScrollValues',\n 'ctrlSetShadow',\n 'ctrlSetStructuredText',\n 'ctrlSetText',\n 'ctrlSetTextColor',\n 'ctrlSetTextColorSecondary',\n 'ctrlSetTextSecondary',\n 'ctrlSetTextSelection',\n 'ctrlSetTooltip',\n 'ctrlSetTooltipColorBox',\n 'ctrlSetTooltipColorShade',\n 'ctrlSetTooltipColorText',\n 'ctrlSetTooltipMaxWidth',\n 'ctrlSetURL',\n 'ctrlSetURLOverlayMode',\n 'ctrlShadow',\n 'ctrlShow',\n 'ctrlShown',\n 'ctrlStyle',\n 'ctrlText',\n 'ctrlTextColor',\n 'ctrlTextHeight',\n 'ctrlTextSecondary',\n 'ctrlTextSelection',\n 'ctrlTextWidth',\n 'ctrlTooltip',\n 'ctrlType',\n 'ctrlURL',\n 'ctrlURLOverlayMode',\n 'ctrlVisible',\n 'ctRowControls',\n 'ctRowCount',\n 'ctSetCurSel',\n 'ctSetData',\n 'ctSetHeaderTemplate',\n 'ctSetRowTemplate',\n 'ctSetValue',\n 'ctValue',\n 'curatorAddons',\n 'curatorCamera',\n 'curatorCameraArea',\n 'curatorCameraAreaCeiling',\n 'curatorCoef',\n 'curatorEditableObjects',\n 'curatorEditingArea',\n 'curatorEditingAreaType',\n 'curatorMouseOver',\n 'curatorPoints',\n 'curatorRegisteredObjects',\n 'curatorSelected',\n 'curatorWaypointCost',\n 'current3DENOperation',\n 'currentChannel',\n 'currentCommand',\n 'currentMagazine',\n 'currentMagazineDetail',\n 'currentMagazineDetailTurret',\n 'currentMagazineTurret',\n 'currentMuzzle',\n 'currentNamespace',\n 'currentPilot',\n 'currentTask',\n 'currentTasks',\n 'currentThrowable',\n 'currentVisionMode',\n 'currentWaypoint',\n 'currentWeapon',\n 'currentWeaponMode',\n 'currentWeaponTurret',\n 'currentZeroing',\n 'cursorObject',\n 'cursorTarget',\n 'customChat',\n 'customRadio',\n 'customWaypointPosition',\n 'cutFadeOut',\n 'cutObj',\n 'cutRsc',\n 'cutText',\n 'damage',\n 'date',\n 'dateToNumber',\n 'dayTime',\n 'deActivateKey',\n 'debriefingText',\n 'debugFSM',\n 'debugLog',\n 'decayGraphValues',\n 'deg',\n 'delete3DENEntities',\n 'deleteAt',\n 'deleteCenter',\n 'deleteCollection',\n 'deleteEditorObject',\n 'deleteGroup',\n 'deleteGroupWhenEmpty',\n 'deleteIdentity',\n 'deleteLocation',\n 'deleteMarker',\n 'deleteMarkerLocal',\n 'deleteRange',\n 'deleteResources',\n 'deleteSite',\n 'deleteStatus',\n 'deleteTeam',\n 'deleteVehicle',\n 'deleteVehicleCrew',\n 'deleteWaypoint',\n 'detach',\n 'detectedMines',\n 'diag_activeMissionFSMs',\n 'diag_activeScripts',\n 'diag_activeSQFScripts',\n 'diag_activeSQSScripts',\n 'diag_allMissionEventHandlers',\n 'diag_captureFrame',\n 'diag_captureFrameToFile',\n 'diag_captureSlowFrame',\n 'diag_codePerformance',\n 'diag_deltaTime',\n 'diag_drawmode',\n 'diag_dumpCalltraceToLog',\n 'diag_dumpScriptAssembly',\n 'diag_dumpTerrainSynth',\n 'diag_dynamicSimulationEnd',\n 'diag_enable',\n 'diag_enabled',\n 'diag_exportConfig',\n 'diag_exportTerrainSVG',\n 'diag_fps',\n 'diag_fpsmin',\n 'diag_frameno',\n 'diag_getTerrainSegmentOffset',\n 'diag_lightNewLoad',\n 'diag_list',\n 'diag_localized',\n 'diag_log',\n 'diag_logSlowFrame',\n 'diag_mergeConfigFile',\n 'diag_recordTurretLimits',\n 'diag_resetFSM',\n 'diag_resetshapes',\n 'diag_scope',\n 'diag_setLightNew',\n 'diag_stacktrace',\n 'diag_tickTime',\n 'diag_toggle',\n 'dialog',\n 'diarySubjectExists',\n 'didJIP',\n 'didJIPOwner',\n 'difficulty',\n 'difficultyEnabled',\n 'difficultyEnabledRTD',\n 'difficultyOption',\n 'direction',\n 'directionStabilizationEnabled',\n 'directSay',\n 'disableAI',\n 'disableBrakes',\n 'disableCollisionWith',\n 'disableConversation',\n 'disableDebriefingStats',\n 'disableMapIndicators',\n 'disableNVGEquipment',\n 'disableRemoteSensors',\n 'disableSerialization',\n 'disableTIEquipment',\n 'disableUAVConnectability',\n 'disableUserInput',\n 'displayAddEventHandler',\n 'displayChild',\n 'displayCtrl',\n 'displayParent',\n 'displayRemoveAllEventHandlers',\n 'displayRemoveEventHandler',\n 'displaySetEventHandler',\n 'displayUniqueName',\n 'displayUpdate',\n 'dissolveTeam',\n 'distance',\n 'distance2D',\n 'distanceSqr',\n 'distributionRegion',\n 'do3DENAction',\n 'doArtilleryFire',\n 'doFire',\n 'doFollow',\n 'doFSM',\n 'doGetOut',\n 'doMove',\n 'doorPhase',\n 'doStop',\n 'doSuppressiveFire',\n 'doTarget',\n 'doWatch',\n 'drawArrow',\n 'drawEllipse',\n 'drawIcon',\n 'drawIcon3D',\n 'drawLaser',\n 'drawLine',\n 'drawLine3D',\n 'drawLink',\n 'drawLocation',\n 'drawPolygon',\n 'drawRectangle',\n 'drawTriangle',\n 'driver',\n 'drop',\n 'dynamicSimulationDistance',\n 'dynamicSimulationDistanceCoef',\n 'dynamicSimulationEnabled',\n 'dynamicSimulationSystemEnabled',\n 'echo',\n 'edit3DENMissionAttributes',\n 'editObject',\n 'editorSetEventHandler',\n 'effectiveCommander',\n 'elevatePeriscope',\n 'emptyPositions',\n 'enableAI',\n 'enableAIFeature',\n 'enableAimPrecision',\n 'enableAttack',\n 'enableAudioFeature',\n 'enableAutoStartUpRTD',\n 'enableAutoTrimRTD',\n 'enableCamShake',\n 'enableCaustics',\n 'enableChannel',\n 'enableCollisionWith',\n 'enableCopilot',\n 'enableDebriefingStats',\n 'enableDiagLegend',\n 'enableDirectionStabilization',\n 'enableDynamicSimulation',\n 'enableDynamicSimulationSystem',\n 'enableEndDialog',\n 'enableEngineArtillery',\n 'enableEnvironment',\n 'enableFatigue',\n 'enableGunLights',\n 'enableInfoPanelComponent',\n 'enableIRLasers',\n 'enableMimics',\n 'enablePersonTurret',\n 'enableRadio',\n 'enableReload',\n 'enableRopeAttach',\n 'enableSatNormalOnDetail',\n 'enableSaving',\n 'enableSentences',\n 'enableSimulation',\n 'enableSimulationGlobal',\n 'enableStamina',\n 'enableStressDamage',\n 'enableTeamSwitch',\n 'enableTraffic',\n 'enableUAVConnectability',\n 'enableUAVWaypoints',\n 'enableVehicleCargo',\n 'enableVehicleSensor',\n 'enableWeaponDisassembly',\n 'endLoadingScreen',\n 'endMission',\n 'engineOn',\n 'enginesIsOnRTD',\n 'enginesPowerRTD',\n 'enginesRpmRTD',\n 'enginesTorqueRTD',\n 'entities',\n 'environmentEnabled',\n 'environmentVolume',\n 'equipmentDisabled',\n 'estimatedEndServerTime',\n 'estimatedTimeLeft',\n 'evalObjectArgument',\n 'everyBackpack',\n 'everyContainer',\n 'exec',\n 'execEditorScript',\n 'execFSM',\n 'execVM',\n 'exp',\n 'expectedDestination',\n 'exportJIPMessages',\n 'eyeDirection',\n 'eyePos',\n 'face',\n 'faction',\n 'fadeEnvironment',\n 'fadeMusic',\n 'fadeRadio',\n 'fadeSound',\n 'fadeSpeech',\n 'failMission',\n 'fileExists',\n 'fillWeaponsFromPool',\n 'find',\n 'findAny',\n 'findCover',\n 'findDisplay',\n 'findEditorObject',\n 'findEmptyPosition',\n 'findEmptyPositionReady',\n 'findIf',\n 'findNearestEnemy',\n 'finishMissionInit',\n 'finite',\n 'fire',\n 'fireAtTarget',\n 'firstBackpack',\n 'flag',\n 'flagAnimationPhase',\n 'flagOwner',\n 'flagSide',\n 'flagTexture',\n 'flatten',\n 'fleeing',\n 'floor',\n 'flyInHeight',\n 'flyInHeightASL',\n 'focusedCtrl',\n 'fog',\n 'fogForecast',\n 'fogParams',\n 'forceAddUniform',\n 'forceAtPositionRTD',\n 'forceCadetDifficulty',\n 'forcedMap',\n 'forceEnd',\n 'forceFlagTexture',\n 'forceFollowRoad',\n 'forceGeneratorRTD',\n 'forceMap',\n 'forceRespawn',\n 'forceSpeed',\n 'forceUnicode',\n 'forceWalk',\n 'forceWeaponFire',\n 'forceWeatherChange',\n 'forEachMember',\n 'forEachMemberAgent',\n 'forEachMemberTeam',\n 'forgetTarget',\n 'format',\n 'formation',\n 'formationDirection',\n 'formationLeader',\n 'formationMembers',\n 'formationPosition',\n 'formationTask',\n 'formatText',\n 'formLeader',\n 'freeExtension',\n 'freeLook',\n 'fromEditor',\n 'fuel',\n 'fullCrew',\n 'gearIDCAmmoCount',\n 'gearSlotAmmoCount',\n 'gearSlotData',\n 'gestureState',\n 'get',\n 'get3DENActionState',\n 'get3DENAttribute',\n 'get3DENCamera',\n 'get3DENConnections',\n 'get3DENEntity',\n 'get3DENEntityID',\n 'get3DENGrid',\n 'get3DENIconsVisible',\n 'get3DENLayerEntities',\n 'get3DENLinesVisible',\n 'get3DENMissionAttribute',\n 'get3DENMouseOver',\n 'get3DENSelected',\n 'getAimingCoef',\n 'getAllEnv3DSoundControllers',\n 'getAllEnvSoundControllers',\n 'getAllHitPointsDamage',\n 'getAllOwnedMines',\n 'getAllPylonsInfo',\n 'getAllSoundControllers',\n 'getAllUnitTraits',\n 'getAmmoCargo',\n 'getAnimAimPrecision',\n 'getAnimSpeedCoef',\n 'getArray',\n 'getArtilleryAmmo',\n 'getArtilleryComputerSettings',\n 'getArtilleryETA',\n 'getAssetDLCInfo',\n 'getAssignedCuratorLogic',\n 'getAssignedCuratorUnit',\n 'getAttackTarget',\n 'getAudioOptionVolumes',\n 'getBackpackCargo',\n 'getBleedingRemaining',\n 'getBurningValue',\n 'getCalculatePlayerVisibilityByFriendly',\n 'getCameraViewDirection',\n 'getCargoIndex',\n 'getCenterOfMass',\n 'getClientState',\n 'getClientStateNumber',\n 'getCompatiblePylonMagazines',\n 'getConnectedUAV',\n 'getConnectedUAVUnit',\n 'getContainerMaxLoad',\n 'getCorpse',\n 'getCruiseControl',\n 'getCursorObjectParams',\n 'getCustomAimCoef',\n 'getCustomSoundController',\n 'getCustomSoundControllerCount',\n 'getDammage',\n 'getDebriefingText',\n 'getDescription',\n 'getDir',\n 'getDirVisual',\n 'getDiverState',\n 'getDLCAssetsUsage',\n 'getDLCAssetsUsageByName',\n 'getDLCs',\n 'getDLCUsageTime',\n 'getEditorCamera',\n 'getEditorMode',\n 'getEditorObjectScope',\n 'getElevationOffset',\n 'getEngineTargetRPMRTD',\n 'getEnv3DSoundController',\n 'getEnvSoundController',\n 'getEventHandlerInfo',\n 'getFatigue',\n 'getFieldManualStartPage',\n 'getForcedFlagTexture',\n 'getForcedSpeed',\n 'getFriend',\n 'getFSMVariable',\n 'getFuelCargo',\n 'getGraphValues',\n 'getGroupIcon',\n 'getGroupIconParams',\n 'getGroupIcons',\n 'getHideFrom',\n 'getHit',\n 'getHitIndex',\n 'getHitPointDamage',\n 'getItemCargo',\n 'getLighting',\n 'getLightingAt',\n 'getLoadedModsInfo',\n 'getMagazineCargo',\n 'getMarkerColor',\n 'getMarkerPos',\n 'getMarkerSize',\n 'getMarkerType',\n 'getMass',\n 'getMissionConfig',\n 'getMissionConfigValue',\n 'getMissionDLCs',\n 'getMissionLayerEntities',\n 'getMissionLayers',\n 'getMissionPath',\n 'getModelInfo',\n 'getMousePosition',\n 'getMusicPlayedTime',\n 'getNumber',\n 'getObjectArgument',\n 'getObjectChildren',\n 'getObjectDLC',\n 'getObjectFOV',\n 'getObjectID',\n 'getObjectMaterials',\n 'getObjectProxy',\n 'getObjectScale',\n 'getObjectTextures',\n 'getObjectType',\n 'getObjectViewDistance',\n 'getOpticsMode',\n 'getOrDefault',\n 'getOrDefaultCall',\n 'getOxygenRemaining',\n 'getPersonUsedDLCs',\n 'getPilotCameraDirection',\n 'getPilotCameraPosition',\n 'getPilotCameraRotation',\n 'getPilotCameraTarget',\n 'getPiPViewDistance',\n 'getPlateNumber',\n 'getPlayerChannel',\n 'getPlayerID',\n 'getPlayerScores',\n 'getPlayerUID',\n 'getPlayerVoNVolume',\n 'getPos',\n 'getPosASL',\n 'getPosASLVisual',\n 'getPosASLW',\n 'getPosATL',\n 'getPosATLVisual',\n 'getPosVisual',\n 'getPosWorld',\n 'getPosWorldVisual',\n 'getPylonMagazines',\n 'getRelDir',\n 'getRelPos',\n 'getRemoteSensorsDisabled',\n 'getRepairCargo',\n 'getResolution',\n 'getRoadInfo',\n 'getRotorBrakeRTD',\n 'getSensorTargets',\n 'getSensorThreats',\n 'getShadowDistance',\n 'getShotParents',\n 'getSlingLoad',\n 'getSoundController',\n 'getSoundControllerResult',\n 'getSpeed',\n 'getStamina',\n 'getStatValue',\n 'getSteamFriendsServers',\n 'getSubtitleOptions',\n 'getSuppression',\n 'getTerrainGrid',\n 'getTerrainHeight',\n 'getTerrainHeightASL',\n 'getTerrainInfo',\n 'getText',\n 'getTextRaw',\n 'getTextureInfo',\n 'getTextWidth',\n 'getTiParameters',\n 'getTotalDLCUsageTime',\n 'getTrimOffsetRTD',\n 'getTurretLimits',\n 'getTurretOpticsMode',\n 'getUnitFreefallInfo',\n 'getUnitLoadout',\n 'getUnitTrait',\n 'getUnloadInCombat',\n 'getUserInfo',\n 'getUserMFDText',\n 'getUserMFDValue',\n 'getVariable',\n 'getVehicleCargo',\n 'getVehicleTiPars',\n 'getWeaponCargo',\n 'getWeaponSway',\n 'getWingsOrientationRTD',\n 'getWingsPositionRTD',\n 'getWPPos',\n 'glanceAt',\n 'globalChat',\n 'globalRadio',\n 'goggles',\n 'goto',\n 'group',\n 'groupChat',\n 'groupFromNetId',\n 'groupIconSelectable',\n 'groupIconsVisible',\n 'groupID',\n 'groupOwner',\n 'groupRadio',\n 'groups',\n 'groupSelectedUnits',\n 'groupSelectUnit',\n 'gunner',\n 'gusts',\n 'halt',\n 'handgunItems',\n 'handgunMagazine',\n 'handgunWeapon',\n 'handsHit',\n 'hashValue',\n 'hasInterface',\n 'hasPilotCamera',\n 'hasWeapon',\n 'hcAllGroups',\n 'hcGroupParams',\n 'hcLeader',\n 'hcRemoveAllGroups',\n 'hcRemoveGroup',\n 'hcSelected',\n 'hcSelectGroup',\n 'hcSetGroup',\n 'hcShowBar',\n 'hcShownBar',\n 'headgear',\n 'hideBody',\n 'hideObject',\n 'hideObjectGlobal',\n 'hideSelection',\n 'hint',\n 'hintC',\n 'hintCadet',\n 'hintSilent',\n 'hmd',\n 'hostMission',\n 'htmlLoad',\n 'HUDMovementLevels',\n 'humidity',\n 'image',\n 'importAllGroups',\n 'importance',\n 'in',\n 'inArea',\n 'inAreaArray',\n 'incapacitatedState',\n 'inflame',\n 'inflamed',\n 'infoPanel',\n 'infoPanelComponentEnabled',\n 'infoPanelComponents',\n 'infoPanels',\n 'inGameUISetEventHandler',\n 'inheritsFrom',\n 'initAmbientLife',\n 'inPolygon',\n 'inputAction',\n 'inputController',\n 'inputMouse',\n 'inRangeOfArtillery',\n 'insert',\n 'insertEditorObject',\n 'intersect',\n 'is3DEN',\n 'is3DENMultiplayer',\n 'is3DENPreview',\n 'isAbleToBreathe',\n 'isActionMenuVisible',\n 'isAgent',\n 'isAimPrecisionEnabled',\n 'isAllowedCrewInImmobile',\n 'isArray',\n 'isAutoHoverOn',\n 'isAutonomous',\n 'isAutoStartUpEnabledRTD',\n 'isAutotest',\n 'isAutoTrimOnRTD',\n 'isAwake',\n 'isBleeding',\n 'isBurning',\n 'isClass',\n 'isCollisionLightOn',\n 'isCopilotEnabled',\n 'isDamageAllowed',\n 'isDedicated',\n 'isDLCAvailable',\n 'isEngineOn',\n 'isEqualRef',\n 'isEqualTo',\n 'isEqualType',\n 'isEqualTypeAll',\n 'isEqualTypeAny',\n 'isEqualTypeArray',\n 'isEqualTypeParams',\n 'isFilePatchingEnabled',\n 'isFinal',\n 'isFlashlightOn',\n 'isFlatEmpty',\n 'isForcedWalk',\n 'isFormationLeader',\n 'isGameFocused',\n 'isGamePaused',\n 'isGroupDeletedWhenEmpty',\n 'isHidden',\n 'isInRemainsCollector',\n 'isInstructorFigureEnabled',\n 'isIRLaserOn',\n 'isKeyActive',\n 'isKindOf',\n 'isLaserOn',\n 'isLightOn',\n 'isLocalized',\n 'isManualFire',\n 'isMarkedForCollection',\n 'isMissionProfileNamespaceLoaded',\n 'isMultiplayer',\n 'isMultiplayerSolo',\n 'isNil',\n 'isNotEqualRef',\n 'isNotEqualTo',\n 'isNull',\n 'isNumber',\n 'isObjectHidden',\n 'isObjectRTD',\n 'isOnRoad',\n 'isPiPEnabled',\n 'isPlayer',\n 'isRealTime',\n 'isRemoteExecuted',\n 'isRemoteExecutedJIP',\n 'isSaving',\n 'isSensorTargetConfirmed',\n 'isServer',\n 'isShowing3DIcons',\n 'isSimpleObject',\n 'isSprintAllowed',\n 'isStaminaEnabled',\n 'isSteamMission',\n 'isSteamOverlayEnabled',\n 'isStreamFriendlyUIEnabled',\n 'isStressDamageEnabled',\n 'isText',\n 'isTouchingGround',\n 'isTurnedOut',\n 'isTutHintsEnabled',\n 'isUAVConnectable',\n 'isUAVConnected',\n 'isUIContext',\n 'isUniformAllowed',\n 'isVehicleCargo',\n 'isVehicleRadarOn',\n 'isVehicleSensorEnabled',\n 'isWalking',\n 'isWeaponDeployed',\n 'isWeaponRested',\n 'itemCargo',\n 'items',\n 'itemsWithMagazines',\n 'join',\n 'joinAs',\n 'joinAsSilent',\n 'joinSilent',\n 'joinString',\n 'kbAddDatabase',\n 'kbAddDatabaseTargets',\n 'kbAddTopic',\n 'kbHasTopic',\n 'kbReact',\n 'kbRemoveTopic',\n 'kbTell',\n 'kbWasSaid',\n 'keyImage',\n 'keyName',\n 'keys',\n 'knowsAbout',\n 'land',\n 'landAt',\n 'landResult',\n 'language',\n 'laserTarget',\n 'lbAdd',\n 'lbClear',\n 'lbColor',\n 'lbColorRight',\n 'lbCurSel',\n 'lbData',\n 'lbDelete',\n 'lbIsSelected',\n 'lbPicture',\n 'lbPictureRight',\n 'lbSelection',\n 'lbSetColor',\n 'lbSetColorRight',\n 'lbSetCurSel',\n 'lbSetData',\n 'lbSetPicture',\n 'lbSetPictureColor',\n 'lbSetPictureColorDisabled',\n 'lbSetPictureColorSelected',\n 'lbSetPictureRight',\n 'lbSetPictureRightColor',\n 'lbSetPictureRightColorDisabled',\n 'lbSetPictureRightColorSelected',\n 'lbSetSelectColor',\n 'lbSetSelectColorRight',\n 'lbSetSelected',\n 'lbSetText',\n 'lbSetTextRight',\n 'lbSetTooltip',\n 'lbSetValue',\n 'lbSize',\n 'lbSort',\n 'lbSortBy',\n 'lbSortByValue',\n 'lbText',\n 'lbTextRight',\n 'lbTooltip',\n 'lbValue',\n 'leader',\n 'leaderboardDeInit',\n 'leaderboardGetRows',\n 'leaderboardInit',\n 'leaderboardRequestRowsFriends',\n 'leaderboardRequestRowsGlobal',\n 'leaderboardRequestRowsGlobalAroundUser',\n 'leaderboardsRequestUploadScore',\n 'leaderboardsRequestUploadScoreKeepBest',\n 'leaderboardState',\n 'leaveVehicle',\n 'libraryCredits',\n 'libraryDisclaimers',\n 'lifeState',\n 'lightAttachObject',\n 'lightDetachObject',\n 'lightIsOn',\n 'lightnings',\n 'limitSpeed',\n 'linearConversion',\n 'lineIntersects',\n 'lineIntersectsObjs',\n 'lineIntersectsSurfaces',\n 'lineIntersectsWith',\n 'linkItem',\n 'list',\n 'listObjects',\n 'listRemoteTargets',\n 'listVehicleSensors',\n 'ln',\n 'lnbAddArray',\n 'lnbAddColumn',\n 'lnbAddRow',\n 'lnbClear',\n 'lnbColor',\n 'lnbColorRight',\n 'lnbCurSelRow',\n 'lnbData',\n 'lnbDeleteColumn',\n 'lnbDeleteRow',\n 'lnbGetColumnsPosition',\n 'lnbPicture',\n 'lnbPictureRight',\n 'lnbSetColor',\n 'lnbSetColorRight',\n 'lnbSetColumnsPos',\n 'lnbSetCurSelRow',\n 'lnbSetData',\n 'lnbSetPicture',\n 'lnbSetPictureColor',\n 'lnbSetPictureColorRight',\n 'lnbSetPictureColorSelected',\n 'lnbSetPictureColorSelectedRight',\n 'lnbSetPictureRight',\n 'lnbSetText',\n 'lnbSetTextRight',\n 'lnbSetTooltip',\n 'lnbSetValue',\n 'lnbSize',\n 'lnbSort',\n 'lnbSortBy',\n 'lnbSortByValue',\n 'lnbText',\n 'lnbTextRight',\n 'lnbValue',\n 'load',\n 'loadAbs',\n 'loadBackpack',\n 'loadConfig',\n 'loadFile',\n 'loadGame',\n 'loadIdentity',\n 'loadMagazine',\n 'loadOverlay',\n 'loadStatus',\n 'loadUniform',\n 'loadVest',\n 'localize',\n 'localNamespace',\n 'locationPosition',\n 'lock',\n 'lockCameraTo',\n 'lockCargo',\n 'lockDriver',\n 'locked',\n 'lockedCameraTo',\n 'lockedCargo',\n 'lockedDriver',\n 'lockedInventory',\n 'lockedTurret',\n 'lockIdentity',\n 'lockInventory',\n 'lockTurret',\n 'lockWp',\n 'log',\n 'logEntities',\n 'logNetwork',\n 'logNetworkTerminate',\n 'lookAt',\n 'lookAtPos',\n 'magazineCargo',\n 'magazines',\n 'magazinesAllTurrets',\n 'magazinesAmmo',\n 'magazinesAmmoCargo',\n 'magazinesAmmoFull',\n 'magazinesDetail',\n 'magazinesDetailBackpack',\n 'magazinesDetailUniform',\n 'magazinesDetailVest',\n 'magazinesTurret',\n 'magazineTurretAmmo',\n 'mapAnimAdd',\n 'mapAnimClear',\n 'mapAnimCommit',\n 'mapAnimDone',\n 'mapCenterOnCamera',\n 'mapGridPosition',\n 'markAsFinishedOnSteam',\n 'markerAlpha',\n 'markerBrush',\n 'markerChannel',\n 'markerColor',\n 'markerDir',\n 'markerPolyline',\n 'markerPos',\n 'markerShadow',\n 'markerShape',\n 'markerSize',\n 'markerText',\n 'markerType',\n 'matrixMultiply',\n 'matrixTranspose',\n 'max',\n 'maxLoad',\n 'members',\n 'menuAction',\n 'menuAdd',\n 'menuChecked',\n 'menuClear',\n 'menuCollapse',\n 'menuData',\n 'menuDelete',\n 'menuEnable',\n 'menuEnabled',\n 'menuExpand',\n 'menuHover',\n 'menuPicture',\n 'menuSetAction',\n 'menuSetCheck',\n 'menuSetData',\n 'menuSetPicture',\n 'menuSetShortcut',\n 'menuSetText',\n 'menuSetURL',\n 'menuSetValue',\n 'menuShortcut',\n 'menuShortcutText',\n 'menuSize',\n 'menuSort',\n 'menuText',\n 'menuURL',\n 'menuValue',\n 'merge',\n 'min',\n 'mineActive',\n 'mineDetectedBy',\n 'missileTarget',\n 'missileTargetPos',\n 'missionConfigFile',\n 'missionDifficulty',\n 'missionEnd',\n 'missionName',\n 'missionNameSource',\n 'missionNamespace',\n 'missionProfileNamespace',\n 'missionStart',\n 'missionVersion',\n 'mod',\n 'modelToWorld',\n 'modelToWorldVisual',\n 'modelToWorldVisualWorld',\n 'modelToWorldWorld',\n 'modParams',\n 'moonIntensity',\n 'moonPhase',\n 'morale',\n 'move',\n 'move3DENCamera',\n 'moveInAny',\n 'moveInCargo',\n 'moveInCommander',\n 'moveInDriver',\n 'moveInGunner',\n 'moveInTurret',\n 'moveObjectToEnd',\n 'moveOut',\n 'moveTime',\n 'moveTo',\n 'moveToCompleted',\n 'moveToFailed',\n 'musicVolume',\n 'name',\n 'namedProperties',\n 'nameSound',\n 'nearEntities',\n 'nearestBuilding',\n 'nearestLocation',\n 'nearestLocations',\n 'nearestLocationWithDubbing',\n 'nearestMines',\n 'nearestObject',\n 'nearestObjects',\n 'nearestTerrainObjects',\n 'nearObjects',\n 'nearObjectsReady',\n 'nearRoads',\n 'nearSupplies',\n 'nearTargets',\n 'needReload',\n 'needService',\n 'netId',\n 'netObjNull',\n 'newOverlay',\n 'nextMenuItemIndex',\n 'nextWeatherChange',\n 'nMenuItems',\n 'not',\n 'numberOfEnginesRTD',\n 'numberToDate',\n 'objectCurators',\n 'objectFromNetId',\n 'objectParent',\n 'objStatus',\n 'onBriefingGroup',\n 'onBriefingNotes',\n 'onBriefingPlan',\n 'onBriefingTeamSwitch',\n 'onCommandModeChanged',\n 'onDoubleClick',\n 'onEachFrame',\n 'onGroupIconClick',\n 'onGroupIconOverEnter',\n 'onGroupIconOverLeave',\n 'onHCGroupSelectionChanged',\n 'onMapSingleClick',\n 'onPlayerConnected',\n 'onPlayerDisconnected',\n 'onPreloadFinished',\n 'onPreloadStarted',\n 'onShowNewObject',\n 'onTeamSwitch',\n 'openCuratorInterface',\n 'openDLCPage',\n 'openGPS',\n 'openMap',\n 'openSteamApp',\n 'openYoutubeVideo',\n 'or',\n 'orderGetIn',\n 'overcast',\n 'overcastForecast',\n 'owner',\n 'param',\n 'params',\n 'parseNumber',\n 'parseSimpleArray',\n 'parseText',\n 'parsingNamespace',\n 'particlesQuality',\n 'periscopeElevation',\n 'pickWeaponPool',\n 'pitch',\n 'pixelGrid',\n 'pixelGridBase',\n 'pixelGridNoUIScale',\n 'pixelH',\n 'pixelW',\n 'playableSlotsNumber',\n 'playableUnits',\n 'playAction',\n 'playActionNow',\n 'player',\n 'playerRespawnTime',\n 'playerSide',\n 'playersNumber',\n 'playGesture',\n 'playMission',\n 'playMove',\n 'playMoveNow',\n 'playMusic',\n 'playScriptedMission',\n 'playSound',\n 'playSound3D',\n 'playSoundUI',\n 'pose',\n 'position',\n 'positionCameraToWorld',\n 'posScreenToWorld',\n 'posWorldToScreen',\n 'ppEffectAdjust',\n 'ppEffectCommit',\n 'ppEffectCommitted',\n 'ppEffectCreate',\n 'ppEffectDestroy',\n 'ppEffectEnable',\n 'ppEffectEnabled',\n 'ppEffectForceInNVG',\n 'precision',\n 'preloadCamera',\n 'preloadObject',\n 'preloadSound',\n 'preloadTitleObj',\n 'preloadTitleRsc',\n 'preprocessFile',\n 'preprocessFileLineNumbers',\n 'primaryWeapon',\n 'primaryWeaponItems',\n 'primaryWeaponMagazine',\n 'priority',\n 'processDiaryLink',\n 'productVersion',\n 'profileName',\n 'profileNamespace',\n 'profileNameSteam',\n 'progressLoadingScreen',\n 'progressPosition',\n 'progressSetPosition',\n 'publicVariable',\n 'publicVariableClient',\n 'publicVariableServer',\n 'pushBack',\n 'pushBackUnique',\n 'putWeaponPool',\n 'queryItemsPool',\n 'queryMagazinePool',\n 'queryWeaponPool',\n 'rad',\n 'radioChannelAdd',\n 'radioChannelCreate',\n 'radioChannelInfo',\n 'radioChannelRemove',\n 'radioChannelSetCallSign',\n 'radioChannelSetLabel',\n 'radioEnabled',\n 'radioVolume',\n 'rain',\n 'rainbow',\n 'rainParams',\n 'random',\n 'rank',\n 'rankId',\n 'rating',\n 'rectangular',\n 'regexFind',\n 'regexMatch',\n 'regexReplace',\n 'registeredTasks',\n 'registerTask',\n 'reload',\n 'reloadEnabled',\n 'remoteControl',\n 'remoteExec',\n 'remoteExecCall',\n 'remoteExecutedOwner',\n 'remove3DENConnection',\n 'remove3DENEventHandler',\n 'remove3DENLayer',\n 'removeAction',\n 'removeAll3DENEventHandlers',\n 'removeAllActions',\n 'removeAllAssignedItems',\n 'removeAllBinocularItems',\n 'removeAllContainers',\n 'removeAllCuratorAddons',\n 'removeAllCuratorCameraAreas',\n 'removeAllCuratorEditingAreas',\n 'removeAllEventHandlers',\n 'removeAllHandgunItems',\n 'removeAllItems',\n 'removeAllItemsWithMagazines',\n 'removeAllMissionEventHandlers',\n 'removeAllMPEventHandlers',\n 'removeAllMusicEventHandlers',\n 'removeAllOwnedMines',\n 'removeAllPrimaryWeaponItems',\n 'removeAllSecondaryWeaponItems',\n 'removeAllUserActionEventHandlers',\n 'removeAllWeapons',\n 'removeBackpack',\n 'removeBackpackGlobal',\n 'removeBinocularItem',\n 'removeCuratorAddons',\n 'removeCuratorCameraArea',\n 'removeCuratorEditableObjects',\n 'removeCuratorEditingArea',\n 'removeDiaryRecord',\n 'removeDiarySubject',\n 'removeDrawIcon',\n 'removeDrawLinks',\n 'removeEventHandler',\n 'removeFromRemainsCollector',\n 'removeGoggles',\n 'removeGroupIcon',\n 'removeHandgunItem',\n 'removeHeadgear',\n 'removeItem',\n 'removeItemFromBackpack',\n 'removeItemFromUniform',\n 'removeItemFromVest',\n 'removeItems',\n 'removeMagazine',\n 'removeMagazineGlobal',\n 'removeMagazines',\n 'removeMagazinesTurret',\n 'removeMagazineTurret',\n 'removeMenuItem',\n 'removeMissionEventHandler',\n 'removeMPEventHandler',\n 'removeMusicEventHandler',\n 'removeOwnedMine',\n 'removePrimaryWeaponItem',\n 'removeSecondaryWeaponItem',\n 'removeSimpleTask',\n 'removeSwitchableUnit',\n 'removeTeamMember',\n 'removeUniform',\n 'removeUserActionEventHandler',\n 'removeVest',\n 'removeWeapon',\n 'removeWeaponAttachmentCargo',\n 'removeWeaponCargo',\n 'removeWeaponGlobal',\n 'removeWeaponTurret',\n 'reportRemoteTarget',\n 'requiredVersion',\n 'resetCamShake',\n 'resetSubgroupDirection',\n 'resize',\n 'resources',\n 'respawnVehicle',\n 'restartEditorCamera',\n 'reveal',\n 'revealMine',\n 'reverse',\n 'reversedMouseY',\n 'roadAt',\n 'roadsConnectedTo',\n 'roleDescription',\n 'ropeAttachedObjects',\n 'ropeAttachedTo',\n 'ropeAttachEnabled',\n 'ropeAttachTo',\n 'ropeCreate',\n 'ropeCut',\n 'ropeDestroy',\n 'ropeDetach',\n 'ropeEndPosition',\n 'ropeLength',\n 'ropes',\n 'ropesAttachedTo',\n 'ropeSegments',\n 'ropeUnwind',\n 'ropeUnwound',\n 'rotorsForcesRTD',\n 'rotorsRpmRTD',\n 'round',\n 'runInitScript',\n 'safeZoneH',\n 'safeZoneW',\n 'safeZoneWAbs',\n 'safeZoneX',\n 'safeZoneXAbs',\n 'safeZoneY',\n 'save3DENInventory',\n 'saveGame',\n 'saveIdentity',\n 'saveJoysticks',\n 'saveMissionProfileNamespace',\n 'saveOverlay',\n 'saveProfileNamespace',\n 'saveStatus',\n 'saveVar',\n 'savingEnabled',\n 'say',\n 'say2D',\n 'say3D',\n 'scopeName',\n 'score',\n 'scoreSide',\n 'screenshot',\n 'screenToWorld',\n 'scriptDone',\n 'scriptName',\n 'scudState',\n 'secondaryWeapon',\n 'secondaryWeaponItems',\n 'secondaryWeaponMagazine',\n 'select',\n 'selectBestPlaces',\n 'selectDiarySubject',\n 'selectedEditorObjects',\n 'selectEditorObject',\n 'selectionNames',\n 'selectionPosition',\n 'selectionVectorDirAndUp',\n 'selectLeader',\n 'selectMax',\n 'selectMin',\n 'selectNoPlayer',\n 'selectPlayer',\n 'selectRandom',\n 'selectRandomWeighted',\n 'selectWeapon',\n 'selectWeaponTurret',\n 'sendAUMessage',\n 'sendSimpleCommand',\n 'sendTask',\n 'sendTaskResult',\n 'sendUDPMessage',\n 'sentencesEnabled',\n 'serverCommand',\n 'serverCommandAvailable',\n 'serverCommandExecutable',\n 'serverName',\n 'serverNamespace',\n 'serverTime',\n 'set',\n 'set3DENAttribute',\n 'set3DENAttributes',\n 'set3DENGrid',\n 'set3DENIconsVisible',\n 'set3DENLayer',\n 'set3DENLinesVisible',\n 'set3DENLogicType',\n 'set3DENMissionAttribute',\n 'set3DENMissionAttributes',\n 'set3DENModelsVisible',\n 'set3DENObjectType',\n 'set3DENSelected',\n 'setAccTime',\n 'setActualCollectiveRTD',\n 'setAirplaneThrottle',\n 'setAirportSide',\n 'setAmmo',\n 'setAmmoCargo',\n 'setAmmoOnPylon',\n 'setAnimSpeedCoef',\n 'setAperture',\n 'setApertureNew',\n 'setArmoryPoints',\n 'setAttributes',\n 'setAutonomous',\n 'setBehaviour',\n 'setBehaviourStrong',\n 'setBleedingRemaining',\n 'setBrakesRTD',\n 'setCameraInterest',\n 'setCamShakeDefParams',\n 'setCamShakeParams',\n 'setCamUseTi',\n 'setCaptive',\n 'setCenterOfMass',\n 'setCollisionLight',\n 'setCombatBehaviour',\n 'setCombatMode',\n 'setCompassOscillation',\n 'setConvoySeparation',\n 'setCruiseControl',\n 'setCuratorCameraAreaCeiling',\n 'setCuratorCoef',\n 'setCuratorEditingAreaType',\n 'setCuratorWaypointCost',\n 'setCurrentChannel',\n 'setCurrentTask',\n 'setCurrentWaypoint',\n 'setCustomAimCoef',\n 'SetCustomMissionData',\n 'setCustomSoundController',\n 'setCustomWeightRTD',\n 'setDamage',\n 'setDammage',\n 'setDate',\n 'setDebriefingText',\n 'setDefaultCamera',\n 'setDestination',\n 'setDetailMapBlendPars',\n 'setDiaryRecordText',\n 'setDiarySubjectPicture',\n 'setDir',\n 'setDirection',\n 'setDrawIcon',\n 'setDriveOnPath',\n 'setDropInterval',\n 'setDynamicSimulationDistance',\n 'setDynamicSimulationDistanceCoef',\n 'setEditorMode',\n 'setEditorObjectScope',\n 'setEffectCondition',\n 'setEffectiveCommander',\n 'setEngineRpmRTD',\n 'setFace',\n 'setFaceanimation',\n 'setFatigue',\n 'setFeatureType',\n 'setFlagAnimationPhase',\n 'setFlagOwner',\n 'setFlagSide',\n 'setFlagTexture',\n 'setFog',\n 'setForceGeneratorRTD',\n 'setFormation',\n 'setFormationTask',\n 'setFormDir',\n 'setFriend',\n 'setFromEditor',\n 'setFSMVariable',\n 'setFuel',\n 'setFuelCargo',\n 'setGroupIcon',\n 'setGroupIconParams',\n 'setGroupIconsSelectable',\n 'setGroupIconsVisible',\n 'setGroupid',\n 'setGroupIdGlobal',\n 'setGroupOwner',\n 'setGusts',\n 'setHideBehind',\n 'setHit',\n 'setHitIndex',\n 'setHitPointDamage',\n 'setHorizonParallaxCoef',\n 'setHUDMovementLevels',\n 'setHumidity',\n 'setIdentity',\n 'setImportance',\n 'setInfoPanel',\n 'setLeader',\n 'setLightAmbient',\n 'setLightAttenuation',\n 'setLightBrightness',\n 'setLightColor',\n 'setLightConePars',\n 'setLightDayLight',\n 'setLightFlareMaxDistance',\n 'setLightFlareSize',\n 'setLightIntensity',\n 'setLightIR',\n 'setLightnings',\n 'setLightUseFlare',\n 'setLightVolumeShape',\n 'setLocalWindParams',\n 'setMagazineTurretAmmo',\n 'setMarkerAlpha',\n 'setMarkerAlphaLocal',\n 'setMarkerBrush',\n 'setMarkerBrushLocal',\n 'setMarkerColor',\n 'setMarkerColorLocal',\n 'setMarkerDir',\n 'setMarkerDirLocal',\n 'setMarkerPolyline',\n 'setMarkerPolylineLocal',\n 'setMarkerPos',\n 'setMarkerPosLocal',\n 'setMarkerShadow',\n 'setMarkerShadowLocal',\n 'setMarkerShape',\n 'setMarkerShapeLocal',\n 'setMarkerSize',\n 'setMarkerSizeLocal',\n 'setMarkerText',\n 'setMarkerTextLocal',\n 'setMarkerType',\n 'setMarkerTypeLocal',\n 'setMass',\n 'setMaxLoad',\n 'setMimic',\n 'setMissileTarget',\n 'setMissileTargetPos',\n 'setMousePosition',\n 'setMusicEffect',\n 'setMusicEventHandler',\n 'setName',\n 'setNameSound',\n 'setObjectArguments',\n 'setObjectMaterial',\n 'setObjectMaterialGlobal',\n 'setObjectProxy',\n 'setObjectScale',\n 'setObjectTexture',\n 'setObjectTextureGlobal',\n 'setObjectViewDistance',\n 'setOpticsMode',\n 'setOvercast',\n 'setOwner',\n 'setOxygenRemaining',\n 'setParticleCircle',\n 'setParticleClass',\n 'setParticleFire',\n 'setParticleParams',\n 'setParticleRandom',\n 'setPilotCameraDirection',\n 'setPilotCameraRotation',\n 'setPilotCameraTarget',\n 'setPilotLight',\n 'setPiPEffect',\n 'setPiPViewDistance',\n 'setPitch',\n 'setPlateNumber',\n 'setPlayable',\n 'setPlayerRespawnTime',\n 'setPlayerVoNVolume',\n 'setPos',\n 'setPosASL',\n 'setPosASL2',\n 'setPosASLW',\n 'setPosATL',\n 'setPosition',\n 'setPosWorld',\n 'setPylonLoadout',\n 'setPylonsPriority',\n 'setRadioMsg',\n 'setRain',\n 'setRainbow',\n 'setRandomLip',\n 'setRank',\n 'setRectangular',\n 'setRepairCargo',\n 'setRotorBrakeRTD',\n 'setShadowDistance',\n 'setShotParents',\n 'setSide',\n 'setSimpleTaskAlwaysVisible',\n 'setSimpleTaskCustomData',\n 'setSimpleTaskDescription',\n 'setSimpleTaskDestination',\n 'setSimpleTaskTarget',\n 'setSimpleTaskType',\n 'setSimulWeatherLayers',\n 'setSize',\n 'setSkill',\n 'setSlingLoad',\n 'setSoundEffect',\n 'setSpeaker',\n 'setSpeech',\n 'setSpeedMode',\n 'setStamina',\n 'setStaminaScheme',\n 'setStatValue',\n 'setSuppression',\n 'setSystemOfUnits',\n 'setTargetAge',\n 'setTaskMarkerOffset',\n 'setTaskResult',\n 'setTaskState',\n 'setTerrainGrid',\n 'setTerrainHeight',\n 'setText',\n 'setTimeMultiplier',\n 'setTiParameter',\n 'setTitleEffect',\n 'setTowParent',\n 'setTrafficDensity',\n 'setTrafficDistance',\n 'setTrafficGap',\n 'setTrafficSpeed',\n 'setTriggerActivation',\n 'setTriggerArea',\n 'setTriggerInterval',\n 'setTriggerStatements',\n 'setTriggerText',\n 'setTriggerTimeout',\n 'setTriggerType',\n 'setTurretLimits',\n 'setTurretOpticsMode',\n 'setType',\n 'setUnconscious',\n 'setUnitAbility',\n 'setUnitCombatMode',\n 'setUnitFreefallHeight',\n 'setUnitLoadout',\n 'setUnitPos',\n 'setUnitPosWeak',\n 'setUnitRank',\n 'setUnitRecoilCoefficient',\n 'setUnitTrait',\n 'setUnloadInCombat',\n 'setUserActionText',\n 'setUserMFDText',\n 'setUserMFDValue',\n 'setVariable',\n 'setVectorDir',\n 'setVectorDirAndUp',\n 'setVectorUp',\n 'setVehicleAmmo',\n 'setVehicleAmmoDef',\n 'setVehicleArmor',\n 'setVehicleCargo',\n 'setVehicleId',\n 'setVehicleLock',\n 'setVehiclePosition',\n 'setVehicleRadar',\n 'setVehicleReceiveRemoteTargets',\n 'setVehicleReportOwnPosition',\n 'setVehicleReportRemoteTargets',\n 'setVehicleTiPars',\n 'setVehicleVarName',\n 'setVelocity',\n 'setVelocityModelSpace',\n 'setVelocityTransformation',\n 'setViewDistance',\n 'setVisibleIfTreeCollapsed',\n 'setWantedRPMRTD',\n 'setWaves',\n 'setWaypointBehaviour',\n 'setWaypointCombatMode',\n 'setWaypointCompletionRadius',\n 'setWaypointDescription',\n 'setWaypointForceBehaviour',\n 'setWaypointFormation',\n 'setWaypointHousePosition',\n 'setWaypointLoiterAltitude',\n 'setWaypointLoiterRadius',\n 'setWaypointLoiterType',\n 'setWaypointName',\n 'setWaypointPosition',\n 'setWaypointScript',\n 'setWaypointSpeed',\n 'setWaypointStatements',\n 'setWaypointTimeout',\n 'setWaypointType',\n 'setWaypointVisible',\n 'setWeaponReloadingTime',\n 'setWeaponZeroing',\n 'setWind',\n 'setWindDir',\n 'setWindForce',\n 'setWindStr',\n 'setWingForceScaleRTD',\n 'setWPPos',\n 'show3DIcons',\n 'showChat',\n 'showCinemaBorder',\n 'showCommandingMenu',\n 'showCompass',\n 'showCuratorCompass',\n 'showGps',\n 'showHUD',\n 'showLegend',\n 'showMap',\n 'shownArtilleryComputer',\n 'shownChat',\n 'shownCompass',\n 'shownCuratorCompass',\n 'showNewEditorObject',\n 'shownGps',\n 'shownHUD',\n 'shownMap',\n 'shownPad',\n 'shownRadio',\n 'shownScoretable',\n 'shownSubtitles',\n 'shownUAVFeed',\n 'shownWarrant',\n 'shownWatch',\n 'showPad',\n 'showRadio',\n 'showScoretable',\n 'showSubtitles',\n 'showUAVFeed',\n 'showWarrant',\n 'showWatch',\n 'showWaypoint',\n 'showWaypoints',\n 'side',\n 'sideChat',\n 'sideRadio',\n 'simpleTasks',\n 'simulationEnabled',\n 'simulCloudDensity',\n 'simulCloudOcclusion',\n 'simulInClouds',\n 'simulWeatherSync',\n 'sin',\n 'size',\n 'sizeOf',\n 'skill',\n 'skillFinal',\n 'skipTime',\n 'sleep',\n 'sliderPosition',\n 'sliderRange',\n 'sliderSetPosition',\n 'sliderSetRange',\n 'sliderSetSpeed',\n 'sliderSpeed',\n 'slingLoadAssistantShown',\n 'soldierMagazines',\n 'someAmmo',\n 'sort',\n 'soundVolume',\n 'spawn',\n 'speaker',\n 'speechVolume',\n 'speed',\n 'speedMode',\n 'splitString',\n 'sqrt',\n 'squadParams',\n 'stance',\n 'startLoadingScreen',\n 'stop',\n 'stopEngineRTD',\n 'stopped',\n 'str',\n 'sunOrMoon',\n 'supportInfo',\n 'suppressFor',\n 'surfaceIsWater',\n 'surfaceNormal',\n 'surfaceTexture',\n 'surfaceType',\n 'swimInDepth',\n 'switchableUnits',\n 'switchAction',\n 'switchCamera',\n 'switchGesture',\n 'switchLight',\n 'switchMove',\n 'synchronizedObjects',\n 'synchronizedTriggers',\n 'synchronizedWaypoints',\n 'synchronizeObjectsAdd',\n 'synchronizeObjectsRemove',\n 'synchronizeTrigger',\n 'synchronizeWaypoint',\n 'systemChat',\n 'systemOfUnits',\n 'systemTime',\n 'systemTimeUTC',\n 'tan',\n 'targetKnowledge',\n 'targets',\n 'targetsAggregate',\n 'targetsQuery',\n 'taskAlwaysVisible',\n 'taskChildren',\n 'taskCompleted',\n 'taskCustomData',\n 'taskDescription',\n 'taskDestination',\n 'taskHint',\n 'taskMarkerOffset',\n 'taskName',\n 'taskParent',\n 'taskResult',\n 'taskState',\n 'taskType',\n 'teamMember',\n 'teamName',\n 'teams',\n 'teamSwitch',\n 'teamSwitchEnabled',\n 'teamType',\n 'terminate',\n 'terrainIntersect',\n 'terrainIntersectASL',\n 'terrainIntersectAtASL',\n 'text',\n 'textLog',\n 'textLogFormat',\n 'tg',\n 'time',\n 'timeMultiplier',\n 'titleCut',\n 'titleFadeOut',\n 'titleObj',\n 'titleRsc',\n 'titleText',\n 'toArray',\n 'toFixed',\n 'toLower',\n 'toLowerANSI',\n 'toString',\n 'toUpper',\n 'toUpperANSI',\n 'triggerActivated',\n 'triggerActivation',\n 'triggerAmmo',\n 'triggerArea',\n 'triggerAttachedVehicle',\n 'triggerAttachObject',\n 'triggerAttachVehicle',\n 'triggerDynamicSimulation',\n 'triggerInterval',\n 'triggerStatements',\n 'triggerText',\n 'triggerTimeout',\n 'triggerTimeoutCurrent',\n 'triggerType',\n 'trim',\n 'turretLocal',\n 'turretOwner',\n 'turretUnit',\n 'tvAdd',\n 'tvClear',\n 'tvCollapse',\n 'tvCollapseAll',\n 'tvCount',\n 'tvCurSel',\n 'tvData',\n 'tvDelete',\n 'tvExpand',\n 'tvExpandAll',\n 'tvIsSelected',\n 'tvPicture',\n 'tvPictureRight',\n 'tvSelection',\n 'tvSetColor',\n 'tvSetCurSel',\n 'tvSetData',\n 'tvSetPicture',\n 'tvSetPictureColor',\n 'tvSetPictureColorDisabled',\n 'tvSetPictureColorSelected',\n 'tvSetPictureRight',\n 'tvSetPictureRightColor',\n 'tvSetPictureRightColorDisabled',\n 'tvSetPictureRightColorSelected',\n 'tvSetSelectColor',\n 'tvSetSelected',\n 'tvSetText',\n 'tvSetTooltip',\n 'tvSetValue',\n 'tvSort',\n 'tvSortAll',\n 'tvSortByValue',\n 'tvSortByValueAll',\n 'tvText',\n 'tvTooltip',\n 'tvValue',\n 'type',\n 'typeName',\n 'typeOf',\n 'UAVControl',\n 'uiNamespace',\n 'uiSleep',\n 'unassignCurator',\n 'unassignItem',\n 'unassignTeam',\n 'unassignVehicle',\n 'underwater',\n 'uniform',\n 'uniformContainer',\n 'uniformItems',\n 'uniformMagazines',\n 'uniqueUnitItems',\n 'unitAddons',\n 'unitAimPosition',\n 'unitAimPositionVisual',\n 'unitBackpack',\n 'unitCombatMode',\n 'unitIsUAV',\n 'unitPos',\n 'unitReady',\n 'unitRecoilCoefficient',\n 'units',\n 'unitsBelowHeight',\n 'unitTurret',\n 'unlinkItem',\n 'unlockAchievement',\n 'unregisterTask',\n 'updateDrawIcon',\n 'updateMenuItem',\n 'updateObjectTree',\n 'useAIOperMapObstructionTest',\n 'useAISteeringComponent',\n 'useAudioTimeForMoves',\n 'userInputDisabled',\n 'values',\n 'vectorAdd',\n 'vectorCos',\n 'vectorCrossProduct',\n 'vectorDiff',\n 'vectorDir',\n 'vectorDirVisual',\n 'vectorDistance',\n 'vectorDistanceSqr',\n 'vectorDotProduct',\n 'vectorFromTo',\n 'vectorLinearConversion',\n 'vectorMagnitude',\n 'vectorMagnitudeSqr',\n 'vectorModelToWorld',\n 'vectorModelToWorldVisual',\n 'vectorMultiply',\n 'vectorNormalized',\n 'vectorUp',\n 'vectorUpVisual',\n 'vectorWorldToModel',\n 'vectorWorldToModelVisual',\n 'vehicle',\n 'vehicleCargoEnabled',\n 'vehicleChat',\n 'vehicleMoveInfo',\n 'vehicleRadio',\n 'vehicleReceiveRemoteTargets',\n 'vehicleReportOwnPosition',\n 'vehicleReportRemoteTargets',\n 'vehicles',\n 'vehicleVarName',\n 'velocity',\n 'velocityModelSpace',\n 'verifySignature',\n 'vest',\n 'vestContainer',\n 'vestItems',\n 'vestMagazines',\n 'viewDistance',\n 'visibleCompass',\n 'visibleGps',\n 'visibleMap',\n 'visiblePosition',\n 'visiblePositionASL',\n 'visibleScoretable',\n 'visibleWatch',\n 'waves',\n 'waypointAttachedObject',\n 'waypointAttachedVehicle',\n 'waypointAttachObject',\n 'waypointAttachVehicle',\n 'waypointBehaviour',\n 'waypointCombatMode',\n 'waypointCompletionRadius',\n 'waypointDescription',\n 'waypointForceBehaviour',\n 'waypointFormation',\n 'waypointHousePosition',\n 'waypointLoiterAltitude',\n 'waypointLoiterRadius',\n 'waypointLoiterType',\n 'waypointName',\n 'waypointPosition',\n 'waypoints',\n 'waypointScript',\n 'waypointsEnabledUAV',\n 'waypointShow',\n 'waypointSpeed',\n 'waypointStatements',\n 'waypointTimeout',\n 'waypointTimeoutCurrent',\n 'waypointType',\n 'waypointVisible',\n 'weaponAccessories',\n 'weaponAccessoriesCargo',\n 'weaponCargo',\n 'weaponDirection',\n 'weaponInertia',\n 'weaponLowered',\n 'weaponReloadingTime',\n 'weapons',\n 'weaponsInfo',\n 'weaponsItems',\n 'weaponsItemsCargo',\n 'weaponState',\n 'weaponsTurret',\n 'weightRTD',\n 'WFSideText',\n 'wind',\n 'windDir',\n 'windRTD',\n 'windStr',\n 'wingsForcesRTD',\n 'worldName',\n 'worldSize',\n 'worldToModel',\n 'worldToModelVisual',\n 'worldToScreen'\n ];\n \n // list of keywords from:\n // https://community.bistudio.com/wiki/PreProcessor_Commands\n const PREPROCESSOR = {\n className: 'meta',\n begin: /#\\s*[a-z]+\\b/,\n end: /$/,\n keywords: 'define undef ifdef ifndef else endif include if',\n contains: [\n {\n begin: /\\\\\\n/,\n relevance: 0\n },\n hljs.inherit(STRINGS, { className: 'string' }),\n {\n begin: /<[^\\n>]*>/,\n end: /$/,\n illegal: '\\\\n'\n },\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n };\n \n return {\n name: 'SQF',\n case_insensitive: true,\n keywords: {\n keyword: KEYWORDS,\n built_in: BUILT_IN,\n literal: LITERAL\n },\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.NUMBER_MODE,\n VARIABLE,\n FUNCTION,\n STRINGS,\n PREPROCESSOR\n ],\n illegal: [\n //$ is only valid when used with Hex numbers (e.g. $FF)\n /\\$[^a-fA-F0-9]/, \n /\\w\\$/,\n /\\?/, //There's no ? in SQF\n /@/, //There's no @ in SQF\n // Brute-force-fixing the build error. See https://github.com/highlightjs/highlight.js/pull/3193#issuecomment-843088729\n / \\| /,\n // . is only used in numbers\n /[a-zA-Z_]\\./,\n /\\:\\=/,\n /\\[\\:/\n ]\n };\n}\n\nmodule.exports = sqf;\n", "/*\n Language: SQL\n Website: https://en.wikipedia.org/wiki/SQL\n Category: common, database\n */\n\n/*\n\nGoals:\n\nSQL is intended to highlight basic/common SQL keywords and expressions\n\n- If pretty much every single SQL server includes supports, then it's a canidate.\n- It is NOT intended to include tons of vendor specific keywords (Oracle, MySQL,\n PostgreSQL) although the list of data types is purposely a bit more expansive.\n- For more specific SQL grammars please see:\n - PostgreSQL and PL/pgSQL - core\n - T-SQL - https://github.com/highlightjs/highlightjs-tsql\n - sql_more (core)\n\n */\n\nfunction sql(hljs) {\n const regex = hljs.regex;\n const COMMENT_MODE = hljs.COMMENT('--', '$');\n const STRING = {\n className: 'string',\n variants: [\n {\n begin: /'/,\n end: /'/,\n contains: [ { begin: /''/ } ]\n }\n ]\n };\n const QUOTED_IDENTIFIER = {\n begin: /\"/,\n end: /\"/,\n contains: [ { begin: /\"\"/ } ]\n };\n\n const LITERALS = [\n \"true\",\n \"false\",\n // Not sure it's correct to call NULL literal, and clauses like IS [NOT] NULL look strange that way.\n // \"null\",\n \"unknown\"\n ];\n\n const MULTI_WORD_TYPES = [\n \"double precision\",\n \"large object\",\n \"with timezone\",\n \"without timezone\"\n ];\n\n const TYPES = [\n 'bigint',\n 'binary',\n 'blob',\n 'boolean',\n 'char',\n 'character',\n 'clob',\n 'date',\n 'dec',\n 'decfloat',\n 'decimal',\n 'float',\n 'int',\n 'integer',\n 'interval',\n 'nchar',\n 'nclob',\n 'national',\n 'numeric',\n 'real',\n 'row',\n 'smallint',\n 'time',\n 'timestamp',\n 'varchar',\n 'varying', // modifier (character varying)\n 'varbinary'\n ];\n\n const NON_RESERVED_WORDS = [\n \"add\",\n \"asc\",\n \"collation\",\n \"desc\",\n \"final\",\n \"first\",\n \"last\",\n \"view\"\n ];\n\n // https://jakewheat.github.io/sql-overview/sql-2016-foundation-grammar.html#reserved-word\n const RESERVED_WORDS = [\n \"abs\",\n \"acos\",\n \"all\",\n \"allocate\",\n \"alter\",\n \"and\",\n \"any\",\n \"are\",\n \"array\",\n \"array_agg\",\n \"array_max_cardinality\",\n \"as\",\n \"asensitive\",\n \"asin\",\n \"asymmetric\",\n \"at\",\n \"atan\",\n \"atomic\",\n \"authorization\",\n \"avg\",\n \"begin\",\n \"begin_frame\",\n \"begin_partition\",\n \"between\",\n \"bigint\",\n \"binary\",\n \"blob\",\n \"boolean\",\n \"both\",\n \"by\",\n \"call\",\n \"called\",\n \"cardinality\",\n \"cascaded\",\n \"case\",\n \"cast\",\n \"ceil\",\n \"ceiling\",\n \"char\",\n \"char_length\",\n \"character\",\n \"character_length\",\n \"check\",\n \"classifier\",\n \"clob\",\n \"close\",\n \"coalesce\",\n \"collate\",\n \"collect\",\n \"column\",\n \"commit\",\n \"condition\",\n \"connect\",\n \"constraint\",\n \"contains\",\n \"convert\",\n \"copy\",\n \"corr\",\n \"corresponding\",\n \"cos\",\n \"cosh\",\n \"count\",\n \"covar_pop\",\n \"covar_samp\",\n \"create\",\n \"cross\",\n \"cube\",\n \"cume_dist\",\n \"current\",\n \"current_catalog\",\n \"current_date\",\n \"current_default_transform_group\",\n \"current_path\",\n \"current_role\",\n \"current_row\",\n \"current_schema\",\n \"current_time\",\n \"current_timestamp\",\n \"current_path\",\n \"current_role\",\n \"current_transform_group_for_type\",\n \"current_user\",\n \"cursor\",\n \"cycle\",\n \"date\",\n \"day\",\n \"deallocate\",\n \"dec\",\n \"decimal\",\n \"decfloat\",\n \"declare\",\n \"default\",\n \"define\",\n \"delete\",\n \"dense_rank\",\n \"deref\",\n \"describe\",\n \"deterministic\",\n \"disconnect\",\n \"distinct\",\n \"double\",\n \"drop\",\n \"dynamic\",\n \"each\",\n \"element\",\n \"else\",\n \"empty\",\n \"end\",\n \"end_frame\",\n \"end_partition\",\n \"end-exec\",\n \"equals\",\n \"escape\",\n \"every\",\n \"except\",\n \"exec\",\n \"execute\",\n \"exists\",\n \"exp\",\n \"external\",\n \"extract\",\n \"false\",\n \"fetch\",\n \"filter\",\n \"first_value\",\n \"float\",\n \"floor\",\n \"for\",\n \"foreign\",\n \"frame_row\",\n \"free\",\n \"from\",\n \"full\",\n \"function\",\n \"fusion\",\n \"get\",\n \"global\",\n \"grant\",\n \"group\",\n \"grouping\",\n \"groups\",\n \"having\",\n \"hold\",\n \"hour\",\n \"identity\",\n \"in\",\n \"indicator\",\n \"initial\",\n \"inner\",\n \"inout\",\n \"insensitive\",\n \"insert\",\n \"int\",\n \"integer\",\n \"intersect\",\n \"intersection\",\n \"interval\",\n \"into\",\n \"is\",\n \"join\",\n \"json_array\",\n \"json_arrayagg\",\n \"json_exists\",\n \"json_object\",\n \"json_objectagg\",\n \"json_query\",\n \"json_table\",\n \"json_table_primitive\",\n \"json_value\",\n \"lag\",\n \"language\",\n \"large\",\n \"last_value\",\n \"lateral\",\n \"lead\",\n \"leading\",\n \"left\",\n \"like\",\n \"like_regex\",\n \"listagg\",\n \"ln\",\n \"local\",\n \"localtime\",\n \"localtimestamp\",\n \"log\",\n \"log10\",\n \"lower\",\n \"match\",\n \"match_number\",\n \"match_recognize\",\n \"matches\",\n \"max\",\n \"member\",\n \"merge\",\n \"method\",\n \"min\",\n \"minute\",\n \"mod\",\n \"modifies\",\n \"module\",\n \"month\",\n \"multiset\",\n \"national\",\n \"natural\",\n \"nchar\",\n \"nclob\",\n \"new\",\n \"no\",\n \"none\",\n \"normalize\",\n \"not\",\n \"nth_value\",\n \"ntile\",\n \"null\",\n \"nullif\",\n \"numeric\",\n \"octet_length\",\n \"occurrences_regex\",\n \"of\",\n \"offset\",\n \"old\",\n \"omit\",\n \"on\",\n \"one\",\n \"only\",\n \"open\",\n \"or\",\n \"order\",\n \"out\",\n \"outer\",\n \"over\",\n \"overlaps\",\n \"overlay\",\n \"parameter\",\n \"partition\",\n \"pattern\",\n \"per\",\n \"percent\",\n \"percent_rank\",\n \"percentile_cont\",\n \"percentile_disc\",\n \"period\",\n \"portion\",\n \"position\",\n \"position_regex\",\n \"power\",\n \"precedes\",\n \"precision\",\n \"prepare\",\n \"primary\",\n \"procedure\",\n \"ptf\",\n \"range\",\n \"rank\",\n \"reads\",\n \"real\",\n \"recursive\",\n \"ref\",\n \"references\",\n \"referencing\",\n \"regr_avgx\",\n \"regr_avgy\",\n \"regr_count\",\n \"regr_intercept\",\n \"regr_r2\",\n \"regr_slope\",\n \"regr_sxx\",\n \"regr_sxy\",\n \"regr_syy\",\n \"release\",\n \"result\",\n \"return\",\n \"returns\",\n \"revoke\",\n \"right\",\n \"rollback\",\n \"rollup\",\n \"row\",\n \"row_number\",\n \"rows\",\n \"running\",\n \"savepoint\",\n \"scope\",\n \"scroll\",\n \"search\",\n \"second\",\n \"seek\",\n \"select\",\n \"sensitive\",\n \"session_user\",\n \"set\",\n \"show\",\n \"similar\",\n \"sin\",\n \"sinh\",\n \"skip\",\n \"smallint\",\n \"some\",\n \"specific\",\n \"specifictype\",\n \"sql\",\n \"sqlexception\",\n \"sqlstate\",\n \"sqlwarning\",\n \"sqrt\",\n \"start\",\n \"static\",\n \"stddev_pop\",\n \"stddev_samp\",\n \"submultiset\",\n \"subset\",\n \"substring\",\n \"substring_regex\",\n \"succeeds\",\n \"sum\",\n \"symmetric\",\n \"system\",\n \"system_time\",\n \"system_user\",\n \"table\",\n \"tablesample\",\n \"tan\",\n \"tanh\",\n \"then\",\n \"time\",\n \"timestamp\",\n \"timezone_hour\",\n \"timezone_minute\",\n \"to\",\n \"trailing\",\n \"translate\",\n \"translate_regex\",\n \"translation\",\n \"treat\",\n \"trigger\",\n \"trim\",\n \"trim_array\",\n \"true\",\n \"truncate\",\n \"uescape\",\n \"union\",\n \"unique\",\n \"unknown\",\n \"unnest\",\n \"update\",\n \"upper\",\n \"user\",\n \"using\",\n \"value\",\n \"values\",\n \"value_of\",\n \"var_pop\",\n \"var_samp\",\n \"varbinary\",\n \"varchar\",\n \"varying\",\n \"versioning\",\n \"when\",\n \"whenever\",\n \"where\",\n \"width_bucket\",\n \"window\",\n \"with\",\n \"within\",\n \"without\",\n \"year\",\n ];\n\n // these are reserved words we have identified to be functions\n // and should only be highlighted in a dispatch-like context\n // ie, array_agg(...), etc.\n const RESERVED_FUNCTIONS = [\n \"abs\",\n \"acos\",\n \"array_agg\",\n \"asin\",\n \"atan\",\n \"avg\",\n \"cast\",\n \"ceil\",\n \"ceiling\",\n \"coalesce\",\n \"corr\",\n \"cos\",\n \"cosh\",\n \"count\",\n \"covar_pop\",\n \"covar_samp\",\n \"cume_dist\",\n \"dense_rank\",\n \"deref\",\n \"element\",\n \"exp\",\n \"extract\",\n \"first_value\",\n \"floor\",\n \"json_array\",\n \"json_arrayagg\",\n \"json_exists\",\n \"json_object\",\n \"json_objectagg\",\n \"json_query\",\n \"json_table\",\n \"json_table_primitive\",\n \"json_value\",\n \"lag\",\n \"last_value\",\n \"lead\",\n \"listagg\",\n \"ln\",\n \"log\",\n \"log10\",\n \"lower\",\n \"max\",\n \"min\",\n \"mod\",\n \"nth_value\",\n \"ntile\",\n \"nullif\",\n \"percent_rank\",\n \"percentile_cont\",\n \"percentile_disc\",\n \"position\",\n \"position_regex\",\n \"power\",\n \"rank\",\n \"regr_avgx\",\n \"regr_avgy\",\n \"regr_count\",\n \"regr_intercept\",\n \"regr_r2\",\n \"regr_slope\",\n \"regr_sxx\",\n \"regr_sxy\",\n \"regr_syy\",\n \"row_number\",\n \"sin\",\n \"sinh\",\n \"sqrt\",\n \"stddev_pop\",\n \"stddev_samp\",\n \"substring\",\n \"substring_regex\",\n \"sum\",\n \"tan\",\n \"tanh\",\n \"translate\",\n \"translate_regex\",\n \"treat\",\n \"trim\",\n \"trim_array\",\n \"unnest\",\n \"upper\",\n \"value_of\",\n \"var_pop\",\n \"var_samp\",\n \"width_bucket\",\n ];\n\n // these functions can\n const POSSIBLE_WITHOUT_PARENS = [\n \"current_catalog\",\n \"current_date\",\n \"current_default_transform_group\",\n \"current_path\",\n \"current_role\",\n \"current_schema\",\n \"current_transform_group_for_type\",\n \"current_user\",\n \"session_user\",\n \"system_time\",\n \"system_user\",\n \"current_time\",\n \"localtime\",\n \"current_timestamp\",\n \"localtimestamp\"\n ];\n\n // those exist to boost relevance making these very\n // \"SQL like\" keyword combos worth +1 extra relevance\n const COMBOS = [\n \"create table\",\n \"insert into\",\n \"primary key\",\n \"foreign key\",\n \"not null\",\n \"alter table\",\n \"add constraint\",\n \"grouping sets\",\n \"on overflow\",\n \"character set\",\n \"respect nulls\",\n \"ignore nulls\",\n \"nulls first\",\n \"nulls last\",\n \"depth first\",\n \"breadth first\"\n ];\n\n const FUNCTIONS = RESERVED_FUNCTIONS;\n\n const KEYWORDS = [\n ...RESERVED_WORDS,\n ...NON_RESERVED_WORDS\n ].filter((keyword) => {\n return !RESERVED_FUNCTIONS.includes(keyword);\n });\n\n const VARIABLE = {\n className: \"variable\",\n begin: /@[a-z0-9][a-z0-9_]*/,\n };\n\n const OPERATOR = {\n className: \"operator\",\n begin: /[-+*/=%^~]|&&?|\\|\\|?|!=?|<(?:=>?|<|>)?|>[>=]?/,\n relevance: 0,\n };\n\n const FUNCTION_CALL = {\n begin: regex.concat(/\\b/, regex.either(...FUNCTIONS), /\\s*\\(/),\n relevance: 0,\n keywords: { built_in: FUNCTIONS }\n };\n\n // keywords with less than 3 letters are reduced in relevancy\n function reduceRelevancy(list, {\n exceptions, when\n } = {}) {\n const qualifyFn = when;\n exceptions = exceptions || [];\n return list.map((item) => {\n if (item.match(/\\|\\d+$/) || exceptions.includes(item)) {\n return item;\n } else if (qualifyFn(item)) {\n return `${item}|0`;\n } else {\n return item;\n }\n });\n }\n\n return {\n name: 'SQL',\n case_insensitive: true,\n // does not include {} or HTML tags `</`\n illegal: /[{}]|<\\//,\n keywords: {\n $pattern: /\\b[\\w\\.]+/,\n keyword:\n reduceRelevancy(KEYWORDS, { when: (x) => x.length < 3 }),\n literal: LITERALS,\n type: TYPES,\n built_in: POSSIBLE_WITHOUT_PARENS\n },\n contains: [\n {\n begin: regex.either(...COMBOS),\n relevance: 0,\n keywords: {\n $pattern: /[\\w\\.]+/,\n keyword: KEYWORDS.concat(COMBOS),\n literal: LITERALS,\n type: TYPES\n },\n },\n {\n className: \"type\",\n begin: regex.either(...MULTI_WORD_TYPES)\n },\n FUNCTION_CALL,\n VARIABLE,\n STRING,\n QUOTED_IDENTIFIER,\n hljs.C_NUMBER_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n COMMENT_MODE,\n OPERATOR\n ]\n };\n}\n\nmodule.exports = sql;\n", "/*\nLanguage: Stan\nDescription: The Stan probabilistic programming language\nAuthor: Sean Pinkney <sean.pinkney@gmail.com>\nWebsite: http://mc-stan.org/\nCategory: scientific\n*/\n\nfunction stan(hljs) {\n const regex = hljs.regex;\n // variable names cannot conflict with block identifiers\n const BLOCKS = [\n 'functions',\n 'model',\n 'data',\n 'parameters',\n 'quantities',\n 'transformed',\n 'generated'\n ];\n\n const STATEMENTS = [\n 'for',\n 'in',\n 'if',\n 'else',\n 'while',\n 'break',\n 'continue',\n 'return'\n ];\n\n const TYPES = [\n 'array',\n 'complex',\n 'int',\n 'real',\n 'vector',\n 'ordered',\n 'positive_ordered',\n 'simplex',\n 'unit_vector',\n 'row_vector',\n 'matrix',\n 'cholesky_factor_corr|10',\n 'cholesky_factor_cov|10',\n 'corr_matrix|10',\n 'cov_matrix|10',\n 'void'\n ];\n\n // to get the functions list\n // clone the [stan-docs repo](https://github.com/stan-dev/docs)\n // then cd into it and run this bash script https://gist.github.com/joshgoebel/dcd33f82d4059a907c986049893843cf\n //\n // the output files are\n // distributions_quoted.txt\n // functions_quoted.txt\n\n const FUNCTIONS = [\n 'Phi',\n 'Phi_approx',\n 'abs',\n 'acos',\n 'acosh',\n 'add_diag',\n 'algebra_solver',\n 'algebra_solver_newton',\n 'append_array',\n 'append_col',\n 'append_row',\n 'asin',\n 'asinh',\n 'atan',\n 'atan2',\n 'atanh',\n 'bessel_first_kind',\n 'bessel_second_kind',\n 'binary_log_loss',\n 'binomial_coefficient_log',\n 'block',\n 'cbrt',\n 'ceil',\n 'chol2inv',\n 'cholesky_decompose',\n 'choose',\n 'col',\n 'cols',\n 'columns_dot_product',\n 'columns_dot_self',\n 'conj',\n 'cos',\n 'cosh',\n 'cov_exp_quad',\n 'crossprod',\n 'csr_extract_u',\n 'csr_extract_v',\n 'csr_extract_w',\n 'csr_matrix_times_vector',\n 'csr_to_dense_matrix',\n 'cumulative_sum',\n 'determinant',\n 'diag_matrix',\n 'diag_post_multiply',\n 'diag_pre_multiply',\n 'diagonal',\n 'digamma',\n 'dims',\n 'distance',\n 'dot_product',\n 'dot_self',\n 'eigenvalues_sym',\n 'eigenvectors_sym',\n 'erf',\n 'erfc',\n 'exp',\n 'exp2',\n 'expm1',\n 'fabs',\n 'falling_factorial',\n 'fdim',\n 'floor',\n 'fma',\n 'fmax',\n 'fmin',\n 'fmod',\n 'gamma_p',\n 'gamma_q',\n 'generalized_inverse',\n 'get_imag',\n 'get_lp',\n 'get_real',\n 'head',\n 'hmm_hidden_state_prob',\n 'hmm_marginal',\n 'hypot',\n 'identity_matrix',\n 'inc_beta',\n 'int_step',\n 'integrate_1d',\n 'integrate_ode',\n 'integrate_ode_adams',\n 'integrate_ode_bdf',\n 'integrate_ode_rk45',\n 'inv',\n 'inv_Phi',\n 'inv_cloglog',\n 'inv_logit',\n 'inv_sqrt',\n 'inv_square',\n 'inverse',\n 'inverse_spd',\n 'is_inf',\n 'is_nan',\n 'lambert_w0',\n 'lambert_wm1',\n 'lbeta',\n 'lchoose',\n 'ldexp',\n 'lgamma',\n 'linspaced_array',\n 'linspaced_int_array',\n 'linspaced_row_vector',\n 'linspaced_vector',\n 'lmgamma',\n 'lmultiply',\n 'log',\n 'log1m',\n 'log1m_exp',\n 'log1m_inv_logit',\n 'log1p',\n 'log1p_exp',\n 'log_determinant',\n 'log_diff_exp',\n 'log_falling_factorial',\n 'log_inv_logit',\n 'log_inv_logit_diff',\n 'log_mix',\n 'log_modified_bessel_first_kind',\n 'log_rising_factorial',\n 'log_softmax',\n 'log_sum_exp',\n 'logit',\n 'machine_precision',\n 'map_rect',\n 'matrix_exp',\n 'matrix_exp_multiply',\n 'matrix_power',\n 'max',\n 'mdivide_left_spd',\n 'mdivide_left_tri_low',\n 'mdivide_right_spd',\n 'mdivide_right_tri_low',\n 'mean',\n 'min',\n 'modified_bessel_first_kind',\n 'modified_bessel_second_kind',\n 'multiply_log',\n 'multiply_lower_tri_self_transpose',\n 'negative_infinity',\n 'norm',\n 'not_a_number',\n 'num_elements',\n 'ode_adams',\n 'ode_adams_tol',\n 'ode_adjoint_tol_ctl',\n 'ode_bdf',\n 'ode_bdf_tol',\n 'ode_ckrk',\n 'ode_ckrk_tol',\n 'ode_rk45',\n 'ode_rk45_tol',\n 'one_hot_array',\n 'one_hot_int_array',\n 'one_hot_row_vector',\n 'one_hot_vector',\n 'ones_array',\n 'ones_int_array',\n 'ones_row_vector',\n 'ones_vector',\n 'owens_t',\n 'polar',\n 'positive_infinity',\n 'pow',\n 'print',\n 'prod',\n 'proj',\n 'qr_Q',\n 'qr_R',\n 'qr_thin_Q',\n 'qr_thin_R',\n 'quad_form',\n 'quad_form_diag',\n 'quad_form_sym',\n 'quantile',\n 'rank',\n 'reduce_sum',\n 'reject',\n 'rep_array',\n 'rep_matrix',\n 'rep_row_vector',\n 'rep_vector',\n 'reverse',\n 'rising_factorial',\n 'round',\n 'row',\n 'rows',\n 'rows_dot_product',\n 'rows_dot_self',\n 'scale_matrix_exp_multiply',\n 'sd',\n 'segment',\n 'sin',\n 'singular_values',\n 'sinh',\n 'size',\n 'softmax',\n 'sort_asc',\n 'sort_desc',\n 'sort_indices_asc',\n 'sort_indices_desc',\n 'sqrt',\n 'square',\n 'squared_distance',\n 'step',\n 'sub_col',\n 'sub_row',\n 'sum',\n 'svd_U',\n 'svd_V',\n 'symmetrize_from_lower_tri',\n 'tail',\n 'tan',\n 'tanh',\n 'target',\n 'tcrossprod',\n 'tgamma',\n 'to_array_1d',\n 'to_array_2d',\n 'to_complex',\n 'to_matrix',\n 'to_row_vector',\n 'to_vector',\n 'trace',\n 'trace_gen_quad_form',\n 'trace_quad_form',\n 'trigamma',\n 'trunc',\n 'uniform_simplex',\n 'variance',\n 'zeros_array',\n 'zeros_int_array',\n 'zeros_row_vector'\n ];\n\n const DISTRIBUTIONS = [\n 'bernoulli',\n 'bernoulli_logit',\n 'bernoulli_logit_glm',\n 'beta',\n 'beta_binomial',\n 'beta_proportion',\n 'binomial',\n 'binomial_logit',\n 'categorical',\n 'categorical_logit',\n 'categorical_logit_glm',\n 'cauchy',\n 'chi_square',\n 'dirichlet',\n 'discrete_range',\n 'double_exponential',\n 'exp_mod_normal',\n 'exponential',\n 'frechet',\n 'gamma',\n 'gaussian_dlm_obs',\n 'gumbel',\n 'hmm_latent',\n 'hypergeometric',\n 'inv_chi_square',\n 'inv_gamma',\n 'inv_wishart',\n 'lkj_corr',\n 'lkj_corr_cholesky',\n 'logistic',\n 'lognormal',\n 'multi_gp',\n 'multi_gp_cholesky',\n 'multi_normal',\n 'multi_normal_cholesky',\n 'multi_normal_prec',\n 'multi_student_t',\n 'multinomial',\n 'multinomial_logit',\n 'neg_binomial',\n 'neg_binomial_2',\n 'neg_binomial_2_log',\n 'neg_binomial_2_log_glm',\n 'normal',\n 'normal_id_glm',\n 'ordered_logistic',\n 'ordered_logistic_glm',\n 'ordered_probit',\n 'pareto',\n 'pareto_type_2',\n 'poisson',\n 'poisson_log',\n 'poisson_log_glm',\n 'rayleigh',\n 'scaled_inv_chi_square',\n 'skew_double_exponential',\n 'skew_normal',\n 'std_normal',\n 'student_t',\n 'uniform',\n 'von_mises',\n 'weibull',\n 'wiener',\n 'wishart'\n ];\n\n const BLOCK_COMMENT = hljs.COMMENT(\n /\\/\\*/,\n /\\*\\//,\n {\n relevance: 0,\n contains: [\n {\n scope: 'doctag',\n match: /@(return|param)/\n }\n ]\n }\n );\n\n const INCLUDE = {\n scope: 'meta',\n begin: /#include\\b/,\n end: /$/,\n contains: [\n {\n match: /[a-z][a-z-._]+/,\n scope: 'string'\n },\n hljs.C_LINE_COMMENT_MODE\n ]\n };\n\n const RANGE_CONSTRAINTS = [\n \"lower\",\n \"upper\",\n \"offset\",\n \"multiplier\"\n ];\n\n return {\n name: 'Stan',\n aliases: [ 'stanfuncs' ],\n keywords: {\n $pattern: hljs.IDENT_RE,\n title: BLOCKS,\n type: TYPES,\n keyword: STATEMENTS,\n built_in: FUNCTIONS\n },\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n INCLUDE,\n hljs.HASH_COMMENT_MODE,\n BLOCK_COMMENT,\n {\n scope: 'built_in',\n match: /\\s(pi|e|sqrt2|log2|log10)(?=\\()/,\n relevance: 0\n },\n {\n match: regex.concat(/[<,]\\s*/, regex.either(...RANGE_CONSTRAINTS), /\\s*=/),\n keywords: RANGE_CONSTRAINTS\n },\n {\n scope: 'keyword',\n match: /\\btarget(?=\\s*\\+=)/,\n },\n {\n // highlights the 'T' in T[,] for only Stan language distributrions\n match: [\n /~\\s*/,\n regex.either(...DISTRIBUTIONS),\n /(?:\\(\\))/,\n /\\s*T(?=\\s*\\[)/\n ],\n scope: {\n 2: \"built_in\",\n 4: \"keyword\"\n }\n },\n {\n // highlights distributions that end with special endings\n scope: 'built_in',\n keywords: DISTRIBUTIONS,\n begin: regex.concat(/\\w*/, regex.either(...DISTRIBUTIONS), /(_lpdf|_lupdf|_lpmf|_cdf|_lcdf|_lccdf|_qf)(?=\\s*[\\(.*\\)])/)\n },\n {\n // highlights distributions after ~\n begin: [\n /~/,\n /\\s*/,\n regex.concat(regex.either(...DISTRIBUTIONS), /(?=\\s*[\\(.*\\)])/)\n ],\n scope: { 3: \"built_in\" }\n },\n {\n // highlights user defined distributions after ~\n begin: [\n /~/,\n /\\s*\\w+(?=\\s*[\\(.*\\)])/,\n '(?!.*/\\b(' + regex.either(...DISTRIBUTIONS) + ')\\b)'\n ],\n scope: { 2: \"title.function\" }\n },\n {\n // highlights user defined distributions with special endings\n scope: 'title.function',\n begin: /\\w*(_lpdf|_lupdf|_lpmf|_cdf|_lcdf|_lccdf|_qf)(?=\\s*[\\(.*\\)])/\n },\n {\n scope: 'number',\n match: regex.concat(\n // Comes from @RunDevelopment accessed 11/29/2021 at\n // https://github.com/PrismJS/prism/blob/c53ad2e65b7193ab4f03a1797506a54bbb33d5a2/components/prism-stan.js#L56\n\n // start of big noncapture group which\n // 1. gets numbers that are by themselves\n // 2. numbers that are separated by _\n // 3. numbers that are separted by .\n /(?:\\b\\d+(?:_\\d+)*(?:\\.(?:\\d+(?:_\\d+)*)?)?|\\B\\.\\d+(?:_\\d+)*)/,\n // grabs scientific notation\n // grabs complex numbers with i\n /(?:[eE][+-]?\\d+(?:_\\d+)*)?i?(?!\\w)/\n ),\n relevance: 0\n },\n {\n scope: 'string',\n begin: /\"/,\n end: /\"/\n }\n ]\n };\n}\n\nmodule.exports = stan;\n", "/*\nLanguage: Stata\nAuthor: Brian Quistorff <bquistorff@gmail.com>\nContributors: Drew McDonald <drewmcdo@gmail.com>\nDescription: Stata is a general-purpose statistical software package created in 1985 by StataCorp.\nWebsite: https://en.wikipedia.org/wiki/Stata\nCategory: scientific\n*/\n\n/*\n This is a fork and modification of Drew McDonald's file (https://github.com/drewmcdonald/stata-highlighting). I have also included a list of builtin commands from https://bugs.kde.org/show_bug.cgi?id=135646.\n*/\n\nfunction stata(hljs) {\n return {\n name: 'Stata',\n aliases: [\n 'do',\n 'ado'\n ],\n case_insensitive: true,\n keywords: 'if else in foreach for forv forva forval forvalu forvalue forvalues by bys bysort xi quietly qui capture about ac ac_7 acprplot acprplot_7 adjust ado adopath adoupdate alpha ameans an ano anov anova anova_estat anova_terms anovadef aorder ap app appe appen append arch arch_dr arch_estat arch_p archlm areg areg_p args arima arima_dr arima_estat arima_p as asmprobit asmprobit_estat asmprobit_lf asmprobit_mfx__dlg asmprobit_p ass asse asser assert avplot avplot_7 avplots avplots_7 bcskew0 bgodfrey bias binreg bip0_lf biplot bipp_lf bipr_lf bipr_p biprobit bitest bitesti bitowt blogit bmemsize boot bootsamp bootstrap bootstrap_8 boxco_l boxco_p boxcox boxcox_6 boxcox_p bprobit br break brier bro brow brows browse brr brrstat bs bs_7 bsampl_w bsample bsample_7 bsqreg bstat bstat_7 bstat_8 bstrap bstrap_7 bubble bubbleplot ca ca_estat ca_p cabiplot camat canon canon_8 canon_8_p canon_estat canon_p cap caprojection capt captu captur capture cat cc cchart cchart_7 cci cd censobs_table centile cf char chdir checkdlgfiles checkestimationsample checkhlpfiles checksum chelp ci cii cl class classutil clear cli clis clist clo clog clog_lf clog_p clogi clogi_sw clogit clogit_lf clogit_p clogitp clogl_sw cloglog clonevar clslistarray cluster cluster_measures cluster_stop cluster_tree cluster_tree_8 clustermat cmdlog cnr cnre cnreg cnreg_p cnreg_sw cnsreg codebook collaps4 collapse colormult_nb colormult_nw compare compress conf confi confir confirm conren cons const constr constra constrai constrain constraint continue contract copy copyright copysource cor corc corr corr2data corr_anti corr_kmo corr_smc corre correl correla correlat correlate corrgram cou coun count cox cox_p cox_sw coxbase coxhaz coxvar cprplot cprplot_7 crc cret cretu cretur creturn cross cs cscript cscript_log csi ct ct_is ctset ctst_5 ctst_st cttost cumsp cumsp_7 cumul cusum cusum_7 cutil d|0 datasig datasign datasigna datasignat datasignatu datasignatur datasignature datetof db dbeta de dec deco decod decode deff des desc descr descri describ describe destring dfbeta dfgls dfuller di di_g dir dirstats dis discard disp disp_res disp_s displ displa display distinct do doe doed doedi doedit dotplot dotplot_7 dprobit drawnorm drop ds ds_util dstdize duplicates durbina dwstat dydx e|0 ed edi edit egen eivreg emdef en enc enco encod encode eq erase ereg ereg_lf ereg_p ereg_sw ereghet ereghet_glf ereghet_glf_sh ereghet_gp ereghet_ilf ereghet_ilf_sh ereghet_ip eret eretu eretur ereturn err erro error esize est est_cfexist est_cfname est_clickable est_expand est_hold est_table est_unhold est_unholdok estat estat_default estat_summ estat_vce_only esti estimates etodow etof etomdy ex exi exit expand expandcl fac fact facto factor factor_estat factor_p factor_pca_rotated factor_rotate factormat fcast fcast_compute fcast_graph fdades fdadesc fdadescr fdadescri fdadescrib fdadescribe fdasav fdasave fdause fh_st file open file read file close file filefilter fillin find_hlp_file findfile findit findit_7 fit fl fli flis flist for5_0 forest forestplot form forma format fpredict frac_154 frac_adj frac_chk frac_cox frac_ddp frac_dis frac_dv frac_in frac_mun frac_pp frac_pq frac_pv frac_wgt frac_xo fracgen fracplot fracplot_7 fracpoly fracpred fron_ex fron_hn fron_p fron_tn fron_tn2 frontier ftodate ftoe ftomdy ftowdate funnel funnelplot g|0 gamhet_glf gamhet_gp gamhet_ilf gamhet_ip gamma gamma_d2 gamma_p gamma_sw gammahet gdi_hexagon gdi_spokes ge gen gene gener genera generat generate genrank genstd genvmean gettoken gl gladder gladder_7 glim_l01 glim_l02 glim_l03 glim_l04 glim_l05 glim_l06 glim_l07 glim_l08 glim_l09 glim_l10 glim_l11 glim_l12 glim_lf glim_mu glim_nw1 glim_nw2 glim_nw3 glim_p glim_v1 glim_v2 glim_v3 glim_v4 glim_v5 glim_v6 glim_v7 glm glm_6 glm_p glm_sw glmpred glo glob globa global glogit glogit_8 glogit_p gmeans gnbre_lf gnbreg gnbreg_5 gnbreg_p gomp_lf gompe_sw gomper_p gompertz gompertzhet gomphet_glf gomphet_glf_sh gomphet_gp gomphet_ilf gomphet_ilf_sh gomphet_ip gphdot gphpen gphprint gprefs gprobi_p gprobit gprobit_8 gr gr7 gr_copy gr_current gr_db gr_describe gr_dir gr_draw gr_draw_replay gr_drop gr_edit gr_editviewopts gr_example gr_example2 gr_export gr_print gr_qscheme gr_query gr_read gr_rename gr_replay gr_save gr_set gr_setscheme gr_table gr_undo gr_use graph graph7 grebar greigen greigen_7 greigen_8 grmeanby grmeanby_7 gs_fileinfo gs_filetype gs_graphinfo gs_stat gsort gwood h|0 hadimvo hareg hausman haver he heck_d2 heckma_p heckman heckp_lf heckpr_p heckprob hel help hereg hetpr_lf hetpr_p hetprob hettest hexdump hilite hist hist_7 histogram hlogit hlu hmeans hotel hotelling hprobit hreg hsearch icd9 icd9_ff icd9p iis impute imtest inbase include inf infi infil infile infix inp inpu input ins insheet insp inspe inspec inspect integ inten intreg intreg_7 intreg_p intrg2_ll intrg_ll intrg_ll2 ipolate iqreg ir irf irf_create irfm iri is_svy is_svysum isid istdize ivprob_1_lf ivprob_lf ivprobit ivprobit_p ivreg ivreg_footnote ivtob_1_lf ivtob_lf ivtobit ivtobit_p jackknife jacknife jknife jknife_6 jknife_8 jkstat joinby kalarma1 kap kap_3 kapmeier kappa kapwgt kdensity kdensity_7 keep ksm ksmirnov ktau kwallis l|0 la lab labbe labbeplot labe label labelbook ladder levels levelsof leverage lfit lfit_p li lincom line linktest lis list lloghet_glf lloghet_glf_sh lloghet_gp lloghet_ilf lloghet_ilf_sh lloghet_ip llogi_sw llogis_p llogist llogistic llogistichet lnorm_lf lnorm_sw lnorma_p lnormal lnormalhet lnormhet_glf lnormhet_glf_sh lnormhet_gp lnormhet_ilf lnormhet_ilf_sh lnormhet_ip lnskew0 loadingplot loc loca local log logi logis_lf logistic logistic_p logit logit_estat logit_p loglogs logrank loneway lookfor lookup lowess lowess_7 lpredict lrecomp lroc lroc_7 lrtest ls lsens lsens_7 lsens_x lstat ltable ltable_7 ltriang lv lvr2plot lvr2plot_7 m|0 ma mac macr macro makecns man manova manova_estat manova_p manovatest mantel mark markin markout marksample mat mat_capp mat_order mat_put_rr mat_rapp mata mata_clear mata_describe mata_drop mata_matdescribe mata_matsave mata_matuse mata_memory mata_mlib mata_mosave mata_rename mata_which matalabel matcproc matlist matname matr matri matrix matrix_input__dlg matstrik mcc mcci md0_ md1_ md1debug_ md2_ md2debug_ mds mds_estat mds_p mdsconfig mdslong mdsmat mdsshepard mdytoe mdytof me_derd mean means median memory memsize menl meqparse mer merg merge meta mfp mfx mhelp mhodds minbound mixed_ll mixed_ll_reparm mkassert mkdir mkmat mkspline ml ml_5 ml_adjs ml_bhhhs ml_c_d ml_check ml_clear ml_cnt ml_debug ml_defd ml_e0 ml_e0_bfgs ml_e0_cycle ml_e0_dfp ml_e0i ml_e1 ml_e1_bfgs ml_e1_bhhh ml_e1_cycle ml_e1_dfp ml_e2 ml_e2_cycle ml_ebfg0 ml_ebfr0 ml_ebfr1 ml_ebh0q ml_ebhh0 ml_ebhr0 ml_ebr0i ml_ecr0i ml_edfp0 ml_edfr0 ml_edfr1 ml_edr0i ml_eds ml_eer0i ml_egr0i ml_elf ml_elf_bfgs ml_elf_bhhh ml_elf_cycle ml_elf_dfp ml_elfi ml_elfs ml_enr0i ml_enrr0 ml_erdu0 ml_erdu0_bfgs ml_erdu0_bhhh ml_erdu0_bhhhq ml_erdu0_cycle ml_erdu0_dfp ml_erdu0_nrbfgs ml_exde ml_footnote ml_geqnr ml_grad0 ml_graph ml_hbhhh ml_hd0 ml_hold ml_init ml_inv ml_log ml_max ml_mlout ml_mlout_8 ml_model ml_nb0 ml_opt ml_p ml_plot ml_query ml_rdgrd ml_repor ml_s_e ml_score ml_searc ml_technique ml_unhold mleval mlf_ mlmatbysum mlmatsum mlog mlogi mlogit mlogit_footnote mlogit_p mlopts mlsum mlvecsum mnl0_ mor more mov move mprobit mprobit_lf mprobit_p mrdu0_ mrdu1_ mvdecode mvencode mvreg mvreg_estat n|0 nbreg nbreg_al nbreg_lf nbreg_p nbreg_sw nestreg net newey newey_7 newey_p news nl nl_7 nl_9 nl_9_p nl_p nl_p_7 nlcom nlcom_p nlexp2 nlexp2_7 nlexp2a nlexp2a_7 nlexp3 nlexp3_7 nlgom3 nlgom3_7 nlgom4 nlgom4_7 nlinit nllog3 nllog3_7 nllog4 nllog4_7 nlog_rd nlogit nlogit_p nlogitgen nlogittree nlpred no nobreak noi nois noisi noisil noisily note notes notes_dlg nptrend numlabel numlist odbc old_ver olo olog ologi ologi_sw ologit ologit_p ologitp on one onew onewa oneway op_colnm op_comp op_diff op_inv op_str opr opro oprob oprob_sw oprobi oprobi_p oprobit oprobitp opts_exclusive order orthog orthpoly ou out outf outfi outfil outfile outs outsh outshe outshee outsheet ovtest pac pac_7 palette parse parse_dissim pause pca pca_8 pca_display pca_estat pca_p pca_rotate pcamat pchart pchart_7 pchi pchi_7 pcorr pctile pentium pergram pergram_7 permute permute_8 personal peto_st pkcollapse pkcross pkequiv pkexamine pkexamine_7 pkshape pksumm pksumm_7 pl plo plot plugin pnorm pnorm_7 poisgof poiss_lf poiss_sw poisso_p poisson poisson_estat post postclose postfile postutil pperron pr prais prais_e prais_e2 prais_p predict predictnl preserve print pro prob probi probit probit_estat probit_p proc_time procoverlay procrustes procrustes_estat procrustes_p profiler prog progr progra program prop proportion prtest prtesti pwcorr pwd q\\\\s qby qbys qchi qchi_7 qladder qladder_7 qnorm qnorm_7 qqplot qqplot_7 qreg qreg_c qreg_p qreg_sw qu quadchk quantile quantile_7 que quer query range ranksum ratio rchart rchart_7 rcof recast reclink recode reg reg3 reg3_p regdw regr regre regre_p2 regres regres_p regress regress_estat regriv_p remap ren rena renam rename renpfix repeat replace report reshape restore ret retu retur return rm rmdir robvar roccomp roccomp_7 roccomp_8 rocf_lf rocfit rocfit_8 rocgold rocplot rocplot_7 roctab roctab_7 rolling rologit rologit_p rot rota rotat rotate rotatemat rreg rreg_p ru run runtest rvfplot rvfplot_7 rvpplot rvpplot_7 sa safesum sample sampsi sav save savedresults saveold sc sca scal scala scalar scatter scm_mine sco scob_lf scob_p scobi_sw scobit scor score scoreplot scoreplot_help scree screeplot screeplot_help sdtest sdtesti se search separate seperate serrbar serrbar_7 serset set set_defaults sfrancia sh she shel shell shewhart shewhart_7 signestimationsample signrank signtest simul simul_7 simulate simulate_8 sktest sleep slogit slogit_d2 slogit_p smooth snapspan so sor sort spearman spikeplot spikeplot_7 spikeplt spline_x split sqreg sqreg_p sret sretu sretur sreturn ssc st st_ct st_hc st_hcd st_hcd_sh st_is st_issys st_note st_promo st_set st_show st_smpl st_subid stack statsby statsby_8 stbase stci stci_7 stcox stcox_estat stcox_fr stcox_fr_ll stcox_p stcox_sw stcoxkm stcoxkm_7 stcstat stcurv stcurve stcurve_7 stdes stem stepwise stereg stfill stgen stir stjoin stmc stmh stphplot stphplot_7 stphtest stphtest_7 stptime strate strate_7 streg streg_sw streset sts sts_7 stset stsplit stsum sttocc sttoct stvary stweib su suest suest_8 sum summ summa summar summari summariz summarize sunflower sureg survcurv survsum svar svar_p svmat svy svy_disp svy_dreg svy_est svy_est_7 svy_estat svy_get svy_gnbreg_p svy_head svy_header svy_heckman_p svy_heckprob_p svy_intreg_p svy_ivreg_p svy_logistic_p svy_logit_p svy_mlogit_p svy_nbreg_p svy_ologit_p svy_oprobit_p svy_poisson_p svy_probit_p svy_regress_p svy_sub svy_sub_7 svy_x svy_x_7 svy_x_p svydes svydes_8 svygen svygnbreg svyheckman svyheckprob svyintreg svyintreg_7 svyintrg svyivreg svylc svylog_p svylogit svymarkout svymarkout_8 svymean svymlog svymlogit svynbreg svyolog svyologit svyoprob svyoprobit svyopts svypois svypois_7 svypoisson svyprobit svyprobt svyprop svyprop_7 svyratio svyreg svyreg_p svyregress svyset svyset_7 svyset_8 svytab svytab_7 svytest svytotal sw sw_8 swcnreg swcox swereg swilk swlogis swlogit swologit swoprbt swpois swprobit swqreg swtobit swweib symmetry symmi symplot symplot_7 syntax sysdescribe sysdir sysuse szroeter ta tab tab1 tab2 tab_or tabd tabdi tabdis tabdisp tabi table tabodds tabodds_7 tabstat tabu tabul tabula tabulat tabulate te tempfile tempname tempvar tes test testnl testparm teststd tetrachoric time_it timer tis tob tobi tobit tobit_p tobit_sw token tokeni tokeniz tokenize tostring total translate translator transmap treat_ll treatr_p treatreg trim trimfill trnb_cons trnb_mean trpoiss_d2 trunc_ll truncr_p truncreg tsappend tset tsfill tsline tsline_ex tsreport tsrevar tsrline tsset tssmooth tsunab ttest ttesti tut_chk tut_wait tutorial tw tware_st two twoway twoway__fpfit_serset twoway__function_gen twoway__histogram_gen twoway__ipoint_serset twoway__ipoints_serset twoway__kdensity_gen twoway__lfit_serset twoway__normgen_gen twoway__pci_serset twoway__qfit_serset twoway__scatteri_serset twoway__sunflower_gen twoway_ksm_serset ty typ type typeof u|0 unab unabbrev unabcmd update us use uselabel var var_mkcompanion var_p varbasic varfcast vargranger varirf varirf_add varirf_cgraph varirf_create varirf_ctable varirf_describe varirf_dir varirf_drop varirf_erase varirf_graph varirf_ograph varirf_rename varirf_set varirf_table varlist varlmar varnorm varsoc varstable varstable_w varstable_w2 varwle vce vec vec_fevd vec_mkphi vec_p vec_p_w vecirf_create veclmar veclmar_w vecnorm vecnorm_w vecrank vecstable verinst vers versi versio version view viewsource vif vwls wdatetof webdescribe webseek webuse weib1_lf weib2_lf weib_lf weib_lf0 weibhet_glf weibhet_glf_sh weibhet_glfa weibhet_glfa_sh weibhet_gp weibhet_ilf weibhet_ilf_sh weibhet_ilfa weibhet_ilfa_sh weibhet_ip weibu_sw weibul_p weibull weibull_c weibull_s weibullhet wh whelp whi which whil while wilc_st wilcoxon win wind windo window winexec wntestb wntestb_7 wntestq xchart xchart_7 xcorr xcorr_7 xi xi_6 xmlsav xmlsave xmluse xpose xsh xshe xshel xshell xt_iis xt_tis xtab_p xtabond xtbin_p xtclog xtcloglog xtcloglog_8 xtcloglog_d2 xtcloglog_pa_p xtcloglog_re_p xtcnt_p xtcorr xtdata xtdes xtfront_p xtfrontier xtgee xtgee_elink xtgee_estat xtgee_makeivar xtgee_p xtgee_plink xtgls xtgls_p xthaus xthausman xtht_p xthtaylor xtile xtint_p xtintreg xtintreg_8 xtintreg_d2 xtintreg_p xtivp_1 xtivp_2 xtivreg xtline xtline_ex xtlogit xtlogit_8 xtlogit_d2 xtlogit_fe_p xtlogit_pa_p xtlogit_re_p xtmixed xtmixed_estat xtmixed_p xtnb_fe xtnb_lf xtnbreg xtnbreg_pa_p xtnbreg_refe_p xtpcse xtpcse_p xtpois xtpoisson xtpoisson_d2 xtpoisson_pa_p xtpoisson_refe_p xtpred xtprobit xtprobit_8 xtprobit_d2 xtprobit_re_p xtps_fe xtps_lf xtps_ren xtps_ren_8 xtrar_p xtrc xtrc_p xtrchh xtrefe_p xtreg xtreg_be xtreg_fe xtreg_ml xtreg_pa_p xtreg_re xtregar xtrere_p xtset xtsf_ll xtsf_llti xtsum xttab xttest0 xttobit xttobit_8 xttobit_p xttrans yx yxview__barlike_draw yxview_area_draw yxview_bar_draw yxview_dot_draw yxview_dropline_draw yxview_function_draw yxview_iarrow_draw yxview_ilabels_draw yxview_normal_draw yxview_pcarrow_draw yxview_pcbarrow_draw yxview_pccapsym_draw yxview_pcscatter_draw yxview_pcspike_draw yxview_rarea_draw yxview_rbar_draw yxview_rbarm_draw yxview_rcap_draw yxview_rcapsym_draw yxview_rconnected_draw yxview_rline_draw yxview_rscatter_draw yxview_rspike_draw yxview_spike_draw yxview_sunflower_draw zap_s zinb zinb_llf zinb_plf zip zip_llf zip_p zip_plf zt_ct_5 zt_hc_5 zt_hcd_5 zt_is_5 zt_iss_5 zt_sho_5 zt_smp_5 ztbase_5 ztcox_5 ztdes_5 ztereg_5 ztfill_5 ztgen_5 ztir_5 ztjoin_5 ztnb ztnb_p ztp ztp_p zts_5 ztset_5 ztspli_5 ztsum_5 zttoct_5 ztvary_5 ztweib_5',\n contains: [\n {\n className: 'symbol',\n begin: /`[a-zA-Z0-9_]+'/\n },\n {\n className: 'variable',\n begin: /\\$\\{?[a-zA-Z0-9_]+\\}?/,\n relevance: 0\n },\n {\n className: 'string',\n variants: [\n { begin: '`\"[^\\r\\n]*?\"\\'' },\n { begin: '\"[^\\r\\n\"]*\"' }\n ]\n },\n\n {\n className: 'built_in',\n variants: [ { begin: '\\\\b(abs|acos|asin|atan|atan2|atanh|ceil|cloglog|comb|cos|digamma|exp|floor|invcloglog|invlogit|ln|lnfact|lnfactorial|lngamma|log|log10|max|min|mod|reldif|round|sign|sin|sqrt|sum|tan|tanh|trigamma|trunc|betaden|Binomial|binorm|binormal|chi2|chi2tail|dgammapda|dgammapdada|dgammapdadx|dgammapdx|dgammapdxdx|F|Fden|Ftail|gammaden|gammap|ibeta|invbinomial|invchi2|invchi2tail|invF|invFtail|invgammap|invibeta|invnchi2|invnFtail|invnibeta|invnorm|invnormal|invttail|nbetaden|nchi2|nFden|nFtail|nibeta|norm|normal|normalden|normd|npnchi2|tden|ttail|uniform|abbrev|char|index|indexnot|length|lower|ltrim|match|plural|proper|real|regexm|regexr|regexs|reverse|rtrim|string|strlen|strlower|strltrim|strmatch|strofreal|strpos|strproper|strreverse|strrtrim|strtrim|strupper|subinstr|subinword|substr|trim|upper|word|wordcount|_caller|autocode|byteorder|chop|clip|cond|e|epsdouble|epsfloat|group|inlist|inrange|irecode|matrix|maxbyte|maxdouble|maxfloat|maxint|maxlong|mi|minbyte|mindouble|minfloat|minint|minlong|missing|r|recode|replay|return|s|scalar|d|date|day|dow|doy|halfyear|mdy|month|quarter|week|year|d|daily|dofd|dofh|dofm|dofq|dofw|dofy|h|halfyearly|hofd|m|mofd|monthly|q|qofd|quarterly|tin|twithin|w|weekly|wofd|y|yearly|yh|ym|yofd|yq|yw|cholesky|colnumb|colsof|corr|det|diag|diag0cnt|el|get|hadamard|I|inv|invsym|issym|issymmetric|J|matmissing|matuniform|mreldif|nullmat|rownumb|rowsof|sweep|syminv|trace|vec|vecdiag)(?=\\\\()' } ]\n },\n\n hljs.COMMENT('^[ \\t]*\\\\*.*$', false),\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE\n ]\n };\n}\n\nmodule.exports = stata;\n", "/*\nLanguage: STEP Part 21\nContributors: Adam Joseph Cook <adam.joseph.cook@gmail.com>\nDescription: Syntax highlighter for STEP Part 21 files (ISO 10303-21).\nWebsite: https://en.wikipedia.org/wiki/ISO_10303-21\n*/\n\nfunction step21(hljs) {\n const STEP21_IDENT_RE = '[A-Z_][A-Z0-9_.]*';\n const STEP21_KEYWORDS = {\n $pattern: STEP21_IDENT_RE,\n keyword: [\n \"HEADER\",\n \"ENDSEC\",\n \"DATA\"\n ]\n };\n const STEP21_START = {\n className: 'meta',\n begin: 'ISO-10303-21;',\n relevance: 10\n };\n const STEP21_CLOSE = {\n className: 'meta',\n begin: 'END-ISO-10303-21;',\n relevance: 10\n };\n\n return {\n name: 'STEP Part 21',\n aliases: [\n 'p21',\n 'step',\n 'stp'\n ],\n case_insensitive: true, // STEP 21 is case insensitive in theory, in practice all non-comments are capitalized.\n keywords: STEP21_KEYWORDS,\n contains: [\n STEP21_START,\n STEP21_CLOSE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.COMMENT('/\\\\*\\\\*!', '\\\\*/'),\n hljs.C_NUMBER_MODE,\n hljs.inherit(hljs.APOS_STRING_MODE, { illegal: null }),\n hljs.inherit(hljs.QUOTE_STRING_MODE, { illegal: null }),\n {\n className: 'string',\n begin: \"'\",\n end: \"'\"\n },\n {\n className: 'symbol',\n variants: [\n {\n begin: '#',\n end: '\\\\d+',\n illegal: '\\\\W'\n }\n ]\n }\n ]\n };\n}\n\nmodule.exports = step21;\n", "const MODES = (hljs) => {\n return {\n IMPORTANT: {\n scope: 'meta',\n begin: '!important'\n },\n BLOCK_COMMENT: hljs.C_BLOCK_COMMENT_MODE,\n HEXCOLOR: {\n scope: 'number',\n begin: /#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\\b/\n },\n FUNCTION_DISPATCH: {\n className: \"built_in\",\n begin: /[\\w-]+(?=\\()/\n },\n ATTRIBUTE_SELECTOR_MODE: {\n scope: 'selector-attr',\n begin: /\\[/,\n end: /\\]/,\n illegal: '$',\n contains: [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE\n ]\n },\n CSS_NUMBER_MODE: {\n scope: 'number',\n begin: hljs.NUMBER_RE + '(' +\n '%|em|ex|ch|rem' +\n '|vw|vh|vmin|vmax' +\n '|cm|mm|in|pt|pc|px' +\n '|deg|grad|rad|turn' +\n '|s|ms' +\n '|Hz|kHz' +\n '|dpi|dpcm|dppx' +\n ')?',\n relevance: 0\n },\n CSS_VARIABLE: {\n className: \"attr\",\n begin: /--[A-Za-z][A-Za-z0-9_-]*/\n }\n };\n};\n\nconst TAGS = [\n 'a',\n 'abbr',\n 'address',\n 'article',\n 'aside',\n 'audio',\n 'b',\n 'blockquote',\n 'body',\n 'button',\n 'canvas',\n 'caption',\n 'cite',\n 'code',\n 'dd',\n 'del',\n 'details',\n 'dfn',\n 'div',\n 'dl',\n 'dt',\n 'em',\n 'fieldset',\n 'figcaption',\n 'figure',\n 'footer',\n 'form',\n 'h1',\n 'h2',\n 'h3',\n 'h4',\n 'h5',\n 'h6',\n 'header',\n 'hgroup',\n 'html',\n 'i',\n 'iframe',\n 'img',\n 'input',\n 'ins',\n 'kbd',\n 'label',\n 'legend',\n 'li',\n 'main',\n 'mark',\n 'menu',\n 'nav',\n 'object',\n 'ol',\n 'p',\n 'q',\n 'quote',\n 'samp',\n 'section',\n 'span',\n 'strong',\n 'summary',\n 'sup',\n 'table',\n 'tbody',\n 'td',\n 'textarea',\n 'tfoot',\n 'th',\n 'thead',\n 'time',\n 'tr',\n 'ul',\n 'var',\n 'video'\n];\n\nconst MEDIA_FEATURES = [\n 'any-hover',\n 'any-pointer',\n 'aspect-ratio',\n 'color',\n 'color-gamut',\n 'color-index',\n 'device-aspect-ratio',\n 'device-height',\n 'device-width',\n 'display-mode',\n 'forced-colors',\n 'grid',\n 'height',\n 'hover',\n 'inverted-colors',\n 'monochrome',\n 'orientation',\n 'overflow-block',\n 'overflow-inline',\n 'pointer',\n 'prefers-color-scheme',\n 'prefers-contrast',\n 'prefers-reduced-motion',\n 'prefers-reduced-transparency',\n 'resolution',\n 'scan',\n 'scripting',\n 'update',\n 'width',\n // TODO: find a better solution?\n 'min-width',\n 'max-width',\n 'min-height',\n 'max-height'\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/CSS/Pseudo-classes\nconst PSEUDO_CLASSES = [\n 'active',\n 'any-link',\n 'blank',\n 'checked',\n 'current',\n 'default',\n 'defined',\n 'dir', // dir()\n 'disabled',\n 'drop',\n 'empty',\n 'enabled',\n 'first',\n 'first-child',\n 'first-of-type',\n 'fullscreen',\n 'future',\n 'focus',\n 'focus-visible',\n 'focus-within',\n 'has', // has()\n 'host', // host or host()\n 'host-context', // host-context()\n 'hover',\n 'indeterminate',\n 'in-range',\n 'invalid',\n 'is', // is()\n 'lang', // lang()\n 'last-child',\n 'last-of-type',\n 'left',\n 'link',\n 'local-link',\n 'not', // not()\n 'nth-child', // nth-child()\n 'nth-col', // nth-col()\n 'nth-last-child', // nth-last-child()\n 'nth-last-col', // nth-last-col()\n 'nth-last-of-type', //nth-last-of-type()\n 'nth-of-type', //nth-of-type()\n 'only-child',\n 'only-of-type',\n 'optional',\n 'out-of-range',\n 'past',\n 'placeholder-shown',\n 'read-only',\n 'read-write',\n 'required',\n 'right',\n 'root',\n 'scope',\n 'target',\n 'target-within',\n 'user-invalid',\n 'valid',\n 'visited',\n 'where' // where()\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/CSS/Pseudo-elements\nconst PSEUDO_ELEMENTS = [\n 'after',\n 'backdrop',\n 'before',\n 'cue',\n 'cue-region',\n 'first-letter',\n 'first-line',\n 'grammar-error',\n 'marker',\n 'part',\n 'placeholder',\n 'selection',\n 'slotted',\n 'spelling-error'\n];\n\nconst ATTRIBUTES = [\n 'align-content',\n 'align-items',\n 'align-self',\n 'all',\n 'animation',\n 'animation-delay',\n 'animation-direction',\n 'animation-duration',\n 'animation-fill-mode',\n 'animation-iteration-count',\n 'animation-name',\n 'animation-play-state',\n 'animation-timing-function',\n 'backface-visibility',\n 'background',\n 'background-attachment',\n 'background-blend-mode',\n 'background-clip',\n 'background-color',\n 'background-image',\n 'background-origin',\n 'background-position',\n 'background-repeat',\n 'background-size',\n 'block-size',\n 'border',\n 'border-block',\n 'border-block-color',\n 'border-block-end',\n 'border-block-end-color',\n 'border-block-end-style',\n 'border-block-end-width',\n 'border-block-start',\n 'border-block-start-color',\n 'border-block-start-style',\n 'border-block-start-width',\n 'border-block-style',\n 'border-block-width',\n 'border-bottom',\n 'border-bottom-color',\n 'border-bottom-left-radius',\n 'border-bottom-right-radius',\n 'border-bottom-style',\n 'border-bottom-width',\n 'border-collapse',\n 'border-color',\n 'border-image',\n 'border-image-outset',\n 'border-image-repeat',\n 'border-image-slice',\n 'border-image-source',\n 'border-image-width',\n 'border-inline',\n 'border-inline-color',\n 'border-inline-end',\n 'border-inline-end-color',\n 'border-inline-end-style',\n 'border-inline-end-width',\n 'border-inline-start',\n 'border-inline-start-color',\n 'border-inline-start-style',\n 'border-inline-start-width',\n 'border-inline-style',\n 'border-inline-width',\n 'border-left',\n 'border-left-color',\n 'border-left-style',\n 'border-left-width',\n 'border-radius',\n 'border-right',\n 'border-right-color',\n 'border-right-style',\n 'border-right-width',\n 'border-spacing',\n 'border-style',\n 'border-top',\n 'border-top-color',\n 'border-top-left-radius',\n 'border-top-right-radius',\n 'border-top-style',\n 'border-top-width',\n 'border-width',\n 'bottom',\n 'box-decoration-break',\n 'box-shadow',\n 'box-sizing',\n 'break-after',\n 'break-before',\n 'break-inside',\n 'caption-side',\n 'caret-color',\n 'clear',\n 'clip',\n 'clip-path',\n 'clip-rule',\n 'color',\n 'column-count',\n 'column-fill',\n 'column-gap',\n 'column-rule',\n 'column-rule-color',\n 'column-rule-style',\n 'column-rule-width',\n 'column-span',\n 'column-width',\n 'columns',\n 'contain',\n 'content',\n 'content-visibility',\n 'counter-increment',\n 'counter-reset',\n 'cue',\n 'cue-after',\n 'cue-before',\n 'cursor',\n 'direction',\n 'display',\n 'empty-cells',\n 'filter',\n 'flex',\n 'flex-basis',\n 'flex-direction',\n 'flex-flow',\n 'flex-grow',\n 'flex-shrink',\n 'flex-wrap',\n 'float',\n 'flow',\n 'font',\n 'font-display',\n 'font-family',\n 'font-feature-settings',\n 'font-kerning',\n 'font-language-override',\n 'font-size',\n 'font-size-adjust',\n 'font-smoothing',\n 'font-stretch',\n 'font-style',\n 'font-synthesis',\n 'font-variant',\n 'font-variant-caps',\n 'font-variant-east-asian',\n 'font-variant-ligatures',\n 'font-variant-numeric',\n 'font-variant-position',\n 'font-variation-settings',\n 'font-weight',\n 'gap',\n 'glyph-orientation-vertical',\n 'grid',\n 'grid-area',\n 'grid-auto-columns',\n 'grid-auto-flow',\n 'grid-auto-rows',\n 'grid-column',\n 'grid-column-end',\n 'grid-column-start',\n 'grid-gap',\n 'grid-row',\n 'grid-row-end',\n 'grid-row-start',\n 'grid-template',\n 'grid-template-areas',\n 'grid-template-columns',\n 'grid-template-rows',\n 'hanging-punctuation',\n 'height',\n 'hyphens',\n 'icon',\n 'image-orientation',\n 'image-rendering',\n 'image-resolution',\n 'ime-mode',\n 'inline-size',\n 'isolation',\n 'justify-content',\n 'left',\n 'letter-spacing',\n 'line-break',\n 'line-height',\n 'list-style',\n 'list-style-image',\n 'list-style-position',\n 'list-style-type',\n 'margin',\n 'margin-block',\n 'margin-block-end',\n 'margin-block-start',\n 'margin-bottom',\n 'margin-inline',\n 'margin-inline-end',\n 'margin-inline-start',\n 'margin-left',\n 'margin-right',\n 'margin-top',\n 'marks',\n 'mask',\n 'mask-border',\n 'mask-border-mode',\n 'mask-border-outset',\n 'mask-border-repeat',\n 'mask-border-slice',\n 'mask-border-source',\n 'mask-border-width',\n 'mask-clip',\n 'mask-composite',\n 'mask-image',\n 'mask-mode',\n 'mask-origin',\n 'mask-position',\n 'mask-repeat',\n 'mask-size',\n 'mask-type',\n 'max-block-size',\n 'max-height',\n 'max-inline-size',\n 'max-width',\n 'min-block-size',\n 'min-height',\n 'min-inline-size',\n 'min-width',\n 'mix-blend-mode',\n 'nav-down',\n 'nav-index',\n 'nav-left',\n 'nav-right',\n 'nav-up',\n 'none',\n 'normal',\n 'object-fit',\n 'object-position',\n 'opacity',\n 'order',\n 'orphans',\n 'outline',\n 'outline-color',\n 'outline-offset',\n 'outline-style',\n 'outline-width',\n 'overflow',\n 'overflow-wrap',\n 'overflow-x',\n 'overflow-y',\n 'padding',\n 'padding-block',\n 'padding-block-end',\n 'padding-block-start',\n 'padding-bottom',\n 'padding-inline',\n 'padding-inline-end',\n 'padding-inline-start',\n 'padding-left',\n 'padding-right',\n 'padding-top',\n 'page-break-after',\n 'page-break-before',\n 'page-break-inside',\n 'pause',\n 'pause-after',\n 'pause-before',\n 'perspective',\n 'perspective-origin',\n 'pointer-events',\n 'position',\n 'quotes',\n 'resize',\n 'rest',\n 'rest-after',\n 'rest-before',\n 'right',\n 'row-gap',\n 'scroll-margin',\n 'scroll-margin-block',\n 'scroll-margin-block-end',\n 'scroll-margin-block-start',\n 'scroll-margin-bottom',\n 'scroll-margin-inline',\n 'scroll-margin-inline-end',\n 'scroll-margin-inline-start',\n 'scroll-margin-left',\n 'scroll-margin-right',\n 'scroll-margin-top',\n 'scroll-padding',\n 'scroll-padding-block',\n 'scroll-padding-block-end',\n 'scroll-padding-block-start',\n 'scroll-padding-bottom',\n 'scroll-padding-inline',\n 'scroll-padding-inline-end',\n 'scroll-padding-inline-start',\n 'scroll-padding-left',\n 'scroll-padding-right',\n 'scroll-padding-top',\n 'scroll-snap-align',\n 'scroll-snap-stop',\n 'scroll-snap-type',\n 'scrollbar-color',\n 'scrollbar-gutter',\n 'scrollbar-width',\n 'shape-image-threshold',\n 'shape-margin',\n 'shape-outside',\n 'speak',\n 'speak-as',\n 'src', // @font-face\n 'tab-size',\n 'table-layout',\n 'text-align',\n 'text-align-all',\n 'text-align-last',\n 'text-combine-upright',\n 'text-decoration',\n 'text-decoration-color',\n 'text-decoration-line',\n 'text-decoration-style',\n 'text-emphasis',\n 'text-emphasis-color',\n 'text-emphasis-position',\n 'text-emphasis-style',\n 'text-indent',\n 'text-justify',\n 'text-orientation',\n 'text-overflow',\n 'text-rendering',\n 'text-shadow',\n 'text-transform',\n 'text-underline-position',\n 'top',\n 'transform',\n 'transform-box',\n 'transform-origin',\n 'transform-style',\n 'transition',\n 'transition-delay',\n 'transition-duration',\n 'transition-property',\n 'transition-timing-function',\n 'unicode-bidi',\n 'vertical-align',\n 'visibility',\n 'voice-balance',\n 'voice-duration',\n 'voice-family',\n 'voice-pitch',\n 'voice-range',\n 'voice-rate',\n 'voice-stress',\n 'voice-volume',\n 'white-space',\n 'widows',\n 'width',\n 'will-change',\n 'word-break',\n 'word-spacing',\n 'word-wrap',\n 'writing-mode',\n 'z-index'\n // reverse makes sure longer attributes `font-weight` are matched fully\n // instead of getting false positives on say `font`\n].reverse();\n\n/*\nLanguage: Stylus\nAuthor: Bryant Williams <b.n.williams@gmail.com>\nDescription: Stylus is an expressive, robust, feature-rich CSS language built for nodejs.\nWebsite: https://github.com/stylus/stylus\nCategory: css, web\n*/\n\n/** @type LanguageFn */\nfunction stylus(hljs) {\n const modes = MODES(hljs);\n\n const AT_MODIFIERS = \"and or not only\";\n const VARIABLE = {\n className: 'variable',\n begin: '\\\\$' + hljs.IDENT_RE\n };\n\n const AT_KEYWORDS = [\n 'charset',\n 'css',\n 'debug',\n 'extend',\n 'font-face',\n 'for',\n 'import',\n 'include',\n 'keyframes',\n 'media',\n 'mixin',\n 'page',\n 'warn',\n 'while'\n ];\n\n const LOOKAHEAD_TAG_END = '(?=[.\\\\s\\\\n[:,(])';\n\n // illegals\n const ILLEGAL = [\n '\\\\?',\n '(\\\\bReturn\\\\b)', // monkey\n '(\\\\bEnd\\\\b)', // monkey\n '(\\\\bend\\\\b)', // vbscript\n '(\\\\bdef\\\\b)', // gradle\n ';', // a whole lot of languages\n '#\\\\s', // markdown\n '\\\\*\\\\s', // markdown\n '===\\\\s', // markdown\n '\\\\|',\n '%' // prolog\n ];\n\n return {\n name: 'Stylus',\n aliases: [ 'styl' ],\n case_insensitive: false,\n keywords: 'if else for in',\n illegal: '(' + ILLEGAL.join('|') + ')',\n contains: [\n\n // strings\n hljs.QUOTE_STRING_MODE,\n hljs.APOS_STRING_MODE,\n\n // comments\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n\n // hex colors\n modes.HEXCOLOR,\n\n // class tag\n {\n begin: '\\\\.[a-zA-Z][a-zA-Z0-9_-]*' + LOOKAHEAD_TAG_END,\n className: 'selector-class'\n },\n\n // id tag\n {\n begin: '#[a-zA-Z][a-zA-Z0-9_-]*' + LOOKAHEAD_TAG_END,\n className: 'selector-id'\n },\n\n // tags\n {\n begin: '\\\\b(' + TAGS.join('|') + ')' + LOOKAHEAD_TAG_END,\n className: 'selector-tag'\n },\n\n // psuedo selectors\n {\n className: 'selector-pseudo',\n begin: '&?:(' + PSEUDO_CLASSES.join('|') + ')' + LOOKAHEAD_TAG_END\n },\n {\n className: 'selector-pseudo',\n begin: '&?:(:)?(' + PSEUDO_ELEMENTS.join('|') + ')' + LOOKAHEAD_TAG_END\n },\n\n modes.ATTRIBUTE_SELECTOR_MODE,\n\n {\n className: \"keyword\",\n begin: /@media/,\n starts: {\n end: /[{;}]/,\n keywords: {\n $pattern: /[a-z-]+/,\n keyword: AT_MODIFIERS,\n attribute: MEDIA_FEATURES.join(\" \")\n },\n contains: [ modes.CSS_NUMBER_MODE ]\n }\n },\n\n // @ keywords\n {\n className: 'keyword',\n begin: '\\@((-(o|moz|ms|webkit)-)?(' + AT_KEYWORDS.join('|') + '))\\\\b'\n },\n\n // variables\n VARIABLE,\n\n // dimension\n modes.CSS_NUMBER_MODE,\n\n // functions\n // - only from beginning of line + whitespace\n {\n className: 'function',\n begin: '^[a-zA-Z][a-zA-Z0-9_\\-]*\\\\(.*\\\\)',\n illegal: '[\\\\n]',\n returnBegin: true,\n contains: [\n {\n className: 'title',\n begin: '\\\\b[a-zA-Z][a-zA-Z0-9_\\-]*'\n },\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n contains: [\n modes.HEXCOLOR,\n VARIABLE,\n hljs.APOS_STRING_MODE,\n modes.CSS_NUMBER_MODE,\n hljs.QUOTE_STRING_MODE\n ]\n }\n ]\n },\n\n // css variables\n modes.CSS_VARIABLE,\n\n // attributes\n // - only from beginning of line + whitespace\n // - must have whitespace after it\n {\n className: 'attribute',\n begin: '\\\\b(' + ATTRIBUTES.join('|') + ')\\\\b',\n starts: {\n // value container\n end: /;|$/,\n contains: [\n modes.HEXCOLOR,\n VARIABLE,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n modes.CSS_NUMBER_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n modes.IMPORTANT,\n modes.FUNCTION_DISPATCH\n ],\n illegal: /\\./,\n relevance: 0\n }\n },\n modes.FUNCTION_DISPATCH\n ]\n };\n}\n\nmodule.exports = stylus;\n", "/*\nLanguage: SubUnit\nAuthor: Sergey Bronnikov <sergeyb@bronevichok.ru>\nWebsite: https://pypi.org/project/python-subunit/\n*/\n\nfunction subunit(hljs) {\n const DETAILS = {\n className: 'string',\n begin: '\\\\[\\n(multipart)?',\n end: '\\\\]\\n'\n };\n const TIME = {\n className: 'string',\n begin: '\\\\d{4}-\\\\d{2}-\\\\d{2}(\\\\s+)\\\\d{2}:\\\\d{2}:\\\\d{2}\\.\\\\d+Z'\n };\n const PROGRESSVALUE = {\n className: 'string',\n begin: '(\\\\+|-)\\\\d+'\n };\n const KEYWORDS = {\n className: 'keyword',\n relevance: 10,\n variants: [\n { begin: '^(test|testing|success|successful|failure|error|skip|xfail|uxsuccess)(:?)\\\\s+(test)?' },\n { begin: '^progress(:?)(\\\\s+)?(pop|push)?' },\n { begin: '^tags:' },\n { begin: '^time:' }\n ]\n };\n return {\n name: 'SubUnit',\n case_insensitive: true,\n contains: [\n DETAILS,\n TIME,\n PROGRESSVALUE,\n KEYWORDS\n ]\n };\n}\n\nmodule.exports = subunit;\n", "/**\n * @param {string} value\n * @returns {RegExp}\n * */\n\n/**\n * @param {RegExp | string } re\n * @returns {string}\n */\nfunction source(re) {\n if (!re) return null;\n if (typeof re === \"string\") return re;\n\n return re.source;\n}\n\n/**\n * @param {RegExp | string } re\n * @returns {string}\n */\nfunction lookahead(re) {\n return concat('(?=', re, ')');\n}\n\n/**\n * @param {...(RegExp | string) } args\n * @returns {string}\n */\nfunction concat(...args) {\n const joined = args.map((x) => source(x)).join(\"\");\n return joined;\n}\n\n/**\n * @param { Array<string | RegExp | Object> } args\n * @returns {object}\n */\nfunction stripOptionsFromArgs(args) {\n const opts = args[args.length - 1];\n\n if (typeof opts === 'object' && opts.constructor === Object) {\n args.splice(args.length - 1, 1);\n return opts;\n } else {\n return {};\n }\n}\n\n/** @typedef { {capture?: boolean} } RegexEitherOptions */\n\n/**\n * Any of the passed expresssions may match\n *\n * Creates a huge this | this | that | that match\n * @param {(RegExp | string)[] | [...(RegExp | string)[], RegexEitherOptions]} args\n * @returns {string}\n */\nfunction either(...args) {\n /** @type { object & {capture?: boolean} } */\n const opts = stripOptionsFromArgs(args);\n const joined = '('\n + (opts.capture ? \"\" : \"?:\")\n + args.map((x) => source(x)).join(\"|\") + \")\";\n return joined;\n}\n\nconst keywordWrapper = keyword => concat(\n /\\b/,\n keyword,\n /\\w$/.test(keyword) ? /\\b/ : /\\B/\n);\n\n// Keywords that require a leading dot.\nconst dotKeywords = [\n 'Protocol', // contextual\n 'Type' // contextual\n].map(keywordWrapper);\n\n// Keywords that may have a leading dot.\nconst optionalDotKeywords = [\n 'init',\n 'self'\n].map(keywordWrapper);\n\n// should register as keyword, not type\nconst keywordTypes = [\n 'Any',\n 'Self'\n];\n\n// Regular keywords and literals.\nconst keywords = [\n // strings below will be fed into the regular `keywords` engine while regex\n // will result in additional modes being created to scan for those keywords to\n // avoid conflicts with other rules\n 'actor',\n 'any', // contextual\n 'associatedtype',\n 'async',\n 'await',\n /as\\?/, // operator\n /as!/, // operator\n 'as', // operator\n 'break',\n 'case',\n 'catch',\n 'class',\n 'continue',\n 'convenience', // contextual\n 'default',\n 'defer',\n 'deinit',\n 'didSet', // contextual\n 'distributed',\n 'do',\n 'dynamic', // contextual\n 'else',\n 'enum',\n 'extension',\n 'fallthrough',\n /fileprivate\\(set\\)/,\n 'fileprivate',\n 'final', // contextual\n 'for',\n 'func',\n 'get', // contextual\n 'guard',\n 'if',\n 'import',\n 'indirect', // contextual\n 'infix', // contextual\n /init\\?/,\n /init!/,\n 'inout',\n /internal\\(set\\)/,\n 'internal',\n 'in',\n 'is', // operator\n 'isolated', // contextual\n 'nonisolated', // contextual\n 'lazy', // contextual\n 'let',\n 'mutating', // contextual\n 'nonmutating', // contextual\n /open\\(set\\)/, // contextual\n 'open', // contextual\n 'operator',\n 'optional', // contextual\n 'override', // contextual\n 'postfix', // contextual\n 'precedencegroup',\n 'prefix', // contextual\n /private\\(set\\)/,\n 'private',\n 'protocol',\n /public\\(set\\)/,\n 'public',\n 'repeat',\n 'required', // contextual\n 'rethrows',\n 'return',\n 'set', // contextual\n 'some', // contextual\n 'static',\n 'struct',\n 'subscript',\n 'super',\n 'switch',\n 'throws',\n 'throw',\n /try\\?/, // operator\n /try!/, // operator\n 'try', // operator\n 'typealias',\n /unowned\\(safe\\)/, // contextual\n /unowned\\(unsafe\\)/, // contextual\n 'unowned', // contextual\n 'var',\n 'weak', // contextual\n 'where',\n 'while',\n 'willSet' // contextual\n];\n\n// NOTE: Contextual keywords are reserved only in specific contexts.\n// Ideally, these should be matched using modes to avoid false positives.\n\n// Literals.\nconst literals = [\n 'false',\n 'nil',\n 'true'\n];\n\n// Keywords used in precedence groups.\nconst precedencegroupKeywords = [\n 'assignment',\n 'associativity',\n 'higherThan',\n 'left',\n 'lowerThan',\n 'none',\n 'right'\n];\n\n// Keywords that start with a number sign (#).\n// #(un)available is handled separately.\nconst numberSignKeywords = [\n '#colorLiteral',\n '#column',\n '#dsohandle',\n '#else',\n '#elseif',\n '#endif',\n '#error',\n '#file',\n '#fileID',\n '#fileLiteral',\n '#filePath',\n '#function',\n '#if',\n '#imageLiteral',\n '#keyPath',\n '#line',\n '#selector',\n '#sourceLocation',\n '#warn_unqualified_access',\n '#warning'\n];\n\n// Global functions in the Standard Library.\nconst builtIns = [\n 'abs',\n 'all',\n 'any',\n 'assert',\n 'assertionFailure',\n 'debugPrint',\n 'dump',\n 'fatalError',\n 'getVaList',\n 'isKnownUniquelyReferenced',\n 'max',\n 'min',\n 'numericCast',\n 'pointwiseMax',\n 'pointwiseMin',\n 'precondition',\n 'preconditionFailure',\n 'print',\n 'readLine',\n 'repeatElement',\n 'sequence',\n 'stride',\n 'swap',\n 'swift_unboxFromSwiftValueWithType',\n 'transcode',\n 'type',\n 'unsafeBitCast',\n 'unsafeDowncast',\n 'withExtendedLifetime',\n 'withUnsafeMutablePointer',\n 'withUnsafePointer',\n 'withVaList',\n 'withoutActuallyEscaping',\n 'zip'\n];\n\n// Valid first characters for operators.\nconst operatorHead = either(\n /[/=\\-+!*%<>&|^~?]/,\n /[\\u00A1-\\u00A7]/,\n /[\\u00A9\\u00AB]/,\n /[\\u00AC\\u00AE]/,\n /[\\u00B0\\u00B1]/,\n /[\\u00B6\\u00BB\\u00BF\\u00D7\\u00F7]/,\n /[\\u2016-\\u2017]/,\n /[\\u2020-\\u2027]/,\n /[\\u2030-\\u203E]/,\n /[\\u2041-\\u2053]/,\n /[\\u2055-\\u205E]/,\n /[\\u2190-\\u23FF]/,\n /[\\u2500-\\u2775]/,\n /[\\u2794-\\u2BFF]/,\n /[\\u2E00-\\u2E7F]/,\n /[\\u3001-\\u3003]/,\n /[\\u3008-\\u3020]/,\n /[\\u3030]/\n);\n\n// Valid characters for operators.\nconst operatorCharacter = either(\n operatorHead,\n /[\\u0300-\\u036F]/,\n /[\\u1DC0-\\u1DFF]/,\n /[\\u20D0-\\u20FF]/,\n /[\\uFE00-\\uFE0F]/,\n /[\\uFE20-\\uFE2F]/\n // TODO: The following characters are also allowed, but the regex isn't supported yet.\n // /[\\u{E0100}-\\u{E01EF}]/u\n);\n\n// Valid operator.\nconst operator = concat(operatorHead, operatorCharacter, '*');\n\n// Valid first characters for identifiers.\nconst identifierHead = either(\n /[a-zA-Z_]/,\n /[\\u00A8\\u00AA\\u00AD\\u00AF\\u00B2-\\u00B5\\u00B7-\\u00BA]/,\n /[\\u00BC-\\u00BE\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u00FF]/,\n /[\\u0100-\\u02FF\\u0370-\\u167F\\u1681-\\u180D\\u180F-\\u1DBF]/,\n /[\\u1E00-\\u1FFF]/,\n /[\\u200B-\\u200D\\u202A-\\u202E\\u203F-\\u2040\\u2054\\u2060-\\u206F]/,\n /[\\u2070-\\u20CF\\u2100-\\u218F\\u2460-\\u24FF\\u2776-\\u2793]/,\n /[\\u2C00-\\u2DFF\\u2E80-\\u2FFF]/,\n /[\\u3004-\\u3007\\u3021-\\u302F\\u3031-\\u303F\\u3040-\\uD7FF]/,\n /[\\uF900-\\uFD3D\\uFD40-\\uFDCF\\uFDF0-\\uFE1F\\uFE30-\\uFE44]/,\n /[\\uFE47-\\uFEFE\\uFF00-\\uFFFD]/ // Should be /[\\uFE47-\\uFFFD]/, but we have to exclude FEFF.\n // The following characters are also allowed, but the regexes aren't supported yet.\n // /[\\u{10000}-\\u{1FFFD}\\u{20000-\\u{2FFFD}\\u{30000}-\\u{3FFFD}\\u{40000}-\\u{4FFFD}]/u,\n // /[\\u{50000}-\\u{5FFFD}\\u{60000-\\u{6FFFD}\\u{70000}-\\u{7FFFD}\\u{80000}-\\u{8FFFD}]/u,\n // /[\\u{90000}-\\u{9FFFD}\\u{A0000-\\u{AFFFD}\\u{B0000}-\\u{BFFFD}\\u{C0000}-\\u{CFFFD}]/u,\n // /[\\u{D0000}-\\u{DFFFD}\\u{E0000-\\u{EFFFD}]/u\n);\n\n// Valid characters for identifiers.\nconst identifierCharacter = either(\n identifierHead,\n /\\d/,\n /[\\u0300-\\u036F\\u1DC0-\\u1DFF\\u20D0-\\u20FF\\uFE20-\\uFE2F]/\n);\n\n// Valid identifier.\nconst identifier = concat(identifierHead, identifierCharacter, '*');\n\n// Valid type identifier.\nconst typeIdentifier = concat(/[A-Z]/, identifierCharacter, '*');\n\n// Built-in attributes, which are highlighted as keywords.\n// @available is handled separately.\nconst keywordAttributes = [\n 'autoclosure',\n concat(/convention\\(/, either('swift', 'block', 'c'), /\\)/),\n 'discardableResult',\n 'dynamicCallable',\n 'dynamicMemberLookup',\n 'escaping',\n 'frozen',\n 'GKInspectable',\n 'IBAction',\n 'IBDesignable',\n 'IBInspectable',\n 'IBOutlet',\n 'IBSegueAction',\n 'inlinable',\n 'main',\n 'nonobjc',\n 'NSApplicationMain',\n 'NSCopying',\n 'NSManaged',\n concat(/objc\\(/, identifier, /\\)/),\n 'objc',\n 'objcMembers',\n 'propertyWrapper',\n 'requires_stored_property_inits',\n 'resultBuilder',\n 'testable',\n 'UIApplicationMain',\n 'unknown',\n 'usableFromInline'\n];\n\n// Contextual keywords used in @available and #(un)available.\nconst availabilityKeywords = [\n 'iOS',\n 'iOSApplicationExtension',\n 'macOS',\n 'macOSApplicationExtension',\n 'macCatalyst',\n 'macCatalystApplicationExtension',\n 'watchOS',\n 'watchOSApplicationExtension',\n 'tvOS',\n 'tvOSApplicationExtension',\n 'swift'\n];\n\n/*\nLanguage: Swift\nDescription: Swift is a general-purpose programming language built using a modern approach to safety, performance, and software design patterns.\nAuthor: Steven Van Impe <steven.vanimpe@icloud.com>\nContributors: Chris Eidhof <chris@eidhof.nl>, Nate Cook <natecook@gmail.com>, Alexander Lichter <manniL@gmx.net>, Richard Gibson <gibson042@github>\nWebsite: https://swift.org\nCategory: common, system\n*/\n\n/** @type LanguageFn */\nfunction swift(hljs) {\n const WHITESPACE = {\n match: /\\s+/,\n relevance: 0\n };\n // https://docs.swift.org/swift-book/ReferenceManual/LexicalStructure.html#ID411\n const BLOCK_COMMENT = hljs.COMMENT(\n '/\\\\*',\n '\\\\*/',\n { contains: [ 'self' ] }\n );\n const COMMENTS = [\n hljs.C_LINE_COMMENT_MODE,\n BLOCK_COMMENT\n ];\n\n // https://docs.swift.org/swift-book/ReferenceManual/LexicalStructure.html#ID413\n // https://docs.swift.org/swift-book/ReferenceManual/zzSummaryOfTheGrammar.html\n const DOT_KEYWORD = {\n match: [\n /\\./,\n either(...dotKeywords, ...optionalDotKeywords)\n ],\n className: { 2: \"keyword\" }\n };\n const KEYWORD_GUARD = {\n // Consume .keyword to prevent highlighting properties and methods as keywords.\n match: concat(/\\./, either(...keywords)),\n relevance: 0\n };\n const PLAIN_KEYWORDS = keywords\n .filter(kw => typeof kw === 'string')\n .concat([ \"_|0\" ]); // seems common, so 0 relevance\n const REGEX_KEYWORDS = keywords\n .filter(kw => typeof kw !== 'string') // find regex\n .concat(keywordTypes)\n .map(keywordWrapper);\n const KEYWORD = { variants: [\n {\n className: 'keyword',\n match: either(...REGEX_KEYWORDS, ...optionalDotKeywords)\n }\n ] };\n // find all the regular keywords\n const KEYWORDS = {\n $pattern: either(\n /\\b\\w+/, // regular keywords\n /#\\w+/ // number keywords\n ),\n keyword: PLAIN_KEYWORDS\n .concat(numberSignKeywords),\n literal: literals\n };\n const KEYWORD_MODES = [\n DOT_KEYWORD,\n KEYWORD_GUARD,\n KEYWORD\n ];\n\n // https://github.com/apple/swift/tree/main/stdlib/public/core\n const BUILT_IN_GUARD = {\n // Consume .built_in to prevent highlighting properties and methods.\n match: concat(/\\./, either(...builtIns)),\n relevance: 0\n };\n const BUILT_IN = {\n className: 'built_in',\n match: concat(/\\b/, either(...builtIns), /(?=\\()/)\n };\n const BUILT_INS = [\n BUILT_IN_GUARD,\n BUILT_IN\n ];\n\n // https://docs.swift.org/swift-book/ReferenceManual/LexicalStructure.html#ID418\n const OPERATOR_GUARD = {\n // Prevent -> from being highlighting as an operator.\n match: /->/,\n relevance: 0\n };\n const OPERATOR = {\n className: 'operator',\n relevance: 0,\n variants: [\n { match: operator },\n {\n // dot-operator: only operators that start with a dot are allowed to use dots as\n // characters (..., ...<, .*, etc). So there rule here is: a dot followed by one or more\n // characters that may also include dots.\n match: `\\\\.(\\\\.|${operatorCharacter})+` }\n ]\n };\n const OPERATORS = [\n OPERATOR_GUARD,\n OPERATOR\n ];\n\n // https://docs.swift.org/swift-book/ReferenceManual/LexicalStructure.html#grammar_numeric-literal\n // TODO: Update for leading `-` after lookbehind is supported everywhere\n const decimalDigits = '([0-9]_*)+';\n const hexDigits = '([0-9a-fA-F]_*)+';\n const NUMBER = {\n className: 'number',\n relevance: 0,\n variants: [\n // decimal floating-point-literal (subsumes decimal-literal)\n { match: `\\\\b(${decimalDigits})(\\\\.(${decimalDigits}))?` + `([eE][+-]?(${decimalDigits}))?\\\\b` },\n // hexadecimal floating-point-literal (subsumes hexadecimal-literal)\n { match: `\\\\b0x(${hexDigits})(\\\\.(${hexDigits}))?` + `([pP][+-]?(${decimalDigits}))?\\\\b` },\n // octal-literal\n { match: /\\b0o([0-7]_*)+\\b/ },\n // binary-literal\n { match: /\\b0b([01]_*)+\\b/ }\n ]\n };\n\n // https://docs.swift.org/swift-book/ReferenceManual/LexicalStructure.html#grammar_string-literal\n const ESCAPED_CHARACTER = (rawDelimiter = \"\") => ({\n className: 'subst',\n variants: [\n { match: concat(/\\\\/, rawDelimiter, /[0\\\\tnr\"']/) },\n { match: concat(/\\\\/, rawDelimiter, /u\\{[0-9a-fA-F]{1,8}\\}/) }\n ]\n });\n const ESCAPED_NEWLINE = (rawDelimiter = \"\") => ({\n className: 'subst',\n match: concat(/\\\\/, rawDelimiter, /[\\t ]*(?:[\\r\\n]|\\r\\n)/)\n });\n const INTERPOLATION = (rawDelimiter = \"\") => ({\n className: 'subst',\n label: \"interpol\",\n begin: concat(/\\\\/, rawDelimiter, /\\(/),\n end: /\\)/\n });\n const MULTILINE_STRING = (rawDelimiter = \"\") => ({\n begin: concat(rawDelimiter, /\"\"\"/),\n end: concat(/\"\"\"/, rawDelimiter),\n contains: [\n ESCAPED_CHARACTER(rawDelimiter),\n ESCAPED_NEWLINE(rawDelimiter),\n INTERPOLATION(rawDelimiter)\n ]\n });\n const SINGLE_LINE_STRING = (rawDelimiter = \"\") => ({\n begin: concat(rawDelimiter, /\"/),\n end: concat(/\"/, rawDelimiter),\n contains: [\n ESCAPED_CHARACTER(rawDelimiter),\n INTERPOLATION(rawDelimiter)\n ]\n });\n const STRING = {\n className: 'string',\n variants: [\n MULTILINE_STRING(),\n MULTILINE_STRING(\"#\"),\n MULTILINE_STRING(\"##\"),\n MULTILINE_STRING(\"###\"),\n SINGLE_LINE_STRING(),\n SINGLE_LINE_STRING(\"#\"),\n SINGLE_LINE_STRING(\"##\"),\n SINGLE_LINE_STRING(\"###\")\n ]\n };\n\n // https://docs.swift.org/swift-book/ReferenceManual/LexicalStructure.html#ID412\n const QUOTED_IDENTIFIER = { match: concat(/`/, identifier, /`/) };\n const IMPLICIT_PARAMETER = {\n className: 'variable',\n match: /\\$\\d+/\n };\n const PROPERTY_WRAPPER_PROJECTION = {\n className: 'variable',\n match: `\\\\$${identifierCharacter}+`\n };\n const IDENTIFIERS = [\n QUOTED_IDENTIFIER,\n IMPLICIT_PARAMETER,\n PROPERTY_WRAPPER_PROJECTION\n ];\n\n // https://docs.swift.org/swift-book/ReferenceManual/Attributes.html\n const AVAILABLE_ATTRIBUTE = {\n match: /(@|#(un)?)available/,\n className: \"keyword\",\n starts: { contains: [\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: availabilityKeywords,\n contains: [\n ...OPERATORS,\n NUMBER,\n STRING\n ]\n }\n ] }\n };\n const KEYWORD_ATTRIBUTE = {\n className: 'keyword',\n match: concat(/@/, either(...keywordAttributes))\n };\n const USER_DEFINED_ATTRIBUTE = {\n className: 'meta',\n match: concat(/@/, identifier)\n };\n const ATTRIBUTES = [\n AVAILABLE_ATTRIBUTE,\n KEYWORD_ATTRIBUTE,\n USER_DEFINED_ATTRIBUTE\n ];\n\n // https://docs.swift.org/swift-book/ReferenceManual/Types.html\n const TYPE = {\n match: lookahead(/\\b[A-Z]/),\n relevance: 0,\n contains: [\n { // Common Apple frameworks, for relevance boost\n className: 'type',\n match: concat(/(AV|CA|CF|CG|CI|CL|CM|CN|CT|MK|MP|MTK|MTL|NS|SCN|SK|UI|WK|XC)/, identifierCharacter, '+')\n },\n { // Type identifier\n className: 'type',\n match: typeIdentifier,\n relevance: 0\n },\n { // Optional type\n match: /[?!]+/,\n relevance: 0\n },\n { // Variadic parameter\n match: /\\.\\.\\./,\n relevance: 0\n },\n { // Protocol composition\n match: concat(/\\s+&\\s+/, lookahead(typeIdentifier)),\n relevance: 0\n }\n ]\n };\n const GENERIC_ARGUMENTS = {\n begin: /</,\n end: />/,\n keywords: KEYWORDS,\n contains: [\n ...COMMENTS,\n ...KEYWORD_MODES,\n ...ATTRIBUTES,\n OPERATOR_GUARD,\n TYPE\n ]\n };\n TYPE.contains.push(GENERIC_ARGUMENTS);\n\n // https://docs.swift.org/swift-book/ReferenceManual/Expressions.html#ID552\n // Prevents element names from being highlighted as keywords.\n const TUPLE_ELEMENT_NAME = {\n match: concat(identifier, /\\s*:/),\n keywords: \"_|0\",\n relevance: 0\n };\n // Matches tuples as well as the parameter list of a function type.\n const TUPLE = {\n begin: /\\(/,\n end: /\\)/,\n relevance: 0,\n keywords: KEYWORDS,\n contains: [\n 'self',\n TUPLE_ELEMENT_NAME,\n ...COMMENTS,\n ...KEYWORD_MODES,\n ...BUILT_INS,\n ...OPERATORS,\n NUMBER,\n STRING,\n ...IDENTIFIERS,\n ...ATTRIBUTES,\n TYPE\n ]\n };\n\n const GENERIC_PARAMETERS = {\n begin: /</,\n end: />/,\n contains: [\n ...COMMENTS,\n TYPE\n ]\n };\n const FUNCTION_PARAMETER_NAME = {\n begin: either(\n lookahead(concat(identifier, /\\s*:/)),\n lookahead(concat(identifier, /\\s+/, identifier, /\\s*:/))\n ),\n end: /:/,\n relevance: 0,\n contains: [\n {\n className: 'keyword',\n match: /\\b_\\b/\n },\n {\n className: 'params',\n match: identifier\n }\n ]\n };\n const FUNCTION_PARAMETERS = {\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS,\n contains: [\n FUNCTION_PARAMETER_NAME,\n ...COMMENTS,\n ...KEYWORD_MODES,\n ...OPERATORS,\n NUMBER,\n STRING,\n ...ATTRIBUTES,\n TYPE,\n TUPLE\n ],\n endsParent: true,\n illegal: /[\"']/\n };\n // https://docs.swift.org/swift-book/ReferenceManual/Declarations.html#ID362\n const FUNCTION = {\n match: [\n /func/,\n /\\s+/,\n either(QUOTED_IDENTIFIER.match, identifier, operator)\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.function\"\n },\n contains: [\n GENERIC_PARAMETERS,\n FUNCTION_PARAMETERS,\n WHITESPACE\n ],\n illegal: [\n /\\[/,\n /%/\n ]\n };\n\n // https://docs.swift.org/swift-book/ReferenceManual/Declarations.html#ID375\n // https://docs.swift.org/swift-book/ReferenceManual/Declarations.html#ID379\n const INIT_SUBSCRIPT = {\n match: [\n /\\b(?:subscript|init[?!]?)/,\n /\\s*(?=[<(])/,\n ],\n className: { 1: \"keyword\" },\n contains: [\n GENERIC_PARAMETERS,\n FUNCTION_PARAMETERS,\n WHITESPACE\n ],\n illegal: /\\[|%/\n };\n // https://docs.swift.org/swift-book/ReferenceManual/Declarations.html#ID380\n const OPERATOR_DECLARATION = {\n match: [\n /operator/,\n /\\s+/,\n operator\n ],\n className: {\n 1: \"keyword\",\n 3: \"title\"\n }\n };\n\n // https://docs.swift.org/swift-book/ReferenceManual/Declarations.html#ID550\n const PRECEDENCEGROUP = {\n begin: [\n /precedencegroup/,\n /\\s+/,\n typeIdentifier\n ],\n className: {\n 1: \"keyword\",\n 3: \"title\"\n },\n contains: [ TYPE ],\n keywords: [\n ...precedencegroupKeywords,\n ...literals\n ],\n end: /}/\n };\n\n // Add supported submodes to string interpolation.\n for (const variant of STRING.variants) {\n const interpolation = variant.contains.find(mode => mode.label === \"interpol\");\n // TODO: Interpolation can contain any expression, so there's room for improvement here.\n interpolation.keywords = KEYWORDS;\n const submodes = [\n ...KEYWORD_MODES,\n ...BUILT_INS,\n ...OPERATORS,\n NUMBER,\n STRING,\n ...IDENTIFIERS\n ];\n interpolation.contains = [\n ...submodes,\n {\n begin: /\\(/,\n end: /\\)/,\n contains: [\n 'self',\n ...submodes\n ]\n }\n ];\n }\n\n return {\n name: 'Swift',\n keywords: KEYWORDS,\n contains: [\n ...COMMENTS,\n FUNCTION,\n INIT_SUBSCRIPT,\n {\n beginKeywords: 'struct protocol class extension enum actor',\n end: '\\\\{',\n excludeEnd: true,\n keywords: KEYWORDS,\n contains: [\n hljs.inherit(hljs.TITLE_MODE, {\n className: \"title.class\",\n begin: /[A-Za-z$_][\\u00C0-\\u02B80-9A-Za-z$_]*/\n }),\n ...KEYWORD_MODES\n ]\n },\n OPERATOR_DECLARATION,\n PRECEDENCEGROUP,\n {\n beginKeywords: 'import',\n end: /$/,\n contains: [ ...COMMENTS ],\n relevance: 0\n },\n ...KEYWORD_MODES,\n ...BUILT_INS,\n ...OPERATORS,\n NUMBER,\n STRING,\n ...IDENTIFIERS,\n ...ATTRIBUTES,\n TYPE,\n TUPLE\n ]\n };\n}\n\nmodule.exports = swift;\n", "/*\nLanguage: Tagger Script\nAuthor: Philipp Wolfer <ph.wolfer@gmail.com>\nDescription: Syntax Highlighting for the Tagger Script as used by MusicBrainz Picard.\nWebsite: https://picard.musicbrainz.org\n */\nfunction taggerscript(hljs) {\n const NOOP = {\n className: 'comment',\n begin: /\\$noop\\(/,\n end: /\\)/,\n contains: [\n { begin: /\\\\[()]/ },\n {\n begin: /\\(/,\n end: /\\)/,\n contains: [\n { begin: /\\\\[()]/ },\n 'self'\n ]\n }\n ],\n relevance: 10\n };\n\n const FUNCTION = {\n className: 'keyword',\n begin: /\\$[_a-zA-Z0-9]+(?=\\()/\n };\n\n const VARIABLE = {\n className: 'variable',\n begin: /%[_a-zA-Z0-9:]+%/\n };\n\n const ESCAPE_SEQUENCE_UNICODE = {\n className: 'symbol',\n begin: /\\\\u[a-fA-F0-9]{4}/\n };\n\n const ESCAPE_SEQUENCE = {\n className: 'symbol',\n begin: /\\\\[\\\\nt$%,()]/\n };\n\n return {\n name: 'Tagger Script',\n contains: [\n NOOP,\n FUNCTION,\n VARIABLE,\n ESCAPE_SEQUENCE,\n ESCAPE_SEQUENCE_UNICODE\n ]\n };\n}\n\nmodule.exports = taggerscript;\n", "/*\nLanguage: YAML\nDescription: Yet Another Markdown Language\nAuthor: Stefan Wienert <stwienert@gmail.com>\nContributors: Carl Baxter <carl@cbax.tech>\nRequires: ruby.js\nWebsite: https://yaml.org\nCategory: common, config\n*/\nfunction yaml(hljs) {\n const LITERALS = 'true false yes no null';\n\n // YAML spec allows non-reserved URI characters in tags.\n const URI_CHARACTERS = '[\\\\w#;/?:@&=+$,.~*\\'()[\\\\]]+';\n\n // Define keys as starting with a word character\n // ...containing word chars, spaces, colons, forward-slashes, hyphens and periods\n // ...and ending with a colon followed immediately by a space, tab or newline.\n // The YAML spec allows for much more than this, but this covers most use-cases.\n const KEY = {\n className: 'attr',\n variants: [\n { begin: '\\\\w[\\\\w :\\\\/.-]*:(?=[ \\t]|$)' },\n { // double quoted keys\n begin: '\"\\\\w[\\\\w :\\\\/.-]*\":(?=[ \\t]|$)' },\n { // single quoted keys\n begin: '\\'\\\\w[\\\\w :\\\\/.-]*\\':(?=[ \\t]|$)' }\n ]\n };\n\n const TEMPLATE_VARIABLES = {\n className: 'template-variable',\n variants: [\n { // jinja templates Ansible\n begin: /\\{\\{/,\n end: /\\}\\}/\n },\n { // Ruby i18n\n begin: /%\\{/,\n end: /\\}/\n }\n ]\n };\n const STRING = {\n className: 'string',\n relevance: 0,\n variants: [\n {\n begin: /'/,\n end: /'/\n },\n {\n begin: /\"/,\n end: /\"/\n },\n { begin: /\\S+/ }\n ],\n contains: [\n hljs.BACKSLASH_ESCAPE,\n TEMPLATE_VARIABLES\n ]\n };\n\n // Strings inside of value containers (objects) can't contain braces,\n // brackets, or commas\n const CONTAINER_STRING = hljs.inherit(STRING, { variants: [\n {\n begin: /'/,\n end: /'/\n },\n {\n begin: /\"/,\n end: /\"/\n },\n { begin: /[^\\s,{}[\\]]+/ }\n ] });\n\n const DATE_RE = '[0-9]{4}(-[0-9][0-9]){0,2}';\n const TIME_RE = '([Tt \\\\t][0-9][0-9]?(:[0-9][0-9]){2})?';\n const FRACTION_RE = '(\\\\.[0-9]*)?';\n const ZONE_RE = '([ \\\\t])*(Z|[-+][0-9][0-9]?(:[0-9][0-9])?)?';\n const TIMESTAMP = {\n className: 'number',\n begin: '\\\\b' + DATE_RE + TIME_RE + FRACTION_RE + ZONE_RE + '\\\\b'\n };\n\n const VALUE_CONTAINER = {\n end: ',',\n endsWithParent: true,\n excludeEnd: true,\n keywords: LITERALS,\n relevance: 0\n };\n const OBJECT = {\n begin: /\\{/,\n end: /\\}/,\n contains: [ VALUE_CONTAINER ],\n illegal: '\\\\n',\n relevance: 0\n };\n const ARRAY = {\n begin: '\\\\[',\n end: '\\\\]',\n contains: [ VALUE_CONTAINER ],\n illegal: '\\\\n',\n relevance: 0\n };\n\n const MODES = [\n KEY,\n {\n className: 'meta',\n begin: '^---\\\\s*$',\n relevance: 10\n },\n { // multi line string\n // Blocks start with a | or > followed by a newline\n //\n // Indentation of subsequent lines must be the same to\n // be considered part of the block\n className: 'string',\n begin: '[\\\\|>]([1-9]?[+-])?[ ]*\\\\n( +)[^ ][^\\\\n]*\\\\n(\\\\2[^\\\\n]+\\\\n?)*'\n },\n { // Ruby/Rails erb\n begin: '<%[%=-]?',\n end: '[%-]?%>',\n subLanguage: 'ruby',\n excludeBegin: true,\n excludeEnd: true,\n relevance: 0\n },\n { // named tags\n className: 'type',\n begin: '!\\\\w+!' + URI_CHARACTERS\n },\n // https://yaml.org/spec/1.2/spec.html#id2784064\n { // verbatim tags\n className: 'type',\n begin: '!<' + URI_CHARACTERS + \">\"\n },\n { // primary tags\n className: 'type',\n begin: '!' + URI_CHARACTERS\n },\n { // secondary tags\n className: 'type',\n begin: '!!' + URI_CHARACTERS\n },\n { // fragment id &ref\n className: 'meta',\n begin: '&' + hljs.UNDERSCORE_IDENT_RE + '$'\n },\n { // fragment reference *ref\n className: 'meta',\n begin: '\\\\*' + hljs.UNDERSCORE_IDENT_RE + '$'\n },\n { // array listing\n className: 'bullet',\n // TODO: remove |$ hack when we have proper look-ahead support\n begin: '-(?=[ ]|$)',\n relevance: 0\n },\n hljs.HASH_COMMENT_MODE,\n {\n beginKeywords: LITERALS,\n keywords: { literal: LITERALS }\n },\n TIMESTAMP,\n // numbers are any valid C-style number that\n // sit isolated from other words\n {\n className: 'number',\n begin: hljs.C_NUMBER_RE + '\\\\b',\n relevance: 0\n },\n OBJECT,\n ARRAY,\n STRING\n ];\n\n const VALUE_MODES = [ ...MODES ];\n VALUE_MODES.pop();\n VALUE_MODES.push(CONTAINER_STRING);\n VALUE_CONTAINER.contains = VALUE_MODES;\n\n return {\n name: 'YAML',\n case_insensitive: true,\n aliases: [ 'yml' ],\n contains: MODES\n };\n}\n\nmodule.exports = yaml;\n", "/*\nLanguage: Test Anything Protocol\nDescription: TAP, the Test Anything Protocol, is a simple text-based interface between testing modules in a test harness.\nRequires: yaml.js\nAuthor: Sergey Bronnikov <sergeyb@bronevichok.ru>\nWebsite: https://testanything.org\n*/\n\nfunction tap(hljs) {\n return {\n name: 'Test Anything Protocol',\n case_insensitive: true,\n contains: [\n hljs.HASH_COMMENT_MODE,\n // version of format and total amount of testcases\n {\n className: 'meta',\n variants: [\n { begin: '^TAP version (\\\\d+)$' },\n { begin: '^1\\\\.\\\\.(\\\\d+)$' }\n ]\n },\n // YAML block\n {\n begin: /---$/,\n end: '\\\\.\\\\.\\\\.$',\n subLanguage: 'yaml',\n relevance: 0\n },\n // testcase number\n {\n className: 'number',\n begin: ' (\\\\d+) '\n },\n // testcase status and description\n {\n className: 'symbol',\n variants: [\n { begin: '^ok' },\n { begin: '^not ok' }\n ]\n }\n ]\n };\n}\n\nmodule.exports = tap;\n", "/*\nLanguage: Tcl\nDescription: Tcl is a very simple programming language.\nAuthor: Radek Liska <radekliska@gmail.com>\nWebsite: https://www.tcl.tk/about/language.html\n*/\n\nfunction tcl(hljs) {\n const regex = hljs.regex;\n const TCL_IDENT = /[a-zA-Z_][a-zA-Z0-9_]*/;\n\n const NUMBER = {\n className: 'number',\n variants: [\n hljs.BINARY_NUMBER_MODE,\n hljs.C_NUMBER_MODE\n ]\n };\n\n const KEYWORDS = [\n \"after\",\n \"append\",\n \"apply\",\n \"array\",\n \"auto_execok\",\n \"auto_import\",\n \"auto_load\",\n \"auto_mkindex\",\n \"auto_mkindex_old\",\n \"auto_qualify\",\n \"auto_reset\",\n \"bgerror\",\n \"binary\",\n \"break\",\n \"catch\",\n \"cd\",\n \"chan\",\n \"clock\",\n \"close\",\n \"concat\",\n \"continue\",\n \"dde\",\n \"dict\",\n \"encoding\",\n \"eof\",\n \"error\",\n \"eval\",\n \"exec\",\n \"exit\",\n \"expr\",\n \"fblocked\",\n \"fconfigure\",\n \"fcopy\",\n \"file\",\n \"fileevent\",\n \"filename\",\n \"flush\",\n \"for\",\n \"foreach\",\n \"format\",\n \"gets\",\n \"glob\",\n \"global\",\n \"history\",\n \"http\",\n \"if\",\n \"incr\",\n \"info\",\n \"interp\",\n \"join\",\n \"lappend|10\",\n \"lassign|10\",\n \"lindex|10\",\n \"linsert|10\",\n \"list\",\n \"llength|10\",\n \"load\",\n \"lrange|10\",\n \"lrepeat|10\",\n \"lreplace|10\",\n \"lreverse|10\",\n \"lsearch|10\",\n \"lset|10\",\n \"lsort|10\",\n \"mathfunc\",\n \"mathop\",\n \"memory\",\n \"msgcat\",\n \"namespace\",\n \"open\",\n \"package\",\n \"parray\",\n \"pid\",\n \"pkg::create\",\n \"pkg_mkIndex\",\n \"platform\",\n \"platform::shell\",\n \"proc\",\n \"puts\",\n \"pwd\",\n \"read\",\n \"refchan\",\n \"regexp\",\n \"registry\",\n \"regsub|10\",\n \"rename\",\n \"return\",\n \"safe\",\n \"scan\",\n \"seek\",\n \"set\",\n \"socket\",\n \"source\",\n \"split\",\n \"string\",\n \"subst\",\n \"switch\",\n \"tcl_endOfWord\",\n \"tcl_findLibrary\",\n \"tcl_startOfNextWord\",\n \"tcl_startOfPreviousWord\",\n \"tcl_wordBreakAfter\",\n \"tcl_wordBreakBefore\",\n \"tcltest\",\n \"tclvars\",\n \"tell\",\n \"time\",\n \"tm\",\n \"trace\",\n \"unknown\",\n \"unload\",\n \"unset\",\n \"update\",\n \"uplevel\",\n \"upvar\",\n \"variable\",\n \"vwait\",\n \"while\"\n ];\n\n return {\n name: 'Tcl',\n aliases: [ 'tk' ],\n keywords: KEYWORDS,\n contains: [\n hljs.COMMENT(';[ \\\\t]*#', '$'),\n hljs.COMMENT('^[ \\\\t]*#', '$'),\n {\n beginKeywords: 'proc',\n end: '[\\\\{]',\n excludeEnd: true,\n contains: [\n {\n className: 'title',\n begin: '[ \\\\t\\\\n\\\\r]+(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*',\n end: '[ \\\\t\\\\n\\\\r]',\n endsWithParent: true,\n excludeEnd: true\n }\n ]\n },\n {\n className: \"variable\",\n variants: [\n { begin: regex.concat(\n /\\$/,\n regex.optional(/::/),\n TCL_IDENT,\n '(::',\n TCL_IDENT,\n ')*'\n ) },\n {\n begin: '\\\\$\\\\{(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*',\n end: '\\\\}',\n contains: [ NUMBER ]\n }\n ]\n },\n {\n className: 'string',\n contains: [ hljs.BACKSLASH_ESCAPE ],\n variants: [ hljs.inherit(hljs.QUOTE_STRING_MODE, { illegal: null }) ]\n },\n NUMBER\n ]\n };\n}\n\nmodule.exports = tcl;\n", "/*\nLanguage: Thrift\nAuthor: Oleg Efimov <efimovov@gmail.com>\nDescription: Thrift message definition format\nWebsite: https://thrift.apache.org\nCategory: protocols\n*/\n\nfunction thrift(hljs) {\n const TYPES = [\n \"bool\",\n \"byte\",\n \"i16\",\n \"i32\",\n \"i64\",\n \"double\",\n \"string\",\n \"binary\"\n ];\n const KEYWORDS = [\n \"namespace\",\n \"const\",\n \"typedef\",\n \"struct\",\n \"enum\",\n \"service\",\n \"exception\",\n \"void\",\n \"oneway\",\n \"set\",\n \"list\",\n \"map\",\n \"required\",\n \"optional\"\n ];\n return {\n name: 'Thrift',\n keywords: {\n keyword: KEYWORDS,\n type: TYPES,\n literal: 'true false'\n },\n contains: [\n hljs.QUOTE_STRING_MODE,\n hljs.NUMBER_MODE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n {\n className: 'class',\n beginKeywords: 'struct enum service exception',\n end: /\\{/,\n illegal: /\\n/,\n contains: [\n hljs.inherit(hljs.TITLE_MODE, {\n // hack: eating everything after the first title\n starts: {\n endsWithParent: true,\n excludeEnd: true\n } })\n ]\n },\n {\n begin: '\\\\b(set|list|map)\\\\s*<',\n keywords: { type: [\n ...TYPES,\n \"set\",\n \"list\",\n \"map\"\n ] },\n end: '>',\n contains: [ 'self' ]\n }\n ]\n };\n}\n\nmodule.exports = thrift;\n", "/*\nLanguage: TP\nAuthor: Jay Strybis <jay.strybis@gmail.com>\nDescription: FANUC TP programming language (TPP).\n*/\n\nfunction tp(hljs) {\n const TPID = {\n className: 'number',\n begin: '[1-9][0-9]*', /* no leading zeros */\n relevance: 0\n };\n const TPLABEL = {\n className: 'symbol',\n begin: ':[^\\\\]]+'\n };\n const TPDATA = {\n className: 'built_in',\n begin: '(AR|P|PAYLOAD|PR|R|SR|RSR|LBL|VR|UALM|MESSAGE|UTOOL|UFRAME|TIMER|'\n + 'TIMER_OVERFLOW|JOINT_MAX_SPEED|RESUME_PROG|DIAG_REC)\\\\[',\n end: '\\\\]',\n contains: [\n 'self',\n TPID,\n TPLABEL\n ]\n };\n const TPIO = {\n className: 'built_in',\n begin: '(AI|AO|DI|DO|F|RI|RO|UI|UO|GI|GO|SI|SO)\\\\[',\n end: '\\\\]',\n contains: [\n 'self',\n TPID,\n hljs.QUOTE_STRING_MODE, /* for pos section at bottom */\n TPLABEL\n ]\n };\n\n const KEYWORDS = [\n \"ABORT\",\n \"ACC\",\n \"ADJUST\",\n \"AND\",\n \"AP_LD\",\n \"BREAK\",\n \"CALL\",\n \"CNT\",\n \"COL\",\n \"CONDITION\",\n \"CONFIG\",\n \"DA\",\n \"DB\",\n \"DIV\",\n \"DETECT\",\n \"ELSE\",\n \"END\",\n \"ENDFOR\",\n \"ERR_NUM\",\n \"ERROR_PROG\",\n \"FINE\",\n \"FOR\",\n \"GP\",\n \"GUARD\",\n \"INC\",\n \"IF\",\n \"JMP\",\n \"LINEAR_MAX_SPEED\",\n \"LOCK\",\n \"MOD\",\n \"MONITOR\",\n \"OFFSET\",\n \"Offset\",\n \"OR\",\n \"OVERRIDE\",\n \"PAUSE\",\n \"PREG\",\n \"PTH\",\n \"RT_LD\",\n \"RUN\",\n \"SELECT\",\n \"SKIP\",\n \"Skip\",\n \"TA\",\n \"TB\",\n \"TO\",\n \"TOOL_OFFSET\",\n \"Tool_Offset\",\n \"UF\",\n \"UT\",\n \"UFRAME_NUM\",\n \"UTOOL_NUM\",\n \"UNLOCK\",\n \"WAIT\",\n \"X\",\n \"Y\",\n \"Z\",\n \"W\",\n \"P\",\n \"R\",\n \"STRLEN\",\n \"SUBSTR\",\n \"FINDSTR\",\n \"VOFFSET\",\n \"PROG\",\n \"ATTR\",\n \"MN\",\n \"POS\"\n ];\n const LITERALS = [\n \"ON\",\n \"OFF\",\n \"max_speed\",\n \"LPOS\",\n \"JPOS\",\n \"ENABLE\",\n \"DISABLE\",\n \"START\",\n \"STOP\",\n \"RESET\"\n ];\n\n return {\n name: 'TP',\n keywords: {\n keyword: KEYWORDS,\n literal: LITERALS\n },\n contains: [\n TPDATA,\n TPIO,\n {\n className: 'keyword',\n begin: '/(PROG|ATTR|MN|POS|END)\\\\b'\n },\n {\n /* this is for cases like ,CALL */\n className: 'keyword',\n begin: '(CALL|RUN|POINT_LOGIC|LBL)\\\\b'\n },\n {\n /* this is for cases like CNT100 where the default lexemes do not\n * separate the keyword and the number */\n className: 'keyword',\n begin: '\\\\b(ACC|CNT|Skip|Offset|PSPD|RT_LD|AP_LD|Tool_Offset)'\n },\n {\n /* to catch numbers that do not have a word boundary on the left */\n className: 'number',\n begin: '\\\\d+(sec|msec|mm/sec|cm/min|inch/min|deg/sec|mm|in|cm)?\\\\b',\n relevance: 0\n },\n hljs.COMMENT('//', '[;$]'),\n hljs.COMMENT('!', '[;$]'),\n hljs.COMMENT('--eg:', '$'),\n hljs.QUOTE_STRING_MODE,\n {\n className: 'string',\n begin: '\\'',\n end: '\\''\n },\n hljs.C_NUMBER_MODE,\n {\n className: 'variable',\n begin: '\\\\$[A-Za-z0-9_]+'\n }\n ]\n };\n}\n\nmodule.exports = tp;\n", "/*\nLanguage: Twig\nRequires: xml.js\nAuthor: Luke Holder <lukemh@gmail.com>\nDescription: Twig is a templating language for PHP\nWebsite: https://twig.symfony.com\nCategory: template\n*/\n\nfunction twig(hljs) {\n const regex = hljs.regex;\n const FUNCTION_NAMES = [\n \"absolute_url\",\n \"asset|0\",\n \"asset_version\",\n \"attribute\",\n \"block\",\n \"constant\",\n \"controller|0\",\n \"country_timezones\",\n \"csrf_token\",\n \"cycle\",\n \"date\",\n \"dump\",\n \"expression\",\n \"form|0\",\n \"form_end\",\n \"form_errors\",\n \"form_help\",\n \"form_label\",\n \"form_rest\",\n \"form_row\",\n \"form_start\",\n \"form_widget\",\n \"html_classes\",\n \"include\",\n \"is_granted\",\n \"logout_path\",\n \"logout_url\",\n \"max\",\n \"min\",\n \"parent\",\n \"path|0\",\n \"random\",\n \"range\",\n \"relative_path\",\n \"render\",\n \"render_esi\",\n \"source\",\n \"template_from_string\",\n \"url|0\"\n ];\n\n const FILTERS = [\n \"abs\",\n \"abbr_class\",\n \"abbr_method\",\n \"batch\",\n \"capitalize\",\n \"column\",\n \"convert_encoding\",\n \"country_name\",\n \"currency_name\",\n \"currency_symbol\",\n \"data_uri\",\n \"date\",\n \"date_modify\",\n \"default\",\n \"escape\",\n \"file_excerpt\",\n \"file_link\",\n \"file_relative\",\n \"filter\",\n \"first\",\n \"format\",\n \"format_args\",\n \"format_args_as_text\",\n \"format_currency\",\n \"format_date\",\n \"format_datetime\",\n \"format_file\",\n \"format_file_from_text\",\n \"format_number\",\n \"format_time\",\n \"html_to_markdown\",\n \"humanize\",\n \"inky_to_html\",\n \"inline_css\",\n \"join\",\n \"json_encode\",\n \"keys\",\n \"language_name\",\n \"last\",\n \"length\",\n \"locale_name\",\n \"lower\",\n \"map\",\n \"markdown\",\n \"markdown_to_html\",\n \"merge\",\n \"nl2br\",\n \"number_format\",\n \"raw\",\n \"reduce\",\n \"replace\",\n \"reverse\",\n \"round\",\n \"slice\",\n \"slug\",\n \"sort\",\n \"spaceless\",\n \"split\",\n \"striptags\",\n \"timezone_name\",\n \"title\",\n \"trans\",\n \"transchoice\",\n \"trim\",\n \"u|0\",\n \"upper\",\n \"url_encode\",\n \"yaml_dump\",\n \"yaml_encode\"\n ];\n\n let TAG_NAMES = [\n \"apply\",\n \"autoescape\",\n \"block\",\n \"cache\",\n \"deprecated\",\n \"do\",\n \"embed\",\n \"extends\",\n \"filter\",\n \"flush\",\n \"for\",\n \"form_theme\",\n \"from\",\n \"if\",\n \"import\",\n \"include\",\n \"macro\",\n \"sandbox\",\n \"set\",\n \"stopwatch\",\n \"trans\",\n \"trans_default_domain\",\n \"transchoice\",\n \"use\",\n \"verbatim\",\n \"with\"\n ];\n\n TAG_NAMES = TAG_NAMES.concat(TAG_NAMES.map(t => `end${t}`));\n\n const STRING = {\n scope: 'string',\n variants: [\n {\n begin: /'/,\n end: /'/\n },\n {\n begin: /\"/,\n end: /\"/\n },\n ]\n };\n\n const NUMBER = {\n scope: \"number\",\n match: /\\d+/\n };\n\n const PARAMS = {\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n contains: [\n STRING,\n NUMBER\n ]\n };\n\n\n const FUNCTIONS = {\n beginKeywords: FUNCTION_NAMES.join(\" \"),\n keywords: { name: FUNCTION_NAMES },\n relevance: 0,\n contains: [ PARAMS ]\n };\n\n const FILTER = {\n match: /\\|(?=[A-Za-z_]+:?)/,\n beginScope: \"punctuation\",\n relevance: 0,\n contains: [\n {\n match: /[A-Za-z_]+:?/,\n keywords: FILTERS\n },\n ]\n };\n\n const tagNamed = (tagnames, { relevance }) => {\n return {\n beginScope: {\n 1: 'template-tag',\n 3: 'name'\n },\n relevance: relevance || 2,\n endScope: 'template-tag',\n begin: [\n /\\{%/,\n /\\s*/,\n regex.either(...tagnames)\n ],\n end: /%\\}/,\n keywords: \"in\",\n contains: [\n FILTER,\n FUNCTIONS,\n STRING,\n NUMBER\n ]\n };\n };\n\n const CUSTOM_TAG_RE = /[a-z_]+/;\n const TAG = tagNamed(TAG_NAMES, { relevance: 2 });\n const CUSTOM_TAG = tagNamed([ CUSTOM_TAG_RE ], { relevance: 1 });\n\n return {\n name: 'Twig',\n aliases: [ 'craftcms' ],\n case_insensitive: true,\n subLanguage: 'xml',\n contains: [\n hljs.COMMENT(/\\{#/, /#\\}/),\n TAG,\n CUSTOM_TAG,\n {\n className: 'template-variable',\n begin: /\\{\\{/,\n end: /\\}\\}/,\n contains: [\n 'self',\n FILTER,\n FUNCTIONS,\n STRING,\n NUMBER\n ]\n }\n ]\n };\n}\n\nmodule.exports = twig;\n", "const IDENT_RE = '[A-Za-z$_][0-9A-Za-z$_]*';\nconst KEYWORDS = [\n \"as\", // for exports\n \"in\",\n \"of\",\n \"if\",\n \"for\",\n \"while\",\n \"finally\",\n \"var\",\n \"new\",\n \"function\",\n \"do\",\n \"return\",\n \"void\",\n \"else\",\n \"break\",\n \"catch\",\n \"instanceof\",\n \"with\",\n \"throw\",\n \"case\",\n \"default\",\n \"try\",\n \"switch\",\n \"continue\",\n \"typeof\",\n \"delete\",\n \"let\",\n \"yield\",\n \"const\",\n \"class\",\n // JS handles these with a special rule\n // \"get\",\n // \"set\",\n \"debugger\",\n \"async\",\n \"await\",\n \"static\",\n \"import\",\n \"from\",\n \"export\",\n \"extends\"\n];\nconst LITERALS = [\n \"true\",\n \"false\",\n \"null\",\n \"undefined\",\n \"NaN\",\n \"Infinity\"\n];\n\n// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects\nconst TYPES = [\n // Fundamental objects\n \"Object\",\n \"Function\",\n \"Boolean\",\n \"Symbol\",\n // numbers and dates\n \"Math\",\n \"Date\",\n \"Number\",\n \"BigInt\",\n // text\n \"String\",\n \"RegExp\",\n // Indexed collections\n \"Array\",\n \"Float32Array\",\n \"Float64Array\",\n \"Int8Array\",\n \"Uint8Array\",\n \"Uint8ClampedArray\",\n \"Int16Array\",\n \"Int32Array\",\n \"Uint16Array\",\n \"Uint32Array\",\n \"BigInt64Array\",\n \"BigUint64Array\",\n // Keyed collections\n \"Set\",\n \"Map\",\n \"WeakSet\",\n \"WeakMap\",\n // Structured data\n \"ArrayBuffer\",\n \"SharedArrayBuffer\",\n \"Atomics\",\n \"DataView\",\n \"JSON\",\n // Control abstraction objects\n \"Promise\",\n \"Generator\",\n \"GeneratorFunction\",\n \"AsyncFunction\",\n // Reflection\n \"Reflect\",\n \"Proxy\",\n // Internationalization\n \"Intl\",\n // WebAssembly\n \"WebAssembly\"\n];\n\nconst ERROR_TYPES = [\n \"Error\",\n \"EvalError\",\n \"InternalError\",\n \"RangeError\",\n \"ReferenceError\",\n \"SyntaxError\",\n \"TypeError\",\n \"URIError\"\n];\n\nconst BUILT_IN_GLOBALS = [\n \"setInterval\",\n \"setTimeout\",\n \"clearInterval\",\n \"clearTimeout\",\n\n \"require\",\n \"exports\",\n\n \"eval\",\n \"isFinite\",\n \"isNaN\",\n \"parseFloat\",\n \"parseInt\",\n \"decodeURI\",\n \"decodeURIComponent\",\n \"encodeURI\",\n \"encodeURIComponent\",\n \"escape\",\n \"unescape\"\n];\n\nconst BUILT_IN_VARIABLES = [\n \"arguments\",\n \"this\",\n \"super\",\n \"console\",\n \"window\",\n \"document\",\n \"localStorage\",\n \"sessionStorage\",\n \"module\",\n \"global\" // Node.js\n];\n\nconst BUILT_INS = [].concat(\n BUILT_IN_GLOBALS,\n TYPES,\n ERROR_TYPES\n);\n\n/*\nLanguage: JavaScript\nDescription: JavaScript (JS) is a lightweight, interpreted, or just-in-time compiled programming language with first-class functions.\nCategory: common, scripting, web\nWebsite: https://developer.mozilla.org/en-US/docs/Web/JavaScript\n*/\n\n/** @type LanguageFn */\nfunction javascript(hljs) {\n const regex = hljs.regex;\n /**\n * Takes a string like \"<Booger\" and checks to see\n * if we can find a matching \"</Booger\" later in the\n * content.\n * @param {RegExpMatchArray} match\n * @param {{after:number}} param1\n */\n const hasClosingTag = (match, { after }) => {\n const tag = \"</\" + match[0].slice(1);\n const pos = match.input.indexOf(tag, after);\n return pos !== -1;\n };\n\n const IDENT_RE$1 = IDENT_RE;\n const FRAGMENT = {\n begin: '<>',\n end: '</>'\n };\n // to avoid some special cases inside isTrulyOpeningTag\n const XML_SELF_CLOSING = /<[A-Za-z0-9\\\\._:-]+\\s*\\/>/;\n const XML_TAG = {\n begin: /<[A-Za-z0-9\\\\._:-]+/,\n end: /\\/[A-Za-z0-9\\\\._:-]+>|\\/>/,\n /**\n * @param {RegExpMatchArray} match\n * @param {CallbackResponse} response\n */\n isTrulyOpeningTag: (match, response) => {\n const afterMatchIndex = match[0].length + match.index;\n const nextChar = match.input[afterMatchIndex];\n if (\n // HTML should not include another raw `<` inside a tag\n // nested type?\n // `<Array<Array<number>>`, etc.\n nextChar === \"<\" ||\n // the , gives away that this is not HTML\n // `<T, A extends keyof T, V>`\n nextChar === \",\"\n ) {\n response.ignoreMatch();\n return;\n }\n\n // `<something>`\n // Quite possibly a tag, lets look for a matching closing tag...\n if (nextChar === \">\") {\n // if we cannot find a matching closing tag, then we\n // will ignore it\n if (!hasClosingTag(match, { after: afterMatchIndex })) {\n response.ignoreMatch();\n }\n }\n\n // `<blah />` (self-closing)\n // handled by simpleSelfClosing rule\n\n let m;\n const afterMatch = match.input.substring(afterMatchIndex);\n\n // some more template typing stuff\n // <T = any>(key?: string) => Modify<\n if ((m = afterMatch.match(/^\\s*=/))) {\n response.ignoreMatch();\n return;\n }\n\n // `<From extends string>`\n // technically this could be HTML, but it smells like a type\n // NOTE: This is ugh, but added specifically for https://github.com/highlightjs/highlight.js/issues/3276\n if ((m = afterMatch.match(/^\\s+extends\\s+/))) {\n if (m.index === 0) {\n response.ignoreMatch();\n // eslint-disable-next-line no-useless-return\n return;\n }\n }\n }\n };\n const KEYWORDS$1 = {\n $pattern: IDENT_RE,\n keyword: KEYWORDS,\n literal: LITERALS,\n built_in: BUILT_INS,\n \"variable.language\": BUILT_IN_VARIABLES\n };\n\n // https://tc39.es/ecma262/#sec-literals-numeric-literals\n const decimalDigits = '[0-9](_?[0-9])*';\n const frac = `\\\\.(${decimalDigits})`;\n // DecimalIntegerLiteral, including Annex B NonOctalDecimalIntegerLiteral\n // https://tc39.es/ecma262/#sec-additional-syntax-numeric-literals\n const decimalInteger = `0|[1-9](_?[0-9])*|0[0-7]*[89][0-9]*`;\n const NUMBER = {\n className: 'number',\n variants: [\n // DecimalLiteral\n { begin: `(\\\\b(${decimalInteger})((${frac})|\\\\.)?|(${frac}))` +\n `[eE][+-]?(${decimalDigits})\\\\b` },\n { begin: `\\\\b(${decimalInteger})\\\\b((${frac})\\\\b|\\\\.)?|(${frac})\\\\b` },\n\n // DecimalBigIntegerLiteral\n { begin: `\\\\b(0|[1-9](_?[0-9])*)n\\\\b` },\n\n // NonDecimalIntegerLiteral\n { begin: \"\\\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*n?\\\\b\" },\n { begin: \"\\\\b0[bB][0-1](_?[0-1])*n?\\\\b\" },\n { begin: \"\\\\b0[oO][0-7](_?[0-7])*n?\\\\b\" },\n\n // LegacyOctalIntegerLiteral (does not include underscore separators)\n // https://tc39.es/ecma262/#sec-additional-syntax-numeric-literals\n { begin: \"\\\\b0[0-7]+n?\\\\b\" },\n ],\n relevance: 0\n };\n\n const SUBST = {\n className: 'subst',\n begin: '\\\\$\\\\{',\n end: '\\\\}',\n keywords: KEYWORDS$1,\n contains: [] // defined later\n };\n const HTML_TEMPLATE = {\n begin: 'html`',\n end: '',\n starts: {\n end: '`',\n returnEnd: false,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n subLanguage: 'xml'\n }\n };\n const CSS_TEMPLATE = {\n begin: 'css`',\n end: '',\n starts: {\n end: '`',\n returnEnd: false,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n subLanguage: 'css'\n }\n };\n const GRAPHQL_TEMPLATE = {\n begin: 'gql`',\n end: '',\n starts: {\n end: '`',\n returnEnd: false,\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ],\n subLanguage: 'graphql'\n }\n };\n const TEMPLATE_STRING = {\n className: 'string',\n begin: '`',\n end: '`',\n contains: [\n hljs.BACKSLASH_ESCAPE,\n SUBST\n ]\n };\n const JSDOC_COMMENT = hljs.COMMENT(\n /\\/\\*\\*(?!\\/)/,\n '\\\\*/',\n {\n relevance: 0,\n contains: [\n {\n begin: '(?=@[A-Za-z]+)',\n relevance: 0,\n contains: [\n {\n className: 'doctag',\n begin: '@[A-Za-z]+'\n },\n {\n className: 'type',\n begin: '\\\\{',\n end: '\\\\}',\n excludeEnd: true,\n excludeBegin: true,\n relevance: 0\n },\n {\n className: 'variable',\n begin: IDENT_RE$1 + '(?=\\\\s*(-)|$)',\n endsParent: true,\n relevance: 0\n },\n // eat spaces (not newlines) so we can find\n // types or variables\n {\n begin: /(?=[^\\n])\\s/,\n relevance: 0\n }\n ]\n }\n ]\n }\n );\n const COMMENT = {\n className: \"comment\",\n variants: [\n JSDOC_COMMENT,\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.C_LINE_COMMENT_MODE\n ]\n };\n const SUBST_INTERNALS = [\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n HTML_TEMPLATE,\n CSS_TEMPLATE,\n GRAPHQL_TEMPLATE,\n TEMPLATE_STRING,\n // Skip numbers when they are part of a variable name\n { match: /\\$\\d+/ },\n NUMBER,\n // This is intentional:\n // See https://github.com/highlightjs/highlight.js/issues/3288\n // hljs.REGEXP_MODE\n ];\n SUBST.contains = SUBST_INTERNALS\n .concat({\n // we need to pair up {} inside our subst to prevent\n // it from ending too early by matching another }\n begin: /\\{/,\n end: /\\}/,\n keywords: KEYWORDS$1,\n contains: [\n \"self\"\n ].concat(SUBST_INTERNALS)\n });\n const SUBST_AND_COMMENTS = [].concat(COMMENT, SUBST.contains);\n const PARAMS_CONTAINS = SUBST_AND_COMMENTS.concat([\n // eat recursive parens in sub expressions\n {\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS$1,\n contains: [\"self\"].concat(SUBST_AND_COMMENTS)\n }\n ]);\n const PARAMS = {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n keywords: KEYWORDS$1,\n contains: PARAMS_CONTAINS\n };\n\n // ES6 classes\n const CLASS_OR_EXTENDS = {\n variants: [\n // class Car extends vehicle\n {\n match: [\n /class/,\n /\\s+/,\n IDENT_RE$1,\n /\\s+/,\n /extends/,\n /\\s+/,\n regex.concat(IDENT_RE$1, \"(\", regex.concat(/\\./, IDENT_RE$1), \")*\")\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.class\",\n 5: \"keyword\",\n 7: \"title.class.inherited\"\n }\n },\n // class Car\n {\n match: [\n /class/,\n /\\s+/,\n IDENT_RE$1\n ],\n scope: {\n 1: \"keyword\",\n 3: \"title.class\"\n }\n },\n\n ]\n };\n\n const CLASS_REFERENCE = {\n relevance: 0,\n match:\n regex.either(\n // Hard coded exceptions\n /\\bJSON/,\n // Float32Array, OutT\n /\\b[A-Z][a-z]+([A-Z][a-z]*|\\d)*/,\n // CSSFactory, CSSFactoryT\n /\\b[A-Z]{2,}([A-Z][a-z]+|\\d)+([A-Z][a-z]*)*/,\n // FPs, FPsT\n /\\b[A-Z]{2,}[a-z]+([A-Z][a-z]+|\\d)*([A-Z][a-z]*)*/,\n // P\n // single letters are not highlighted\n // BLAH\n // this will be flagged as a UPPER_CASE_CONSTANT instead\n ),\n className: \"title.class\",\n keywords: {\n _: [\n // se we still get relevance credit for JS library classes\n ...TYPES,\n ...ERROR_TYPES\n ]\n }\n };\n\n const USE_STRICT = {\n label: \"use_strict\",\n className: 'meta',\n relevance: 10,\n begin: /^\\s*['\"]use (strict|asm)['\"]/\n };\n\n const FUNCTION_DEFINITION = {\n variants: [\n {\n match: [\n /function/,\n /\\s+/,\n IDENT_RE$1,\n /(?=\\s*\\()/\n ]\n },\n // anonymous function\n {\n match: [\n /function/,\n /\\s*(?=\\()/\n ]\n }\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.function\"\n },\n label: \"func.def\",\n contains: [ PARAMS ],\n illegal: /%/\n };\n\n const UPPER_CASE_CONSTANT = {\n relevance: 0,\n match: /\\b[A-Z][A-Z_0-9]+\\b/,\n className: \"variable.constant\"\n };\n\n function noneOf(list) {\n return regex.concat(\"(?!\", list.join(\"|\"), \")\");\n }\n\n const FUNCTION_CALL = {\n match: regex.concat(\n /\\b/,\n noneOf([\n ...BUILT_IN_GLOBALS,\n \"super\",\n \"import\"\n ]),\n IDENT_RE$1, regex.lookahead(/\\(/)),\n className: \"title.function\",\n relevance: 0\n };\n\n const PROPERTY_ACCESS = {\n begin: regex.concat(/\\./, regex.lookahead(\n regex.concat(IDENT_RE$1, /(?![0-9A-Za-z$_(])/)\n )),\n end: IDENT_RE$1,\n excludeBegin: true,\n keywords: \"prototype\",\n className: \"property\",\n relevance: 0\n };\n\n const GETTER_OR_SETTER = {\n match: [\n /get|set/,\n /\\s+/,\n IDENT_RE$1,\n /(?=\\()/\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.function\"\n },\n contains: [\n { // eat to avoid empty params\n begin: /\\(\\)/\n },\n PARAMS\n ]\n };\n\n const FUNC_LEAD_IN_RE = '(\\\\(' +\n '[^()]*(\\\\(' +\n '[^()]*(\\\\(' +\n '[^()]*' +\n '\\\\)[^()]*)*' +\n '\\\\)[^()]*)*' +\n '\\\\)|' + hljs.UNDERSCORE_IDENT_RE + ')\\\\s*=>';\n\n const FUNCTION_VARIABLE = {\n match: [\n /const|var|let/, /\\s+/,\n IDENT_RE$1, /\\s*/,\n /=\\s*/,\n /(async\\s*)?/, // async is optional\n regex.lookahead(FUNC_LEAD_IN_RE)\n ],\n keywords: \"async\",\n className: {\n 1: \"keyword\",\n 3: \"title.function\"\n },\n contains: [\n PARAMS\n ]\n };\n\n return {\n name: 'JavaScript',\n aliases: ['js', 'jsx', 'mjs', 'cjs'],\n keywords: KEYWORDS$1,\n // this will be extended by TypeScript\n exports: { PARAMS_CONTAINS, CLASS_REFERENCE },\n illegal: /#(?![$_A-z])/,\n contains: [\n hljs.SHEBANG({\n label: \"shebang\",\n binary: \"node\",\n relevance: 5\n }),\n USE_STRICT,\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n HTML_TEMPLATE,\n CSS_TEMPLATE,\n GRAPHQL_TEMPLATE,\n TEMPLATE_STRING,\n COMMENT,\n // Skip numbers when they are part of a variable name\n { match: /\\$\\d+/ },\n NUMBER,\n CLASS_REFERENCE,\n {\n className: 'attr',\n begin: IDENT_RE$1 + regex.lookahead(':'),\n relevance: 0\n },\n FUNCTION_VARIABLE,\n { // \"value\" container\n begin: '(' + hljs.RE_STARTERS_RE + '|\\\\b(case|return|throw)\\\\b)\\\\s*',\n keywords: 'return throw case',\n relevance: 0,\n contains: [\n COMMENT,\n hljs.REGEXP_MODE,\n {\n className: 'function',\n // we have to count the parens to make sure we actually have the\n // correct bounding ( ) before the =>. There could be any number of\n // sub-expressions inside also surrounded by parens.\n begin: FUNC_LEAD_IN_RE,\n returnBegin: true,\n end: '\\\\s*=>',\n contains: [\n {\n className: 'params',\n variants: [\n {\n begin: hljs.UNDERSCORE_IDENT_RE,\n relevance: 0\n },\n {\n className: null,\n begin: /\\(\\s*\\)/,\n skip: true\n },\n {\n begin: /\\(/,\n end: /\\)/,\n excludeBegin: true,\n excludeEnd: true,\n keywords: KEYWORDS$1,\n contains: PARAMS_CONTAINS\n }\n ]\n }\n ]\n },\n { // could be a comma delimited list of params to a function call\n begin: /,/,\n relevance: 0\n },\n {\n match: /\\s+/,\n relevance: 0\n },\n { // JSX\n variants: [\n { begin: FRAGMENT.begin, end: FRAGMENT.end },\n { match: XML_SELF_CLOSING },\n {\n begin: XML_TAG.begin,\n // we carefully check the opening tag to see if it truly\n // is a tag and not a false positive\n 'on:begin': XML_TAG.isTrulyOpeningTag,\n end: XML_TAG.end\n }\n ],\n subLanguage: 'xml',\n contains: [\n {\n begin: XML_TAG.begin,\n end: XML_TAG.end,\n skip: true,\n contains: ['self']\n }\n ]\n }\n ],\n },\n FUNCTION_DEFINITION,\n {\n // prevent this from getting swallowed up by function\n // since they appear \"function like\"\n beginKeywords: \"while if switch catch for\"\n },\n {\n // we have to count the parens to make sure we actually have the correct\n // bounding ( ). There could be any number of sub-expressions inside\n // also surrounded by parens.\n begin: '\\\\b(?!function)' + hljs.UNDERSCORE_IDENT_RE +\n '\\\\(' + // first parens\n '[^()]*(\\\\(' +\n '[^()]*(\\\\(' +\n '[^()]*' +\n '\\\\)[^()]*)*' +\n '\\\\)[^()]*)*' +\n '\\\\)\\\\s*\\\\{', // end parens\n returnBegin:true,\n label: \"func.def\",\n contains: [\n PARAMS,\n hljs.inherit(hljs.TITLE_MODE, { begin: IDENT_RE$1, className: \"title.function\" })\n ]\n },\n // catch ... so it won't trigger the property rule below\n {\n match: /\\.\\.\\./,\n relevance: 0\n },\n PROPERTY_ACCESS,\n // hack: prevents detection of keywords in some circumstances\n // .keyword()\n // $keyword = x\n {\n match: '\\\\$' + IDENT_RE$1,\n relevance: 0\n },\n {\n match: [ /\\bconstructor(?=\\s*\\()/ ],\n className: { 1: \"title.function\" },\n contains: [ PARAMS ]\n },\n FUNCTION_CALL,\n UPPER_CASE_CONSTANT,\n CLASS_OR_EXTENDS,\n GETTER_OR_SETTER,\n {\n match: /\\$[(.]/ // relevance booster for a pattern common to JS libs: `$(something)` and `$.something`\n }\n ]\n };\n}\n\n/*\nLanguage: TypeScript\nAuthor: Panu Horsmalahti <panu.horsmalahti@iki.fi>\nContributors: Ike Ku <dempfi@yahoo.com>\nDescription: TypeScript is a strict superset of JavaScript\nWebsite: https://www.typescriptlang.org\nCategory: common, scripting\n*/\n\n/** @type LanguageFn */\nfunction typescript(hljs) {\n const tsLanguage = javascript(hljs);\n\n const IDENT_RE$1 = IDENT_RE;\n const TYPES = [\n \"any\",\n \"void\",\n \"number\",\n \"boolean\",\n \"string\",\n \"object\",\n \"never\",\n \"symbol\",\n \"bigint\",\n \"unknown\"\n ];\n const NAMESPACE = {\n beginKeywords: 'namespace',\n end: /\\{/,\n excludeEnd: true,\n contains: [ tsLanguage.exports.CLASS_REFERENCE ]\n };\n const INTERFACE = {\n beginKeywords: 'interface',\n end: /\\{/,\n excludeEnd: true,\n keywords: {\n keyword: 'interface extends',\n built_in: TYPES\n },\n contains: [ tsLanguage.exports.CLASS_REFERENCE ]\n };\n const USE_STRICT = {\n className: 'meta',\n relevance: 10,\n begin: /^\\s*['\"]use strict['\"]/\n };\n const TS_SPECIFIC_KEYWORDS = [\n \"type\",\n \"namespace\",\n \"interface\",\n \"public\",\n \"private\",\n \"protected\",\n \"implements\",\n \"declare\",\n \"abstract\",\n \"readonly\",\n \"enum\",\n \"override\"\n ];\n const KEYWORDS$1 = {\n $pattern: IDENT_RE,\n keyword: KEYWORDS.concat(TS_SPECIFIC_KEYWORDS),\n literal: LITERALS,\n built_in: BUILT_INS.concat(TYPES),\n \"variable.language\": BUILT_IN_VARIABLES\n };\n const DECORATOR = {\n className: 'meta',\n begin: '@' + IDENT_RE$1,\n };\n\n const swapMode = (mode, label, replacement) => {\n const indx = mode.contains.findIndex(m => m.label === label);\n if (indx === -1) { throw new Error(\"can not find mode to replace\"); }\n\n mode.contains.splice(indx, 1, replacement);\n };\n\n\n // this should update anywhere keywords is used since\n // it will be the same actual JS object\n Object.assign(tsLanguage.keywords, KEYWORDS$1);\n\n tsLanguage.exports.PARAMS_CONTAINS.push(DECORATOR);\n tsLanguage.contains = tsLanguage.contains.concat([\n DECORATOR,\n NAMESPACE,\n INTERFACE,\n ]);\n\n // TS gets a simpler shebang rule than JS\n swapMode(tsLanguage, \"shebang\", hljs.SHEBANG());\n // JS use strict rule purposely excludes `asm` which makes no sense\n swapMode(tsLanguage, \"use_strict\", USE_STRICT);\n\n const functionDeclaration = tsLanguage.contains.find(m => m.label === \"func.def\");\n functionDeclaration.relevance = 0; // () => {} is more typical in TypeScript\n\n Object.assign(tsLanguage, {\n name: 'TypeScript',\n aliases: [\n 'ts',\n 'tsx',\n 'mts',\n 'cts'\n ]\n });\n\n return tsLanguage;\n}\n\nmodule.exports = typescript;\n", "/*\nLanguage: Vala\nAuthor: Antono Vasiljev <antono.vasiljev@gmail.com>\nDescription: Vala is a new programming language that aims to bring modern programming language features to GNOME developers without imposing any additional runtime requirements and without using a different ABI compared to applications and libraries written in C.\nWebsite: https://wiki.gnome.org/Projects/Vala\n*/\n\nfunction vala(hljs) {\n return {\n name: 'Vala',\n keywords: {\n keyword:\n // Value types\n 'char uchar unichar int uint long ulong short ushort int8 int16 int32 int64 uint8 '\n + 'uint16 uint32 uint64 float double bool struct enum string void '\n // Reference types\n + 'weak unowned owned '\n // Modifiers\n + 'async signal static abstract interface override virtual delegate '\n // Control Structures\n + 'if while do for foreach else switch case break default return try catch '\n // Visibility\n + 'public private protected internal '\n // Other\n + 'using new this get set const stdout stdin stderr var',\n built_in:\n 'DBus GLib CCode Gee Object Gtk Posix',\n literal:\n 'false true null'\n },\n contains: [\n {\n className: 'class',\n beginKeywords: 'class interface namespace',\n end: /\\{/,\n excludeEnd: true,\n illegal: '[^,:\\\\n\\\\s\\\\.]',\n contains: [ hljs.UNDERSCORE_TITLE_MODE ]\n },\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n {\n className: 'string',\n begin: '\"\"\"',\n end: '\"\"\"',\n relevance: 5\n },\n hljs.APOS_STRING_MODE,\n hljs.QUOTE_STRING_MODE,\n hljs.C_NUMBER_MODE,\n {\n className: 'meta',\n begin: '^#',\n end: '$',\n }\n ]\n };\n}\n\nmodule.exports = vala;\n", "/*\nLanguage: Visual Basic .NET\nDescription: Visual Basic .NET (VB.NET) is a multi-paradigm, object-oriented programming language, implemented on the .NET Framework.\nAuthors: Poren Chiang <ren.chiang@gmail.com>, Jan Pilzer\nWebsite: https://docs.microsoft.com/dotnet/visual-basic/getting-started\nCategory: common\n*/\n\n/** @type LanguageFn */\nfunction vbnet(hljs) {\n const regex = hljs.regex;\n /**\n * Character Literal\n * Either a single character (\"a\"C) or an escaped double quote (\"\"\"\"C).\n */\n const CHARACTER = {\n className: 'string',\n begin: /\"(\"\"|[^/n])\"C\\b/\n };\n\n const STRING = {\n className: 'string',\n begin: /\"/,\n end: /\"/,\n illegal: /\\n/,\n contains: [\n {\n // double quote escape\n begin: /\"\"/ }\n ]\n };\n\n /** Date Literals consist of a date, a time, or both separated by whitespace, surrounded by # */\n const MM_DD_YYYY = /\\d{1,2}\\/\\d{1,2}\\/\\d{4}/;\n const YYYY_MM_DD = /\\d{4}-\\d{1,2}-\\d{1,2}/;\n const TIME_12H = /(\\d|1[012])(:\\d+){0,2} *(AM|PM)/;\n const TIME_24H = /\\d{1,2}(:\\d{1,2}){1,2}/;\n const DATE = {\n className: 'literal',\n variants: [\n {\n // #YYYY-MM-DD# (ISO-Date) or #M/D/YYYY# (US-Date)\n begin: regex.concat(/# */, regex.either(YYYY_MM_DD, MM_DD_YYYY), / *#/) },\n {\n // #H:mm[:ss]# (24h Time)\n begin: regex.concat(/# */, TIME_24H, / *#/) },\n {\n // #h[:mm[:ss]] A# (12h Time)\n begin: regex.concat(/# */, TIME_12H, / *#/) },\n {\n // date plus time\n begin: regex.concat(\n /# */,\n regex.either(YYYY_MM_DD, MM_DD_YYYY),\n / +/,\n regex.either(TIME_12H, TIME_24H),\n / *#/\n ) }\n ]\n };\n\n const NUMBER = {\n className: 'number',\n relevance: 0,\n variants: [\n {\n // Float\n begin: /\\b\\d[\\d_]*((\\.[\\d_]+(E[+-]?[\\d_]+)?)|(E[+-]?[\\d_]+))[RFD@!#]?/ },\n {\n // Integer (base 10)\n begin: /\\b\\d[\\d_]*((U?[SIL])|[%&])?/ },\n {\n // Integer (base 16)\n begin: /&H[\\dA-F_]+((U?[SIL])|[%&])?/ },\n {\n // Integer (base 8)\n begin: /&O[0-7_]+((U?[SIL])|[%&])?/ },\n {\n // Integer (base 2)\n begin: /&B[01_]+((U?[SIL])|[%&])?/ }\n ]\n };\n\n const LABEL = {\n className: 'label',\n begin: /^\\w+:/\n };\n\n const DOC_COMMENT = hljs.COMMENT(/'''/, /$/, { contains: [\n {\n className: 'doctag',\n begin: /<\\/?/,\n end: />/\n }\n ] });\n\n const COMMENT = hljs.COMMENT(null, /$/, { variants: [\n { begin: /'/ },\n {\n // TODO: Use multi-class for leading spaces\n begin: /([\\t ]|^)REM(?=\\s)/ }\n ] });\n\n const DIRECTIVES = {\n className: 'meta',\n // TODO: Use multi-class for indentation once available\n begin: /[\\t ]*#(const|disable|else|elseif|enable|end|externalsource|if|region)\\b/,\n end: /$/,\n keywords: { keyword:\n 'const disable else elseif enable end externalsource if region then' },\n contains: [ COMMENT ]\n };\n\n return {\n name: 'Visual Basic .NET',\n aliases: [ 'vb' ],\n case_insensitive: true,\n classNameAliases: { label: 'symbol' },\n keywords: {\n keyword:\n 'addhandler alias aggregate ansi as async assembly auto binary by byref byval ' /* a-b */\n + 'call case catch class compare const continue custom declare default delegate dim distinct do ' /* c-d */\n + 'each equals else elseif end enum erase error event exit explicit finally for friend from function ' /* e-f */\n + 'get global goto group handles if implements imports in inherits interface into iterator ' /* g-i */\n + 'join key let lib loop me mid module mustinherit mustoverride mybase myclass ' /* j-m */\n + 'namespace narrowing new next notinheritable notoverridable ' /* n */\n + 'of off on operator option optional order overloads overridable overrides ' /* o */\n + 'paramarray partial preserve private property protected public ' /* p */\n + 'raiseevent readonly redim removehandler resume return ' /* r */\n + 'select set shadows shared skip static step stop structure strict sub synclock ' /* s */\n + 'take text then throw to try unicode until using when where while widening with withevents writeonly yield' /* t-y */,\n built_in:\n // Operators https://docs.microsoft.com/dotnet/visual-basic/language-reference/operators\n 'addressof and andalso await directcast gettype getxmlnamespace is isfalse isnot istrue like mod nameof new not or orelse trycast typeof xor '\n // Type Conversion Functions https://docs.microsoft.com/dotnet/visual-basic/language-reference/functions/type-conversion-functions\n + 'cbool cbyte cchar cdate cdbl cdec cint clng cobj csbyte cshort csng cstr cuint culng cushort',\n type:\n // Data types https://docs.microsoft.com/dotnet/visual-basic/language-reference/data-types\n 'boolean byte char date decimal double integer long object sbyte short single string uinteger ulong ushort',\n literal: 'true false nothing'\n },\n illegal:\n '//|\\\\{|\\\\}|endif|gosub|variant|wend|^\\\\$ ' /* reserved deprecated keywords */,\n contains: [\n CHARACTER,\n STRING,\n DATE,\n NUMBER,\n LABEL,\n DOC_COMMENT,\n COMMENT,\n DIRECTIVES\n ]\n };\n}\n\nmodule.exports = vbnet;\n", "/*\nLanguage: VBScript\nDescription: VBScript (\"Microsoft Visual Basic Scripting Edition\") is an Active Scripting language developed by Microsoft that is modeled on Visual Basic.\nAuthor: Nikita Ledyaev <lenikita@yandex.ru>\nContributors: Michal Gabrukiewicz <mgabru@gmail.com>\nWebsite: https://en.wikipedia.org/wiki/VBScript\nCategory: scripting\n*/\n\n/** @type LanguageFn */\nfunction vbscript(hljs) {\n const regex = hljs.regex;\n const BUILT_IN_FUNCTIONS = [\n \"lcase\",\n \"month\",\n \"vartype\",\n \"instrrev\",\n \"ubound\",\n \"setlocale\",\n \"getobject\",\n \"rgb\",\n \"getref\",\n \"string\",\n \"weekdayname\",\n \"rnd\",\n \"dateadd\",\n \"monthname\",\n \"now\",\n \"day\",\n \"minute\",\n \"isarray\",\n \"cbool\",\n \"round\",\n \"formatcurrency\",\n \"conversions\",\n \"csng\",\n \"timevalue\",\n \"second\",\n \"year\",\n \"space\",\n \"abs\",\n \"clng\",\n \"timeserial\",\n \"fixs\",\n \"len\",\n \"asc\",\n \"isempty\",\n \"maths\",\n \"dateserial\",\n \"atn\",\n \"timer\",\n \"isobject\",\n \"filter\",\n \"weekday\",\n \"datevalue\",\n \"ccur\",\n \"isdate\",\n \"instr\",\n \"datediff\",\n \"formatdatetime\",\n \"replace\",\n \"isnull\",\n \"right\",\n \"sgn\",\n \"array\",\n \"snumeric\",\n \"log\",\n \"cdbl\",\n \"hex\",\n \"chr\",\n \"lbound\",\n \"msgbox\",\n \"ucase\",\n \"getlocale\",\n \"cos\",\n \"cdate\",\n \"cbyte\",\n \"rtrim\",\n \"join\",\n \"hour\",\n \"oct\",\n \"typename\",\n \"trim\",\n \"strcomp\",\n \"int\",\n \"createobject\",\n \"loadpicture\",\n \"tan\",\n \"formatnumber\",\n \"mid\",\n \"split\",\n \"cint\",\n \"sin\",\n \"datepart\",\n \"ltrim\",\n \"sqr\",\n \"time\",\n \"derived\",\n \"eval\",\n \"date\",\n \"formatpercent\",\n \"exp\",\n \"inputbox\",\n \"left\",\n \"ascw\",\n \"chrw\",\n \"regexp\",\n \"cstr\",\n \"err\"\n ];\n const BUILT_IN_OBJECTS = [\n \"server\",\n \"response\",\n \"request\",\n // take no arguments so can be called without ()\n \"scriptengine\",\n \"scriptenginebuildversion\",\n \"scriptengineminorversion\",\n \"scriptenginemajorversion\"\n ];\n\n const BUILT_IN_CALL = {\n begin: regex.concat(regex.either(...BUILT_IN_FUNCTIONS), \"\\\\s*\\\\(\"),\n // relevance 0 because this is acting as a beginKeywords really\n relevance: 0,\n keywords: { built_in: BUILT_IN_FUNCTIONS }\n };\n\n const LITERALS = [\n \"true\",\n \"false\",\n \"null\",\n \"nothing\",\n \"empty\"\n ];\n\n const KEYWORDS = [\n \"call\",\n \"class\",\n \"const\",\n \"dim\",\n \"do\",\n \"loop\",\n \"erase\",\n \"execute\",\n \"executeglobal\",\n \"exit\",\n \"for\",\n \"each\",\n \"next\",\n \"function\",\n \"if\",\n \"then\",\n \"else\",\n \"on\",\n \"error\",\n \"option\",\n \"explicit\",\n \"new\",\n \"private\",\n \"property\",\n \"let\",\n \"get\",\n \"public\",\n \"randomize\",\n \"redim\",\n \"rem\",\n \"select\",\n \"case\",\n \"set\",\n \"stop\",\n \"sub\",\n \"while\",\n \"wend\",\n \"with\",\n \"end\",\n \"to\",\n \"elseif\",\n \"is\",\n \"or\",\n \"xor\",\n \"and\",\n \"not\",\n \"class_initialize\",\n \"class_terminate\",\n \"default\",\n \"preserve\",\n \"in\",\n \"me\",\n \"byval\",\n \"byref\",\n \"step\",\n \"resume\",\n \"goto\"\n ];\n\n return {\n name: 'VBScript',\n aliases: [ 'vbs' ],\n case_insensitive: true,\n keywords: {\n keyword: KEYWORDS,\n built_in: BUILT_IN_OBJECTS,\n literal: LITERALS\n },\n illegal: '//',\n contains: [\n BUILT_IN_CALL,\n hljs.inherit(hljs.QUOTE_STRING_MODE, { contains: [ { begin: '\"\"' } ] }),\n hljs.COMMENT(\n /'/,\n /$/,\n { relevance: 0 }\n ),\n hljs.C_NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = vbscript;\n", "/*\nLanguage: VBScript in HTML\nRequires: xml.js, vbscript.js\nAuthor: Ivan Sagalaev <maniac@softwaremaniacs.org>\nDescription: \"Bridge\" language defining fragments of VBScript in HTML within <% .. %>\nWebsite: https://en.wikipedia.org/wiki/VBScript\nCategory: scripting\n*/\n\nfunction vbscriptHtml(hljs) {\n return {\n name: 'VBScript in HTML',\n subLanguage: 'xml',\n contains: [\n {\n begin: '<%',\n end: '%>',\n subLanguage: 'vbscript'\n }\n ]\n };\n}\n\nmodule.exports = vbscriptHtml;\n", "/*\nLanguage: Verilog\nAuthor: Jon Evans <jon@craftyjon.com>\nContributors: Boone Severson <boone.severson@gmail.com>\nDescription: Verilog is a hardware description language used in electronic design automation to describe digital and mixed-signal systems. This highlighter supports Verilog and SystemVerilog through IEEE 1800-2012.\nWebsite: http://www.verilog.com\n*/\n\nfunction verilog(hljs) {\n const regex = hljs.regex;\n const KEYWORDS = {\n $pattern: /\\$?[\\w]+(\\$[\\w]+)*/,\n keyword: [\n \"accept_on\",\n \"alias\",\n \"always\",\n \"always_comb\",\n \"always_ff\",\n \"always_latch\",\n \"and\",\n \"assert\",\n \"assign\",\n \"assume\",\n \"automatic\",\n \"before\",\n \"begin\",\n \"bind\",\n \"bins\",\n \"binsof\",\n \"bit\",\n \"break\",\n \"buf|0\",\n \"bufif0\",\n \"bufif1\",\n \"byte\",\n \"case\",\n \"casex\",\n \"casez\",\n \"cell\",\n \"chandle\",\n \"checker\",\n \"class\",\n \"clocking\",\n \"cmos\",\n \"config\",\n \"const\",\n \"constraint\",\n \"context\",\n \"continue\",\n \"cover\",\n \"covergroup\",\n \"coverpoint\",\n \"cross\",\n \"deassign\",\n \"default\",\n \"defparam\",\n \"design\",\n \"disable\",\n \"dist\",\n \"do\",\n \"edge\",\n \"else\",\n \"end\",\n \"endcase\",\n \"endchecker\",\n \"endclass\",\n \"endclocking\",\n \"endconfig\",\n \"endfunction\",\n \"endgenerate\",\n \"endgroup\",\n \"endinterface\",\n \"endmodule\",\n \"endpackage\",\n \"endprimitive\",\n \"endprogram\",\n \"endproperty\",\n \"endspecify\",\n \"endsequence\",\n \"endtable\",\n \"endtask\",\n \"enum\",\n \"event\",\n \"eventually\",\n \"expect\",\n \"export\",\n \"extends\",\n \"extern\",\n \"final\",\n \"first_match\",\n \"for\",\n \"force\",\n \"foreach\",\n \"forever\",\n \"fork\",\n \"forkjoin\",\n \"function\",\n \"generate|5\",\n \"genvar\",\n \"global\",\n \"highz0\",\n \"highz1\",\n \"if\",\n \"iff\",\n \"ifnone\",\n \"ignore_bins\",\n \"illegal_bins\",\n \"implements\",\n \"implies\",\n \"import\",\n \"incdir\",\n \"include\",\n \"initial\",\n \"inout\",\n \"input\",\n \"inside\",\n \"instance\",\n \"int\",\n \"integer\",\n \"interconnect\",\n \"interface\",\n \"intersect\",\n \"join\",\n \"join_any\",\n \"join_none\",\n \"large\",\n \"let\",\n \"liblist\",\n \"library\",\n \"local\",\n \"localparam\",\n \"logic\",\n \"longint\",\n \"macromodule\",\n \"matches\",\n \"medium\",\n \"modport\",\n \"module\",\n \"nand\",\n \"negedge\",\n \"nettype\",\n \"new\",\n \"nexttime\",\n \"nmos\",\n \"nor\",\n \"noshowcancelled\",\n \"not\",\n \"notif0\",\n \"notif1\",\n \"or\",\n \"output\",\n \"package\",\n \"packed\",\n \"parameter\",\n \"pmos\",\n \"posedge\",\n \"primitive\",\n \"priority\",\n \"program\",\n \"property\",\n \"protected\",\n \"pull0\",\n \"pull1\",\n \"pulldown\",\n \"pullup\",\n \"pulsestyle_ondetect\",\n \"pulsestyle_onevent\",\n \"pure\",\n \"rand\",\n \"randc\",\n \"randcase\",\n \"randsequence\",\n \"rcmos\",\n \"real\",\n \"realtime\",\n \"ref\",\n \"reg\",\n \"reject_on\",\n \"release\",\n \"repeat\",\n \"restrict\",\n \"return\",\n \"rnmos\",\n \"rpmos\",\n \"rtran\",\n \"rtranif0\",\n \"rtranif1\",\n \"s_always\",\n \"s_eventually\",\n \"s_nexttime\",\n \"s_until\",\n \"s_until_with\",\n \"scalared\",\n \"sequence\",\n \"shortint\",\n \"shortreal\",\n \"showcancelled\",\n \"signed\",\n \"small\",\n \"soft\",\n \"solve\",\n \"specify\",\n \"specparam\",\n \"static\",\n \"string\",\n \"strong\",\n \"strong0\",\n \"strong1\",\n \"struct\",\n \"super\",\n \"supply0\",\n \"supply1\",\n \"sync_accept_on\",\n \"sync_reject_on\",\n \"table\",\n \"tagged\",\n \"task\",\n \"this\",\n \"throughout\",\n \"time\",\n \"timeprecision\",\n \"timeunit\",\n \"tran\",\n \"tranif0\",\n \"tranif1\",\n \"tri\",\n \"tri0\",\n \"tri1\",\n \"triand\",\n \"trior\",\n \"trireg\",\n \"type\",\n \"typedef\",\n \"union\",\n \"unique\",\n \"unique0\",\n \"unsigned\",\n \"until\",\n \"until_with\",\n \"untyped\",\n \"use\",\n \"uwire\",\n \"var\",\n \"vectored\",\n \"virtual\",\n \"void\",\n \"wait\",\n \"wait_order\",\n \"wand\",\n \"weak\",\n \"weak0\",\n \"weak1\",\n \"while\",\n \"wildcard\",\n \"wire\",\n \"with\",\n \"within\",\n \"wor\",\n \"xnor\",\n \"xor\"\n ],\n literal: [ 'null' ],\n built_in: [\n \"$finish\",\n \"$stop\",\n \"$exit\",\n \"$fatal\",\n \"$error\",\n \"$warning\",\n \"$info\",\n \"$realtime\",\n \"$time\",\n \"$printtimescale\",\n \"$bitstoreal\",\n \"$bitstoshortreal\",\n \"$itor\",\n \"$signed\",\n \"$cast\",\n \"$bits\",\n \"$stime\",\n \"$timeformat\",\n \"$realtobits\",\n \"$shortrealtobits\",\n \"$rtoi\",\n \"$unsigned\",\n \"$asserton\",\n \"$assertkill\",\n \"$assertpasson\",\n \"$assertfailon\",\n \"$assertnonvacuouson\",\n \"$assertoff\",\n \"$assertcontrol\",\n \"$assertpassoff\",\n \"$assertfailoff\",\n \"$assertvacuousoff\",\n \"$isunbounded\",\n \"$sampled\",\n \"$fell\",\n \"$changed\",\n \"$past_gclk\",\n \"$fell_gclk\",\n \"$changed_gclk\",\n \"$rising_gclk\",\n \"$steady_gclk\",\n \"$coverage_control\",\n \"$coverage_get\",\n \"$coverage_save\",\n \"$set_coverage_db_name\",\n \"$rose\",\n \"$stable\",\n \"$past\",\n \"$rose_gclk\",\n \"$stable_gclk\",\n \"$future_gclk\",\n \"$falling_gclk\",\n \"$changing_gclk\",\n \"$display\",\n \"$coverage_get_max\",\n \"$coverage_merge\",\n \"$get_coverage\",\n \"$load_coverage_db\",\n \"$typename\",\n \"$unpacked_dimensions\",\n \"$left\",\n \"$low\",\n \"$increment\",\n \"$clog2\",\n \"$ln\",\n \"$log10\",\n \"$exp\",\n \"$sqrt\",\n \"$pow\",\n \"$floor\",\n \"$ceil\",\n \"$sin\",\n \"$cos\",\n \"$tan\",\n \"$countbits\",\n \"$onehot\",\n \"$isunknown\",\n \"$fatal\",\n \"$warning\",\n \"$dimensions\",\n \"$right\",\n \"$high\",\n \"$size\",\n \"$asin\",\n \"$acos\",\n \"$atan\",\n \"$atan2\",\n \"$hypot\",\n \"$sinh\",\n \"$cosh\",\n \"$tanh\",\n \"$asinh\",\n \"$acosh\",\n \"$atanh\",\n \"$countones\",\n \"$onehot0\",\n \"$error\",\n \"$info\",\n \"$random\",\n \"$dist_chi_square\",\n \"$dist_erlang\",\n \"$dist_exponential\",\n \"$dist_normal\",\n \"$dist_poisson\",\n \"$dist_t\",\n \"$dist_uniform\",\n \"$q_initialize\",\n \"$q_remove\",\n \"$q_exam\",\n \"$async$and$array\",\n \"$async$nand$array\",\n \"$async$or$array\",\n \"$async$nor$array\",\n \"$sync$and$array\",\n \"$sync$nand$array\",\n \"$sync$or$array\",\n \"$sync$nor$array\",\n \"$q_add\",\n \"$q_full\",\n \"$psprintf\",\n \"$async$and$plane\",\n \"$async$nand$plane\",\n \"$async$or$plane\",\n \"$async$nor$plane\",\n \"$sync$and$plane\",\n \"$sync$nand$plane\",\n \"$sync$or$plane\",\n \"$sync$nor$plane\",\n \"$system\",\n \"$display\",\n \"$displayb\",\n \"$displayh\",\n \"$displayo\",\n \"$strobe\",\n \"$strobeb\",\n \"$strobeh\",\n \"$strobeo\",\n \"$write\",\n \"$readmemb\",\n \"$readmemh\",\n \"$writememh\",\n \"$value$plusargs\",\n \"$dumpvars\",\n \"$dumpon\",\n \"$dumplimit\",\n \"$dumpports\",\n \"$dumpportson\",\n \"$dumpportslimit\",\n \"$writeb\",\n \"$writeh\",\n \"$writeo\",\n \"$monitor\",\n \"$monitorb\",\n \"$monitorh\",\n \"$monitoro\",\n \"$writememb\",\n \"$dumpfile\",\n \"$dumpoff\",\n \"$dumpall\",\n \"$dumpflush\",\n \"$dumpportsoff\",\n \"$dumpportsall\",\n \"$dumpportsflush\",\n \"$fclose\",\n \"$fdisplay\",\n \"$fdisplayb\",\n \"$fdisplayh\",\n \"$fdisplayo\",\n \"$fstrobe\",\n \"$fstrobeb\",\n \"$fstrobeh\",\n \"$fstrobeo\",\n \"$swrite\",\n \"$swriteb\",\n \"$swriteh\",\n \"$swriteo\",\n \"$fscanf\",\n \"$fread\",\n \"$fseek\",\n \"$fflush\",\n \"$feof\",\n \"$fopen\",\n \"$fwrite\",\n \"$fwriteb\",\n \"$fwriteh\",\n \"$fwriteo\",\n \"$fmonitor\",\n \"$fmonitorb\",\n \"$fmonitorh\",\n \"$fmonitoro\",\n \"$sformat\",\n \"$sformatf\",\n \"$fgetc\",\n \"$ungetc\",\n \"$fgets\",\n \"$sscanf\",\n \"$rewind\",\n \"$ftell\",\n \"$ferror\"\n ]\n };\n const BUILT_IN_CONSTANTS = [\n \"__FILE__\",\n \"__LINE__\"\n ];\n const DIRECTIVES = [\n \"begin_keywords\",\n \"celldefine\",\n \"default_nettype\",\n \"default_decay_time\",\n \"default_trireg_strength\",\n \"define\",\n \"delay_mode_distributed\",\n \"delay_mode_path\",\n \"delay_mode_unit\",\n \"delay_mode_zero\",\n \"else\",\n \"elsif\",\n \"end_keywords\",\n \"endcelldefine\",\n \"endif\",\n \"ifdef\",\n \"ifndef\",\n \"include\",\n \"line\",\n \"nounconnected_drive\",\n \"pragma\",\n \"resetall\",\n \"timescale\",\n \"unconnected_drive\",\n \"undef\",\n \"undefineall\"\n ];\n\n return {\n name: 'Verilog',\n aliases: [\n 'v',\n 'sv',\n 'svh'\n ],\n case_insensitive: false,\n keywords: KEYWORDS,\n contains: [\n hljs.C_BLOCK_COMMENT_MODE,\n hljs.C_LINE_COMMENT_MODE,\n hljs.QUOTE_STRING_MODE,\n {\n scope: 'number',\n contains: [ hljs.BACKSLASH_ESCAPE ],\n variants: [\n { begin: /\\b((\\d+'([bhodBHOD]))[0-9xzXZa-fA-F_]+)/ },\n { begin: /\\B(('([bhodBHOD]))[0-9xzXZa-fA-F_]+)/ },\n { // decimal\n begin: /\\b[0-9][0-9_]*/,\n relevance: 0\n }\n ]\n },\n /* parameters to instances */\n {\n scope: 'variable',\n variants: [\n { begin: '#\\\\((?!parameter).+\\\\)' },\n {\n begin: '\\\\.\\\\w+',\n relevance: 0\n }\n ]\n },\n {\n scope: 'variable.constant',\n match: regex.concat(/`/, regex.either(...BUILT_IN_CONSTANTS)),\n },\n {\n scope: 'meta',\n begin: regex.concat(/`/, regex.either(...DIRECTIVES)),\n end: /$|\\/\\/|\\/\\*/,\n returnEnd: true,\n keywords: DIRECTIVES\n }\n ]\n };\n}\n\nmodule.exports = verilog;\n", "/*\nLanguage: VHDL\nAuthor: Igor Kalnitsky <igor@kalnitsky.org>\nContributors: Daniel C.K. Kho <daniel.kho@tauhop.com>, Guillaume Savaton <guillaume.savaton@eseo.fr>\nDescription: VHDL is a hardware description language used in electronic design automation to describe digital and mixed-signal systems.\nWebsite: https://en.wikipedia.org/wiki/VHDL\n*/\n\nfunction vhdl(hljs) {\n // Regular expression for VHDL numeric literals.\n\n // Decimal literal:\n const INTEGER_RE = '\\\\d(_|\\\\d)*';\n const EXPONENT_RE = '[eE][-+]?' + INTEGER_RE;\n const DECIMAL_LITERAL_RE = INTEGER_RE + '(\\\\.' + INTEGER_RE + ')?' + '(' + EXPONENT_RE + ')?';\n // Based literal:\n const BASED_INTEGER_RE = '\\\\w+';\n const BASED_LITERAL_RE = INTEGER_RE + '#' + BASED_INTEGER_RE + '(\\\\.' + BASED_INTEGER_RE + ')?' + '#' + '(' + EXPONENT_RE + ')?';\n\n const NUMBER_RE = '\\\\b(' + BASED_LITERAL_RE + '|' + DECIMAL_LITERAL_RE + ')';\n\n const KEYWORDS = [\n \"abs\",\n \"access\",\n \"after\",\n \"alias\",\n \"all\",\n \"and\",\n \"architecture\",\n \"array\",\n \"assert\",\n \"assume\",\n \"assume_guarantee\",\n \"attribute\",\n \"begin\",\n \"block\",\n \"body\",\n \"buffer\",\n \"bus\",\n \"case\",\n \"component\",\n \"configuration\",\n \"constant\",\n \"context\",\n \"cover\",\n \"disconnect\",\n \"downto\",\n \"default\",\n \"else\",\n \"elsif\",\n \"end\",\n \"entity\",\n \"exit\",\n \"fairness\",\n \"file\",\n \"for\",\n \"force\",\n \"function\",\n \"generate\",\n \"generic\",\n \"group\",\n \"guarded\",\n \"if\",\n \"impure\",\n \"in\",\n \"inertial\",\n \"inout\",\n \"is\",\n \"label\",\n \"library\",\n \"linkage\",\n \"literal\",\n \"loop\",\n \"map\",\n \"mod\",\n \"nand\",\n \"new\",\n \"next\",\n \"nor\",\n \"not\",\n \"null\",\n \"of\",\n \"on\",\n \"open\",\n \"or\",\n \"others\",\n \"out\",\n \"package\",\n \"parameter\",\n \"port\",\n \"postponed\",\n \"procedure\",\n \"process\",\n \"property\",\n \"protected\",\n \"pure\",\n \"range\",\n \"record\",\n \"register\",\n \"reject\",\n \"release\",\n \"rem\",\n \"report\",\n \"restrict\",\n \"restrict_guarantee\",\n \"return\",\n \"rol\",\n \"ror\",\n \"select\",\n \"sequence\",\n \"severity\",\n \"shared\",\n \"signal\",\n \"sla\",\n \"sll\",\n \"sra\",\n \"srl\",\n \"strong\",\n \"subtype\",\n \"then\",\n \"to\",\n \"transport\",\n \"type\",\n \"unaffected\",\n \"units\",\n \"until\",\n \"use\",\n \"variable\",\n \"view\",\n \"vmode\",\n \"vprop\",\n \"vunit\",\n \"wait\",\n \"when\",\n \"while\",\n \"with\",\n \"xnor\",\n \"xor\"\n ];\n const BUILT_INS = [\n \"boolean\",\n \"bit\",\n \"character\",\n \"integer\",\n \"time\",\n \"delay_length\",\n \"natural\",\n \"positive\",\n \"string\",\n \"bit_vector\",\n \"file_open_kind\",\n \"file_open_status\",\n \"std_logic\",\n \"std_logic_vector\",\n \"unsigned\",\n \"signed\",\n \"boolean_vector\",\n \"integer_vector\",\n \"std_ulogic\",\n \"std_ulogic_vector\",\n \"unresolved_unsigned\",\n \"u_unsigned\",\n \"unresolved_signed\",\n \"u_signed\",\n \"real_vector\",\n \"time_vector\"\n ];\n const LITERALS = [\n // severity_level\n \"false\",\n \"true\",\n \"note\",\n \"warning\",\n \"error\",\n \"failure\",\n // textio\n \"line\",\n \"text\",\n \"side\",\n \"width\"\n ];\n\n return {\n name: 'VHDL',\n case_insensitive: true,\n keywords: {\n keyword: KEYWORDS,\n built_in: BUILT_INS,\n literal: LITERALS\n },\n illegal: /\\{/,\n contains: [\n hljs.C_BLOCK_COMMENT_MODE, // VHDL-2008 block commenting.\n hljs.COMMENT('--', '$'),\n hljs.QUOTE_STRING_MODE,\n {\n className: 'number',\n begin: NUMBER_RE,\n relevance: 0\n },\n {\n className: 'string',\n begin: '\\'(U|X|0|1|Z|W|L|H|-)\\'',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n className: 'symbol',\n begin: '\\'[A-Za-z](_?[A-Za-z0-9])*',\n contains: [ hljs.BACKSLASH_ESCAPE ]\n }\n ]\n };\n}\n\nmodule.exports = vhdl;\n", "/*\nLanguage: Vim Script\nAuthor: Jun Yang <yangjvn@126.com>\nDescription: full keyword and built-in from http://vimdoc.sourceforge.net/htmldoc/\nWebsite: https://www.vim.org\nCategory: scripting\n*/\n\nfunction vim(hljs) {\n return {\n name: 'Vim Script',\n keywords: {\n $pattern: /[!#@\\w]+/,\n keyword:\n // express version except: ! & * < = > !! # @ @@\n 'N|0 P|0 X|0 a|0 ab abc abo al am an|0 ar arga argd arge argdo argg argl argu as au aug aun b|0 bN ba bad bd be bel bf bl bm bn bo bp br brea breaka breakd breakl bro bufdo buffers bun bw c|0 cN cNf ca cabc caddb cad caddf cal cat cb cc ccl cd ce cex cf cfir cgetb cgete cg changes chd che checkt cl cla clo cm cmapc cme cn cnew cnf cno cnorea cnoreme co col colo com comc comp con conf cope '\n + 'cp cpf cq cr cs cst cu cuna cunme cw delm deb debugg delc delf dif diffg diffo diffp diffpu diffs diffthis dig di dl dell dj dli do doautoa dp dr ds dsp e|0 ea ec echoe echoh echom echon el elsei em en endfo endf endt endw ene ex exe exi exu f|0 files filet fin fina fini fir fix fo foldc foldd folddoc foldo for fu go gr grepa gu gv ha helpf helpg helpt hi hid his ia iabc if ij il im imapc '\n + 'ime ino inorea inoreme int is isp iu iuna iunme j|0 ju k|0 keepa kee keepj lN lNf l|0 lad laddb laddf la lan lat lb lc lch lcl lcs le lefta let lex lf lfir lgetb lgete lg lgr lgrepa lh ll lla lli lmak lm lmapc lne lnew lnf ln loadk lo loc lockv lol lope lp lpf lr ls lt lu lua luad luaf lv lvimgrepa lw m|0 ma mak map mapc marks mat me menut mes mk mks mksp mkv mkvie mod mz mzf nbc nb nbs new nm nmapc nme nn nnoreme noa no noh norea noreme norm nu nun nunme ol o|0 om omapc ome on ono onoreme opt ou ounme ow p|0 '\n + 'profd prof pro promptr pc ped pe perld po popu pp pre prev ps pt ptN ptf ptj ptl ptn ptp ptr pts pu pw py3 python3 py3d py3f py pyd pyf quita qa rec red redi redr redraws reg res ret retu rew ri rightb rub rubyd rubyf rund ru rv sN san sa sal sav sb sbN sba sbf sbl sbm sbn sbp sbr scrip scripte scs se setf setg setl sf sfir sh sim sig sil sl sla sm smap smapc sme sn sni sno snor snoreme sor '\n + 'so spelld spe spelli spellr spellu spellw sp spr sre st sta startg startr star stopi stj sts sun sunm sunme sus sv sw sy synti sync tN tabN tabc tabdo tabe tabf tabfir tabl tabm tabnew '\n + 'tabn tabo tabp tabr tabs tab ta tags tc tcld tclf te tf th tj tl tm tn to tp tr try ts tu u|0 undoj undol una unh unl unlo unm unme uns up ve verb vert vim vimgrepa vi viu vie vm vmapc vme vne vn vnoreme vs vu vunme windo w|0 wN wa wh wi winc winp wn wp wq wqa ws wu wv x|0 xa xmapc xm xme xn xnoreme xu xunme y|0 z|0 ~ '\n // full version\n + 'Next Print append abbreviate abclear aboveleft all amenu anoremenu args argadd argdelete argedit argglobal arglocal argument ascii autocmd augroup aunmenu buffer bNext ball badd bdelete behave belowright bfirst blast bmodified bnext botright bprevious brewind break breakadd breakdel breaklist browse bunload '\n + 'bwipeout change cNext cNfile cabbrev cabclear caddbuffer caddexpr caddfile call catch cbuffer cclose center cexpr cfile cfirst cgetbuffer cgetexpr cgetfile chdir checkpath checktime clist clast close cmap cmapclear cmenu cnext cnewer cnfile cnoremap cnoreabbrev cnoremenu copy colder colorscheme command comclear compiler continue confirm copen cprevious cpfile cquit crewind cscope cstag cunmap '\n + 'cunabbrev cunmenu cwindow delete delmarks debug debuggreedy delcommand delfunction diffupdate diffget diffoff diffpatch diffput diffsplit digraphs display deletel djump dlist doautocmd doautoall deletep drop dsearch dsplit edit earlier echo echoerr echohl echomsg else elseif emenu endif endfor '\n + 'endfunction endtry endwhile enew execute exit exusage file filetype find finally finish first fixdel fold foldclose folddoopen folddoclosed foldopen function global goto grep grepadd gui gvim hardcopy help helpfind helpgrep helptags highlight hide history insert iabbrev iabclear ijump ilist imap '\n + 'imapclear imenu inoremap inoreabbrev inoremenu intro isearch isplit iunmap iunabbrev iunmenu join jumps keepalt keepmarks keepjumps lNext lNfile list laddexpr laddbuffer laddfile last language later lbuffer lcd lchdir lclose lcscope left leftabove lexpr lfile lfirst lgetbuffer lgetexpr lgetfile lgrep lgrepadd lhelpgrep llast llist lmake lmap lmapclear lnext lnewer lnfile lnoremap loadkeymap loadview '\n + 'lockmarks lockvar lolder lopen lprevious lpfile lrewind ltag lunmap luado luafile lvimgrep lvimgrepadd lwindow move mark make mapclear match menu menutranslate messages mkexrc mksession mkspell mkvimrc mkview mode mzscheme mzfile nbclose nbkey nbsart next nmap nmapclear nmenu nnoremap '\n + 'nnoremenu noautocmd noremap nohlsearch noreabbrev noremenu normal number nunmap nunmenu oldfiles open omap omapclear omenu only onoremap onoremenu options ounmap ounmenu ownsyntax print profdel profile promptfind promptrepl pclose pedit perl perldo pop popup ppop preserve previous psearch ptag ptNext '\n + 'ptfirst ptjump ptlast ptnext ptprevious ptrewind ptselect put pwd py3do py3file python pydo pyfile quit quitall qall read recover redo redir redraw redrawstatus registers resize retab return rewind right rightbelow ruby rubydo rubyfile rundo runtime rviminfo substitute sNext sandbox sargument sall saveas sbuffer sbNext sball sbfirst sblast sbmodified sbnext sbprevious sbrewind scriptnames scriptencoding '\n + 'scscope set setfiletype setglobal setlocal sfind sfirst shell simalt sign silent sleep slast smagic smapclear smenu snext sniff snomagic snoremap snoremenu sort source spelldump spellgood spellinfo spellrepall spellundo spellwrong split sprevious srewind stop stag startgreplace startreplace '\n + 'startinsert stopinsert stjump stselect sunhide sunmap sunmenu suspend sview swapname syntax syntime syncbind tNext tabNext tabclose tabedit tabfind tabfirst tablast tabmove tabnext tabonly tabprevious tabrewind tag tcl tcldo tclfile tearoff tfirst throw tjump tlast tmenu tnext topleft tprevious ' + 'trewind tselect tunmenu undo undojoin undolist unabbreviate unhide unlet unlockvar unmap unmenu unsilent update vglobal version verbose vertical vimgrep vimgrepadd visual viusage view vmap vmapclear vmenu vnew '\n + 'vnoremap vnoremenu vsplit vunmap vunmenu write wNext wall while winsize wincmd winpos wnext wprevious wqall wsverb wundo wviminfo xit xall xmapclear xmap xmenu xnoremap xnoremenu xunmap xunmenu yank',\n built_in: // built in func\n 'synIDtrans atan2 range matcharg did_filetype asin feedkeys xor argv '\n + 'complete_check add getwinposx getqflist getwinposy screencol '\n + 'clearmatches empty extend getcmdpos mzeval garbagecollect setreg '\n + 'ceil sqrt diff_hlID inputsecret get getfperm getpid filewritable '\n + 'shiftwidth max sinh isdirectory synID system inputrestore winline '\n + 'atan visualmode inputlist tabpagewinnr round getregtype mapcheck '\n + 'hasmapto histdel argidx findfile sha256 exists toupper getcmdline '\n + 'taglist string getmatches bufnr strftime winwidth bufexists '\n + 'strtrans tabpagebuflist setcmdpos remote_read printf setloclist '\n + 'getpos getline bufwinnr float2nr len getcmdtype diff_filler luaeval '\n + 'resolve libcallnr foldclosedend reverse filter has_key bufname '\n + 'str2float strlen setline getcharmod setbufvar index searchpos '\n + 'shellescape undofile foldclosed setqflist buflisted strchars str2nr '\n + 'virtcol floor remove undotree remote_expr winheight gettabwinvar '\n + 'reltime cursor tabpagenr finddir localtime acos getloclist search '\n + 'tanh matchend rename gettabvar strdisplaywidth type abs py3eval '\n + 'setwinvar tolower wildmenumode log10 spellsuggest bufloaded '\n + 'synconcealed nextnonblank server2client complete settabwinvar '\n + 'executable input wincol setmatches getftype hlID inputsave '\n + 'searchpair or screenrow line settabvar histadd deepcopy strpart '\n + 'remote_peek and eval getftime submatch screenchar winsaveview '\n + 'matchadd mkdir screenattr getfontname libcall reltimestr getfsize '\n + 'winnr invert pow getbufline byte2line soundfold repeat fnameescape '\n + 'tagfiles sin strwidth spellbadword trunc maparg log lispindent '\n + 'hostname setpos globpath remote_foreground getchar synIDattr '\n + 'fnamemodify cscope_connection stridx winbufnr indent min '\n + 'complete_add nr2char searchpairpos inputdialog values matchlist '\n + 'items hlexists strridx browsedir expand fmod pathshorten line2byte '\n + 'argc count getwinvar glob foldtextresult getreg foreground cosh '\n + 'matchdelete has char2nr simplify histget searchdecl iconv '\n + 'winrestcmd pumvisible writefile foldlevel haslocaldir keys cos '\n + 'matchstr foldtext histnr tan tempname getcwd byteidx getbufvar '\n + 'islocked escape eventhandler remote_send serverlist winrestview '\n + 'synstack pyeval prevnonblank readfile cindent filereadable changenr '\n + 'exp'\n },\n illegal: /;/,\n contains: [\n hljs.NUMBER_MODE,\n {\n className: 'string',\n begin: '\\'',\n end: '\\'',\n illegal: '\\\\n'\n },\n\n /*\n A double quote can start either a string or a line comment. Strings are\n ended before the end of a line by another double quote and can contain\n escaped double-quotes and post-escaped line breaks.\n\n Also, any double quote at the beginning of a line is a comment but we\n don't handle that properly at the moment: any double quote inside will\n turn them into a string. Handling it properly will require a smarter\n parser.\n */\n {\n className: 'string',\n begin: /\"(\\\\\"|\\n\\\\|[^\"\\n])*\"/\n },\n hljs.COMMENT('\"', '$'),\n\n {\n className: 'variable',\n begin: /[bwtglsav]:[\\w\\d_]+/\n },\n {\n begin: [\n /\\b(?:function|function!)/,\n /\\s+/,\n hljs.IDENT_RE\n ],\n className: {\n 1: \"keyword\",\n 3: \"title\"\n },\n end: '$',\n relevance: 0,\n contains: [\n {\n className: 'params',\n begin: '\\\\(',\n end: '\\\\)'\n }\n ]\n },\n {\n className: 'symbol',\n begin: /<[\\w-]+>/\n }\n ]\n };\n}\n\nmodule.exports = vim;\n", "/*\nLanguage: WebAssembly\nWebsite: https://webassembly.org\nDescription: Wasm is designed as a portable compilation target for programming languages, enabling deployment on the web for client and server applications.\nCategory: web, common\nAudit: 2020\n*/\n\n/** @type LanguageFn */\nfunction wasm(hljs) {\n hljs.regex;\n const BLOCK_COMMENT = hljs.COMMENT(/\\(;/, /;\\)/);\n BLOCK_COMMENT.contains.push(\"self\");\n const LINE_COMMENT = hljs.COMMENT(/;;/, /$/);\n\n const KWS = [\n \"anyfunc\",\n \"block\",\n \"br\",\n \"br_if\",\n \"br_table\",\n \"call\",\n \"call_indirect\",\n \"data\",\n \"drop\",\n \"elem\",\n \"else\",\n \"end\",\n \"export\",\n \"func\",\n \"global.get\",\n \"global.set\",\n \"local.get\",\n \"local.set\",\n \"local.tee\",\n \"get_global\",\n \"get_local\",\n \"global\",\n \"if\",\n \"import\",\n \"local\",\n \"loop\",\n \"memory\",\n \"memory.grow\",\n \"memory.size\",\n \"module\",\n \"mut\",\n \"nop\",\n \"offset\",\n \"param\",\n \"result\",\n \"return\",\n \"select\",\n \"set_global\",\n \"set_local\",\n \"start\",\n \"table\",\n \"tee_local\",\n \"then\",\n \"type\",\n \"unreachable\"\n ];\n\n const FUNCTION_REFERENCE = {\n begin: [\n /(?:func|call|call_indirect)/,\n /\\s+/,\n /\\$[^\\s)]+/\n ],\n className: {\n 1: \"keyword\",\n 3: \"title.function\"\n }\n };\n\n const ARGUMENT = {\n className: \"variable\",\n begin: /\\$[\\w_]+/\n };\n\n const PARENS = {\n match: /(\\((?!;)|\\))+/,\n className: \"punctuation\",\n relevance: 0\n };\n\n const NUMBER = {\n className: \"number\",\n relevance: 0,\n // borrowed from Prism, TODO: split out into variants\n match: /[+-]?\\b(?:\\d(?:_?\\d)*(?:\\.\\d(?:_?\\d)*)?(?:[eE][+-]?\\d(?:_?\\d)*)?|0x[\\da-fA-F](?:_?[\\da-fA-F])*(?:\\.[\\da-fA-F](?:_?[\\da-fA-D])*)?(?:[pP][+-]?\\d(?:_?\\d)*)?)\\b|\\binf\\b|\\bnan(?::0x[\\da-fA-F](?:_?[\\da-fA-D])*)?\\b/\n };\n\n const TYPE = {\n // look-ahead prevents us from gobbling up opcodes\n match: /(i32|i64|f32|f64)(?!\\.)/,\n className: \"type\"\n };\n\n const MATH_OPERATIONS = {\n className: \"keyword\",\n // borrowed from Prism, TODO: split out into variants\n match: /\\b(f32|f64|i32|i64)(?:\\.(?:abs|add|and|ceil|clz|const|convert_[su]\\/i(?:32|64)|copysign|ctz|demote\\/f64|div(?:_[su])?|eqz?|extend_[su]\\/i32|floor|ge(?:_[su])?|gt(?:_[su])?|le(?:_[su])?|load(?:(?:8|16|32)_[su])?|lt(?:_[su])?|max|min|mul|nearest|neg?|or|popcnt|promote\\/f32|reinterpret\\/[fi](?:32|64)|rem_[su]|rot[lr]|shl|shr_[su]|store(?:8|16|32)?|sqrt|sub|trunc(?:_[su]\\/f(?:32|64))?|wrap\\/i64|xor))\\b/\n };\n\n const OFFSET_ALIGN = {\n match: [\n /(?:offset|align)/,\n /\\s*/,\n /=/\n ],\n className: {\n 1: \"keyword\",\n 3: \"operator\"\n }\n };\n\n return {\n name: 'WebAssembly',\n keywords: {\n $pattern: /[\\w.]+/,\n keyword: KWS\n },\n contains: [\n LINE_COMMENT,\n BLOCK_COMMENT,\n OFFSET_ALIGN,\n ARGUMENT,\n PARENS,\n FUNCTION_REFERENCE,\n hljs.QUOTE_STRING_MODE,\n TYPE,\n MATH_OPERATIONS,\n NUMBER\n ]\n };\n}\n\nmodule.exports = wasm;\n", "/*\nLanguage: Wren\nDescription: Think Smalltalk in a Lua-sized package with a dash of Erlang and wrapped up in a familiar, modern syntax.\nCategory: scripting\nAuthor: @joshgoebel\nMaintainer: @joshgoebel\nWebsite: https://wren.io/\n*/\n\n/** @type LanguageFn */\nfunction wren(hljs) {\n const regex = hljs.regex;\n const IDENT_RE = /[a-zA-Z]\\w*/;\n const KEYWORDS = [\n \"as\",\n \"break\",\n \"class\",\n \"construct\",\n \"continue\",\n \"else\",\n \"for\",\n \"foreign\",\n \"if\",\n \"import\",\n \"in\",\n \"is\",\n \"return\",\n \"static\",\n \"var\",\n \"while\"\n ];\n const LITERALS = [\n \"true\",\n \"false\",\n \"null\"\n ];\n const LANGUAGE_VARS = [\n \"this\",\n \"super\"\n ];\n const CORE_CLASSES = [\n \"Bool\",\n \"Class\",\n \"Fiber\",\n \"Fn\",\n \"List\",\n \"Map\",\n \"Null\",\n \"Num\",\n \"Object\",\n \"Range\",\n \"Sequence\",\n \"String\",\n \"System\"\n ];\n const OPERATORS = [\n \"-\",\n \"~\",\n /\\*/,\n \"%\",\n /\\.\\.\\./,\n /\\.\\./,\n /\\+/,\n \"<<\",\n \">>\",\n \">=\",\n \"<=\",\n \"<\",\n \">\",\n /\\^/,\n /!=/,\n /!/,\n /\\bis\\b/,\n \"==\",\n \"&&\",\n \"&\",\n /\\|\\|/,\n /\\|/,\n /\\?:/,\n \"=\"\n ];\n const FUNCTION = {\n relevance: 0,\n match: regex.concat(/\\b(?!(if|while|for|else|super)\\b)/, IDENT_RE, /(?=\\s*[({])/),\n className: \"title.function\"\n };\n const FUNCTION_DEFINITION = {\n match: regex.concat(\n regex.either(\n regex.concat(/\\b(?!(if|while|for|else|super)\\b)/, IDENT_RE),\n regex.either(...OPERATORS)\n ),\n /(?=\\s*\\([^)]+\\)\\s*\\{)/),\n className: \"title.function\",\n starts: { contains: [\n {\n begin: /\\(/,\n end: /\\)/,\n contains: [\n {\n relevance: 0,\n scope: \"params\",\n match: IDENT_RE\n }\n ]\n }\n ] }\n };\n const CLASS_DEFINITION = {\n variants: [\n { match: [\n /class\\s+/,\n IDENT_RE,\n /\\s+is\\s+/,\n IDENT_RE\n ] },\n { match: [\n /class\\s+/,\n IDENT_RE\n ] }\n ],\n scope: {\n 2: \"title.class\",\n 4: \"title.class.inherited\"\n },\n keywords: KEYWORDS\n };\n\n const OPERATOR = {\n relevance: 0,\n match: regex.either(...OPERATORS),\n className: \"operator\"\n };\n\n const TRIPLE_STRING = {\n className: \"string\",\n begin: /\"\"\"/,\n end: /\"\"\"/\n };\n\n const PROPERTY = {\n className: \"property\",\n begin: regex.concat(/\\./, regex.lookahead(IDENT_RE)),\n end: IDENT_RE,\n excludeBegin: true,\n relevance: 0\n };\n\n const FIELD = {\n relevance: 0,\n match: regex.concat(/\\b_/, IDENT_RE),\n scope: \"variable\"\n };\n\n // CamelCase\n const CLASS_REFERENCE = {\n relevance: 0,\n match: /\\b[A-Z]+[a-z]+([A-Z]+[a-z]+)*/,\n scope: \"title.class\",\n keywords: { _: CORE_CLASSES }\n };\n\n // TODO: add custom number modes\n const NUMBER = hljs.C_NUMBER_MODE;\n\n const SETTER = {\n match: [\n IDENT_RE,\n /\\s*/,\n /=/,\n /\\s*/,\n /\\(/,\n IDENT_RE,\n /\\)\\s*\\{/\n ],\n scope: {\n 1: \"title.function\",\n 3: \"operator\",\n 6: \"params\"\n }\n };\n\n const COMMENT_DOCS = hljs.COMMENT(\n /\\/\\*\\*/,\n /\\*\\//,\n { contains: [\n {\n match: /@[a-z]+/,\n scope: \"doctag\"\n },\n \"self\"\n ] }\n );\n const SUBST = {\n scope: \"subst\",\n begin: /%\\(/,\n end: /\\)/,\n contains: [\n NUMBER,\n CLASS_REFERENCE,\n FUNCTION,\n FIELD,\n OPERATOR\n ]\n };\n const STRING = {\n scope: \"string\",\n begin: /\"/,\n end: /\"/,\n contains: [\n SUBST,\n {\n scope: \"char.escape\",\n variants: [\n { match: /\\\\\\\\|\\\\[\"0%abefnrtv]/ },\n { match: /\\\\x[0-9A-F]{2}/ },\n { match: /\\\\u[0-9A-F]{4}/ },\n { match: /\\\\U[0-9A-F]{8}/ }\n ]\n }\n ]\n };\n SUBST.contains.push(STRING);\n\n const ALL_KWS = [\n ...KEYWORDS,\n ...LANGUAGE_VARS,\n ...LITERALS\n ];\n const VARIABLE = {\n relevance: 0,\n match: regex.concat(\n \"\\\\b(?!\",\n ALL_KWS.join(\"|\"),\n \"\\\\b)\",\n /[a-zA-Z_]\\w*(?:[?!]|\\b)/\n ),\n className: \"variable\"\n };\n\n // TODO: reconsider this in the future\n const ATTRIBUTE = {\n // scope: \"meta\",\n scope: \"comment\",\n variants: [\n {\n begin: [\n /#!?/,\n /[A-Za-z_]+(?=\\()/\n ],\n beginScope: {\n // 2: \"attr\"\n },\n keywords: { literal: LITERALS },\n contains: [\n // NUMBER,\n // VARIABLE\n ],\n end: /\\)/\n },\n {\n begin: [\n /#!?/,\n /[A-Za-z_]+/\n ],\n beginScope: {\n // 2: \"attr\"\n },\n end: /$/\n }\n ]\n };\n\n return {\n name: \"Wren\",\n keywords: {\n keyword: KEYWORDS,\n \"variable.language\": LANGUAGE_VARS,\n literal: LITERALS\n },\n contains: [\n ATTRIBUTE,\n NUMBER,\n STRING,\n TRIPLE_STRING,\n COMMENT_DOCS,\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n CLASS_REFERENCE,\n CLASS_DEFINITION,\n SETTER,\n FUNCTION_DEFINITION,\n FUNCTION,\n OPERATOR,\n FIELD,\n PROPERTY,\n VARIABLE\n ]\n };\n}\n\nmodule.exports = wren;\n", "/*\nLanguage: Intel x86 Assembly\nAuthor: innocenat <innocenat@gmail.com>\nDescription: x86 assembly language using Intel's mnemonic and NASM syntax\nWebsite: https://en.wikipedia.org/wiki/X86_assembly_language\nCategory: assembler\n*/\n\nfunction x86asm(hljs) {\n return {\n name: 'Intel x86 Assembly',\n case_insensitive: true,\n keywords: {\n $pattern: '[.%]?' + hljs.IDENT_RE,\n keyword:\n 'lock rep repe repz repne repnz xaquire xrelease bnd nobnd '\n + 'aaa aad aam aas adc add and arpl bb0_reset bb1_reset bound bsf bsr bswap bt btc btr bts call cbw cdq cdqe clc cld cli clts cmc cmp cmpsb cmpsd cmpsq cmpsw cmpxchg cmpxchg486 cmpxchg8b cmpxchg16b cpuid cpu_read cpu_write cqo cwd cwde daa das dec div dmint emms enter equ f2xm1 fabs fadd faddp fbld fbstp fchs fclex fcmovb fcmovbe fcmove fcmovnb fcmovnbe fcmovne fcmovnu fcmovu fcom fcomi fcomip fcomp fcompp fcos fdecstp fdisi fdiv fdivp fdivr fdivrp femms feni ffree ffreep fiadd ficom ficomp fidiv fidivr fild fimul fincstp finit fist fistp fisttp fisub fisubr fld fld1 fldcw fldenv fldl2e fldl2t fldlg2 fldln2 fldpi fldz fmul fmulp fnclex fndisi fneni fninit fnop fnsave fnstcw fnstenv fnstsw fpatan fprem fprem1 fptan frndint frstor fsave fscale fsetpm fsin fsincos fsqrt fst fstcw fstenv fstp fstsw fsub fsubp fsubr fsubrp ftst fucom fucomi fucomip fucomp fucompp fxam fxch fxtract fyl2x fyl2xp1 hlt ibts icebp idiv imul in inc incbin insb insd insw int int01 int1 int03 int3 into invd invpcid invlpg invlpga iret iretd iretq iretw jcxz jecxz jrcxz jmp jmpe lahf lar lds lea leave les lfence lfs lgdt lgs lidt lldt lmsw loadall loadall286 lodsb lodsd lodsq lodsw loop loope loopne loopnz loopz lsl lss ltr mfence monitor mov movd movq movsb movsd movsq movsw movsx movsxd movzx mul mwait neg nop not or out outsb outsd outsw packssdw packsswb packuswb paddb paddd paddsb paddsiw paddsw paddusb paddusw paddw pand pandn pause paveb pavgusb pcmpeqb pcmpeqd pcmpeqw pcmpgtb pcmpgtd pcmpgtw pdistib pf2id pfacc pfadd pfcmpeq pfcmpge pfcmpgt pfmax pfmin pfmul pfrcp pfrcpit1 pfrcpit2 pfrsqit1 pfrsqrt pfsub pfsubr pi2fd pmachriw pmaddwd pmagw pmulhriw pmulhrwa pmulhrwc pmulhw pmullw pmvgezb pmvlzb pmvnzb pmvzb pop popa popad popaw popf popfd popfq popfw por prefetch prefetchw pslld psllq psllw psrad psraw psrld psrlq psrlw psubb psubd psubsb psubsiw psubsw psubusb psubusw psubw punpckhbw punpckhdq punpckhwd punpcklbw punpckldq punpcklwd push pusha pushad pushaw pushf pushfd pushfq pushfw pxor rcl rcr rdshr rdmsr rdpmc rdtsc rdtscp ret retf retn rol ror rdm rsdc rsldt rsm rsts sahf sal salc sar sbb scasb scasd scasq scasw sfence sgdt shl shld shr shrd sidt sldt skinit smi smint smintold smsw stc std sti stosb stosd stosq stosw str sub svdc svldt svts swapgs syscall sysenter sysexit sysret test ud0 ud1 ud2b ud2 ud2a umov verr verw fwait wbinvd wrshr wrmsr xadd xbts xchg xlatb xlat xor cmove cmovz cmovne cmovnz cmova cmovnbe cmovae cmovnb cmovb cmovnae cmovbe cmovna cmovg cmovnle cmovge cmovnl cmovl cmovnge cmovle cmovng cmovc cmovnc cmovo cmovno cmovs cmovns cmovp cmovpe cmovnp cmovpo je jz jne jnz ja jnbe jae jnb jb jnae jbe jna jg jnle jge jnl jl jnge jle jng jc jnc jo jno js jns jpo jnp jpe jp sete setz setne setnz seta setnbe setae setnb setnc setb setnae setcset setbe setna setg setnle setge setnl setl setnge setle setng sets setns seto setno setpe setp setpo setnp addps addss andnps andps cmpeqps cmpeqss cmpleps cmpless cmpltps cmpltss cmpneqps cmpneqss cmpnleps cmpnless cmpnltps cmpnltss cmpordps cmpordss cmpunordps cmpunordss cmpps cmpss comiss cvtpi2ps cvtps2pi cvtsi2ss cvtss2si cvttps2pi cvttss2si divps divss ldmxcsr maxps maxss minps minss movaps movhps movlhps movlps movhlps movmskps movntps movss movups mulps mulss orps rcpps rcpss rsqrtps rsqrtss shufps sqrtps sqrtss stmxcsr subps subss ucomiss unpckhps unpcklps xorps fxrstor fxrstor64 fxsave fxsave64 xgetbv xsetbv xsave xsave64 xsaveopt xsaveopt64 xrstor xrstor64 prefetchnta prefetcht0 prefetcht1 prefetcht2 maskmovq movntq pavgb pavgw pextrw pinsrw pmaxsw pmaxub pminsw pminub pmovmskb pmulhuw psadbw pshufw pf2iw pfnacc pfpnacc pi2fw pswapd maskmovdqu clflush movntdq movnti movntpd movdqa movdqu movdq2q movq2dq paddq pmuludq pshufd pshufhw pshuflw pslldq psrldq psubq punpckhqdq punpcklqdq addpd addsd andnpd andpd cmpeqpd cmpeqsd cmplepd cmplesd cmpltpd cmpltsd cmpneqpd cmpneqsd cmpnlepd cmpnlesd cmpnltpd cmpnltsd cmpordpd cmpordsd cmpunordpd cmpunordsd cmppd comisd cvtdq2pd cvtdq2ps cvtpd2dq cvtpd2pi cvtpd2ps cvtpi2pd cvtps2dq cvtps2pd cvtsd2si cvtsd2ss cvtsi2sd cvtss2sd cvttpd2pi cvttpd2dq cvttps2dq cvttsd2si divpd divsd maxpd maxsd minpd minsd movapd movhpd movlpd movmskpd movupd mulpd mulsd orpd shufpd sqrtpd sqrtsd subpd subsd ucomisd unpckhpd unpcklpd xorpd addsubpd addsubps haddpd haddps hsubpd hsubps lddqu movddup movshdup movsldup clgi stgi vmcall vmclear vmfunc vmlaunch vmload vmmcall vmptrld vmptrst vmread vmresume vmrun vmsave vmwrite vmxoff vmxon invept invvpid pabsb pabsw pabsd palignr phaddw phaddd phaddsw phsubw phsubd phsubsw pmaddubsw pmulhrsw pshufb psignb psignw psignd extrq insertq movntsd movntss lzcnt blendpd blendps blendvpd blendvps dppd dpps extractps insertps movntdqa mpsadbw packusdw pblendvb pblendw pcmpeqq pextrb pextrd pextrq phminposuw pinsrb pinsrd pinsrq pmaxsb pmaxsd pmaxud pmaxuw pminsb pminsd pminud pminuw pmovsxbw pmovsxbd pmovsxbq pmovsxwd pmovsxwq pmovsxdq pmovzxbw pmovzxbd pmovzxbq pmovzxwd pmovzxwq pmovzxdq pmuldq pmulld ptest roundpd roundps roundsd roundss crc32 pcmpestri pcmpestrm pcmpistri pcmpistrm pcmpgtq popcnt getsec pfrcpv pfrsqrtv movbe aesenc aesenclast aesdec aesdeclast aesimc aeskeygenassist vaesenc vaesenclast vaesdec vaesdeclast vaesimc vaeskeygenassist vaddpd vaddps vaddsd vaddss vaddsubpd vaddsubps vandpd vandps vandnpd vandnps vblendpd vblendps vblendvpd vblendvps vbroadcastss vbroadcastsd vbroadcastf128 vcmpeq_ospd vcmpeqpd vcmplt_ospd vcmpltpd vcmple_ospd vcmplepd vcmpunord_qpd vcmpunordpd vcmpneq_uqpd vcmpneqpd vcmpnlt_uspd vcmpnltpd vcmpnle_uspd vcmpnlepd vcmpord_qpd vcmpordpd vcmpeq_uqpd vcmpnge_uspd vcmpngepd vcmpngt_uspd vcmpngtpd vcmpfalse_oqpd vcmpfalsepd vcmpneq_oqpd vcmpge_ospd vcmpgepd vcmpgt_ospd vcmpgtpd vcmptrue_uqpd vcmptruepd vcmplt_oqpd vcmple_oqpd vcmpunord_spd vcmpneq_uspd vcmpnlt_uqpd vcmpnle_uqpd vcmpord_spd vcmpeq_uspd vcmpnge_uqpd vcmpngt_uqpd vcmpfalse_ospd vcmpneq_ospd vcmpge_oqpd vcmpgt_oqpd vcmptrue_uspd vcmppd vcmpeq_osps vcmpeqps vcmplt_osps vcmpltps vcmple_osps vcmpleps vcmpunord_qps vcmpunordps vcmpneq_uqps vcmpneqps vcmpnlt_usps vcmpnltps vcmpnle_usps vcmpnleps vcmpord_qps vcmpordps vcmpeq_uqps vcmpnge_usps vcmpngeps vcmpngt_usps vcmpngtps vcmpfalse_oqps vcmpfalseps vcmpneq_oqps vcmpge_osps vcmpgeps vcmpgt_osps vcmpgtps vcmptrue_uqps vcmptrueps vcmplt_oqps vcmple_oqps vcmpunord_sps vcmpneq_usps vcmpnlt_uqps vcmpnle_uqps vcmpord_sps vcmpeq_usps vcmpnge_uqps vcmpngt_uqps vcmpfalse_osps vcmpneq_osps vcmpge_oqps vcmpgt_oqps vcmptrue_usps vcmpps vcmpeq_ossd vcmpeqsd vcmplt_ossd vcmpltsd vcmple_ossd vcmplesd vcmpunord_qsd vcmpunordsd vcmpneq_uqsd vcmpneqsd vcmpnlt_ussd vcmpnltsd vcmpnle_ussd vcmpnlesd vcmpord_qsd vcmpordsd vcmpeq_uqsd vcmpnge_ussd vcmpngesd vcmpngt_ussd vcmpngtsd vcmpfalse_oqsd vcmpfalsesd vcmpneq_oqsd vcmpge_ossd vcmpgesd vcmpgt_ossd vcmpgtsd vcmptrue_uqsd vcmptruesd vcmplt_oqsd vcmple_oqsd vcmpunord_ssd vcmpneq_ussd vcmpnlt_uqsd vcmpnle_uqsd vcmpord_ssd vcmpeq_ussd vcmpnge_uqsd vcmpngt_uqsd vcmpfalse_ossd vcmpneq_ossd vcmpge_oqsd vcmpgt_oqsd vcmptrue_ussd vcmpsd vcmpeq_osss vcmpeqss vcmplt_osss vcmpltss vcmple_osss vcmpless vcmpunord_qss vcmpunordss vcmpneq_uqss vcmpneqss vcmpnlt_usss vcmpnltss vcmpnle_usss vcmpnless vcmpord_qss vcmpordss vcmpeq_uqss vcmpnge_usss vcmpngess vcmpngt_usss vcmpngtss vcmpfalse_oqss vcmpfalsess vcmpneq_oqss vcmpge_osss vcmpgess vcmpgt_osss vcmpgtss vcmptrue_uqss vcmptruess vcmplt_oqss vcmple_oqss vcmpunord_sss vcmpneq_usss vcmpnlt_uqss vcmpnle_uqss vcmpord_sss vcmpeq_usss vcmpnge_uqss vcmpngt_uqss vcmpfalse_osss vcmpneq_osss vcmpge_oqss vcmpgt_oqss vcmptrue_usss vcmpss vcomisd vcomiss vcvtdq2pd vcvtdq2ps vcvtpd2dq vcvtpd2ps vcvtps2dq vcvtps2pd vcvtsd2si vcvtsd2ss vcvtsi2sd vcvtsi2ss vcvtss2sd vcvtss2si vcvttpd2dq vcvttps2dq vcvttsd2si vcvttss2si vdivpd vdivps vdivsd vdivss vdppd vdpps vextractf128 vextractps vhaddpd vhaddps vhsubpd vhsubps vinsertf128 vinsertps vlddqu vldqqu vldmxcsr vmaskmovdqu vmaskmovps vmaskmovpd vmaxpd vmaxps vmaxsd vmaxss vminpd vminps vminsd vminss vmovapd vmovaps vmovd vmovq vmovddup vmovdqa vmovqqa vmovdqu vmovqqu vmovhlps vmovhpd vmovhps vmovlhps vmovlpd vmovlps vmovmskpd vmovmskps vmovntdq vmovntqq vmovntdqa vmovntpd vmovntps vmovsd vmovshdup vmovsldup vmovss vmovupd vmovups vmpsadbw vmulpd vmulps vmulsd vmulss vorpd vorps vpabsb vpabsw vpabsd vpacksswb vpackssdw vpackuswb vpackusdw vpaddb vpaddw vpaddd vpaddq vpaddsb vpaddsw vpaddusb vpaddusw vpalignr vpand vpandn vpavgb vpavgw vpblendvb vpblendw vpcmpestri vpcmpestrm vpcmpistri vpcmpistrm vpcmpeqb vpcmpeqw vpcmpeqd vpcmpeqq vpcmpgtb vpcmpgtw vpcmpgtd vpcmpgtq vpermilpd vpermilps vperm2f128 vpextrb vpextrw vpextrd vpextrq vphaddw vphaddd vphaddsw vphminposuw vphsubw vphsubd vphsubsw vpinsrb vpinsrw vpinsrd vpinsrq vpmaddwd vpmaddubsw vpmaxsb vpmaxsw vpmaxsd vpmaxub vpmaxuw vpmaxud vpminsb vpminsw vpminsd vpminub vpminuw vpminud vpmovmskb vpmovsxbw vpmovsxbd vpmovsxbq vpmovsxwd vpmovsxwq vpmovsxdq vpmovzxbw vpmovzxbd vpmovzxbq vpmovzxwd vpmovzxwq vpmovzxdq vpmulhuw vpmulhrsw vpmulhw vpmullw vpmulld vpmuludq vpmuldq vpor vpsadbw vpshufb vpshufd vpshufhw vpshuflw vpsignb vpsignw vpsignd vpslldq vpsrldq vpsllw vpslld vpsllq vpsraw vpsrad vpsrlw vpsrld vpsrlq vptest vpsubb vpsubw vpsubd vpsubq vpsubsb vpsubsw vpsubusb vpsubusw vpunpckhbw vpunpckhwd vpunpckhdq vpunpckhqdq vpunpcklbw vpunpcklwd vpunpckldq vpunpcklqdq vpxor vrcpps vrcpss vrsqrtps vrsqrtss vroundpd vroundps vroundsd vroundss vshufpd vshufps vsqrtpd vsqrtps vsqrtsd vsqrtss vstmxcsr vsubpd vsubps vsubsd vsubss vtestps vtestpd vucomisd vucomiss vunpckhpd vunpckhps vunpcklpd vunpcklps vxorpd vxorps vzeroall vzeroupper pclmullqlqdq pclmulhqlqdq pclmullqhqdq pclmulhqhqdq pclmulqdq vpclmullqlqdq vpclmulhqlqdq vpclmullqhqdq vpclmulhqhqdq vpclmulqdq vfmadd132ps vfmadd132pd vfmadd312ps vfmadd312pd vfmadd213ps vfmadd213pd vfmadd123ps vfmadd123pd vfmadd231ps vfmadd231pd vfmadd321ps vfmadd321pd vfmaddsub132ps vfmaddsub132pd vfmaddsub312ps vfmaddsub312pd vfmaddsub213ps vfmaddsub213pd vfmaddsub123ps vfmaddsub123pd vfmaddsub231ps vfmaddsub231pd vfmaddsub321ps vfmaddsub321pd vfmsub132ps vfmsub132pd vfmsub312ps vfmsub312pd vfmsub213ps vfmsub213pd vfmsub123ps vfmsub123pd vfmsub231ps vfmsub231pd vfmsub321ps vfmsub321pd vfmsubadd132ps vfmsubadd132pd vfmsubadd312ps vfmsubadd312pd vfmsubadd213ps vfmsubadd213pd vfmsubadd123ps vfmsubadd123pd vfmsubadd231ps vfmsubadd231pd vfmsubadd321ps vfmsubadd321pd vfnmadd132ps vfnmadd132pd vfnmadd312ps vfnmadd312pd vfnmadd213ps vfnmadd213pd vfnmadd123ps vfnmadd123pd vfnmadd231ps vfnmadd231pd vfnmadd321ps vfnmadd321pd vfnmsub132ps vfnmsub132pd vfnmsub312ps vfnmsub312pd vfnmsub213ps vfnmsub213pd vfnmsub123ps vfnmsub123pd vfnmsub231ps vfnmsub231pd vfnmsub321ps vfnmsub321pd vfmadd132ss vfmadd132sd vfmadd312ss vfmadd312sd vfmadd213ss vfmadd213sd vfmadd123ss vfmadd123sd vfmadd231ss vfmadd231sd vfmadd321ss vfmadd321sd vfmsub132ss vfmsub132sd vfmsub312ss vfmsub312sd vfmsub213ss vfmsub213sd vfmsub123ss vfmsub123sd vfmsub231ss vfmsub231sd vfmsub321ss vfmsub321sd vfnmadd132ss vfnmadd132sd vfnmadd312ss vfnmadd312sd vfnmadd213ss vfnmadd213sd vfnmadd123ss vfnmadd123sd vfnmadd231ss vfnmadd231sd vfnmadd321ss vfnmadd321sd vfnmsub132ss vfnmsub132sd vfnmsub312ss vfnmsub312sd vfnmsub213ss vfnmsub213sd vfnmsub123ss vfnmsub123sd vfnmsub231ss vfnmsub231sd vfnmsub321ss vfnmsub321sd rdfsbase rdgsbase rdrand wrfsbase wrgsbase vcvtph2ps vcvtps2ph adcx adox rdseed clac stac xstore xcryptecb xcryptcbc xcryptctr xcryptcfb xcryptofb montmul xsha1 xsha256 llwpcb slwpcb lwpval lwpins vfmaddpd vfmaddps vfmaddsd vfmaddss vfmaddsubpd vfmaddsubps vfmsubaddpd vfmsubaddps vfmsubpd vfmsubps vfmsubsd vfmsubss vfnmaddpd vfnmaddps vfnmaddsd vfnmaddss vfnmsubpd vfnmsubps vfnmsubsd vfnmsubss vfrczpd vfrczps vfrczsd vfrczss vpcmov vpcomb vpcomd vpcomq vpcomub vpcomud vpcomuq vpcomuw vpcomw vphaddbd vphaddbq vphaddbw vphadddq vphaddubd vphaddubq vphaddubw vphaddudq vphadduwd vphadduwq vphaddwd vphaddwq vphsubbw vphsubdq vphsubwd vpmacsdd vpmacsdqh vpmacsdql vpmacssdd vpmacssdqh vpmacssdql vpmacsswd vpmacssww vpmacswd vpmacsww vpmadcsswd vpmadcswd vpperm vprotb vprotd vprotq vprotw vpshab vpshad vpshaq vpshaw vpshlb vpshld vpshlq vpshlw vbroadcasti128 vpblendd vpbroadcastb vpbroadcastw vpbroadcastd vpbroadcastq vpermd vpermpd vpermps vpermq vperm2i128 vextracti128 vinserti128 vpmaskmovd vpmaskmovq vpsllvd vpsllvq vpsravd vpsrlvd vpsrlvq vgatherdpd vgatherqpd vgatherdps vgatherqps vpgatherdd vpgatherqd vpgatherdq vpgatherqq xabort xbegin xend xtest andn bextr blci blcic blsi blsic blcfill blsfill blcmsk blsmsk blsr blcs bzhi mulx pdep pext rorx sarx shlx shrx tzcnt tzmsk t1mskc valignd valignq vblendmpd vblendmps vbroadcastf32x4 vbroadcastf64x4 vbroadcasti32x4 vbroadcasti64x4 vcompresspd vcompressps vcvtpd2udq vcvtps2udq vcvtsd2usi vcvtss2usi vcvttpd2udq vcvttps2udq vcvttsd2usi vcvttss2usi vcvtudq2pd vcvtudq2ps vcvtusi2sd vcvtusi2ss vexpandpd vexpandps vextractf32x4 vextractf64x4 vextracti32x4 vextracti64x4 vfixupimmpd vfixupimmps vfixupimmsd vfixupimmss vgetexppd vgetexpps vgetexpsd vgetexpss vgetmantpd vgetmantps vgetmantsd vgetmantss vinsertf32x4 vinsertf64x4 vinserti32x4 vinserti64x4 vmovdqa32 vmovdqa64 vmovdqu32 vmovdqu64 vpabsq vpandd vpandnd vpandnq vpandq vpblendmd vpblendmq vpcmpltd vpcmpled vpcmpneqd vpcmpnltd vpcmpnled vpcmpd vpcmpltq vpcmpleq vpcmpneqq vpcmpnltq vpcmpnleq vpcmpq vpcmpequd vpcmpltud vpcmpleud vpcmpnequd vpcmpnltud vpcmpnleud vpcmpud vpcmpequq vpcmpltuq vpcmpleuq vpcmpnequq vpcmpnltuq vpcmpnleuq vpcmpuq vpcompressd vpcompressq vpermi2d vpermi2pd vpermi2ps vpermi2q vpermt2d vpermt2pd vpermt2ps vpermt2q vpexpandd vpexpandq vpmaxsq vpmaxuq vpminsq vpminuq vpmovdb vpmovdw vpmovqb vpmovqd vpmovqw vpmovsdb vpmovsdw vpmovsqb vpmovsqd vpmovsqw vpmovusdb vpmovusdw vpmovusqb vpmovusqd vpmovusqw vpord vporq vprold vprolq vprolvd vprolvq vprord vprorq vprorvd vprorvq vpscatterdd vpscatterdq vpscatterqd vpscatterqq vpsraq vpsravq vpternlogd vpternlogq vptestmd vptestmq vptestnmd vptestnmq vpxord vpxorq vrcp14pd vrcp14ps vrcp14sd vrcp14ss vrndscalepd vrndscaleps vrndscalesd vrndscaless vrsqrt14pd vrsqrt14ps vrsqrt14sd vrsqrt14ss vscalefpd vscalefps vscalefsd vscalefss vscatterdpd vscatterdps vscatterqpd vscatterqps vshuff32x4 vshuff64x2 vshufi32x4 vshufi64x2 kandnw kandw kmovw knotw kortestw korw kshiftlw kshiftrw kunpckbw kxnorw kxorw vpbroadcastmb2q vpbroadcastmw2d vpconflictd vpconflictq vplzcntd vplzcntq vexp2pd vexp2ps vrcp28pd vrcp28ps vrcp28sd vrcp28ss vrsqrt28pd vrsqrt28ps vrsqrt28sd vrsqrt28ss vgatherpf0dpd vgatherpf0dps vgatherpf0qpd vgatherpf0qps vgatherpf1dpd vgatherpf1dps vgatherpf1qpd vgatherpf1qps vscatterpf0dpd vscatterpf0dps vscatterpf0qpd vscatterpf0qps vscatterpf1dpd vscatterpf1dps vscatterpf1qpd vscatterpf1qps prefetchwt1 bndmk bndcl bndcu bndcn bndmov bndldx bndstx sha1rnds4 sha1nexte sha1msg1 sha1msg2 sha256rnds2 sha256msg1 sha256msg2 hint_nop0 hint_nop1 hint_nop2 hint_nop3 hint_nop4 hint_nop5 hint_nop6 hint_nop7 hint_nop8 hint_nop9 hint_nop10 hint_nop11 hint_nop12 hint_nop13 hint_nop14 hint_nop15 hint_nop16 hint_nop17 hint_nop18 hint_nop19 hint_nop20 hint_nop21 hint_nop22 hint_nop23 hint_nop24 hint_nop25 hint_nop26 hint_nop27 hint_nop28 hint_nop29 hint_nop30 hint_nop31 hint_nop32 hint_nop33 hint_nop34 hint_nop35 hint_nop36 hint_nop37 hint_nop38 hint_nop39 hint_nop40 hint_nop41 hint_nop42 hint_nop43 hint_nop44 hint_nop45 hint_nop46 hint_nop47 hint_nop48 hint_nop49 hint_nop50 hint_nop51 hint_nop52 hint_nop53 hint_nop54 hint_nop55 hint_nop56 hint_nop57 hint_nop58 hint_nop59 hint_nop60 hint_nop61 hint_nop62 hint_nop63',\n built_in:\n // Instruction pointer\n 'ip eip rip '\n // 8-bit registers\n + 'al ah bl bh cl ch dl dh sil dil bpl spl r8b r9b r10b r11b r12b r13b r14b r15b '\n // 16-bit registers\n + 'ax bx cx dx si di bp sp r8w r9w r10w r11w r12w r13w r14w r15w '\n // 32-bit registers\n + 'eax ebx ecx edx esi edi ebp esp eip r8d r9d r10d r11d r12d r13d r14d r15d '\n // 64-bit registers\n + 'rax rbx rcx rdx rsi rdi rbp rsp r8 r9 r10 r11 r12 r13 r14 r15 '\n // Segment registers\n + 'cs ds es fs gs ss '\n // Floating point stack registers\n + 'st st0 st1 st2 st3 st4 st5 st6 st7 '\n // MMX Registers\n + 'mm0 mm1 mm2 mm3 mm4 mm5 mm6 mm7 '\n // SSE registers\n + 'xmm0 xmm1 xmm2 xmm3 xmm4 xmm5 xmm6 xmm7 xmm8 xmm9 xmm10 xmm11 xmm12 xmm13 xmm14 xmm15 '\n + 'xmm16 xmm17 xmm18 xmm19 xmm20 xmm21 xmm22 xmm23 xmm24 xmm25 xmm26 xmm27 xmm28 xmm29 xmm30 xmm31 '\n // AVX registers\n + 'ymm0 ymm1 ymm2 ymm3 ymm4 ymm5 ymm6 ymm7 ymm8 ymm9 ymm10 ymm11 ymm12 ymm13 ymm14 ymm15 '\n + 'ymm16 ymm17 ymm18 ymm19 ymm20 ymm21 ymm22 ymm23 ymm24 ymm25 ymm26 ymm27 ymm28 ymm29 ymm30 ymm31 '\n // AVX-512F registers\n + 'zmm0 zmm1 zmm2 zmm3 zmm4 zmm5 zmm6 zmm7 zmm8 zmm9 zmm10 zmm11 zmm12 zmm13 zmm14 zmm15 '\n + 'zmm16 zmm17 zmm18 zmm19 zmm20 zmm21 zmm22 zmm23 zmm24 zmm25 zmm26 zmm27 zmm28 zmm29 zmm30 zmm31 '\n // AVX-512F mask registers\n + 'k0 k1 k2 k3 k4 k5 k6 k7 '\n // Bound (MPX) register\n + 'bnd0 bnd1 bnd2 bnd3 '\n // Special register\n + 'cr0 cr1 cr2 cr3 cr4 cr8 dr0 dr1 dr2 dr3 dr8 tr3 tr4 tr5 tr6 tr7 '\n // NASM altreg package\n + 'r0 r1 r2 r3 r4 r5 r6 r7 r0b r1b r2b r3b r4b r5b r6b r7b '\n + 'r0w r1w r2w r3w r4w r5w r6w r7w r0d r1d r2d r3d r4d r5d r6d r7d '\n + 'r0h r1h r2h r3h '\n + 'r0l r1l r2l r3l r4l r5l r6l r7l r8l r9l r10l r11l r12l r13l r14l r15l '\n\n + 'db dw dd dq dt ddq do dy dz '\n + 'resb resw resd resq rest resdq reso resy resz '\n + 'incbin equ times '\n + 'byte word dword qword nosplit rel abs seg wrt strict near far a32 ptr',\n\n meta:\n '%define %xdefine %+ %undef %defstr %deftok %assign %strcat %strlen %substr %rotate %elif %else %endif '\n + '%if %ifmacro %ifctx %ifidn %ifidni %ifid %ifnum %ifstr %iftoken %ifempty %ifenv %error %warning %fatal %rep '\n + '%endrep %include %push %pop %repl %pathsearch %depend %use %arg %stacksize %local %line %comment %endcomment '\n + '.nolist '\n + '__FILE__ __LINE__ __SECT__ __BITS__ __OUTPUT_FORMAT__ __DATE__ __TIME__ __DATE_NUM__ __TIME_NUM__ '\n + '__UTC_DATE__ __UTC_TIME__ __UTC_DATE_NUM__ __UTC_TIME_NUM__ __PASS__ struc endstruc istruc at iend '\n + 'align alignb sectalign daz nodaz up down zero default option assume public '\n\n + 'bits use16 use32 use64 default section segment absolute extern global common cpu float '\n + '__utf16__ __utf16le__ __utf16be__ __utf32__ __utf32le__ __utf32be__ '\n + '__float8__ __float16__ __float32__ __float64__ __float80m__ __float80e__ __float128l__ __float128h__ '\n + '__Infinity__ __QNaN__ __SNaN__ Inf NaN QNaN SNaN float8 float16 float32 float64 float80m float80e '\n + 'float128l float128h __FLOAT_DAZ__ __FLOAT_ROUND__ __FLOAT__'\n },\n contains: [\n hljs.COMMENT(\n ';',\n '$',\n { relevance: 0 }\n ),\n {\n className: 'number',\n variants: [\n // Float number and x87 BCD\n {\n begin: '\\\\b(?:([0-9][0-9_]*)?\\\\.[0-9_]*(?:[eE][+-]?[0-9_]+)?|'\n + '(0[Xx])?[0-9][0-9_]*(\\\\.[0-9_]*)?(?:[pP](?:[+-]?[0-9_]+)?)?)\\\\b',\n relevance: 0\n },\n\n // Hex number in $\n {\n begin: '\\\\$[0-9][0-9A-Fa-f]*',\n relevance: 0\n },\n\n // Number in H,D,T,Q,O,B,Y suffix\n { begin: '\\\\b(?:[0-9A-Fa-f][0-9A-Fa-f_]*[Hh]|[0-9][0-9_]*[DdTt]?|[0-7][0-7_]*[QqOo]|[0-1][0-1_]*[BbYy])\\\\b' },\n\n // Number in X,D,T,Q,O,B,Y prefix\n { begin: '\\\\b(?:0[Xx][0-9A-Fa-f_]+|0[DdTt][0-9_]+|0[QqOo][0-7_]+|0[BbYy][0-1_]+)\\\\b' }\n ]\n },\n // Double quote string\n hljs.QUOTE_STRING_MODE,\n {\n className: 'string',\n variants: [\n // Single-quoted string\n {\n begin: '\\'',\n end: '[^\\\\\\\\]\\''\n },\n // Backquoted string\n {\n begin: '`',\n end: '[^\\\\\\\\]`'\n }\n ],\n relevance: 0\n },\n {\n className: 'symbol',\n variants: [\n // Global label and local label\n { begin: '^\\\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\\\s+label)' },\n // Macro-local label\n { begin: '^\\\\s*%%[A-Za-z0-9_$#@~.?]*:' }\n ],\n relevance: 0\n },\n // Macro parameter\n {\n className: 'subst',\n begin: '%[0-9]+',\n relevance: 0\n },\n // Macro parameter\n {\n className: 'subst',\n begin: '%!\\S+',\n relevance: 0\n },\n {\n className: 'meta',\n begin: /^\\s*\\.[\\w_-]+/\n }\n ]\n };\n}\n\nmodule.exports = x86asm;\n", "/*\nLanguage: XL\nAuthor: Christophe de Dinechin <christophe@taodyne.com>\nDescription: An extensible programming language, based on parse tree rewriting\nWebsite: http://xlr.sf.net\n*/\n\nfunction xl(hljs) {\n const KWS = [\n \"if\",\n \"then\",\n \"else\",\n \"do\",\n \"while\",\n \"until\",\n \"for\",\n \"loop\",\n \"import\",\n \"with\",\n \"is\",\n \"as\",\n \"where\",\n \"when\",\n \"by\",\n \"data\",\n \"constant\",\n \"integer\",\n \"real\",\n \"text\",\n \"name\",\n \"boolean\",\n \"symbol\",\n \"infix\",\n \"prefix\",\n \"postfix\",\n \"block\",\n \"tree\"\n ];\n const BUILT_INS = [\n \"in\",\n \"mod\",\n \"rem\",\n \"and\",\n \"or\",\n \"xor\",\n \"not\",\n \"abs\",\n \"sign\",\n \"floor\",\n \"ceil\",\n \"sqrt\",\n \"sin\",\n \"cos\",\n \"tan\",\n \"asin\",\n \"acos\",\n \"atan\",\n \"exp\",\n \"expm1\",\n \"log\",\n \"log2\",\n \"log10\",\n \"log1p\",\n \"pi\",\n \"at\",\n \"text_length\",\n \"text_range\",\n \"text_find\",\n \"text_replace\",\n \"contains\",\n \"page\",\n \"slide\",\n \"basic_slide\",\n \"title_slide\",\n \"title\",\n \"subtitle\",\n \"fade_in\",\n \"fade_out\",\n \"fade_at\",\n \"clear_color\",\n \"color\",\n \"line_color\",\n \"line_width\",\n \"texture_wrap\",\n \"texture_transform\",\n \"texture\",\n \"scale_?x\",\n \"scale_?y\",\n \"scale_?z?\",\n \"translate_?x\",\n \"translate_?y\",\n \"translate_?z?\",\n \"rotate_?x\",\n \"rotate_?y\",\n \"rotate_?z?\",\n \"rectangle\",\n \"circle\",\n \"ellipse\",\n \"sphere\",\n \"path\",\n \"line_to\",\n \"move_to\",\n \"quad_to\",\n \"curve_to\",\n \"theme\",\n \"background\",\n \"contents\",\n \"locally\",\n \"time\",\n \"mouse_?x\",\n \"mouse_?y\",\n \"mouse_buttons\"\n ];\n const BUILTIN_MODULES = [\n \"ObjectLoader\",\n \"Animate\",\n \"MovieCredits\",\n \"Slides\",\n \"Filters\",\n \"Shading\",\n \"Materials\",\n \"LensFlare\",\n \"Mapping\",\n \"VLCAudioVideo\",\n \"StereoDecoder\",\n \"PointCloud\",\n \"NetworkAccess\",\n \"RemoteControl\",\n \"RegExp\",\n \"ChromaKey\",\n \"Snowfall\",\n \"NodeJS\",\n \"Speech\",\n \"Charts\"\n ];\n const LITERALS = [\n \"true\",\n \"false\",\n \"nil\"\n ];\n const KEYWORDS = {\n $pattern: /[a-zA-Z][a-zA-Z0-9_?]*/,\n keyword: KWS,\n literal: LITERALS,\n built_in: BUILT_INS.concat(BUILTIN_MODULES)\n };\n\n const DOUBLE_QUOTE_TEXT = {\n className: 'string',\n begin: '\"',\n end: '\"',\n illegal: '\\\\n'\n };\n const SINGLE_QUOTE_TEXT = {\n className: 'string',\n begin: '\\'',\n end: '\\'',\n illegal: '\\\\n'\n };\n const LONG_TEXT = {\n className: 'string',\n begin: '<<',\n end: '>>'\n };\n const BASED_NUMBER = {\n className: 'number',\n begin: '[0-9]+#[0-9A-Z_]+(\\\\.[0-9-A-Z_]+)?#?([Ee][+-]?[0-9]+)?'\n };\n const IMPORT = {\n beginKeywords: 'import',\n end: '$',\n keywords: KEYWORDS,\n contains: [ DOUBLE_QUOTE_TEXT ]\n };\n const FUNCTION_DEFINITION = {\n className: 'function',\n begin: /[a-z][^\\n]*->/,\n returnBegin: true,\n end: /->/,\n contains: [\n hljs.inherit(hljs.TITLE_MODE, { starts: {\n endsWithParent: true,\n keywords: KEYWORDS\n } })\n ]\n };\n return {\n name: 'XL',\n aliases: [ 'tao' ],\n keywords: KEYWORDS,\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.C_BLOCK_COMMENT_MODE,\n DOUBLE_QUOTE_TEXT,\n SINGLE_QUOTE_TEXT,\n LONG_TEXT,\n FUNCTION_DEFINITION,\n IMPORT,\n BASED_NUMBER,\n hljs.NUMBER_MODE\n ]\n };\n}\n\nmodule.exports = xl;\n", "/*\nLanguage: XQuery\nAuthor: Dirk Kirsten <dk@basex.org>\nContributor: Duncan Paterson\nDescription: Supports XQuery 3.1 including XQuery Update 3, so also XPath (as it is a superset)\nRefactored to process xml constructor syntax and function-bodies. Added missing data-types, xpath operands, inbuilt functions, and query prologs\nWebsite: https://www.w3.org/XML/Query/\nCategory: functional\nAudit: 2020\n*/\n\n/** @type LanguageFn */\nfunction xquery(_hljs) {\n // see https://www.w3.org/TR/xquery/#id-terminal-delimitation\n const KEYWORDS = [\n \"module\",\n \"schema\",\n \"namespace\",\n \"boundary-space\",\n \"preserve\",\n \"no-preserve\",\n \"strip\",\n \"default\",\n \"collation\",\n \"base-uri\",\n \"ordering\",\n \"context\",\n \"decimal-format\",\n \"decimal-separator\",\n \"copy-namespaces\",\n \"empty-sequence\",\n \"except\",\n \"exponent-separator\",\n \"external\",\n \"grouping-separator\",\n \"inherit\",\n \"no-inherit\",\n \"lax\",\n \"minus-sign\",\n \"per-mille\",\n \"percent\",\n \"schema-attribute\",\n \"schema-element\",\n \"strict\",\n \"unordered\",\n \"zero-digit\",\n \"declare\",\n \"import\",\n \"option\",\n \"function\",\n \"validate\",\n \"variable\",\n \"for\",\n \"at\",\n \"in\",\n \"let\",\n \"where\",\n \"order\",\n \"group\",\n \"by\",\n \"return\",\n \"if\",\n \"then\",\n \"else\",\n \"tumbling\",\n \"sliding\",\n \"window\",\n \"start\",\n \"when\",\n \"only\",\n \"end\",\n \"previous\",\n \"next\",\n \"stable\",\n \"ascending\",\n \"descending\",\n \"allowing\",\n \"empty\",\n \"greatest\",\n \"least\",\n \"some\",\n \"every\",\n \"satisfies\",\n \"switch\",\n \"case\",\n \"typeswitch\",\n \"try\",\n \"catch\",\n \"and\",\n \"or\",\n \"to\",\n \"union\",\n \"intersect\",\n \"instance\",\n \"of\",\n \"treat\",\n \"as\",\n \"castable\",\n \"cast\",\n \"map\",\n \"array\",\n \"delete\",\n \"insert\",\n \"into\",\n \"replace\",\n \"value\",\n \"rename\",\n \"copy\",\n \"modify\",\n \"update\"\n ];\n\n // Node Types (sorted by inheritance)\n // atomic types (sorted by inheritance)\n const TYPES = [\n \"item\",\n \"document-node\",\n \"node\",\n \"attribute\",\n \"document\",\n \"element\",\n \"comment\",\n \"namespace\",\n \"namespace-node\",\n \"processing-instruction\",\n \"text\",\n \"construction\",\n \"xs:anyAtomicType\",\n \"xs:untypedAtomic\",\n \"xs:duration\",\n \"xs:time\",\n \"xs:decimal\",\n \"xs:float\",\n \"xs:double\",\n \"xs:gYearMonth\",\n \"xs:gYear\",\n \"xs:gMonthDay\",\n \"xs:gMonth\",\n \"xs:gDay\",\n \"xs:boolean\",\n \"xs:base64Binary\",\n \"xs:hexBinary\",\n \"xs:anyURI\",\n \"xs:QName\",\n \"xs:NOTATION\",\n \"xs:dateTime\",\n \"xs:dateTimeStamp\",\n \"xs:date\",\n \"xs:string\",\n \"xs:normalizedString\",\n \"xs:token\",\n \"xs:language\",\n \"xs:NMTOKEN\",\n \"xs:Name\",\n \"xs:NCName\",\n \"xs:ID\",\n \"xs:IDREF\",\n \"xs:ENTITY\",\n \"xs:integer\",\n \"xs:nonPositiveInteger\",\n \"xs:negativeInteger\",\n \"xs:long\",\n \"xs:int\",\n \"xs:short\",\n \"xs:byte\",\n \"xs:nonNegativeInteger\",\n \"xs:unisignedLong\",\n \"xs:unsignedInt\",\n \"xs:unsignedShort\",\n \"xs:unsignedByte\",\n \"xs:positiveInteger\",\n \"xs:yearMonthDuration\",\n \"xs:dayTimeDuration\"\n ];\n\n const LITERALS = [\n \"eq\",\n \"ne\",\n \"lt\",\n \"le\",\n \"gt\",\n \"ge\",\n \"is\",\n \"self::\",\n \"child::\",\n \"descendant::\",\n \"descendant-or-self::\",\n \"attribute::\",\n \"following::\",\n \"following-sibling::\",\n \"parent::\",\n \"ancestor::\",\n \"ancestor-or-self::\",\n \"preceding::\",\n \"preceding-sibling::\",\n \"NaN\"\n ];\n\n // functions (TODO: find regex for op: without breaking build)\n const BUILT_IN = {\n className: 'built_in',\n variants: [\n {\n begin: /\\barray:/,\n end: /(?:append|filter|flatten|fold-(?:left|right)|for-each(?:-pair)?|get|head|insert-before|join|put|remove|reverse|size|sort|subarray|tail)\\b/\n },\n {\n begin: /\\bmap:/,\n end: /(?:contains|entry|find|for-each|get|keys|merge|put|remove|size)\\b/\n },\n {\n begin: /\\bmath:/,\n end: /(?:a(?:cos|sin|tan[2]?)|cos|exp(?:10)?|log(?:10)?|pi|pow|sin|sqrt|tan)\\b/\n },\n {\n begin: /\\bop:/,\n end: /\\(/,\n excludeEnd: true\n },\n {\n begin: /\\bfn:/,\n end: /\\(/,\n excludeEnd: true\n },\n // do not highlight inbuilt strings as variable or xml element names\n { begin: /[^</$:'\"-]\\b(?:abs|accumulator-(?:after|before)|adjust-(?:date(?:Time)?|time)-to-timezone|analyze-string|apply|available-(?:environment-variables|system-properties)|avg|base-uri|boolean|ceiling|codepoints?-(?:equal|to-string)|collation-key|collection|compare|concat|contains(?:-token)?|copy-of|count|current(?:-)?(?:date(?:Time)?|time|group(?:ing-key)?|output-uri|merge-(?:group|key))?data|dateTime|days?-from-(?:date(?:Time)?|duration)|deep-equal|default-(?:collation|language)|distinct-values|document(?:-uri)?|doc(?:-available)?|element-(?:available|with-id)|empty|encode-for-uri|ends-with|environment-variable|error|escape-html-uri|exactly-one|exists|false|filter|floor|fold-(?:left|right)|for-each(?:-pair)?|format-(?:date(?:Time)?|time|integer|number)|function-(?:arity|available|lookup|name)|generate-id|has-children|head|hours-from-(?:dateTime|duration|time)|id(?:ref)?|implicit-timezone|in-scope-prefixes|index-of|innermost|insert-before|iri-to-uri|json-(?:doc|to-xml)|key|lang|last|load-xquery-module|local-name(?:-from-QName)?|(?:lower|upper)-case|matches|max|minutes-from-(?:dateTime|duration|time)|min|months?-from-(?:date(?:Time)?|duration)|name(?:space-uri-?(?:for-prefix|from-QName)?)?|nilled|node-name|normalize-(?:space|unicode)|not|number|one-or-more|outermost|parse-(?:ietf-date|json)|path|position|(?:prefix-from-)?QName|random-number-generator|regex-group|remove|replace|resolve-(?:QName|uri)|reverse|root|round(?:-half-to-even)?|seconds-from-(?:dateTime|duration|time)|snapshot|sort|starts-with|static-base-uri|stream-available|string-?(?:join|length|to-codepoints)?|subsequence|substring-?(?:after|before)?|sum|system-property|tail|timezone-from-(?:date(?:Time)?|time)|tokenize|trace|trans(?:form|late)|true|type-available|unordered|unparsed-(?:entity|text)?-?(?:public-id|uri|available|lines)?|uri-collection|xml-to-json|years?-from-(?:date(?:Time)?|duration)|zero-or-one)\\b/ },\n {\n begin: /\\blocal:/,\n end: /\\(/,\n excludeEnd: true\n },\n {\n begin: /\\bzip:/,\n end: /(?:zip-file|(?:xml|html|text|binary)-entry| (?:update-)?entries)\\b/\n },\n {\n begin: /\\b(?:util|db|functx|app|xdmp|xmldb):/,\n end: /\\(/,\n excludeEnd: true\n }\n ]\n };\n\n const TITLE = {\n className: 'title',\n begin: /\\bxquery version \"[13]\\.[01]\"\\s?(?:encoding \".+\")?/,\n end: /;/\n };\n\n const VAR = {\n className: 'variable',\n begin: /[$][\\w\\-:]+/\n };\n\n const NUMBER = {\n className: 'number',\n begin: /(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b/,\n relevance: 0\n };\n\n const STRING = {\n className: 'string',\n variants: [\n {\n begin: /\"/,\n end: /\"/,\n contains: [\n {\n begin: /\"\"/,\n relevance: 0\n }\n ]\n },\n {\n begin: /'/,\n end: /'/,\n contains: [\n {\n begin: /''/,\n relevance: 0\n }\n ]\n }\n ]\n };\n\n const ANNOTATION = {\n className: 'meta',\n begin: /%[\\w\\-:]+/\n };\n\n const COMMENT = {\n className: 'comment',\n begin: /\\(:/,\n end: /:\\)/,\n relevance: 10,\n contains: [\n {\n className: 'doctag',\n begin: /@\\w+/\n }\n ]\n };\n\n // see https://www.w3.org/TR/xquery/#id-computedConstructors\n // mocha: computed_inbuilt\n // see https://www.regexpal.com/?fam=99749\n const COMPUTED = {\n beginKeywords: 'element attribute comment document processing-instruction',\n end: /\\{/,\n excludeEnd: true\n };\n\n // mocha: direct_method\n const DIRECT = {\n begin: /<([\\w._:-]+)(\\s+\\S*=('|\").*('|\"))?>/,\n end: /(\\/[\\w._:-]+>)/,\n subLanguage: 'xml',\n contains: [\n {\n begin: /\\{/,\n end: /\\}/,\n subLanguage: 'xquery'\n },\n 'self'\n ]\n };\n\n const CONTAINS = [\n VAR,\n BUILT_IN,\n STRING,\n NUMBER,\n COMMENT,\n ANNOTATION,\n TITLE,\n COMPUTED,\n DIRECT\n ];\n\n return {\n name: 'XQuery',\n aliases: [\n 'xpath',\n 'xq'\n ],\n case_insensitive: false,\n illegal: /(proc)|(abstract)|(extends)|(until)|(#)/,\n keywords: {\n $pattern: /[a-zA-Z$][a-zA-Z0-9_:-]*/,\n keyword: KEYWORDS,\n type: TYPES,\n literal: LITERALS\n },\n contains: CONTAINS\n };\n}\n\nmodule.exports = xquery;\n", "/*\n Language: Zephir\n Description: Zephir, an open source, high-level language designed to ease the creation and maintainability of extensions for PHP with a focus on type and memory safety.\n Author: Oleg Efimov <efimovov@gmail.com>\n Website: https://zephir-lang.com/en\n Audit: 2020\n */\n\n/** @type LanguageFn */\nfunction zephir(hljs) {\n const STRING = {\n className: 'string',\n contains: [ hljs.BACKSLASH_ESCAPE ],\n variants: [\n hljs.inherit(hljs.APOS_STRING_MODE, { illegal: null }),\n hljs.inherit(hljs.QUOTE_STRING_MODE, { illegal: null })\n ]\n };\n const TITLE_MODE = hljs.UNDERSCORE_TITLE_MODE;\n const NUMBER = { variants: [\n hljs.BINARY_NUMBER_MODE,\n hljs.C_NUMBER_MODE\n ] };\n const KEYWORDS =\n // classes and objects\n 'namespace class interface use extends '\n + 'function return '\n + 'abstract final public protected private static deprecated '\n // error handling\n + 'throw try catch Exception '\n // keyword-ish things their website does NOT seem to highlight (in their own snippets)\n // 'typeof fetch in ' +\n // operators/helpers\n + 'echo empty isset instanceof unset '\n // assignment/variables\n + 'let var new const self '\n // control\n + 'require '\n + 'if else elseif switch case default '\n + 'do while loop for continue break '\n + 'likely unlikely '\n // magic constants\n // https://github.com/phalcon/zephir/blob/master/Library/Expression/Constants.php\n + '__LINE__ __FILE__ __DIR__ __FUNCTION__ __CLASS__ __TRAIT__ __METHOD__ __NAMESPACE__ '\n // types - https://docs.zephir-lang.com/0.12/en/types\n + 'array boolean float double integer object resource string '\n + 'char long unsigned bool int uint ulong uchar '\n // built-ins\n + 'true false null undefined';\n\n return {\n name: 'Zephir',\n aliases: [ 'zep' ],\n keywords: KEYWORDS,\n contains: [\n hljs.C_LINE_COMMENT_MODE,\n hljs.COMMENT(\n /\\/\\*/,\n /\\*\\//,\n { contains: [\n {\n className: 'doctag',\n begin: /@[A-Za-z]+/\n }\n ] }\n ),\n {\n className: 'string',\n begin: /<<<['\"]?\\w+['\"]?$/,\n end: /^\\w+;/,\n contains: [ hljs.BACKSLASH_ESCAPE ]\n },\n {\n // swallow composed identifiers to avoid parsing them as keywords\n begin: /(::|->)+[a-zA-Z_\\x7f-\\xff][a-zA-Z0-9_\\x7f-\\xff]*/ },\n {\n className: 'function',\n beginKeywords: 'function fn',\n end: /[;{]/,\n excludeEnd: true,\n illegal: /\\$|\\[|%/,\n contains: [\n TITLE_MODE,\n {\n className: 'params',\n begin: /\\(/,\n end: /\\)/,\n keywords: KEYWORDS,\n contains: [\n 'self',\n hljs.C_BLOCK_COMMENT_MODE,\n STRING,\n NUMBER\n ]\n }\n ]\n },\n {\n className: 'class',\n beginKeywords: 'class interface',\n end: /\\{/,\n excludeEnd: true,\n illegal: /[:($\"]/,\n contains: [\n { beginKeywords: 'extends implements' },\n TITLE_MODE\n ]\n },\n {\n beginKeywords: 'namespace',\n end: /;/,\n illegal: /[.']/,\n contains: [ TITLE_MODE ]\n },\n {\n beginKeywords: 'use',\n end: /;/,\n contains: [ TITLE_MODE ]\n },\n { begin: /=>/ // No markup, just a relevance booster\n },\n STRING,\n NUMBER\n ]\n };\n}\n\nmodule.exports = zephir;\n", "var hljs = require('./core');\n\nhljs.registerLanguage('1c', require('./languages/1c'));\nhljs.registerLanguage('abnf', require('./languages/abnf'));\nhljs.registerLanguage('accesslog', require('./languages/accesslog'));\nhljs.registerLanguage('actionscript', require('./languages/actionscript'));\nhljs.registerLanguage('ada', require('./languages/ada'));\nhljs.registerLanguage('angelscript', require('./languages/angelscript'));\nhljs.registerLanguage('apache', require('./languages/apache'));\nhljs.registerLanguage('applescript', require('./languages/applescript'));\nhljs.registerLanguage('arcade', require('./languages/arcade'));\nhljs.registerLanguage('arduino', require('./languages/arduino'));\nhljs.registerLanguage('armasm', require('./languages/armasm'));\nhljs.registerLanguage('xml', require('./languages/xml'));\nhljs.registerLanguage('asciidoc', require('./languages/asciidoc'));\nhljs.registerLanguage('aspectj', require('./languages/aspectj'));\nhljs.registerLanguage('autohotkey', require('./languages/autohotkey'));\nhljs.registerLanguage('autoit', require('./languages/autoit'));\nhljs.registerLanguage('avrasm', require('./languages/avrasm'));\nhljs.registerLanguage('awk', require('./languages/awk'));\nhljs.registerLanguage('axapta', require('./languages/axapta'));\nhljs.registerLanguage('bash', require('./languages/bash'));\nhljs.registerLanguage('basic', require('./languages/basic'));\nhljs.registerLanguage('bnf', require('./languages/bnf'));\nhljs.registerLanguage('brainfuck', require('./languages/brainfuck'));\nhljs.registerLanguage('c', require('./languages/c'));\nhljs.registerLanguage('cal', require('./languages/cal'));\nhljs.registerLanguage('capnproto', require('./languages/capnproto'));\nhljs.registerLanguage('ceylon', require('./languages/ceylon'));\nhljs.registerLanguage('clean', require('./languages/clean'));\nhljs.registerLanguage('clojure', require('./languages/clojure'));\nhljs.registerLanguage('clojure-repl', require('./languages/clojure-repl'));\nhljs.registerLanguage('cmake', require('./languages/cmake'));\nhljs.registerLanguage('coffeescript', require('./languages/coffeescript'));\nhljs.registerLanguage('coq', require('./languages/coq'));\nhljs.registerLanguage('cos', require('./languages/cos'));\nhljs.registerLanguage('cpp', require('./languages/cpp'));\nhljs.registerLanguage('crmsh', require('./languages/crmsh'));\nhljs.registerLanguage('crystal', require('./languages/crystal'));\nhljs.registerLanguage('csharp', require('./languages/csharp'));\nhljs.registerLanguage('csp', require('./languages/csp'));\nhljs.registerLanguage('css', require('./languages/css'));\nhljs.registerLanguage('d', require('./languages/d'));\nhljs.registerLanguage('markdown', require('./languages/markdown'));\nhljs.registerLanguage('dart', require('./languages/dart'));\nhljs.registerLanguage('delphi', require('./languages/delphi'));\nhljs.registerLanguage('diff', require('./languages/diff'));\nhljs.registerLanguage('django', require('./languages/django'));\nhljs.registerLanguage('dns', require('./languages/dns'));\nhljs.registerLanguage('dockerfile', require('./languages/dockerfile'));\nhljs.registerLanguage('dos', require('./languages/dos'));\nhljs.registerLanguage('dsconfig', require('./languages/dsconfig'));\nhljs.registerLanguage('dts', require('./languages/dts'));\nhljs.registerLanguage('dust', require('./languages/dust'));\nhljs.registerLanguage('ebnf', require('./languages/ebnf'));\nhljs.registerLanguage('elixir', require('./languages/elixir'));\nhljs.registerLanguage('elm', require('./languages/elm'));\nhljs.registerLanguage('ruby', require('./languages/ruby'));\nhljs.registerLanguage('erb', require('./languages/erb'));\nhljs.registerLanguage('erlang-repl', require('./languages/erlang-repl'));\nhljs.registerLanguage('erlang', require('./languages/erlang'));\nhljs.registerLanguage('excel', require('./languages/excel'));\nhljs.registerLanguage('fix', require('./languages/fix'));\nhljs.registerLanguage('flix', require('./languages/flix'));\nhljs.registerLanguage('fortran', require('./languages/fortran'));\nhljs.registerLanguage('fsharp', require('./languages/fsharp'));\nhljs.registerLanguage('gams', require('./languages/gams'));\nhljs.registerLanguage('gauss', require('./languages/gauss'));\nhljs.registerLanguage('gcode', require('./languages/gcode'));\nhljs.registerLanguage('gherkin', require('./languages/gherkin'));\nhljs.registerLanguage('glsl', require('./languages/glsl'));\nhljs.registerLanguage('gml', require('./languages/gml'));\nhljs.registerLanguage('go', require('./languages/go'));\nhljs.registerLanguage('golo', require('./languages/golo'));\nhljs.registerLanguage('gradle', require('./languages/gradle'));\nhljs.registerLanguage('graphql', require('./languages/graphql'));\nhljs.registerLanguage('groovy', require('./languages/groovy'));\nhljs.registerLanguage('haml', require('./languages/haml'));\nhljs.registerLanguage('handlebars', require('./languages/handlebars'));\nhljs.registerLanguage('haskell', require('./languages/haskell'));\nhljs.registerLanguage('haxe', require('./languages/haxe'));\nhljs.registerLanguage('hsp', require('./languages/hsp'));\nhljs.registerLanguage('http', require('./languages/http'));\nhljs.registerLanguage('hy', require('./languages/hy'));\nhljs.registerLanguage('inform7', require('./languages/inform7'));\nhljs.registerLanguage('ini', require('./languages/ini'));\nhljs.registerLanguage('irpf90', require('./languages/irpf90'));\nhljs.registerLanguage('isbl', require('./languages/isbl'));\nhljs.registerLanguage('java', require('./languages/java'));\nhljs.registerLanguage('javascript', require('./languages/javascript'));\nhljs.registerLanguage('jboss-cli', require('./languages/jboss-cli'));\nhljs.registerLanguage('json', require('./languages/json'));\nhljs.registerLanguage('julia', require('./languages/julia'));\nhljs.registerLanguage('julia-repl', require('./languages/julia-repl'));\nhljs.registerLanguage('kotlin', require('./languages/kotlin'));\nhljs.registerLanguage('lasso', require('./languages/lasso'));\nhljs.registerLanguage('latex', require('./languages/latex'));\nhljs.registerLanguage('ldif', require('./languages/ldif'));\nhljs.registerLanguage('leaf', require('./languages/leaf'));\nhljs.registerLanguage('less', require('./languages/less'));\nhljs.registerLanguage('lisp', require('./languages/lisp'));\nhljs.registerLanguage('livecodeserver', require('./languages/livecodeserver'));\nhljs.registerLanguage('livescript', require('./languages/livescript'));\nhljs.registerLanguage('llvm', require('./languages/llvm'));\nhljs.registerLanguage('lsl', require('./languages/lsl'));\nhljs.registerLanguage('lua', require('./languages/lua'));\nhljs.registerLanguage('makefile', require('./languages/makefile'));\nhljs.registerLanguage('mathematica', require('./languages/mathematica'));\nhljs.registerLanguage('matlab', require('./languages/matlab'));\nhljs.registerLanguage('maxima', require('./languages/maxima'));\nhljs.registerLanguage('mel', require('./languages/mel'));\nhljs.registerLanguage('mercury', require('./languages/mercury'));\nhljs.registerLanguage('mipsasm', require('./languages/mipsasm'));\nhljs.registerLanguage('mizar', require('./languages/mizar'));\nhljs.registerLanguage('perl', require('./languages/perl'));\nhljs.registerLanguage('mojolicious', require('./languages/mojolicious'));\nhljs.registerLanguage('monkey', require('./languages/monkey'));\nhljs.registerLanguage('moonscript', require('./languages/moonscript'));\nhljs.registerLanguage('n1ql', require('./languages/n1ql'));\nhljs.registerLanguage('nestedtext', require('./languages/nestedtext'));\nhljs.registerLanguage('nginx', require('./languages/nginx'));\nhljs.registerLanguage('nim', require('./languages/nim'));\nhljs.registerLanguage('nix', require('./languages/nix'));\nhljs.registerLanguage('node-repl', require('./languages/node-repl'));\nhljs.registerLanguage('nsis', require('./languages/nsis'));\nhljs.registerLanguage('objectivec', require('./languages/objectivec'));\nhljs.registerLanguage('ocaml', require('./languages/ocaml'));\nhljs.registerLanguage('openscad', require('./languages/openscad'));\nhljs.registerLanguage('oxygene', require('./languages/oxygene'));\nhljs.registerLanguage('parser3', require('./languages/parser3'));\nhljs.registerLanguage('pf', require('./languages/pf'));\nhljs.registerLanguage('pgsql', require('./languages/pgsql'));\nhljs.registerLanguage('php', require('./languages/php'));\nhljs.registerLanguage('php-template', require('./languages/php-template'));\nhljs.registerLanguage('plaintext', require('./languages/plaintext'));\nhljs.registerLanguage('pony', require('./languages/pony'));\nhljs.registerLanguage('powershell', require('./languages/powershell'));\nhljs.registerLanguage('processing', require('./languages/processing'));\nhljs.registerLanguage('profile', require('./languages/profile'));\nhljs.registerLanguage('prolog', require('./languages/prolog'));\nhljs.registerLanguage('properties', require('./languages/properties'));\nhljs.registerLanguage('protobuf', require('./languages/protobuf'));\nhljs.registerLanguage('puppet', require('./languages/puppet'));\nhljs.registerLanguage('purebasic', require('./languages/purebasic'));\nhljs.registerLanguage('python', require('./languages/python'));\nhljs.registerLanguage('python-repl', require('./languages/python-repl'));\nhljs.registerLanguage('q', require('./languages/q'));\nhljs.registerLanguage('qml', require('./languages/qml'));\nhljs.registerLanguage('r', require('./languages/r'));\nhljs.registerLanguage('reasonml', require('./languages/reasonml'));\nhljs.registerLanguage('rib', require('./languages/rib'));\nhljs.registerLanguage('roboconf', require('./languages/roboconf'));\nhljs.registerLanguage('routeros', require('./languages/routeros'));\nhljs.registerLanguage('rsl', require('./languages/rsl'));\nhljs.registerLanguage('ruleslanguage', require('./languages/ruleslanguage'));\nhljs.registerLanguage('rust', require('./languages/rust'));\nhljs.registerLanguage('sas', require('./languages/sas'));\nhljs.registerLanguage('scala', require('./languages/scala'));\nhljs.registerLanguage('scheme', require('./languages/scheme'));\nhljs.registerLanguage('scilab', require('./languages/scilab'));\nhljs.registerLanguage('scss', require('./languages/scss'));\nhljs.registerLanguage('shell', require('./languages/shell'));\nhljs.registerLanguage('smali', require('./languages/smali'));\nhljs.registerLanguage('smalltalk', require('./languages/smalltalk'));\nhljs.registerLanguage('sml', require('./languages/sml'));\nhljs.registerLanguage('sqf', require('./languages/sqf'));\nhljs.registerLanguage('sql', require('./languages/sql'));\nhljs.registerLanguage('stan', require('./languages/stan'));\nhljs.registerLanguage('stata', require('./languages/stata'));\nhljs.registerLanguage('step21', require('./languages/step21'));\nhljs.registerLanguage('stylus', require('./languages/stylus'));\nhljs.registerLanguage('subunit', require('./languages/subunit'));\nhljs.registerLanguage('swift', require('./languages/swift'));\nhljs.registerLanguage('taggerscript', require('./languages/taggerscript'));\nhljs.registerLanguage('yaml', require('./languages/yaml'));\nhljs.registerLanguage('tap', require('./languages/tap'));\nhljs.registerLanguage('tcl', require('./languages/tcl'));\nhljs.registerLanguage('thrift', require('./languages/thrift'));\nhljs.registerLanguage('tp', require('./languages/tp'));\nhljs.registerLanguage('twig', require('./languages/twig'));\nhljs.registerLanguage('typescript', require('./languages/typescript'));\nhljs.registerLanguage('vala', require('./languages/vala'));\nhljs.registerLanguage('vbnet', require('./languages/vbnet'));\nhljs.registerLanguage('vbscript', require('./languages/vbscript'));\nhljs.registerLanguage('vbscript-html', require('./languages/vbscript-html'));\nhljs.registerLanguage('verilog', require('./languages/verilog'));\nhljs.registerLanguage('vhdl', require('./languages/vhdl'));\nhljs.registerLanguage('vim', require('./languages/vim'));\nhljs.registerLanguage('wasm', require('./languages/wasm'));\nhljs.registerLanguage('wren', require('./languages/wren'));\nhljs.registerLanguage('x86asm', require('./languages/x86asm'));\nhljs.registerLanguage('xl', require('./languages/xl'));\nhljs.registerLanguage('xquery', require('./languages/xquery'));\nhljs.registerLanguage('zephir', require('./languages/zephir'));\n\nhljs.HighlightJS = hljs\nhljs.default = hljs\nmodule.exports = hljs;", "(function() {\r\n var url = (function() {\r\n\r\n function _t() {\r\n return;\r\n }\r\n\r\n function _d(s) {\r\n return decodeURIComponent(s.replace(/\\+/g, ' '));\r\n }\r\n\r\n function _i(arg, str) {\r\n var sptr = arg.charAt(0),\r\n split = str.split(sptr);\r\n\r\n if (sptr === arg) { return split; }\r\n\r\n arg = parseInt(arg.substring(1), 10);\r\n\r\n return split[arg < 0 ? split.length + arg : arg - 1];\r\n }\r\n\r\n function _f(arg, str) {\r\n var sptr = arg.charAt(0),\r\n split = str.split('&'),\r\n field = [],\r\n params = {},\r\n tmp = [],\r\n arg2 = arg.substring(1);\r\n\r\n for (var i = 0, ii = split.length; i < ii; i++) {\r\n field = split[i].match(/(.*?)=(.*)/);\r\n\r\n // TODO: regex should be able to handle this.\r\n if ( ! field) {\r\n field = [split[i], split[i], ''];\r\n }\r\n\r\n if (field[1].replace(/\\s/g, '') !== '') {\r\n field[2] = _d(field[2] || '');\r\n\r\n // If we have a match just return it right away.\r\n if (arg2 === field[1]) { return field[2]; }\r\n\r\n // Check for array pattern.\r\n tmp = field[1].match(/(.*)\\[([0-9]+)\\]/);\r\n\r\n if (tmp) {\r\n params[tmp[1]] = params[tmp[1]] || [];\r\n\r\n params[tmp[1]][tmp[2]] = field[2];\r\n }\r\n else {\r\n params[field[1]] = field[2];\r\n }\r\n }\r\n }\r\n\r\n if (sptr === arg) { return params; }\r\n\r\n return params[arg2];\r\n }\r\n\r\n return function(arg, url) {\r\n var _l = {}, tmp, tmp2;\r\n\r\n if (arg === 'tld?') { return _t(); }\r\n\r\n url = url || window.location.toString();\r\n\r\n if ( ! arg) { return url; }\r\n\r\n arg = arg.toString();\r\n\r\n if (tmp = url.match(/^mailto:([^\\/].+)/)) {\r\n _l.protocol = 'mailto';\r\n _l.email = tmp[1];\r\n }\r\n else {\r\n\r\n // Ignore Hashbangs.\r\n if (tmp = url.match(/(.*?)\\/#\\!(.*)/)) {\r\n url = tmp[1] + tmp[2];\r\n }\r\n\r\n // Hash.\r\n if (tmp = url.match(/(.*?)#(.*)/)) {\r\n _l.hash = tmp[2];\r\n url = tmp[1];\r\n }\r\n\r\n // Return hash parts.\r\n if (_l.hash && arg.match(/^#/)) { return _f(arg, _l.hash); }\r\n\r\n // Query\r\n if (tmp = url.match(/(.*?)\\?(.*)/)) {\r\n _l.query = tmp[2];\r\n url = tmp[1];\r\n }\r\n\r\n // Return query parts.\r\n if (_l.query && arg.match(/^\\?/)) { return _f(arg, _l.query); }\r\n\r\n // Protocol.\r\n if (tmp = url.match(/(.*?)\\:?\\/\\/(.*)/)) {\r\n _l.protocol = tmp[1].toLowerCase();\r\n url = tmp[2];\r\n }\r\n\r\n // Path.\r\n if (tmp = url.match(/(.*?)(\\/.*)/)) {\r\n _l.path = tmp[2];\r\n url = tmp[1];\r\n }\r\n\r\n // Clean up path.\r\n _l.path = (_l.path || '').replace(/^([^\\/])/, '/$1');\r\n\r\n // Return path parts.\r\n if (arg.match(/^[\\-0-9]+$/)) { arg = arg.replace(/^([^\\/])/, '/$1'); }\r\n if (arg.match(/^\\//)) { return _i(arg, _l.path.substring(1)); }\r\n\r\n // File.\r\n tmp = _i('/-1', _l.path.substring(1));\r\n\r\n if (tmp && (tmp = tmp.match(/(.*?)\\.([^.]+)$/))) {\r\n _l.file = tmp[0];\r\n _l.filename = tmp[1];\r\n _l.fileext = tmp[2];\r\n }\r\n\r\n // Port.\r\n if (tmp = url.match(/(.*)\\:([0-9]+)$/)) {\r\n _l.port = tmp[2];\r\n url = tmp[1];\r\n }\r\n\r\n // Auth.\r\n if (tmp = url.match(/(.*?)@(.*)/)) {\r\n _l.auth = tmp[1];\r\n url = tmp[2];\r\n }\r\n\r\n // User and pass.\r\n if (_l.auth) {\r\n tmp = _l.auth.match(/(.*)\\:(.*)/);\r\n\r\n _l.user = tmp ? tmp[1] : _l.auth;\r\n _l.pass = tmp ? tmp[2] : undefined;\r\n }\r\n\r\n // Hostname.\r\n _l.hostname = url.toLowerCase();\r\n\r\n // Return hostname parts.\r\n if (arg.charAt(0) === '.') { return _i(arg, _l.hostname); }\r\n\r\n // Domain, tld and sub domain.\r\n if (_t()) {\r\n tmp = _l.hostname.match(_t());\r\n\r\n if (tmp) {\r\n _l.tld = tmp[3];\r\n _l.domain = tmp[2] ? tmp[2] + '.' + tmp[3] : undefined;\r\n _l.sub = tmp[1] || undefined;\r\n }\r\n }\r\n\r\n // Set port and protocol defaults if not set.\r\n _l.port = _l.port || (_l.protocol === 'https' ? '443' : '80');\r\n _l.protocol = _l.protocol || (_l.port === '443' ? 'https' : 'http');\r\n }\r\n\r\n // Return arg.\r\n if (arg in _l) { return _l[arg]; }\r\n\r\n // Return everything.\r\n if (arg === '{}') { return _l; }\r\n\r\n // Default to undefined for no match.\r\n return undefined;\r\n };\r\n })();\r\n\r\n window.url = url;\r\n})();\r\n", "// Licensed to the .NET Foundation under one or more agreements.\n// The .NET Foundation licenses this file to you under the MIT license.\n\nrequire('@default/bootstrap/dist/css/bootstrap.css')\nrequire('@default/highlight.js/styles/github.css')\n\nwindow.$ = window.jQuery = require('jquery')\n\nrequire('@default/bootstrap')\nrequire('@default/twbs-pagination')\nrequire('@default/mark.js/src/jquery')\n\nconst AnchorJS = require('@default/anchor-js')\nwindow.anchors = new AnchorJS()\n\nwindow.hljs = require('@default/highlight.js')\nrequire('@default/url/src/url.js')\n"], + "mappings": "sqBAAA,IAAAA,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAAAA,GAAA,aCAA,IAAAC,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAAAA,GAAA,aCAA,IAAAC,GAAAC,EAAA,CAAAC,GAAAC,KAAA,EAUE,SAAUC,EAAQC,EAAU,CAE7B,aAEK,OAAOF,IAAW,UAAY,OAAOA,GAAO,SAAY,SAS5DA,GAAO,QAAUC,EAAO,SACvBC,EAASD,EAAQ,EAAK,EACtB,SAAUE,EAAI,CACb,GAAK,CAACA,EAAE,SACP,MAAM,IAAI,MAAO,0CAA2C,EAE7D,OAAOD,EAASC,CAAE,CACnB,EAEDD,EAASD,CAAO,CAIlB,GAAK,OAAO,OAAW,IAAc,OAASF,GAAM,SAAUK,EAAQC,EAAW,CAMjF,aAEA,IAAIC,EAAM,CAAC,EAEPC,EAAW,OAAO,eAElBC,EAAQF,EAAI,MAEZG,EAAOH,EAAI,KAAO,SAAUI,EAAQ,CACvC,OAAOJ,EAAI,KAAK,KAAMI,CAAM,CAC7B,EAAI,SAAUA,EAAQ,CACrB,OAAOJ,EAAI,OAAO,MAAO,CAAC,EAAGI,CAAM,CACpC,EAGIC,EAAOL,EAAI,KAEXM,EAAUN,EAAI,QAEdO,EAAa,CAAC,EAEdC,EAAWD,EAAW,SAEtBE,EAASF,EAAW,eAEpBG,EAAaD,EAAO,SAEpBE,EAAuBD,EAAW,KAAM,MAAO,EAE/CE,EAAU,CAAC,EAEXC,EAAa,SAAqBC,EAAM,CAS1C,OAAO,OAAOA,GAAQ,YAAc,OAAOA,EAAI,UAAa,UAC3D,OAAOA,EAAI,MAAS,UACtB,EAGGC,EAAW,SAAmBD,EAAM,CACtC,OAAOA,GAAO,MAAQA,IAAQA,EAAI,MACnC,EAGGE,EAAWlB,EAAO,SAIjBmB,EAA4B,CAC/B,KAAM,GACN,IAAK,GACL,MAAO,GACP,SAAU,EACX,EAEA,SAASC,EAASC,EAAMC,EAAMC,EAAM,CACnCA,EAAMA,GAAOL,EAEb,IAAIM,EAAGC,EACNC,EAASH,EAAI,cAAe,QAAS,EAGtC,GADAG,EAAO,KAAOL,EACTC,EACJ,IAAME,KAAKL,EAYVM,EAAMH,EAAME,CAAE,GAAKF,EAAK,cAAgBA,EAAK,aAAcE,CAAE,EACxDC,GACJC,EAAO,aAAcF,EAAGC,CAAI,EAI/BF,EAAI,KAAK,YAAaG,CAAO,EAAE,WAAW,YAAaA,CAAO,CAC/D,CAGD,SAASC,EAAQX,EAAM,CACtB,OAAKA,GAAO,KACJA,EAAM,GAIP,OAAOA,GAAQ,UAAY,OAAOA,GAAQ,WAChDP,EAAYC,EAAS,KAAMM,CAAI,CAAE,GAAK,SACtC,OAAOA,CACT,CAOA,IAAIY,EAAU,QAEbC,EAAc,SAGdC,EAAS,SAAUC,EAAUC,EAAU,CAItC,OAAO,IAAIF,EAAO,GAAG,KAAMC,EAAUC,CAAQ,CAC9C,EAEDF,EAAO,GAAKA,EAAO,UAAY,CAG9B,OAAQF,EAER,YAAaE,EAGb,OAAQ,EAER,QAAS,UAAW,CACnB,OAAO1B,EAAM,KAAM,IAAK,CACzB,EAIA,IAAK,SAAU6B,EAAM,CAGpB,OAAKA,GAAO,KACJ7B,EAAM,KAAM,IAAK,EAIlB6B,EAAM,EAAI,KAAMA,EAAM,KAAK,MAAO,EAAI,KAAMA,CAAI,CACxD,EAIA,UAAW,SAAUC,EAAQ,CAG5B,IAAIC,EAAML,EAAO,MAAO,KAAK,YAAY,EAAGI,CAAM,EAGlD,OAAAC,EAAI,WAAa,KAGVA,CACR,EAGA,KAAM,SAAUC,EAAW,CAC1B,OAAON,EAAO,KAAM,KAAMM,CAAS,CACpC,EAEA,IAAK,SAAUA,EAAW,CACzB,OAAO,KAAK,UAAWN,EAAO,IAAK,KAAM,SAAUO,EAAMb,EAAI,CAC5D,OAAOY,EAAS,KAAMC,EAAMb,EAAGa,CAAK,CACrC,CAAE,CAAE,CACL,EAEA,MAAO,UAAW,CACjB,OAAO,KAAK,UAAWjC,EAAM,MAAO,KAAM,SAAU,CAAE,CACvD,EAEA,MAAO,UAAW,CACjB,OAAO,KAAK,GAAI,CAAE,CACnB,EAEA,KAAM,UAAW,CAChB,OAAO,KAAK,GAAI,EAAG,CACpB,EAEA,KAAM,UAAW,CAChB,OAAO,KAAK,UAAW0B,EAAO,KAAM,KAAM,SAAUQ,EAAOd,EAAI,CAC9D,OAASA,EAAI,GAAM,CACpB,CAAE,CAAE,CACL,EAEA,IAAK,UAAW,CACf,OAAO,KAAK,UAAWM,EAAO,KAAM,KAAM,SAAUQ,EAAOd,EAAI,CAC9D,OAAOA,EAAI,CACZ,CAAE,CAAE,CACL,EAEA,GAAI,SAAUA,EAAI,CACjB,IAAIe,EAAM,KAAK,OACdC,EAAI,CAAChB,GAAMA,EAAI,EAAIe,EAAM,GAC1B,OAAO,KAAK,UAAWC,GAAK,GAAKA,EAAID,EAAM,CAAE,KAAMC,CAAE,CAAE,EAAI,CAAC,CAAE,CAC/D,EAEA,IAAK,UAAW,CACf,OAAO,KAAK,YAAc,KAAK,YAAY,CAC5C,EAIA,KAAMjC,EACN,KAAML,EAAI,KACV,OAAQA,EAAI,MACb,EAEA4B,EAAO,OAASA,EAAO,GAAG,OAAS,UAAW,CAC7C,IAAIW,EAASC,EAAMC,EAAKC,EAAMC,EAAaC,EAC1CC,EAAS,UAAW,CAAE,GAAK,CAAC,EAC5BvB,EAAI,EACJwB,EAAS,UAAU,OACnBC,EAAO,GAsBR,IAnBK,OAAOF,GAAW,YACtBE,EAAOF,EAGPA,EAAS,UAAWvB,CAAE,GAAK,CAAC,EAC5BA,KAII,OAAOuB,GAAW,UAAY,CAAChC,EAAYgC,CAAO,IACtDA,EAAS,CAAC,GAINvB,IAAMwB,IACVD,EAAS,KACTvB,KAGOA,EAAIwB,EAAQxB,IAGnB,IAAOiB,EAAU,UAAWjB,CAAE,IAAO,KAGpC,IAAMkB,KAAQD,EACbG,EAAOH,EAASC,CAAK,EAIhB,EAAAA,IAAS,aAAeK,IAAWH,KAKnCK,GAAQL,IAAUd,EAAO,cAAec,CAAK,IAC/CC,EAAc,MAAM,QAASD,CAAK,KACpCD,EAAMI,EAAQL,CAAK,EAGdG,GAAe,CAAC,MAAM,QAASF,CAAI,EACvCG,EAAQ,CAAC,EACE,CAACD,GAAe,CAACf,EAAO,cAAea,CAAI,EACtDG,EAAQ,CAAC,EAETA,EAAQH,EAETE,EAAc,GAGdE,EAAQL,CAAK,EAAIZ,EAAO,OAAQmB,EAAMH,EAAOF,CAAK,GAGvCA,IAAS,SACpBG,EAAQL,CAAK,EAAIE,IAOrB,OAAOG,CACR,EAEAjB,EAAO,OAAQ,CAGd,QAAS,UAAaF,EAAU,KAAK,OAAO,GAAI,QAAS,MAAO,EAAG,EAGnE,QAAS,GAET,MAAO,SAAUsB,EAAM,CACtB,MAAM,IAAI,MAAOA,CAAI,CACtB,EAEA,KAAM,UAAW,CAAC,EAElB,cAAe,SAAUlC,EAAM,CAC9B,IAAImC,EAAOC,EAIX,MAAK,CAACpC,GAAON,EAAS,KAAMM,CAAI,IAAM,kBAC9B,IAGRmC,EAAQhD,EAAUa,CAAI,EAGhBmC,GAKNC,EAAOzC,EAAO,KAAMwC,EAAO,aAAc,GAAKA,EAAM,YAC7C,OAAOC,GAAS,YAAcxC,EAAW,KAAMwC,CAAK,IAAMvC,GALzD,GAMT,EAEA,cAAe,SAAUG,EAAM,CAC9B,IAAI0B,EAEJ,IAAMA,KAAQ1B,EACb,MAAO,GAER,MAAO,EACR,EAIA,WAAY,SAAUK,EAAMoB,EAASlB,EAAM,CAC1CH,EAASC,EAAM,CAAE,MAAOoB,GAAWA,EAAQ,KAAM,EAAGlB,CAAI,CACzD,EAEA,KAAM,SAAUP,EAAKoB,EAAW,CAC/B,IAAIY,EAAQxB,EAAI,EAEhB,GAAK6B,GAAarC,CAAI,EAErB,IADAgC,EAAShC,EAAI,OACLQ,EAAIwB,GACNZ,EAAS,KAAMpB,EAAKQ,CAAE,EAAGA,EAAGR,EAAKQ,CAAE,CAAE,IAAM,GAD7BA,IACnB,KAKD,KAAMA,KAAKR,EACV,GAAKoB,EAAS,KAAMpB,EAAKQ,CAAE,EAAGA,EAAGR,EAAKQ,CAAE,CAAE,IAAM,GAC/C,MAKH,OAAOR,CACR,EAIA,KAAM,SAAUqB,EAAO,CACtB,IAAIf,EACHa,EAAM,GACNX,EAAI,EACJ8B,EAAWjB,EAAK,SAEjB,GAAMiB,EAQC,IAAKA,IAAa,GAAKA,IAAa,GAAKA,IAAa,GAC5D,OAAOjB,EAAK,YACN,GAAKiB,IAAa,GAAKA,IAAa,EAC1C,OAAOjB,EAAK,cARZ,MAAUf,EAAOe,EAAMb,GAAI,GAG1BW,GAAOL,EAAO,KAAMR,CAAK,EAU3B,OAAOa,CACR,EAGA,UAAW,SAAUjC,EAAKqD,EAAU,CACnC,IAAIpB,EAAMoB,GAAW,CAAC,EAEtB,OAAKrD,GAAO,OACNmD,GAAa,OAAQnD,CAAI,CAAE,EAC/B4B,EAAO,MAAOK,EACb,OAAOjC,GAAQ,SACd,CAAEA,CAAI,EAAIA,CACZ,EAEAK,EAAK,KAAM4B,EAAKjC,CAAI,GAIfiC,CACR,EAEA,QAAS,SAAUE,EAAMnC,EAAKsB,EAAI,CACjC,OAAOtB,GAAO,KAAO,GAAKM,EAAQ,KAAMN,EAAKmC,EAAMb,CAAE,CACtD,EAEA,SAAU,SAAUa,EAAO,CAC1B,IAAImB,EAAYnB,GAAQA,EAAK,aAC5BoB,EAAUpB,IAAUA,EAAK,eAAiBA,GAAO,gBAIlD,MAAO,CAACR,EAAY,KAAM2B,GAAaC,GAAWA,EAAQ,UAAY,MAAO,CAC9E,EAIA,MAAO,SAAUC,EAAOC,EAAS,CAKhC,QAJIpB,EAAM,CAACoB,EAAO,OACjBnB,EAAI,EACJhB,EAAIkC,EAAM,OAEHlB,EAAID,EAAKC,IAChBkB,EAAOlC,GAAI,EAAImC,EAAQnB,CAAE,EAG1B,OAAAkB,EAAM,OAASlC,EAERkC,CACR,EAEA,KAAM,SAAUxB,EAAOE,EAAUwB,EAAS,CASzC,QARIC,EACHC,EAAU,CAAC,EACXtC,EAAI,EACJwB,EAASd,EAAM,OACf6B,EAAiB,CAACH,EAIXpC,EAAIwB,EAAQxB,IACnBqC,EAAkB,CAACzB,EAAUF,EAAOV,CAAE,EAAGA,CAAE,EACtCqC,IAAoBE,GACxBD,EAAQ,KAAM5B,EAAOV,CAAE,CAAE,EAI3B,OAAOsC,CACR,EAGA,IAAK,SAAU5B,EAAOE,EAAU4B,EAAM,CACrC,IAAIhB,EAAQiB,EACXzC,EAAI,EACJW,EAAM,CAAC,EAGR,GAAKkB,GAAanB,CAAM,EAEvB,IADAc,EAASd,EAAM,OACPV,EAAIwB,EAAQxB,IACnByC,EAAQ7B,EAAUF,EAAOV,CAAE,EAAGA,EAAGwC,CAAI,EAEhCC,GAAS,MACb9B,EAAI,KAAM8B,CAAM,MAMlB,KAAMzC,KAAKU,EACV+B,EAAQ7B,EAAUF,EAAOV,CAAE,EAAGA,EAAGwC,CAAI,EAEhCC,GAAS,MACb9B,EAAI,KAAM8B,CAAM,EAMnB,OAAO5D,EAAM8B,CAAI,CAClB,EAGA,KAAM,EAIN,QAASrB,CACV,CAAE,EAEG,OAAO,QAAW,aACtBgB,EAAO,GAAI,OAAO,QAAS,EAAI5B,EAAK,OAAO,QAAS,GAIrD4B,EAAO,KAAM,uEAAuE,MAAO,GAAI,EAC9F,SAAUoC,EAAIxB,EAAO,CACpBjC,EAAY,WAAaiC,EAAO,GAAI,EAAIA,EAAK,YAAY,CAC1D,CAAE,EAEH,SAASW,GAAarC,EAAM,CAM3B,IAAIgC,EAAS,CAAC,CAAChC,GAAO,WAAYA,GAAOA,EAAI,OAC5CmD,EAAOxC,EAAQX,CAAI,EAEpB,OAAKD,EAAYC,CAAI,GAAKC,EAAUD,CAAI,EAChC,GAGDmD,IAAS,SAAWnB,IAAW,GACrC,OAAOA,GAAW,UAAYA,EAAS,GAAOA,EAAS,KAAOhC,CAChE,CAGA,SAASoD,EAAU/B,EAAMK,EAAO,CAE/B,OAAOL,EAAK,UAAYA,EAAK,SAAS,YAAY,IAAMK,EAAK,YAAY,CAE1E,CACA,IAAI2B,GAAMnE,EAAI,IAGVoE,GAAOpE,EAAI,KAGXqE,GAASrE,EAAI,OAGbsE,GAAa,sBAGbC,GAAW,IAAI,OAClB,IAAMD,GAAa,8BAAgCA,GAAa,KAChE,GACD,EAMA1C,EAAO,SAAW,SAAU4C,EAAGC,EAAI,CAClC,IAAIC,EAAMD,GAAKA,EAAE,WAEjB,OAAOD,IAAME,GAAO,CAAC,EAAGA,GAAOA,EAAI,WAAa,IAI/CF,EAAE,SACDA,EAAE,SAAUE,CAAI,EAChBF,EAAE,yBAA2BA,EAAE,wBAAyBE,CAAI,EAAI,IAEnE,EAOA,IAAIC,GAAa,+CAEjB,SAASC,GAAYC,EAAIC,EAAc,CACtC,OAAKA,EAGCD,IAAO,KACJ,SAIDA,EAAG,MAAO,EAAG,EAAG,EAAI,KAAOA,EAAG,WAAYA,EAAG,OAAS,CAAE,EAAE,SAAU,EAAG,EAAI,IAI5E,KAAOA,CACf,CAEAjD,EAAO,eAAiB,SAAUmD,EAAM,CACvC,OAASA,EAAM,IAAK,QAASJ,GAAYC,EAAW,CACrD,EAKA,IAAII,GAAehE,EAClBiE,EAAa5E,GAEZ,UAAW,CAEb,IAAIiB,EACH4D,EACAC,EACAC,EACAC,EACAhF,EAAO4E,EAGPjE,EACAsE,EACAC,EACAC,EACA5B,EAGA6B,EAAU7D,EAAO,QACjB8D,EAAU,EACVC,EAAO,EACPC,GAAaC,GAAY,EACzBC,GAAaD,GAAY,EACzBE,GAAgBF,GAAY,EAC5BG,GAAyBH,GAAY,EACrCI,GAAY,SAAUzB,EAAGC,EAAI,CAC5B,OAAKD,IAAMC,IACVY,EAAe,IAET,CACR,EAEAa,GAAW,6HAMXC,GAAa,0BAA4B7B,GACxC,0CAGD8B,GAAa,MAAQ9B,GAAa,KAAO6B,GAAa,OAAS7B,GAG9D,gBAAkBA,GAGlB,wDAA6D6B,GAAa,OAC1E7B,GAAa,OAEd+B,GAAU,KAAOF,GAAa,qFAOAC,GAAa,eAO3CE,GAAc,IAAI,OAAQhC,GAAa,IAAK,GAAI,EAEhDiC,GAAS,IAAI,OAAQ,IAAMjC,GAAa,KAAOA,GAAa,GAAI,EAChEkC,GAAqB,IAAI,OAAQ,IAAMlC,GAAa,WAAaA,GAAa,IAC7EA,GAAa,GAAI,EAClBmC,GAAW,IAAI,OAAQnC,GAAa,IAAK,EAEzCoC,GAAU,IAAI,OAAQL,EAAQ,EAC9BM,GAAc,IAAI,OAAQ,IAAMR,GAAa,GAAI,EAEjDS,GAAY,CACX,GAAI,IAAI,OAAQ,MAAQT,GAAa,GAAI,EACzC,MAAO,IAAI,OAAQ,QAAUA,GAAa,GAAI,EAC9C,IAAK,IAAI,OAAQ,KAAOA,GAAa,OAAQ,EAC7C,KAAM,IAAI,OAAQ,IAAMC,EAAW,EACnC,OAAQ,IAAI,OAAQ,IAAMC,EAAQ,EAClC,MAAO,IAAI,OACV,yDACC/B,GAAa,+BAAiCA,GAAa,cAC3DA,GAAa,aAAeA,GAAa,SAAU,GAAI,EACzD,KAAM,IAAI,OAAQ,OAAS4B,GAAW,KAAM,GAAI,EAIhD,aAAc,IAAI,OAAQ,IAAM5B,GAC/B,mDAAqDA,GACrD,mBAAqBA,GAAa,mBAAoB,GAAI,CAC5D,EAEAuC,GAAU,sCACVC,GAAU,SAGVC,GAAa,mCAEbC,GAAW,OAIXC,GAAY,IAAI,OAAQ,uBAAyB3C,GAChD,uBAAwB,GAAI,EAC7B4C,GAAY,SAAUC,EAAQC,EAAS,CACtC,IAAIC,EAAO,KAAOF,EAAO,MAAO,CAAE,EAAI,MAEtC,OAAKC,IAUEC,EAAO,EACb,OAAO,aAAcA,EAAO,KAAQ,EACpC,OAAO,aAAcA,GAAQ,GAAK,MAAQA,EAAO,KAAQ,KAAO,EAClE,EAMAC,GAAgB,UAAW,CAC1BC,GAAY,CACb,EAEAC,GAAqBC,GACpB,SAAUtF,EAAO,CAChB,OAAOA,EAAK,WAAa,IAAQ+B,EAAU/B,EAAM,UAAW,CAC7D,EACA,CAAE,IAAK,aAAc,KAAM,QAAS,CACrC,EAKD,SAASuF,IAAoB,CAC5B,GAAI,CACH,OAAO1G,EAAS,aACjB,MAAgB,CAAE,CACnB,CAGA,GAAI,CACHX,EAAK,MACFL,EAAME,EAAM,KAAM8E,GAAa,UAAW,EAC5CA,GAAa,UACd,EAKAhF,EAAKgF,GAAa,WAAW,MAAO,EAAE,QACvC,MAAc,CACb3E,EAAO,CACN,MAAO,SAAUwC,EAAQ8E,EAAM,CAC9B1C,EAAW,MAAOpC,EAAQ3C,EAAM,KAAMyH,CAAI,CAAE,CAC7C,EACA,KAAM,SAAU9E,EAAS,CACxBoC,EAAW,MAAOpC,EAAQ3C,EAAM,KAAM,UAAW,CAAE,CAAE,CACtD,CACD,CACD,CAEA,SAAS0H,GAAM/F,EAAUC,EAASuB,EAASwE,EAAO,CACjD,IAAIC,EAAGxG,EAAGa,EAAM4F,GAAKC,EAAOC,GAAQC,GACnCC,GAAarG,GAAWA,EAAQ,cAGhCsB,GAAWtB,EAAUA,EAAQ,SAAW,EAKzC,GAHAuB,EAAUA,GAAW,CAAC,EAGjB,OAAOxB,GAAa,UAAY,CAACA,GACrCuB,KAAa,GAAKA,KAAa,GAAKA,KAAa,GAEjD,OAAOC,EAIR,GAAK,CAACwE,IACLN,GAAazF,CAAQ,EACrBA,EAAUA,GAAWd,EAEhBuE,GAAiB,CAIrB,GAAKnC,KAAa,KAAQ4E,EAAQjB,GAAW,KAAMlF,CAAS,GAG3D,GAAOiG,EAAIE,EAAO,CAAE,GAGnB,GAAK5E,KAAa,EACjB,GAAOjB,EAAOL,EAAQ,eAAgBgG,CAAE,GAIvC,GAAK3F,EAAK,KAAO2F,EAChB,OAAAzH,EAAK,KAAMgD,EAASlB,CAAK,EAClBkB,MAGR,QAAOA,UAQH8E,KAAgBhG,EAAOgG,GAAW,eAAgBL,CAAE,IACxDF,GAAK,SAAU9F,EAASK,CAAK,GAC7BA,EAAK,KAAO2F,EAEZ,OAAAzH,EAAK,KAAMgD,EAASlB,CAAK,EAClBkB,MAKH,IAAK2E,EAAO,CAAE,EACpB,OAAA3H,EAAK,MAAOgD,EAASvB,EAAQ,qBAAsBD,CAAS,CAAE,EACvDwB,EAGD,IAAOyE,EAAIE,EAAO,CAAE,IAAOlG,EAAQ,uBACzC,OAAAzB,EAAK,MAAOgD,EAASvB,EAAQ,uBAAwBgG,CAAE,CAAE,EAClDzE,EAKT,GAAK,CAAC2C,GAAwBnE,EAAW,GAAI,IAC1C,CAAC2D,GAAa,CAACA,EAAU,KAAM3D,CAAS,GAAM,CAYhD,GAVAqG,GAAcrG,EACdsG,GAAarG,EASRsB,KAAa,IACfqD,GAAS,KAAM5E,CAAS,GAAK2E,GAAmB,KAAM3E,CAAS,GAAM,CAyBvE,IAtBAsG,GAAanB,GAAS,KAAMnF,CAAS,GAAKuG,GAAatG,EAAQ,UAAW,GACzEA,GAQIqG,IAAcrG,GAAW,CAAClB,EAAQ,UAG/BmH,GAAMjG,EAAQ,aAAc,IAAK,GACvCiG,GAAMnG,EAAO,eAAgBmG,EAAI,EAEjCjG,EAAQ,aAAc,KAAQiG,GAAMtC,CAAU,GAKhDwC,GAASI,GAAUxG,CAAS,EAC5BP,EAAI2G,GAAO,OACH3G,KACP2G,GAAQ3G,CAAE,GAAMyG,GAAM,IAAMA,GAAM,UAAa,IAC9CO,GAAYL,GAAQ3G,CAAE,CAAE,EAE1B4G,GAAcD,GAAO,KAAM,GAAI,CAChC,CAEA,GAAI,CACH,OAAA5H,EAAK,MAAOgD,EACX8E,GAAW,iBAAkBD,EAAY,CAC1C,EACO7E,CACR,MAAqB,CACpB2C,GAAwBnE,EAAU,EAAK,CACxC,QAAE,CACIkG,KAAQtC,GACZ3D,EAAQ,gBAAiB,IAAK,CAEhC,CACD,CACD,CAID,OAAOyG,GAAQ1G,EAAS,QAAS0C,GAAU,IAAK,EAAGzC,EAASuB,EAASwE,CAAK,CAC3E,CAQA,SAAShC,IAAc,CACtB,IAAI2C,EAAO,CAAC,EAEZ,SAASC,EAAOC,EAAK3E,EAAQ,CAI5B,OAAKyE,EAAK,KAAME,EAAM,GAAI,EAAIxD,EAAK,aAGlC,OAAOuD,EAAOD,EAAK,MAAM,CAAE,EAEnBC,EAAOC,EAAM,GAAI,EAAI3E,CAC/B,CACA,OAAO0E,CACR,CAMA,SAASE,GAAcC,EAAK,CAC3B,OAAAA,EAAInD,CAAQ,EAAI,GACTmD,CACR,CAMA,SAASC,GAAQD,EAAK,CACrB,IAAIE,EAAK9H,EAAS,cAAe,UAAW,EAE5C,GAAI,CACH,MAAO,CAAC,CAAC4H,EAAIE,CAAG,CACjB,MAAc,CACb,MAAO,EACR,QAAE,CAGIA,EAAG,YACPA,EAAG,WAAW,YAAaA,CAAG,EAI/BA,EAAK,IACN,CACD,CAMA,SAASC,GAAmB9E,EAAO,CAClC,OAAO,SAAU9B,EAAO,CACvB,OAAO+B,EAAU/B,EAAM,OAAQ,GAAKA,EAAK,OAAS8B,CACnD,CACD,CAMA,SAAS+E,GAAoB/E,EAAO,CACnC,OAAO,SAAU9B,EAAO,CACvB,OAAS+B,EAAU/B,EAAM,OAAQ,GAAK+B,EAAU/B,EAAM,QAAS,IAC9DA,EAAK,OAAS8B,CAChB,CACD,CAMA,SAASgF,GAAsBC,EAAW,CAGzC,OAAO,SAAU/G,EAAO,CAKvB,MAAK,SAAUA,EASTA,EAAK,YAAcA,EAAK,WAAa,GAGpC,UAAWA,EACV,UAAWA,EAAK,WACbA,EAAK,WAAW,WAAa+G,EAE7B/G,EAAK,WAAa+G,EAMpB/G,EAAK,aAAe+G,GAG1B/G,EAAK,aAAe,CAAC+G,GACpB1B,GAAoBrF,CAAK,IAAM+G,EAG3B/G,EAAK,WAAa+G,EAKd,UAAW/G,EACfA,EAAK,WAAa+G,EAInB,EACR,CACD,CAMA,SAASC,GAAwBP,EAAK,CACrC,OAAOD,GAAc,SAAUS,EAAW,CACzC,OAAAA,EAAW,CAACA,EACLT,GAAc,SAAUd,EAAMjE,EAAU,CAM9C,QALItB,EACH+G,EAAeT,EAAI,CAAC,EAAGf,EAAK,OAAQuB,CAAS,EAC7C9H,EAAI+H,EAAa,OAGV/H,KACFuG,EAAQvF,EAAI+G,EAAc/H,CAAE,CAAI,IACpCuG,EAAMvF,CAAE,EAAI,EAAGsB,EAAStB,CAAE,EAAIuF,EAAMvF,CAAE,GAGzC,CAAE,CACH,CAAE,CACH,CAOA,SAAS8F,GAAatG,EAAU,CAC/B,OAAOA,GAAW,OAAOA,EAAQ,qBAAyB,KAAeA,CAC1E,CAOA,SAASyF,GAAanG,EAAO,CAC5B,IAAIkI,EACHjI,EAAMD,EAAOA,EAAK,eAAiBA,EAAO4D,GAO3C,OAAK3D,GAAOL,GAAYK,EAAI,WAAa,GAAK,CAACA,EAAI,kBAKnDL,EAAWK,EACXiE,EAAkBtE,EAAS,gBAC3BuE,EAAiB,CAAC3D,EAAO,SAAUZ,CAAS,EAI5C4C,EAAU0B,EAAgB,SACzBA,EAAgB,uBAChBA,EAAgB,kBAQZN,IAAgBhE,IAClBsI,EAAYtI,EAAS,cAAiBsI,EAAU,MAAQA,GAG1DA,EAAU,iBAAkB,SAAUhC,EAAc,EAOrD1G,EAAQ,QAAUiI,GAAQ,SAAUC,EAAK,CACxC,OAAAxD,EAAgB,YAAawD,CAAG,EAAE,GAAKlH,EAAO,QACvC,CAACZ,EAAS,mBAChB,CAACA,EAAS,kBAAmBY,EAAO,OAAQ,EAAE,MAChD,CAAE,EAKFhB,EAAQ,kBAAoBiI,GAAQ,SAAUC,EAAK,CAClD,OAAOlF,EAAQ,KAAMkF,EAAI,GAAI,CAC9B,CAAE,EAIFlI,EAAQ,MAAQiI,GAAQ,UAAW,CAClC,OAAO7H,EAAS,iBAAkB,QAAS,CAC5C,CAAE,EAWFJ,EAAQ,OAASiI,GAAQ,UAAW,CACnC,GAAI,CACH,OAAA7H,EAAS,cAAe,iBAAkB,EACnC,EACR,MAAc,CACb,MAAO,EACR,CACD,CAAE,EAGGJ,EAAQ,SACZsE,EAAK,OAAO,GAAK,SAAUqE,EAAK,CAC/B,IAAIC,EAASD,EAAG,QAAStC,GAAWC,EAAU,EAC9C,OAAO,SAAU/E,EAAO,CACvB,OAAOA,EAAK,aAAc,IAAK,IAAMqH,CACtC,CACD,EACAtE,EAAK,KAAK,GAAK,SAAUqE,EAAIzH,EAAU,CACtC,GAAK,OAAOA,EAAQ,eAAmB,KAAeyD,EAAiB,CACtE,IAAIpD,EAAOL,EAAQ,eAAgByH,CAAG,EACtC,OAAOpH,EAAO,CAAEA,CAAK,EAAI,CAAC,CAC3B,CACD,IAEA+C,EAAK,OAAO,GAAM,SAAUqE,EAAK,CAChC,IAAIC,EAASD,EAAG,QAAStC,GAAWC,EAAU,EAC9C,OAAO,SAAU/E,EAAO,CACvB,IAAIf,EAAO,OAAOe,EAAK,iBAAqB,KAC3CA,EAAK,iBAAkB,IAAK,EAC7B,OAAOf,GAAQA,EAAK,QAAUoI,CAC/B,CACD,EAIAtE,EAAK,KAAK,GAAK,SAAUqE,EAAIzH,EAAU,CACtC,GAAK,OAAOA,EAAQ,eAAmB,KAAeyD,EAAiB,CACtE,IAAInE,EAAME,EAAGU,GACZG,EAAOL,EAAQ,eAAgByH,CAAG,EAEnC,GAAKpH,EAAO,CAIX,GADAf,EAAOe,EAAK,iBAAkB,IAAK,EAC9Bf,GAAQA,EAAK,QAAUmI,EAC3B,MAAO,CAAEpH,CAAK,EAMf,IAFAH,GAAQF,EAAQ,kBAAmByH,CAAG,EACtCjI,EAAI,EACMa,EAAOH,GAAOV,GAAI,GAE3B,GADAF,EAAOe,EAAK,iBAAkB,IAAK,EAC9Bf,GAAQA,EAAK,QAAUmI,EAC3B,MAAO,CAAEpH,CAAK,CAGjB,CAEA,MAAO,CAAC,CACT,CACD,GAID+C,EAAK,KAAK,IAAM,SAAUuE,EAAK3H,EAAU,CACxC,OAAK,OAAOA,EAAQ,qBAAyB,IACrCA,EAAQ,qBAAsB2H,CAAI,EAIlC3H,EAAQ,iBAAkB2H,CAAI,CAEvC,EAGAvE,EAAK,KAAK,MAAQ,SAAUwE,EAAW5H,EAAU,CAChD,GAAK,OAAOA,EAAQ,uBAA2B,KAAeyD,EAC7D,OAAOzD,EAAQ,uBAAwB4H,CAAU,CAEnD,EAOAlE,EAAY,CAAC,EAIbqD,GAAQ,SAAUC,EAAK,CAEtB,IAAIa,EAEJrE,EAAgB,YAAawD,CAAG,EAAE,UACjC,UAAYrD,EAAU,iDACLA,EAAU,oEAKtBqD,EAAG,iBAAkB,YAAa,EAAE,QACzCtD,EAAU,KAAM,MAAQlB,GAAa,aAAe4B,GAAW,GAAI,EAI9D4C,EAAG,iBAAkB,QAAUrD,EAAU,IAAK,EAAE,QACrDD,EAAU,KAAM,IAAK,EAMhBsD,EAAG,iBAAkB,KAAOrD,EAAU,IAAK,EAAE,QAClDD,EAAU,KAAM,UAAW,EAOtBsD,EAAG,iBAAkB,UAAW,EAAE,QACvCtD,EAAU,KAAM,UAAW,EAK5BmE,EAAQ3I,EAAS,cAAe,OAAQ,EACxC2I,EAAM,aAAc,OAAQ,QAAS,EACrCb,EAAG,YAAaa,CAAM,EAAE,aAAc,OAAQ,GAAI,EAQlDrE,EAAgB,YAAawD,CAAG,EAAE,SAAW,GACxCA,EAAG,iBAAkB,WAAY,EAAE,SAAW,GAClDtD,EAAU,KAAM,WAAY,WAAY,EAQzCmE,EAAQ3I,EAAS,cAAe,OAAQ,EACxC2I,EAAM,aAAc,OAAQ,EAAG,EAC/Bb,EAAG,YAAaa,CAAM,EAChBb,EAAG,iBAAkB,WAAY,EAAE,QACxCtD,EAAU,KAAM,MAAQlB,GAAa,QAAUA,GAAa,KAC3DA,GAAa,YAAe,CAE/B,CAAE,EAEI1D,EAAQ,QAQb4E,EAAU,KAAM,MAAO,EAGxBA,EAAYA,EAAU,QAAU,IAAI,OAAQA,EAAU,KAAM,GAAI,CAAE,EAMlES,GAAY,SAAUzB,EAAGC,EAAI,CAG5B,GAAKD,IAAMC,EACV,OAAAY,EAAe,GACR,EAIR,IAAIuE,EAAU,CAACpF,EAAE,wBAA0B,CAACC,EAAE,wBAC9C,OAAKmF,IASLA,GAAYpF,EAAE,eAAiBA,KAASC,EAAE,eAAiBA,GAC1DD,EAAE,wBAAyBC,CAAE,EAG7B,EAGImF,EAAU,GACZ,CAAChJ,EAAQ,cAAgB6D,EAAE,wBAAyBD,CAAE,IAAMoF,EAOzDpF,IAAMxD,GAAYwD,EAAE,eAAiBQ,IACzC4C,GAAK,SAAU5C,GAAcR,CAAE,EACxB,GAOHC,IAAMzD,GAAYyD,EAAE,eAAiBO,IACzC4C,GAAK,SAAU5C,GAAcP,CAAE,EACxB,EAIDW,EACJ9E,EAAQ,KAAM8E,EAAWZ,CAAE,EAAIlE,EAAQ,KAAM8E,EAAWX,CAAE,EAC5D,EAGKmF,EAAU,EAAI,GAAK,EAC3B,GAEO5I,CACR,CAEA4G,GAAK,QAAU,SAAUiC,EAAMC,EAAW,CACzC,OAAOlC,GAAMiC,EAAM,KAAM,KAAMC,CAAS,CACzC,EAEAlC,GAAK,gBAAkB,SAAUzF,EAAM0H,EAAO,CAG7C,GAFAtC,GAAapF,CAAK,EAEboD,GACJ,CAACS,GAAwB6D,EAAO,GAAI,IAClC,CAACrE,GAAa,CAACA,EAAU,KAAMqE,CAAK,GAEtC,GAAI,CACH,IAAI5H,EAAM2B,EAAQ,KAAMzB,EAAM0H,CAAK,EAGnC,GAAK5H,GAAOrB,EAAQ,mBAIlBuB,EAAK,UAAYA,EAAK,SAAS,WAAa,GAC7C,OAAOF,CAET,MAAc,CACb+D,GAAwB6D,EAAM,EAAK,CACpC,CAGD,OAAOjC,GAAMiC,EAAM7I,EAAU,KAAM,CAAEmB,CAAK,CAAE,EAAE,OAAS,CACxD,EAEAyF,GAAK,SAAW,SAAU9F,EAASK,EAAO,CAOzC,OAAOL,EAAQ,eAAiBA,IAAad,GAC5CuG,GAAazF,CAAQ,EAEfF,EAAO,SAAUE,EAASK,CAAK,CACvC,EAGAyF,GAAK,KAAO,SAAUzF,EAAMK,EAAO,EAO3BL,EAAK,eAAiBA,IAAUnB,GACtCuG,GAAapF,CAAK,EAGnB,IAAIyG,EAAK1D,EAAK,WAAY1C,EAAK,YAAY,CAAE,EAG5CjB,EAAMqH,GAAMnI,EAAO,KAAMyE,EAAK,WAAY1C,EAAK,YAAY,CAAE,EAC5DoG,EAAIzG,EAAMK,EAAM,CAAC+C,CAAe,EAChC,OAEF,OAAKhE,IAAQ,OACLA,EAGDY,EAAK,aAAcK,CAAK,CAChC,EAEAoF,GAAK,MAAQ,SAAU5E,EAAM,CAC5B,MAAM,IAAI,MAAO,0CAA4CA,CAAI,CAClE,EAMApB,EAAO,WAAa,SAAUyB,EAAU,CACvC,IAAIlB,EACH4H,EAAa,CAAC,EACdzH,EAAI,EACJhB,EAAI,EAWL,GAJA+D,EAAe,CAACzE,EAAQ,WACxBwE,EAAY,CAACxE,EAAQ,YAAcV,EAAM,KAAMmD,EAAS,CAAE,EAC1De,GAAK,KAAMf,EAAS4C,EAAU,EAEzBZ,EAAe,CACnB,KAAUlD,EAAOkB,EAAS/B,GAAI,GACxBa,IAASkB,EAAS/B,CAAE,IACxBgB,EAAIyH,EAAW,KAAMzI,CAAE,GAGzB,KAAQgB,KACP+B,GAAO,KAAMhB,EAAS0G,EAAYzH,CAAE,EAAG,CAAE,CAE3C,CAIA,OAAA8C,EAAY,KAEL/B,CACR,EAEAzB,EAAO,GAAG,WAAa,UAAW,CACjC,OAAO,KAAK,UAAWA,EAAO,WAAY1B,EAAM,MAAO,IAAK,CAAE,CAAE,CACjE,EAEAgF,EAAOtD,EAAO,KAAO,CAGpB,YAAa,GAEb,aAAc+G,GAEd,MAAO/B,GAEP,WAAY,CAAC,EAEb,KAAM,CAAC,EAEP,SAAU,CACT,IAAK,CAAE,IAAK,aAAc,MAAO,EAAK,EACtC,IAAK,CAAE,IAAK,YAAa,EACzB,IAAK,CAAE,IAAK,kBAAmB,MAAO,EAAK,EAC3C,IAAK,CAAE,IAAK,iBAAkB,CAC/B,EAEA,UAAW,CACV,KAAM,SAAUoB,EAAQ,CACvB,OAAAA,EAAO,CAAE,EAAIA,EAAO,CAAE,EAAE,QAASf,GAAWC,EAAU,EAGtDc,EAAO,CAAE,GAAMA,EAAO,CAAE,GAAKA,EAAO,CAAE,GAAKA,EAAO,CAAE,GAAK,IACvD,QAASf,GAAWC,EAAU,EAE3Bc,EAAO,CAAE,IAAM,OACnBA,EAAO,CAAE,EAAI,IAAMA,EAAO,CAAE,EAAI,KAG1BA,EAAM,MAAO,EAAG,CAAE,CAC1B,EAEA,MAAO,SAAUA,EAAQ,CAYxB,OAAAA,EAAO,CAAE,EAAIA,EAAO,CAAE,EAAE,YAAY,EAE/BA,EAAO,CAAE,EAAE,MAAO,EAAG,CAAE,IAAM,OAG3BA,EAAO,CAAE,GACdJ,GAAK,MAAOI,EAAO,CAAE,CAAE,EAKxBA,EAAO,CAAE,EAAI,EAAGA,EAAO,CAAE,EACxBA,EAAO,CAAE,GAAMA,EAAO,CAAE,GAAK,GAC7B,GAAMA,EAAO,CAAE,IAAM,QAAUA,EAAO,CAAE,IAAM,QAE/CA,EAAO,CAAE,EAAI,EAAKA,EAAO,CAAE,EAAIA,EAAO,CAAE,GAAOA,EAAO,CAAE,IAAM,QAGnDA,EAAO,CAAE,GACpBJ,GAAK,MAAOI,EAAO,CAAE,CAAE,EAGjBA,CACR,EAEA,OAAQ,SAAUA,EAAQ,CACzB,IAAIgC,EACHC,EAAW,CAACjC,EAAO,CAAE,GAAKA,EAAO,CAAE,EAEpC,OAAKpB,GAAU,MAAM,KAAMoB,EAAO,CAAE,CAAE,EAC9B,MAIHA,EAAO,CAAE,EACbA,EAAO,CAAE,EAAIA,EAAO,CAAE,GAAKA,EAAO,CAAE,GAAK,GAG9BiC,GAAYvD,GAAQ,KAAMuD,CAAS,IAG5CD,EAAS3B,GAAU4B,EAAU,EAAK,KAGlCD,EAASC,EAAS,QAAS,IAAKA,EAAS,OAASD,CAAO,EAAIC,EAAS,UAGxEjC,EAAO,CAAE,EAAIA,EAAO,CAAE,EAAE,MAAO,EAAGgC,CAAO,EACzChC,EAAO,CAAE,EAAIiC,EAAS,MAAO,EAAGD,CAAO,GAIjChC,EAAM,MAAO,EAAG,CAAE,EAC1B,CACD,EAEA,OAAQ,CAEP,IAAK,SAAUkC,EAAmB,CACjC,IAAIC,EAAmBD,EAAiB,QAASjD,GAAWC,EAAU,EAAE,YAAY,EACpF,OAAOgD,IAAqB,IAC3B,UAAW,CACV,MAAO,EACR,EACA,SAAU/H,EAAO,CAChB,OAAO+B,EAAU/B,EAAMgI,CAAiB,CACzC,CACF,EAEA,MAAO,SAAUT,EAAY,CAC5B,IAAIU,EAAUxE,GAAY8D,EAAY,GAAI,EAE1C,OAAOU,IACJA,EAAU,IAAI,OAAQ,MAAQ9F,GAAa,IAAMoF,EAClD,IAAMpF,GAAa,KAAM,IAC1BsB,GAAY8D,EAAW,SAAUvH,EAAO,CACvC,OAAOiI,EAAQ,KACd,OAAOjI,EAAK,WAAc,UAAYA,EAAK,WAC1C,OAAOA,EAAK,aAAiB,KAC5BA,EAAK,aAAc,OAAQ,GAC5B,EACF,CACD,CAAE,CACJ,EAEA,KAAM,SAAUK,EAAM6H,EAAUC,EAAQ,CACvC,OAAO,SAAUnI,EAAO,CACvB,IAAIoI,EAAS3C,GAAK,KAAMzF,EAAMK,CAAK,EAEnC,OAAK+H,GAAU,KACPF,IAAa,KAEfA,GAINE,GAAU,GAELF,IAAa,IACVE,IAAWD,EAEdD,IAAa,KACVE,IAAWD,EAEdD,IAAa,KACVC,GAASC,EAAO,QAASD,CAAM,IAAM,EAExCD,IAAa,KACVC,GAASC,EAAO,QAASD,CAAM,EAAI,GAEtCD,IAAa,KACVC,GAASC,EAAO,MAAO,CAACD,EAAM,MAAO,IAAMA,EAE9CD,IAAa,MACR,IAAME,EAAO,QAASjE,GAAa,GAAI,EAAI,KAClD,QAASgE,CAAM,EAAI,GAEjBD,IAAa,KACVE,IAAWD,GAASC,EAAO,MAAO,EAAGD,EAAM,OAAS,CAAE,IAAMA,EAAQ,IAGrE,IA5BC,EA6BT,CACD,EAEA,MAAO,SAAUrG,EAAMuG,EAAMC,EAAWjH,EAAOkH,EAAO,CACrD,IAAIC,EAAS1G,EAAK,MAAO,EAAG,CAAE,IAAM,MACnC2G,EAAU3G,EAAK,MAAO,EAAG,IAAM,OAC/B4G,GAASL,IAAS,UAEnB,OAAOhH,IAAU,GAAKkH,IAAS,EAG9B,SAAUvI,EAAO,CAChB,MAAO,CAAC,CAACA,EAAK,UACf,EAEA,SAAUA,EAAM2I,GAAUC,GAAM,CAC/B,IAAItC,GAAOuC,GAAY5J,GAAM6J,GAAWC,GACvCC,GAAMR,IAAWC,EAAU,cAAgB,kBAC3CQ,GAASjJ,EAAK,WACdK,GAAOqI,IAAU1I,EAAK,SAAS,YAAY,EAC3CkJ,GAAW,CAACN,IAAO,CAACF,GACpBS,GAAO,GAER,GAAKF,GAAS,CAGb,GAAKT,EAAS,CACb,KAAQQ,IAAM,CAEb,IADA/J,GAAOe,EACGf,GAAOA,GAAM+J,EAAI,GAC1B,GAAKN,GACJ3G,EAAU9C,GAAMoB,EAAK,EACrBpB,GAAK,WAAa,EAElB,MAAO,GAKT8J,GAAQC,GAAMlH,IAAS,QAAU,CAACiH,IAAS,aAC5C,CACA,MAAO,EACR,CAKA,GAHAA,GAAQ,CAAEN,EAAUQ,GAAO,WAAaA,GAAO,SAAU,EAGpDR,GAAWS,IASf,IANAL,GAAaI,GAAQ3F,CAAQ,IAAO2F,GAAQ3F,CAAQ,EAAI,CAAC,GACzDgD,GAAQuC,GAAY/G,CAAK,GAAK,CAAC,EAC/BgH,GAAYxC,GAAO,CAAE,IAAM/C,GAAW+C,GAAO,CAAE,EAC/C6C,GAAOL,IAAaxC,GAAO,CAAE,EAC7BrH,GAAO6J,IAAaG,GAAO,WAAYH,EAAU,EAEvC7J,GAAO,EAAE6J,IAAa7J,IAAQA,GAAM+J,EAAI,IAG/CG,GAAOL,GAAY,IAAOC,GAAM,IAAI,GAGtC,GAAK9J,GAAK,WAAa,GAAK,EAAEkK,IAAQlK,KAASe,EAAO,CACrD6I,GAAY/G,CAAK,EAAI,CAAEyB,EAASuF,GAAWK,EAAK,EAChD,KACD,UAMID,KACJL,GAAa7I,EAAMsD,CAAQ,IAAOtD,EAAMsD,CAAQ,EAAI,CAAC,GACrDgD,GAAQuC,GAAY/G,CAAK,GAAK,CAAC,EAC/BgH,GAAYxC,GAAO,CAAE,IAAM/C,GAAW+C,GAAO,CAAE,EAC/C6C,GAAOL,IAKHK,KAAS,GAGb,MAAUlK,GAAO,EAAE6J,IAAa7J,IAAQA,GAAM+J,EAAI,IAC/CG,GAAOL,GAAY,IAAOC,GAAM,IAAI,IAE/B,GAAAL,GACN3G,EAAU9C,GAAMoB,EAAK,EACrBpB,GAAK,WAAa,IAClB,EAAEkK,KAGGD,KACJL,GAAa5J,GAAMqE,CAAQ,IACxBrE,GAAMqE,CAAQ,EAAI,CAAC,GACtBuF,GAAY/G,CAAK,EAAI,CAAEyB,EAAS4F,EAAK,GAGjClK,KAASe,KAZf,CAqBH,OAAAmJ,IAAQZ,EACDY,KAAS9H,GAAW8H,GAAO9H,IAAU,GAAK8H,GAAO9H,GAAS,CAClE,CACD,CACF,EAEA,OAAQ,SAAU+H,EAAQnC,EAAW,CAMpC,IAAIoC,EACH5C,EAAK1D,EAAK,QAASqG,CAAO,GAAKrG,EAAK,WAAYqG,EAAO,YAAY,CAAE,GACpE3D,GAAK,MAAO,uBAAyB2D,CAAO,EAK9C,OAAK3C,EAAInD,CAAQ,EACTmD,EAAIQ,CAAS,EAIhBR,EAAG,OAAS,GAChB4C,EAAO,CAAED,EAAQA,EAAQ,GAAInC,CAAS,EAC/BlE,EAAK,WAAW,eAAgBqG,EAAO,YAAY,CAAE,EAC3D5C,GAAc,SAAUd,EAAMjE,EAAU,CAIvC,QAHI6H,EACHC,GAAU9C,EAAIf,EAAMuB,CAAS,EAC7B9H,EAAIoK,GAAQ,OACLpK,KACPmK,EAAMnL,EAAQ,KAAMuH,EAAM6D,GAASpK,CAAE,CAAE,EACvCuG,EAAM4D,CAAI,EAAI,EAAG7H,EAAS6H,CAAI,EAAIC,GAASpK,CAAE,EAE/C,CAAE,EACF,SAAUa,EAAO,CAChB,OAAOyG,EAAIzG,EAAM,EAAGqJ,CAAK,CAC1B,GAGK5C,CACR,CACD,EAEA,QAAS,CAGR,IAAKD,GAAc,SAAU9G,EAAW,CAKvC,IAAI8H,EAAQ,CAAC,EACZtG,EAAU,CAAC,EACXsI,EAAUC,GAAS/J,EAAS,QAAS0C,GAAU,IAAK,CAAE,EAEvD,OAAOoH,EAASlG,CAAQ,EACvBkD,GAAc,SAAUd,EAAMjE,EAASkH,EAAUC,GAAM,CAMtD,QALI5I,EACH0J,GAAYF,EAAS9D,EAAM,KAAMkD,GAAK,CAAC,CAAE,EACzCzJ,GAAIuG,EAAK,OAGFvG,OACAa,EAAO0J,GAAWvK,EAAE,KAC1BuG,EAAMvG,EAAE,EAAI,EAAGsC,EAAStC,EAAE,EAAIa,GAGjC,CAAE,EACF,SAAUA,EAAM2I,EAAUC,EAAM,CAC/B,OAAApB,EAAO,CAAE,EAAIxH,EACbwJ,EAAShC,EAAO,KAAMoB,EAAK1H,CAAQ,EAInCsG,EAAO,CAAE,EAAI,KACN,CAACtG,EAAQ,IAAI,CACrB,CACF,CAAE,EAEF,IAAKsF,GAAc,SAAU9G,EAAW,CACvC,OAAO,SAAUM,EAAO,CACvB,OAAOyF,GAAM/F,EAAUM,CAAK,EAAE,OAAS,CACxC,CACD,CAAE,EAEF,SAAUwG,GAAc,SAAUmD,EAAO,CACxC,OAAAA,EAAOA,EAAK,QAAS7E,GAAWC,EAAU,EACnC,SAAU/E,EAAO,CACvB,OAASA,EAAK,aAAeP,EAAO,KAAMO,CAAK,GAAI,QAAS2J,CAAK,EAAI,EACtE,CACD,CAAE,EASF,KAAMnD,GAAc,SAAUoD,EAAO,CAGpC,OAAMpF,GAAY,KAAMoF,GAAQ,EAAG,GAClCnE,GAAK,MAAO,qBAAuBmE,CAAK,EAEzCA,EAAOA,EAAK,QAAS9E,GAAWC,EAAU,EAAE,YAAY,EACjD,SAAU/E,EAAO,CACvB,IAAI6J,EACJ,EACC,IAAOA,EAAWzG,EACjBpD,EAAK,KACLA,EAAK,aAAc,UAAW,GAAKA,EAAK,aAAc,MAAO,EAE7D,OAAA6J,EAAWA,EAAS,YAAY,EACzBA,IAAaD,GAAQC,EAAS,QAASD,EAAO,GAAI,IAAM,SAErD5J,EAAOA,EAAK,aAAgBA,EAAK,WAAa,GAC1D,MAAO,EACR,CACD,CAAE,EAGF,OAAQ,SAAUA,EAAO,CACxB,IAAI8J,EAAOnM,EAAO,UAAYA,EAAO,SAAS,KAC9C,OAAOmM,GAAQA,EAAK,MAAO,CAAE,IAAM9J,EAAK,EACzC,EAEA,KAAM,SAAUA,EAAO,CACtB,OAAOA,IAASmD,CACjB,EAEA,MAAO,SAAUnD,EAAO,CACvB,OAAOA,IAASuF,GAAkB,GACjC1G,EAAS,SAAS,GAClB,CAAC,EAAGmB,EAAK,MAAQA,EAAK,MAAQ,CAACA,EAAK,SACtC,EAGA,QAAS8G,GAAsB,EAAM,EACrC,SAAUA,GAAsB,EAAK,EAErC,QAAS,SAAU9G,EAAO,CAIzB,OAAS+B,EAAU/B,EAAM,OAAQ,GAAK,CAAC,CAACA,EAAK,SAC1C+B,EAAU/B,EAAM,QAAS,GAAK,CAAC,CAACA,EAAK,QACzC,EAEA,SAAU,SAAUA,EAAO,CAM1B,OAAKA,EAAK,YAETA,EAAK,WAAW,cAGVA,EAAK,WAAa,EAC1B,EAGA,MAAO,SAAUA,EAAO,CAMvB,IAAMA,EAAOA,EAAK,WAAYA,EAAMA,EAAOA,EAAK,YAC/C,GAAKA,EAAK,SAAW,EACpB,MAAO,GAGT,MAAO,EACR,EAEA,OAAQ,SAAUA,EAAO,CACxB,MAAO,CAAC+C,EAAK,QAAQ,MAAO/C,CAAK,CAClC,EAGA,OAAQ,SAAUA,EAAO,CACxB,OAAO2E,GAAQ,KAAM3E,EAAK,QAAS,CACpC,EAEA,MAAO,SAAUA,EAAO,CACvB,OAAO0E,GAAQ,KAAM1E,EAAK,QAAS,CACpC,EAEA,OAAQ,SAAUA,EAAO,CACxB,OAAO+B,EAAU/B,EAAM,OAAQ,GAAKA,EAAK,OAAS,UACjD+B,EAAU/B,EAAM,QAAS,CAC3B,EAEA,KAAM,SAAUA,EAAO,CACtB,IAAI+J,EACJ,OAAOhI,EAAU/B,EAAM,OAAQ,GAAKA,EAAK,OAAS,UAK7C+J,EAAO/J,EAAK,aAAc,MAAO,IAAO,MAC3C+J,EAAK,YAAY,IAAM,OAC1B,EAGA,MAAO/C,GAAwB,UAAW,CACzC,MAAO,CAAE,CAAE,CACZ,CAAE,EAEF,KAAMA,GAAwB,SAAUgD,EAAerJ,EAAS,CAC/D,MAAO,CAAEA,EAAS,CAAE,CACrB,CAAE,EAEF,GAAIqG,GAAwB,SAAUgD,EAAerJ,EAAQsG,EAAW,CACvE,MAAO,CAAEA,EAAW,EAAIA,EAAWtG,EAASsG,CAAS,CACtD,CAAE,EAEF,KAAMD,GAAwB,SAAUE,EAAcvG,EAAS,CAE9D,QADIxB,EAAI,EACAA,EAAIwB,EAAQxB,GAAK,EACxB+H,EAAa,KAAM/H,CAAE,EAEtB,OAAO+H,CACR,CAAE,EAEF,IAAKF,GAAwB,SAAUE,EAAcvG,EAAS,CAE7D,QADIxB,EAAI,EACAA,EAAIwB,EAAQxB,GAAK,EACxB+H,EAAa,KAAM/H,CAAE,EAEtB,OAAO+H,CACR,CAAE,EAEF,GAAIF,GAAwB,SAAUE,EAAcvG,EAAQsG,EAAW,CACtE,IAAI9H,EAUJ,IARK8H,EAAW,EACf9H,EAAI8H,EAAWtG,EACJsG,EAAWtG,EACtBxB,EAAIwB,EAEJxB,EAAI8H,EAGG,EAAE9H,GAAK,GACd+H,EAAa,KAAM/H,CAAE,EAEtB,OAAO+H,CACR,CAAE,EAEF,GAAIF,GAAwB,SAAUE,EAAcvG,EAAQsG,EAAW,CAEtE,QADI9H,EAAI8H,EAAW,EAAIA,EAAWtG,EAASsG,EACnC,EAAE9H,EAAIwB,GACbuG,EAAa,KAAM/H,CAAE,EAEtB,OAAO+H,CACR,CAAE,CACH,CACD,EAEAnE,EAAK,QAAQ,IAAMA,EAAK,QAAQ,GAGhC,IAAM5D,IAAK,CAAE,MAAO,GAAM,SAAU,GAAM,KAAM,GAAM,SAAU,GAAM,MAAO,EAAK,EACjF4D,EAAK,QAAS5D,CAAE,EAAIyH,GAAmBzH,CAAE,EAE1C,IAAMA,IAAK,CAAE,OAAQ,GAAM,MAAO,EAAK,EACtC4D,EAAK,QAAS5D,CAAE,EAAI0H,GAAoB1H,CAAE,EAI3C,SAAS8K,IAAa,CAAC,CACvBA,GAAW,UAAYlH,EAAK,QAAUA,EAAK,QAC3CA,EAAK,WAAa,IAAIkH,GAEtB,SAAS/D,GAAUxG,EAAUwK,EAAY,CACxC,IAAIX,EAAS1D,EAAOsE,EAAQrI,EAC3BsI,EAAOtE,GAAQuE,EACfC,GAAS3G,GAAYjE,EAAW,GAAI,EAErC,GAAK4K,GACJ,OAAOJ,EAAY,EAAII,GAAO,MAAO,CAAE,EAOxC,IAJAF,EAAQ1K,EACRoG,GAAS,CAAC,EACVuE,EAAatH,EAAK,UAEVqH,GAAQ,EAGV,CAACb,IAAa1D,EAAQzB,GAAO,KAAMgG,CAAM,MACxCvE,IAGJuE,EAAQA,EAAM,MAAOvE,EAAO,CAAE,EAAE,MAAO,GAAKuE,GAE7CtE,GAAO,KAAQqE,EAAS,CAAC,CAAI,GAG9BZ,EAAU,IAGH1D,EAAQxB,GAAmB,KAAM+F,CAAM,KAC7Cb,EAAU1D,EAAM,MAAM,EACtBsE,EAAO,KAAM,CACZ,MAAOZ,EAGP,KAAM1D,EAAO,CAAE,EAAE,QAASzD,GAAU,GAAI,CACzC,CAAE,EACFgI,EAAQA,EAAM,MAAOb,EAAQ,MAAO,GAIrC,IAAMzH,KAAQiB,EAAK,QACX8C,EAAQpB,GAAW3C,CAAK,EAAE,KAAMsI,CAAM,KAAS,CAACC,EAAYvI,CAAK,IACrE+D,EAAQwE,EAAYvI,CAAK,EAAG+D,CAAM,MACpC0D,EAAU1D,EAAM,MAAM,EACtBsE,EAAO,KAAM,CACZ,MAAOZ,EACP,KAAMzH,EACN,QAAS+D,CACV,CAAE,EACFuE,EAAQA,EAAM,MAAOb,EAAQ,MAAO,GAItC,GAAK,CAACA,EACL,KAEF,CAKA,OAAKW,EACGE,EAAM,OAGPA,EACN3E,GAAK,MAAO/F,CAAS,EAGrBiE,GAAYjE,EAAUoG,EAAO,EAAE,MAAO,CAAE,CAC1C,CAEA,SAASK,GAAYgE,EAAS,CAI7B,QAHIhL,EAAI,EACPe,EAAMiK,EAAO,OACbzK,EAAW,GACJP,EAAIe,EAAKf,IAChBO,GAAYyK,EAAQhL,CAAE,EAAE,MAEzB,OAAOO,CACR,CAEA,SAAS4F,GAAekE,EAASe,EAAYC,EAAO,CACnD,IAAIxB,EAAMuB,EAAW,IACpBE,EAAOF,EAAW,KAClBhE,EAAMkE,GAAQzB,EACd0B,EAAmBF,GAAQjE,IAAQ,aACnCoE,GAAWnH,IAEZ,OAAO+G,EAAW,MAGjB,SAAUvK,EAAML,GAASiJ,GAAM,CAC9B,KAAU5I,EAAOA,EAAMgJ,CAAI,GAC1B,GAAKhJ,EAAK,WAAa,GAAK0K,EAC3B,OAAOlB,EAASxJ,EAAML,GAASiJ,EAAI,EAGrC,MAAO,EACR,EAGA,SAAU5I,EAAML,GAASiJ,GAAM,CAC9B,IAAIgC,GAAU/B,GACbgC,GAAW,CAAEtH,EAASoH,EAAS,EAGhC,GAAK/B,IACJ,KAAU5I,EAAOA,EAAMgJ,CAAI,GAC1B,IAAKhJ,EAAK,WAAa,GAAK0K,IACtBlB,EAASxJ,EAAML,GAASiJ,EAAI,EAChC,MAAO,OAKV,MAAU5I,EAAOA,EAAMgJ,CAAI,GAC1B,GAAKhJ,EAAK,WAAa,GAAK0K,EAG3B,GAFA7B,GAAa7I,EAAMsD,CAAQ,IAAOtD,EAAMsD,CAAQ,EAAI,CAAC,GAEhDmH,GAAQ1I,EAAU/B,EAAMyK,CAAK,EACjCzK,EAAOA,EAAMgJ,CAAI,GAAKhJ,MAChB,KAAO4K,GAAW/B,GAAYtC,CAAI,IACxCqE,GAAU,CAAE,IAAMrH,GAAWqH,GAAU,CAAE,IAAMD,GAG/C,OAASE,GAAU,CAAE,EAAID,GAAU,CAAE,EAOrC,GAHA/B,GAAYtC,CAAI,EAAIsE,GAGbA,GAAU,CAAE,EAAIrB,EAASxJ,EAAML,GAASiJ,EAAI,EAClD,MAAO,GAMZ,MAAO,EACR,CACF,CAEA,SAASkC,GAAgBC,EAAW,CACnC,OAAOA,EAAS,OAAS,EACxB,SAAU/K,EAAML,EAASiJ,EAAM,CAE9B,QADIzJ,EAAI4L,EAAS,OACT5L,KACP,GAAK,CAAC4L,EAAU5L,CAAE,EAAGa,EAAML,EAASiJ,CAAI,EACvC,MAAO,GAGT,MAAO,EACR,EACAmC,EAAU,CAAE,CACd,CAEA,SAASC,GAAkBtL,EAAUuL,EAAU/J,EAAU,CAGxD,QAFI/B,EAAI,EACPe,EAAM+K,EAAS,OACR9L,EAAIe,EAAKf,IAChBsG,GAAM/F,EAAUuL,EAAU9L,CAAE,EAAG+B,CAAQ,EAExC,OAAOA,CACR,CAEA,SAASgK,GAAUxB,EAAWyB,EAAKC,EAAQzL,EAASiJ,EAAM,CAOzD,QANI5I,EACHqL,EAAe,CAAC,EAChBlM,GAAI,EACJe,EAAMwJ,EAAU,OAChB4B,GAASH,GAAO,KAEThM,GAAIe,EAAKf,MACTa,EAAO0J,EAAWvK,EAAE,KACrB,CAACiM,GAAUA,EAAQpL,EAAML,EAASiJ,CAAI,KAC1CyC,EAAa,KAAMrL,CAAK,EACnBsL,IACJH,EAAI,KAAMhM,EAAE,GAMhB,OAAOkM,CACR,CAEA,SAASE,GAAYC,EAAW9L,EAAU8J,EAASiC,EAAYC,EAAYC,EAAe,CACzF,OAAKF,GAAc,CAACA,EAAYnI,CAAQ,IACvCmI,EAAaF,GAAYE,CAAW,GAEhCC,GAAc,CAACA,EAAYpI,CAAQ,IACvCoI,EAAaH,GAAYG,EAAYC,CAAa,GAE5CnF,GAAc,SAAUd,EAAMxE,GAASvB,EAASiJ,GAAM,CAC5D,IAAIgD,GAAMzM,GAAGa,GAAM6L,GAClBC,GAAS,CAAC,EACVC,GAAU,CAAC,EACXC,GAAc9K,GAAQ,OAGtBrB,GAAQ6F,GACPsF,GAAkBtL,GAAY,IAC7BC,EAAQ,SAAW,CAAEA,CAAQ,EAAIA,EAAS,CAAC,CAAE,EAG/CsM,GAAYT,IAAe9F,GAAQ,CAAChG,GACnCwL,GAAUrL,GAAOiM,GAAQN,EAAW7L,EAASiJ,EAAI,EACjD/I,GAqBF,GAnBK2J,GAIJqC,GAAaH,IAAgBhG,EAAO8F,EAAYQ,IAAeP,GAG9D,CAAC,EAGDvK,GAGDsI,EAASyC,GAAWJ,GAAYlM,EAASiJ,EAAI,GAE7CiD,GAAaI,GAITR,EAMJ,IALAG,GAAOV,GAAUW,GAAYE,EAAQ,EACrCN,EAAYG,GAAM,CAAC,EAAGjM,EAASiJ,EAAI,EAGnCzJ,GAAIyM,GAAK,OACDzM,OACAa,GAAO4L,GAAMzM,EAAE,KACrB0M,GAAYE,GAAS5M,EAAE,CAAE,EAAI,EAAG8M,GAAWF,GAAS5M,EAAE,CAAE,EAAIa,KAK/D,GAAK0F,GACJ,GAAKgG,GAAcF,EAAY,CAC9B,GAAKE,EAAa,CAKjB,IAFAE,GAAO,CAAC,EACRzM,GAAI0M,GAAW,OACP1M,OACAa,GAAO6L,GAAY1M,EAAE,IAG3ByM,GAAK,KAAQK,GAAW9M,EAAE,EAAIa,EAAO,EAGvC0L,EAAY,KAAQG,GAAa,CAAC,EAAKD,GAAMhD,EAAI,CAClD,CAIA,IADAzJ,GAAI0M,GAAW,OACP1M,OACAa,GAAO6L,GAAY1M,EAAE,KACzByM,GAAOF,EAAavN,EAAQ,KAAMuH,EAAM1F,EAAK,EAAI8L,GAAQ3M,EAAE,GAAM,KAEnEuG,EAAMkG,EAAK,EAAI,EAAG1K,GAAS0K,EAAK,EAAI5L,IAGvC,OAIA6L,GAAaX,GACZW,KAAe3K,GACd2K,GAAW,OAAQG,GAAaH,GAAW,MAAO,EAClDA,EACF,EACKH,EACJA,EAAY,KAAMxK,GAAS2K,GAAYjD,EAAI,EAE3C1K,EAAK,MAAOgD,GAAS2K,EAAW,CAGnC,CAAE,CACH,CAEA,SAASK,GAAmB/B,EAAS,CA+BpC,QA9BIgC,EAAc3C,EAASrJ,EAC1BD,EAAMiK,EAAO,OACbiC,EAAkBrJ,EAAK,SAAUoH,EAAQ,CAAE,EAAE,IAAK,EAClDkC,EAAmBD,GAAmBrJ,EAAK,SAAU,GAAI,EACzD5D,GAAIiN,EAAkB,EAAI,EAG1BE,EAAehH,GAAe,SAAUtF,GAAO,CAC9C,OAAOA,KAASmM,CACjB,EAAGE,EAAkB,EAAK,EAC1BE,GAAkBjH,GAAe,SAAUtF,GAAO,CACjD,OAAO7B,EAAQ,KAAMgO,EAAcnM,EAAK,EAAI,EAC7C,EAAGqM,EAAkB,EAAK,EAC1BtB,GAAW,CAAE,SAAU/K,GAAML,GAASiJ,GAAM,CAM3C,IAAI9I,GAAQ,CAACsM,IAAqBxD,IAAOjJ,IAAWqD,MACjDmJ,EAAexM,IAAU,SAC1B2M,EAActM,GAAML,GAASiJ,EAAI,EACjC2D,GAAiBvM,GAAML,GAASiJ,EAAI,GAItC,OAAAuD,EAAe,KACRrM,EACR,CAAE,EAEKX,GAAIe,EAAKf,KAChB,GAAOqK,EAAUzG,EAAK,SAAUoH,EAAQhL,EAAE,EAAE,IAAK,EAChD4L,GAAW,CAAEzF,GAAewF,GAAgBC,EAAS,EAAGvB,CAAQ,CAAE,MAC5D,CAIN,GAHAA,EAAUzG,EAAK,OAAQoH,EAAQhL,EAAE,EAAE,IAAK,EAAE,MAAO,KAAMgL,EAAQhL,EAAE,EAAE,OAAQ,EAGtEqK,EAASlG,CAAQ,EAAI,CAIzB,IADAnD,EAAI,EAAEhB,GACEgB,EAAID,GACN,CAAA6C,EAAK,SAAUoH,EAAQhK,CAAE,EAAE,IAAK,EADrBA,IAChB,CAID,OAAOoL,GACNpM,GAAI,GAAK2L,GAAgBC,EAAS,EAClC5L,GAAI,GAAKgH,GAGRgE,EAAO,MAAO,EAAGhL,GAAI,CAAE,EACrB,OAAQ,CAAE,MAAOgL,EAAQhL,GAAI,CAAE,EAAE,OAAS,IAAM,IAAM,EAAG,CAAE,CAC9D,EAAE,QAASiD,GAAU,IAAK,EAC1BoH,EACArK,GAAIgB,GAAK+L,GAAmB/B,EAAO,MAAOhL,GAAGgB,CAAE,CAAE,EACjDA,EAAID,GAAOgM,GAAqB/B,EAASA,EAAO,MAAOhK,CAAE,CAAI,EAC7DA,EAAID,GAAOiG,GAAYgE,CAAO,CAC/B,CACD,CACAY,GAAS,KAAMvB,CAAQ,CACxB,CAGD,OAAOsB,GAAgBC,EAAS,CACjC,CAEA,SAASyB,GAA0BC,EAAiBC,EAAc,CACjE,IAAIC,EAAQD,EAAY,OAAS,EAChCE,EAAYH,EAAgB,OAAS,EACrCI,EAAe,SAAUnH,EAAM/F,EAASiJ,GAAK1H,EAAS4L,GAAY,CACjE,IAAI9M,GAAMG,GAAGqJ,GACZuD,GAAe,EACf5N,GAAI,IACJuK,GAAYhE,GAAQ,CAAC,EACrBsH,GAAa,CAAC,EACdC,GAAgBjK,EAGhBnD,GAAQ6F,GAAQkH,GAAa7J,EAAK,KAAK,IAAK,IAAK+J,EAAU,EAG3DI,GAAkB3J,GAAW0J,IAAiB,KAAO,EAAI,KAAK,OAAO,GAAK,GAC1E/M,GAAML,GAAM,OAeb,IAbKiN,KAMJ9J,EAAmBrD,GAAWd,GAAYc,GAAWmN,IAO9C3N,KAAMe,KAASF,GAAOH,GAAOV,EAAE,IAAO,KAAMA,KAAM,CACzD,GAAKyN,GAAa5M,GAAO,CAWxB,IAVAG,GAAI,EAMC,CAACR,GAAWK,GAAK,eAAiBnB,IACtCuG,GAAapF,EAAK,EAClB4I,GAAM,CAACxF,GAEEoG,GAAUiD,EAAiBtM,IAAI,GACxC,GAAKqJ,GAASxJ,GAAML,GAAWd,EAAU+J,EAAI,EAAI,CAChD1K,EAAK,KAAMgD,EAASlB,EAAK,EACzB,KACD,CAEI8M,KACJvJ,EAAU2J,GAEZ,CAGKP,KAGG3M,GAAO,CAACwJ,IAAWxJ,KACzB+M,KAIIrH,GACJgE,GAAU,KAAM1J,EAAK,EAGxB,CAaA,GATA+M,IAAgB5N,GASXwN,GAASxN,KAAM4N,GAAe,CAElC,IADA5M,GAAI,EACMqJ,GAAUkD,EAAavM,IAAI,GACpCqJ,GAASE,GAAWsD,GAAYrN,EAASiJ,EAAI,EAG9C,GAAKlD,EAAO,CAGX,GAAKqH,GAAe,EACnB,KAAQ5N,MACCuK,GAAWvK,EAAE,GAAK6N,GAAY7N,EAAE,IACvC6N,GAAY7N,EAAE,EAAI6C,GAAI,KAAMd,CAAQ,GAMvC8L,GAAa9B,GAAU8B,EAAW,CACnC,CAGA9O,EAAK,MAAOgD,EAAS8L,EAAW,EAG3BF,IAAa,CAACpH,GAAQsH,GAAW,OAAS,GAC5CD,GAAeL,EAAY,OAAW,GAExCjN,EAAO,WAAYyB,CAAQ,CAE7B,CAGA,OAAK4L,KACJvJ,EAAU2J,GACVlK,EAAmBiK,IAGbvD,EACR,EAED,OAAOiD,EACNnG,GAAcqG,CAAa,EAC3BA,CACF,CAEA,SAASpD,GAAS/J,EAAUmG,EAAgC,CAC3D,IAAI1G,EACHuN,EAAc,CAAC,EACfD,EAAkB,CAAC,EACnBnC,EAAS1G,GAAelE,EAAW,GAAI,EAExC,GAAK,CAAC4K,EAAS,CAOd,IAJMzE,IACLA,EAAQK,GAAUxG,CAAS,GAE5BP,EAAI0G,EAAM,OACF1G,KACPmL,EAAS4B,GAAmBrG,EAAO1G,CAAE,CAAE,EAClCmL,EAAQhH,CAAQ,EACpBoJ,EAAY,KAAMpC,CAAO,EAEzBmC,EAAgB,KAAMnC,CAAO,EAK/BA,EAAS1G,GAAelE,EACvB8M,GAA0BC,EAAiBC,CAAY,CAAE,EAG1DpC,EAAO,SAAW5K,CACnB,CACA,OAAO4K,CACR,CAWA,SAASlE,GAAQ1G,EAAUC,EAASuB,EAASwE,EAAO,CACnD,IAAIvG,EAAGgL,EAAQgD,EAAOrL,GAAM2D,EAC3B2H,GAAW,OAAO1N,GAAa,YAAcA,EAC7CmG,GAAQ,CAACH,GAAQQ,GAAYxG,EAAW0N,GAAS,UAAY1N,CAAW,EAMzE,GAJAwB,EAAUA,GAAW,CAAC,EAIjB2E,GAAM,SAAW,EAAI,CAIzB,GADAsE,EAAStE,GAAO,CAAE,EAAIA,GAAO,CAAE,EAAE,MAAO,CAAE,EACrCsE,EAAO,OAAS,IAAOgD,EAAQhD,EAAQ,CAAE,GAAI,OAAS,MACzDxK,EAAQ,WAAa,GAAKyD,GAAkBL,EAAK,SAAUoH,EAAQ,CAAE,EAAE,IAAK,EAAI,CAMjF,GAJAxK,GAAYoD,EAAK,KAAK,GACrBoK,EAAM,QAAS,CAAE,EAAE,QAASrI,GAAWC,EAAU,EACjDpF,CACD,GAAK,CAAC,GAAK,CAAE,EACPA,EAIMyN,KACXzN,EAAUA,EAAQ,gBAJlB,QAAOuB,EAORxB,EAAWA,EAAS,MAAOyK,EAAO,MAAM,EAAE,MAAM,MAAO,CACxD,CAIA,IADAhL,EAAIsF,GAAU,aAAa,KAAM/E,CAAS,EAAI,EAAIyK,EAAO,OACjDhL,MACPgO,EAAQhD,EAAQhL,CAAE,EAGb,CAAA4D,EAAK,SAAYjB,GAAOqL,EAAM,IAAO,IAG1C,IAAO1H,EAAO1C,EAAK,KAAMjB,EAAK,KAGtB4D,EAAOD,EACb0H,EAAM,QAAS,CAAE,EAAE,QAASrI,GAAWC,EAAU,EACjDF,GAAS,KAAMsF,EAAQ,CAAE,EAAE,IAAK,GAC/BlE,GAAatG,EAAQ,UAAW,GAAKA,CACvC,GAAM,CAKL,GAFAwK,EAAO,OAAQhL,EAAG,CAAE,EACpBO,EAAWgG,EAAK,QAAUS,GAAYgE,CAAO,EACxC,CAACzK,EACL,OAAAxB,EAAK,MAAOgD,EAASwE,CAAK,EACnBxE,EAGR,KACD,CAGH,CAIA,OAAEkM,IAAY3D,GAAS/J,EAAUmG,EAAM,GACtCH,EACA/F,EACA,CAACyD,EACDlC,EACA,CAACvB,GAAWkF,GAAS,KAAMnF,CAAS,GAAKuG,GAAatG,EAAQ,UAAW,GAAKA,CAC/E,EACOuB,CACR,CAMAzC,EAAQ,WAAa6E,EAAQ,MAAO,EAAG,EAAE,KAAMQ,EAAU,EAAE,KAAM,EAAG,IAAMR,EAG1E8B,GAAY,EAIZ3G,EAAQ,aAAeiI,GAAQ,SAAUC,EAAK,CAG7C,OAAOA,EAAG,wBAAyB9H,EAAS,cAAe,UAAW,CAAE,EAAI,CAC7E,CAAE,EAEFY,EAAO,KAAOgG,GAGdhG,EAAO,KAAM,GAAI,EAAIA,EAAO,KAAK,QACjCA,EAAO,OAASA,EAAO,WAKvBgG,GAAK,QAAUgE,GACfhE,GAAK,OAASW,GACdX,GAAK,YAAcL,GAEnBK,GAAK,OAAShG,EAAO,eACrBgG,GAAK,QAAUhG,EAAO,KACtBgG,GAAK,MAAQhG,EAAO,SACpBgG,GAAK,UAAYhG,EAAO,KACxBgG,GAAK,QAAUhG,EAAO,QACtBgG,GAAK,WAAahG,EAAO,UAIzB,GAAI,EAGJ,IAAIuJ,EAAM,SAAUhJ,EAAMgJ,EAAKqE,EAAQ,CAItC,QAHI9D,EAAU,CAAC,EACd+D,EAAWD,IAAU,QAEZrN,EAAOA,EAAMgJ,CAAI,IAAOhJ,EAAK,WAAa,GACnD,GAAKA,EAAK,WAAa,EAAI,CAC1B,GAAKsN,GAAY7N,EAAQO,CAAK,EAAE,GAAIqN,CAAM,EACzC,MAED9D,EAAQ,KAAMvJ,CAAK,CACpB,CAED,OAAOuJ,CACR,EAGIgE,EAAW,SAAUC,EAAGxN,EAAO,CAGlC,QAFIuJ,EAAU,CAAC,EAEPiE,EAAGA,EAAIA,EAAE,YACXA,EAAE,WAAa,GAAKA,IAAMxN,GAC9BuJ,EAAQ,KAAMiE,CAAE,EAIlB,OAAOjE,CACR,EAGIkE,GAAgBhO,EAAO,KAAK,MAAM,aAElCiO,GAAe,kEAKnB,SAASC,GAAQhG,EAAUiG,EAAWC,EAAM,CAC3C,OAAKnP,EAAYkP,CAAU,EACnBnO,EAAO,KAAMkI,EAAU,SAAU3H,EAAMb,EAAI,CACjD,MAAO,CAAC,CAACyO,EAAU,KAAM5N,EAAMb,EAAGa,CAAK,IAAM6N,CAC9C,CAAE,EAIED,EAAU,SACPnO,EAAO,KAAMkI,EAAU,SAAU3H,EAAO,CAC9C,OAASA,IAAS4N,IAAgBC,CACnC,CAAE,EAIE,OAAOD,GAAc,SAClBnO,EAAO,KAAMkI,EAAU,SAAU3H,EAAO,CAC9C,OAAS7B,EAAQ,KAAMyP,EAAW5N,CAAK,EAAI,KAAS6N,CACrD,CAAE,EAIIpO,EAAO,OAAQmO,EAAWjG,EAAUkG,CAAI,CAChD,CAEApO,EAAO,OAAS,SAAUiI,EAAM7H,EAAOgO,EAAM,CAC5C,IAAI7N,EAAOH,EAAO,CAAE,EAMpB,OAJKgO,IACJnG,EAAO,QAAUA,EAAO,KAGpB7H,EAAM,SAAW,GAAKG,EAAK,WAAa,EACrCP,EAAO,KAAK,gBAAiBO,EAAM0H,CAAK,EAAI,CAAE1H,CAAK,EAAI,CAAC,EAGzDP,EAAO,KAAK,QAASiI,EAAMjI,EAAO,KAAMI,EAAO,SAAUG,EAAO,CACtE,OAAOA,EAAK,WAAa,CAC1B,CAAE,CAAE,CACL,EAEAP,EAAO,GAAG,OAAQ,CACjB,KAAM,SAAUC,EAAW,CAC1B,IAAIP,EAAGW,EACNI,EAAM,KAAK,OACX4N,EAAO,KAER,GAAK,OAAOpO,GAAa,SACxB,OAAO,KAAK,UAAWD,EAAQC,CAAS,EAAE,OAAQ,UAAW,CAC5D,IAAMP,EAAI,EAAGA,EAAIe,EAAKf,IACrB,GAAKM,EAAO,SAAUqO,EAAM3O,CAAE,EAAG,IAAK,EACrC,MAAO,EAGV,CAAE,CAAE,EAKL,IAFAW,EAAM,KAAK,UAAW,CAAC,CAAE,EAEnBX,EAAI,EAAGA,EAAIe,EAAKf,IACrBM,EAAO,KAAMC,EAAUoO,EAAM3O,CAAE,EAAGW,CAAI,EAGvC,OAAOI,EAAM,EAAIT,EAAO,WAAYK,CAAI,EAAIA,CAC7C,EACA,OAAQ,SAAUJ,EAAW,CAC5B,OAAO,KAAK,UAAWiO,GAAQ,KAAMjO,GAAY,CAAC,EAAG,EAAM,CAAE,CAC9D,EACA,IAAK,SAAUA,EAAW,CACzB,OAAO,KAAK,UAAWiO,GAAQ,KAAMjO,GAAY,CAAC,EAAG,EAAK,CAAE,CAC7D,EACA,GAAI,SAAUA,EAAW,CACxB,MAAO,CAAC,CAACiO,GACR,KAIA,OAAOjO,GAAa,UAAY+N,GAAc,KAAM/N,CAAS,EAC5DD,EAAQC,CAAS,EACjBA,GAAY,CAAC,EACd,EACD,EAAE,MACH,CACD,CAAE,EAOF,IAAIqO,GAMHnJ,GAAa,sCAEboJ,GAAOvO,EAAO,GAAG,KAAO,SAAUC,EAAUC,EAASsO,EAAO,CAC3D,IAAIpI,EAAO7F,EAGX,GAAK,CAACN,EACL,OAAO,KAQR,GAHAuO,EAAOA,GAAQF,GAGV,OAAOrO,GAAa,SAaxB,GAZKA,EAAU,CAAE,IAAM,KACtBA,EAAUA,EAAS,OAAS,CAAE,IAAM,KACpCA,EAAS,QAAU,EAGnBmG,EAAQ,CAAE,KAAMnG,EAAU,IAAK,EAG/BmG,EAAQjB,GAAW,KAAMlF,CAAS,EAI9BmG,IAAWA,EAAO,CAAE,GAAK,CAAClG,GAG9B,GAAKkG,EAAO,CAAE,EAAI,CAYjB,GAXAlG,EAAUA,aAAmBF,EAASE,EAAS,CAAE,EAAIA,EAIrDF,EAAO,MAAO,KAAMA,EAAO,UAC1BoG,EAAO,CAAE,EACTlG,GAAWA,EAAQ,SAAWA,EAAQ,eAAiBA,EAAUd,EACjE,EACD,CAAE,EAGG6O,GAAW,KAAM7H,EAAO,CAAE,CAAE,GAAKpG,EAAO,cAAeE,CAAQ,EACnE,IAAMkG,KAASlG,EAGTjB,EAAY,KAAMmH,CAAM,CAAE,EAC9B,KAAMA,CAAM,EAAGlG,EAASkG,CAAM,CAAE,EAIhC,KAAK,KAAMA,EAAOlG,EAASkG,CAAM,CAAE,EAKtC,OAAO,IAGR,KACC,QAAA7F,EAAOnB,EAAS,eAAgBgH,EAAO,CAAE,CAAE,EAEtC7F,IAGJ,KAAM,CAAE,EAAIA,EACZ,KAAK,OAAS,GAER,SAIF,OAAK,CAACL,GAAWA,EAAQ,QACtBA,GAAWsO,GAAO,KAAMvO,CAAS,EAKnC,KAAK,YAAaC,CAAQ,EAAE,KAAMD,CAAS,MAI7C,IAAKA,EAAS,SACpB,YAAM,CAAE,EAAIA,EACZ,KAAK,OAAS,EACP,KAID,GAAKhB,EAAYgB,CAAS,EAChC,OAAOuO,EAAK,QAAU,OACrBA,EAAK,MAAOvO,CAAS,EAGrBA,EAAUD,CAAO,EAGnB,OAAOA,EAAO,UAAWC,EAAU,IAAK,CACzC,EAGDsO,GAAK,UAAYvO,EAAO,GAGxBsO,GAAatO,EAAQZ,CAAS,EAG9B,IAAIqP,GAAe,iCAGlBC,GAAmB,CAClB,SAAU,GACV,SAAU,GACV,KAAM,GACN,KAAM,EACP,EAED1O,EAAO,GAAG,OAAQ,CACjB,IAAK,SAAUiB,EAAS,CACvB,IAAI0N,EAAU3O,EAAQiB,EAAQ,IAAK,EAClC2N,EAAID,EAAQ,OAEb,OAAO,KAAK,OAAQ,UAAW,CAE9B,QADIjP,EAAI,EACAA,EAAIkP,EAAGlP,IACd,GAAKM,EAAO,SAAU,KAAM2O,EAASjP,CAAE,CAAE,EACxC,MAAO,EAGV,CAAE,CACH,EAEA,QAAS,SAAUmP,EAAW3O,EAAU,CACvC,IAAI4O,EACHpP,EAAI,EACJkP,EAAI,KAAK,OACT9E,EAAU,CAAC,EACX6E,EAAU,OAAOE,GAAc,UAAY7O,EAAQ6O,CAAU,EAG9D,GAAK,CAACb,GAAc,KAAMa,CAAU,GACnC,KAAQnP,EAAIkP,EAAGlP,IACd,IAAMoP,EAAM,KAAMpP,CAAE,EAAGoP,GAAOA,IAAQ5O,EAAS4O,EAAMA,EAAI,WAGxD,GAAKA,EAAI,SAAW,KAAQH,EAC3BA,EAAQ,MAAOG,CAAI,EAAI,GAGvBA,EAAI,WAAa,GAChB9O,EAAO,KAAK,gBAAiB8O,EAAKD,CAAU,GAAM,CAEnD/E,EAAQ,KAAMgF,CAAI,EAClB,KACD,EAKH,OAAO,KAAK,UAAWhF,EAAQ,OAAS,EAAI9J,EAAO,WAAY8J,CAAQ,EAAIA,CAAQ,CACpF,EAGA,MAAO,SAAUvJ,EAAO,CAGvB,OAAMA,EAKD,OAAOA,GAAS,SACb7B,EAAQ,KAAMsB,EAAQO,CAAK,EAAG,KAAM,CAAE,CAAE,EAIzC7B,EAAQ,KAAM,KAGpB6B,EAAK,OAASA,EAAM,CAAE,EAAIA,CAC3B,EAbU,KAAM,CAAE,GAAK,KAAM,CAAE,EAAE,WAAe,KAAK,MAAM,EAAE,QAAQ,EAAE,OAAS,EAcjF,EAEA,IAAK,SAAUN,EAAUC,EAAU,CAClC,OAAO,KAAK,UACXF,EAAO,WACNA,EAAO,MAAO,KAAK,IAAI,EAAGA,EAAQC,EAAUC,CAAQ,CAAE,CACvD,CACD,CACD,EAEA,QAAS,SAAUD,EAAW,CAC7B,OAAO,KAAK,IAAKA,GAAY,KAC5B,KAAK,WAAa,KAAK,WAAW,OAAQA,CAAS,CACpD,CACD,CACD,CAAE,EAEF,SAAS8O,GAASD,EAAKvF,EAAM,CAC5B,MAAUuF,EAAMA,EAAKvF,CAAI,IAAOuF,EAAI,WAAa,GAAI,CACrD,OAAOA,CACR,CAEA9O,EAAO,KAAM,CACZ,OAAQ,SAAUO,EAAO,CACxB,IAAIiJ,EAASjJ,EAAK,WAClB,OAAOiJ,GAAUA,EAAO,WAAa,GAAKA,EAAS,IACpD,EACA,QAAS,SAAUjJ,EAAO,CACzB,OAAOgJ,EAAKhJ,EAAM,YAAa,CAChC,EACA,aAAc,SAAUA,EAAM6B,EAAIwL,EAAQ,CACzC,OAAOrE,EAAKhJ,EAAM,aAAcqN,CAAM,CACvC,EACA,KAAM,SAAUrN,EAAO,CACtB,OAAOwO,GAASxO,EAAM,aAAc,CACrC,EACA,KAAM,SAAUA,EAAO,CACtB,OAAOwO,GAASxO,EAAM,iBAAkB,CACzC,EACA,QAAS,SAAUA,EAAO,CACzB,OAAOgJ,EAAKhJ,EAAM,aAAc,CACjC,EACA,QAAS,SAAUA,EAAO,CACzB,OAAOgJ,EAAKhJ,EAAM,iBAAkB,CACrC,EACA,UAAW,SAAUA,EAAM6B,EAAIwL,EAAQ,CACtC,OAAOrE,EAAKhJ,EAAM,cAAeqN,CAAM,CACxC,EACA,UAAW,SAAUrN,EAAM6B,EAAIwL,EAAQ,CACtC,OAAOrE,EAAKhJ,EAAM,kBAAmBqN,CAAM,CAC5C,EACA,SAAU,SAAUrN,EAAO,CAC1B,OAAOuN,GAAYvN,EAAK,YAAc,CAAC,GAAI,WAAYA,CAAK,CAC7D,EACA,SAAU,SAAUA,EAAO,CAC1B,OAAOuN,EAAUvN,EAAK,UAAW,CAClC,EACA,SAAU,SAAUA,EAAO,CAC1B,OAAKA,EAAK,iBAAmB,MAK5BlC,EAAUkC,EAAK,eAAgB,EAExBA,EAAK,iBAMR+B,EAAU/B,EAAM,UAAW,IAC/BA,EAAOA,EAAK,SAAWA,GAGjBP,EAAO,MAAO,CAAC,EAAGO,EAAK,UAAW,EAC1C,CACD,EAAG,SAAUK,EAAMoG,EAAK,CACvBhH,EAAO,GAAIY,CAAK,EAAI,SAAUgN,EAAO3N,EAAW,CAC/C,IAAI6J,EAAU9J,EAAO,IAAK,KAAMgH,EAAI4G,CAAM,EAE1C,OAAKhN,EAAK,MAAO,EAAG,IAAM,UACzBX,EAAW2N,GAGP3N,GAAY,OAAOA,GAAa,WACpC6J,EAAU9J,EAAO,OAAQC,EAAU6J,CAAQ,GAGvC,KAAK,OAAS,IAGZ4E,GAAkB9N,CAAK,GAC5BZ,EAAO,WAAY8J,CAAQ,EAIvB2E,GAAa,KAAM7N,CAAK,GAC5BkJ,EAAQ,QAAQ,GAIX,KAAK,UAAWA,CAAQ,CAChC,CACD,CAAE,EACF,IAAIkF,GAAkB,oBAKtB,SAASC,GAAetO,EAAU,CACjC,IAAIuO,EAAS,CAAC,EACd,OAAAlP,EAAO,KAAMW,EAAQ,MAAOqO,EAAc,GAAK,CAAC,EAAG,SAAUG,EAAGC,EAAO,CACtEF,EAAQE,CAAK,EAAI,EAClB,CAAE,EACKF,CACR,CAwBAlP,EAAO,UAAY,SAAUW,EAAU,CAItCA,EAAU,OAAOA,GAAY,SAC5BsO,GAAetO,CAAQ,EACvBX,EAAO,OAAQ,CAAC,EAAGW,CAAQ,EAE5B,IACC0O,EAGAC,EAGAC,EAGAC,EAGAC,EAAO,CAAC,EAGRC,EAAQ,CAAC,EAGTC,EAAc,GAGdC,EAAO,UAAW,CAQjB,IALAJ,EAASA,GAAU7O,EAAQ,KAI3B4O,EAAQF,EAAS,GACTK,EAAM,OAAQC,EAAc,GAEnC,IADAL,EAASI,EAAM,MAAM,EACb,EAAEC,EAAcF,EAAK,QAGvBA,EAAME,CAAY,EAAE,MAAOL,EAAQ,CAAE,EAAGA,EAAQ,CAAE,CAAE,IAAM,IAC9D3O,EAAQ,cAGRgP,EAAcF,EAAK,OACnBH,EAAS,IAMN3O,EAAQ,SACb2O,EAAS,IAGVD,EAAS,GAGJG,IAGCF,EACJG,EAAO,CAAC,EAIRA,EAAO,GAGV,EAGApB,EAAO,CAGN,IAAK,UAAW,CACf,OAAKoB,IAGCH,GAAU,CAACD,IACfM,EAAcF,EAAK,OAAS,EAC5BC,EAAM,KAAMJ,CAAO,GAGlB,SAASO,EAAKjG,EAAO,CACtB5J,EAAO,KAAM4J,EAAM,SAAUuF,EAAGjN,EAAM,CAChCjD,EAAYiD,CAAI,GACf,CAACvB,EAAQ,QAAU,CAAC0N,EAAK,IAAKnM,CAAI,IACtCuN,EAAK,KAAMvN,CAAI,EAELA,GAAOA,EAAI,QAAUrC,EAAQqC,CAAI,IAAM,UAGlD2N,EAAK3N,CAAI,CAEX,CAAE,CACH,EAAK,SAAU,EAEVoN,GAAU,CAACD,GACfO,EAAK,GAGA,IACR,EAGA,OAAQ,UAAW,CAClB,OAAA5P,EAAO,KAAM,UAAW,SAAUmP,EAAGjN,EAAM,CAE1C,QADI4N,GACMA,EAAQ9P,EAAO,QAASkC,EAAKuN,EAAMK,CAAM,GAAM,IACxDL,EAAK,OAAQK,EAAO,CAAE,EAGjBA,GAASH,GACbA,GAGH,CAAE,EACK,IACR,EAIA,IAAK,SAAU3I,EAAK,CACnB,OAAOA,EACNhH,EAAO,QAASgH,EAAIyI,CAAK,EAAI,GAC7BA,EAAK,OAAS,CAChB,EAGA,MAAO,UAAW,CACjB,OAAKA,IACJA,EAAO,CAAC,GAEF,IACR,EAKA,QAAS,UAAW,CACnB,OAAAD,EAASE,EAAQ,CAAC,EAClBD,EAAOH,EAAS,GACT,IACR,EACA,SAAU,UAAW,CACpB,MAAO,CAACG,CACT,EAKA,KAAM,UAAW,CAChB,OAAAD,EAASE,EAAQ,CAAC,EACb,CAACJ,GAAU,CAACD,IAChBI,EAAOH,EAAS,IAEV,IACR,EACA,OAAQ,UAAW,CAClB,MAAO,CAAC,CAACE,CACV,EAGA,SAAU,SAAUtP,EAAS0J,EAAO,CACnC,OAAM4F,IACL5F,EAAOA,GAAQ,CAAC,EAChBA,EAAO,CAAE1J,EAAS0J,EAAK,MAAQA,EAAK,MAAM,EAAIA,CAAK,EACnD8F,EAAM,KAAM9F,CAAK,EACXyF,GACLO,EAAK,GAGA,IACR,EAGA,KAAM,UAAW,CAChB,OAAAvB,EAAK,SAAU,KAAM,SAAU,EACxB,IACR,EAGA,MAAO,UAAW,CACjB,MAAO,CAAC,CAACkB,CACV,CACD,EAED,OAAOlB,CACR,EAGA,SAAS0B,GAAUC,EAAI,CACtB,OAAOA,CACR,CACA,SAASC,GAASC,EAAK,CACtB,MAAMA,CACP,CAEA,SAASC,GAAYhO,EAAOiO,EAASC,EAAQC,EAAU,CACtD,IAAIC,EAEJ,GAAI,CAGEpO,GAASlD,EAAcsR,EAASpO,EAAM,OAAU,EACpDoO,EAAO,KAAMpO,CAAM,EAAE,KAAMiO,CAAQ,EAAE,KAAMC,CAAO,EAGvClO,GAASlD,EAAcsR,EAASpO,EAAM,IAAO,EACxDoO,EAAO,KAAMpO,EAAOiO,EAASC,CAAO,EAQpCD,EAAQ,MAAO,OAAW,CAAEjO,CAAM,EAAE,MAAOmO,CAAQ,CAAE,CAMvD,OAAUnO,EAAQ,CAIjBkO,EAAO,MAAO,OAAW,CAAElO,CAAM,CAAE,CACpC,CACD,CAEAnC,EAAO,OAAQ,CAEd,SAAU,SAAUwQ,EAAO,CAC1B,IAAIC,EAAS,CAIX,CAAE,SAAU,WAAYzQ,EAAO,UAAW,QAAS,EAClDA,EAAO,UAAW,QAAS,EAAG,CAAE,EACjC,CAAE,UAAW,OAAQA,EAAO,UAAW,aAAc,EACpDA,EAAO,UAAW,aAAc,EAAG,EAAG,UAAW,EAClD,CAAE,SAAU,OAAQA,EAAO,UAAW,aAAc,EACnDA,EAAO,UAAW,aAAc,EAAG,EAAG,UAAW,CACnD,EACA0Q,EAAQ,UACRC,EAAU,CACT,MAAO,UAAW,CACjB,OAAOD,CACR,EACA,OAAQ,UAAW,CAClB,OAAAE,EAAS,KAAM,SAAU,EAAE,KAAM,SAAU,EACpC,IACR,EACA,MAAS,SAAU5J,EAAK,CACvB,OAAO2J,EAAQ,KAAM,KAAM3J,CAAG,CAC/B,EAGA,KAAM,UAA6C,CAClD,IAAI6J,EAAM,UAEV,OAAO7Q,EAAO,SAAU,SAAU8Q,EAAW,CAC5C9Q,EAAO,KAAMyQ,EAAQ,SAAUrO,EAAI2O,EAAQ,CAG1C,IAAI/J,EAAK/H,EAAY4R,EAAKE,EAAO,CAAE,CAAE,CAAE,GAAKF,EAAKE,EAAO,CAAE,CAAE,EAK5DH,EAAUG,EAAO,CAAE,CAAE,EAAG,UAAW,CAClC,IAAIC,EAAWhK,GAAMA,EAAG,MAAO,KAAM,SAAU,EAC1CgK,GAAY/R,EAAY+R,EAAS,OAAQ,EAC7CA,EAAS,QAAQ,EACf,SAAUF,EAAS,MAAO,EAC1B,KAAMA,EAAS,OAAQ,EACvB,KAAMA,EAAS,MAAO,EAExBA,EAAUC,EAAO,CAAE,EAAI,MAAO,EAC7B,KACA/J,EAAK,CAAEgK,CAAS,EAAI,SACrB,CAEF,CAAE,CACH,CAAE,EACFH,EAAM,IACP,CAAE,EAAE,QAAQ,CACb,EACA,KAAM,SAAUI,EAAaC,EAAYC,EAAa,CACrD,IAAIC,EAAW,EACf,SAAShB,EAASiB,EAAOT,EAAUU,EAASC,EAAU,CACrD,OAAO,UAAW,CACjB,IAAIC,GAAO,KACV5H,GAAO,UACP6H,GAAa,UAAW,CACvB,IAAIT,GAAUU,GAKd,GAAK,EAAAL,EAAQD,GAQb,IAJAJ,GAAWM,EAAQ,MAAOE,GAAM5H,EAAK,EAIhCoH,KAAaJ,EAAS,QAAQ,EAClC,MAAM,IAAI,UAAW,0BAA2B,EAOjDc,GAAOV,KAKJ,OAAOA,IAAa,UACrB,OAAOA,IAAa,aACrBA,GAAS,KAGL/R,EAAYyS,EAAK,EAGhBH,EACJG,GAAK,KACJV,GACAZ,EAASgB,EAAUR,EAAUb,GAAUwB,CAAQ,EAC/CnB,EAASgB,EAAUR,EAAUX,GAASsB,CAAQ,CAC/C,GAMAH,IAEAM,GAAK,KACJV,GACAZ,EAASgB,EAAUR,EAAUb,GAAUwB,CAAQ,EAC/CnB,EAASgB,EAAUR,EAAUX,GAASsB,CAAQ,EAC9CnB,EAASgB,EAAUR,EAAUb,GAC5Ba,EAAS,UAAW,CACtB,IAQIU,IAAYvB,KAChByB,GAAO,OACP5H,GAAO,CAAEoH,EAAS,IAKjBO,GAAWX,EAAS,aAAeY,GAAM5H,EAAK,GAElD,EAGA+H,GAAUJ,EACTE,GACA,UAAW,CACV,GAAI,CACHA,GAAW,CACZ,OAAUG,GAAI,CAER5R,EAAO,SAAS,eACpBA,EAAO,SAAS,cAAe4R,GAC9BD,GAAQ,KAAM,EAMXN,EAAQ,GAAKD,IAIZE,IAAYrB,KAChBuB,GAAO,OACP5H,GAAO,CAAEgI,EAAE,GAGZhB,EAAS,WAAYY,GAAM5H,EAAK,EAElC,CACD,EAMGyH,EACJM,GAAQ,GAKH3R,EAAO,SAAS,aACpB2R,GAAQ,MAAQ3R,EAAO,SAAS,aAAa,EAMlCA,EAAO,SAAS,eAC3B2R,GAAQ,MAAQ3R,EAAO,SAAS,aAAa,GAE9C9B,EAAO,WAAYyT,EAAQ,EAE7B,CACD,CAEA,OAAO3R,EAAO,SAAU,SAAU8Q,EAAW,CAG5CL,EAAQ,CAAE,EAAG,CAAE,EAAE,IAChBL,EACC,EACAU,EACA7R,EAAYkS,CAAW,EACtBA,EACApB,GACDe,EAAS,UACV,CACD,EAGAL,EAAQ,CAAE,EAAG,CAAE,EAAE,IAChBL,EACC,EACAU,EACA7R,EAAYgS,CAAY,EACvBA,EACAlB,EACF,CACD,EAGAU,EAAQ,CAAE,EAAG,CAAE,EAAE,IAChBL,EACC,EACAU,EACA7R,EAAYiS,CAAW,EACtBA,EACAjB,EACF,CACD,CACD,CAAE,EAAE,QAAQ,CACb,EAIA,QAAS,SAAU/Q,EAAM,CACxB,OAAOA,GAAO,KAAOc,EAAO,OAAQd,EAAKyR,CAAQ,EAAIA,CACtD,CACD,EACAC,EAAW,CAAC,EAGb,OAAA5Q,EAAO,KAAMyQ,EAAQ,SAAU/Q,EAAGqR,EAAQ,CACzC,IAAItB,EAAOsB,EAAO,CAAE,EACnBc,EAAcd,EAAO,CAAE,EAKxBJ,EAASI,EAAO,CAAE,CAAE,EAAItB,EAAK,IAGxBoC,GACJpC,EAAK,IACJ,UAAW,CAIViB,EAAQmB,CACT,EAIApB,EAAQ,EAAI/Q,CAAE,EAAG,CAAE,EAAE,QAIrB+Q,EAAQ,EAAI/Q,CAAE,EAAG,CAAE,EAAE,QAGrB+Q,EAAQ,CAAE,EAAG,CAAE,EAAE,KAGjBA,EAAQ,CAAE,EAAG,CAAE,EAAE,IAClB,EAMDhB,EAAK,IAAKsB,EAAO,CAAE,EAAE,IAAK,EAK1BH,EAAUG,EAAO,CAAE,CAAE,EAAI,UAAW,CACnC,OAAAH,EAAUG,EAAO,CAAE,EAAI,MAAO,EAAG,OAASH,EAAW,OAAY,KAAM,SAAU,EAC1E,IACR,EAKAA,EAAUG,EAAO,CAAE,EAAI,MAAO,EAAItB,EAAK,QACxC,CAAE,EAGFkB,EAAQ,QAASC,CAAS,EAGrBJ,GACJA,EAAK,KAAMI,EAAUA,CAAS,EAIxBA,CACR,EAGA,KAAM,SAAUkB,EAAc,CAC7B,IAGCC,EAAY,UAAU,OAGtBrS,EAAIqS,EAGJC,EAAkB,MAAOtS,CAAE,EAC3BuS,EAAgB3T,EAAM,KAAM,SAAU,EAGtC4T,EAAUlS,EAAO,SAAS,EAG1BmS,EAAa,SAAUzS,EAAI,CAC1B,OAAO,SAAUyC,EAAQ,CACxB6P,EAAiBtS,CAAE,EAAI,KACvBuS,EAAevS,CAAE,EAAI,UAAU,OAAS,EAAIpB,EAAM,KAAM,SAAU,EAAI6D,EAC9D,EAAE4P,GACTG,EAAQ,YAAaF,EAAiBC,CAAc,CAEtD,CACD,EAGD,GAAKF,GAAa,IACjB5B,GAAY2B,EAAaI,EAAQ,KAAMC,EAAYzS,CAAE,CAAE,EAAE,QAASwS,EAAQ,OACzE,CAACH,CAAU,EAGPG,EAAQ,MAAM,IAAM,WACxBjT,EAAYgT,EAAevS,CAAE,GAAKuS,EAAevS,CAAE,EAAE,IAAK,GAE1D,OAAOwS,EAAQ,KAAK,EAKtB,KAAQxS,KACPyQ,GAAY8B,EAAevS,CAAE,EAAGyS,EAAYzS,CAAE,EAAGwS,EAAQ,MAAO,EAGjE,OAAOA,EAAQ,QAAQ,CACxB,CACD,CAAE,EAKF,IAAIE,GAAc,yDAKlBpS,EAAO,SAAS,cAAgB,SAAUqS,EAAOC,EAAa,CAIxDpU,EAAO,SAAWA,EAAO,QAAQ,MAAQmU,GAASD,GAAY,KAAMC,EAAM,IAAK,GACnFnU,EAAO,QAAQ,KAAM,8BAAgCmU,EAAM,QAC1DA,EAAM,MAAOC,CAAW,CAE3B,EAKAtS,EAAO,eAAiB,SAAUqS,EAAQ,CACzCnU,EAAO,WAAY,UAAW,CAC7B,MAAMmU,CACP,CAAE,CACH,EAMA,IAAIE,GAAYvS,EAAO,SAAS,EAEhCA,EAAO,GAAG,MAAQ,SAAUgH,EAAK,CAEhC,OAAAuL,GACE,KAAMvL,CAAG,EAKT,MAAO,SAAUqL,EAAQ,CACzBrS,EAAO,eAAgBqS,CAAM,CAC9B,CAAE,EAEI,IACR,EAEArS,EAAO,OAAQ,CAGd,QAAS,GAIT,UAAW,EAGX,MAAO,SAAUwS,EAAO,EAGlBA,IAAS,GAAO,EAAExS,EAAO,UAAYA,EAAO,WAKjDA,EAAO,QAAU,GAGZ,EAAAwS,IAAS,IAAQ,EAAExS,EAAO,UAAY,IAK3CuS,GAAU,YAAanT,EAAU,CAAEY,CAAO,CAAE,EAC7C,CACD,CAAE,EAEFA,EAAO,MAAM,KAAOuS,GAAU,KAG9B,SAASE,IAAY,CACpBrT,EAAS,oBAAqB,mBAAoBqT,EAAU,EAC5DvU,EAAO,oBAAqB,OAAQuU,EAAU,EAC9CzS,EAAO,MAAM,CACd,CAMKZ,EAAS,aAAe,YAC1BA,EAAS,aAAe,WAAa,CAACA,EAAS,gBAAgB,SAGjElB,EAAO,WAAY8B,EAAO,KAAM,GAKhCZ,EAAS,iBAAkB,mBAAoBqT,EAAU,EAGzDvU,EAAO,iBAAkB,OAAQuU,EAAU,GAQ5C,IAAIC,GAAS,SAAUtS,EAAO4G,EAAIF,EAAK3E,EAAOwQ,EAAWC,EAAUC,EAAM,CACxE,IAAInT,EAAI,EACPe,EAAML,EAAM,OACZ0S,EAAOhM,GAAO,KAGf,GAAKjH,EAAQiH,CAAI,IAAM,SAAW,CACjC6L,EAAY,GACZ,IAAMjT,KAAKoH,EACV4L,GAAQtS,EAAO4G,EAAItH,EAAGoH,EAAKpH,CAAE,EAAG,GAAMkT,EAAUC,CAAI,CAItD,SAAY1Q,IAAU,SACrBwQ,EAAY,GAEN1T,EAAYkD,CAAM,IACvB0Q,EAAM,IAGFC,IAGCD,GACJ7L,EAAG,KAAM5G,EAAO+B,CAAM,EACtB6E,EAAK,OAIL8L,EAAO9L,EACPA,EAAK,SAAUzG,EAAMwS,EAAM5Q,EAAQ,CAClC,OAAO2Q,EAAK,KAAM9S,EAAQO,CAAK,EAAG4B,CAAM,CACzC,IAIG6E,GACJ,KAAQtH,EAAIe,EAAKf,IAChBsH,EACC5G,EAAOV,CAAE,EAAGoH,EAAK+L,EAChB1Q,EACAA,EAAM,KAAM/B,EAAOV,CAAE,EAAGA,EAAGsH,EAAI5G,EAAOV,CAAE,EAAGoH,CAAI,CAAE,CACnD,EAKH,OAAK6L,EACGvS,EAIH0S,EACG9L,EAAG,KAAM5G,CAAM,EAGhBK,EAAMuG,EAAI5G,EAAO,CAAE,EAAG0G,CAAI,EAAI8L,CACtC,EAIII,GAAY,QACfC,GAAa,YAGd,SAASC,GAAYC,EAAMC,EAAS,CACnC,OAAOA,EAAO,YAAY,CAC3B,CAKA,SAASC,GAAWC,EAAS,CAC5B,OAAOA,EAAO,QAASN,GAAW,KAAM,EAAE,QAASC,GAAYC,EAAW,CAC3E,CACA,IAAIK,GAAa,SAAUC,EAAQ,CAQlC,OAAOA,EAAM,WAAa,GAAKA,EAAM,WAAa,GAAK,CAAG,CAACA,EAAM,QAClE,EAKA,SAASC,IAAO,CACf,KAAK,QAAUzT,EAAO,QAAUyT,GAAK,KACtC,CAEAA,GAAK,IAAM,EAEXA,GAAK,UAAY,CAEhB,MAAO,SAAUD,EAAQ,CAGxB,IAAIrR,EAAQqR,EAAO,KAAK,OAAQ,EAGhC,OAAMrR,IACLA,EAAQ,CAAC,EAKJoR,GAAYC,CAAM,IAIjBA,EAAM,SACVA,EAAO,KAAK,OAAQ,EAAIrR,EAMxB,OAAO,eAAgBqR,EAAO,KAAK,QAAS,CAC3C,MAAOrR,EACP,aAAc,EACf,CAAE,IAKEA,CACR,EACA,IAAK,SAAUqR,EAAOE,EAAMvR,EAAQ,CACnC,IAAIwR,EACH9M,EAAQ,KAAK,MAAO2M,CAAM,EAI3B,GAAK,OAAOE,GAAS,SACpB7M,EAAOwM,GAAWK,CAAK,CAAE,EAAIvR,MAM7B,KAAMwR,KAAQD,EACb7M,EAAOwM,GAAWM,CAAK,CAAE,EAAID,EAAMC,CAAK,EAG1C,OAAO9M,CACR,EACA,IAAK,SAAU2M,EAAO1M,EAAM,CAC3B,OAAOA,IAAQ,OACd,KAAK,MAAO0M,CAAM,EAGlBA,EAAO,KAAK,OAAQ,GAAKA,EAAO,KAAK,OAAQ,EAAGH,GAAWvM,CAAI,CAAE,CACnE,EACA,OAAQ,SAAU0M,EAAO1M,EAAK3E,EAAQ,CAarC,OAAK2E,IAAQ,QACPA,GAAO,OAAOA,GAAQ,UAAc3E,IAAU,OAE5C,KAAK,IAAKqR,EAAO1M,CAAI,GAS7B,KAAK,IAAK0M,EAAO1M,EAAK3E,CAAM,EAIrBA,IAAU,OAAYA,EAAQ2E,EACtC,EACA,OAAQ,SAAU0M,EAAO1M,EAAM,CAC9B,IAAIpH,EACHmH,EAAQ2M,EAAO,KAAK,OAAQ,EAE7B,GAAK3M,IAAU,OAIf,IAAKC,IAAQ,OAoBZ,IAjBK,MAAM,QAASA,CAAI,EAIvBA,EAAMA,EAAI,IAAKuM,EAAU,GAEzBvM,EAAMuM,GAAWvM,CAAI,EAIrBA,EAAMA,KAAOD,EACZ,CAAEC,CAAI,EACJA,EAAI,MAAOkI,EAAc,GAAK,CAAC,GAGnCtP,EAAIoH,EAAI,OAEApH,KACP,OAAOmH,EAAOC,EAAKpH,CAAE,CAAE,GAKpBoH,IAAQ,QAAa9G,EAAO,cAAe6G,CAAM,KAMhD2M,EAAM,SACVA,EAAO,KAAK,OAAQ,EAAI,OAExB,OAAOA,EAAO,KAAK,OAAQ,GAG9B,EACA,QAAS,SAAUA,EAAQ,CAC1B,IAAI3M,EAAQ2M,EAAO,KAAK,OAAQ,EAChC,OAAO3M,IAAU,QAAa,CAAC7G,EAAO,cAAe6G,CAAM,CAC5D,CACD,EACA,IAAI+M,EAAW,IAAIH,GAEfI,GAAW,IAAIJ,GAcfK,GAAS,gCACZC,EAAa,SAEd,SAASC,EAASN,EAAO,CACxB,OAAKA,IAAS,OACN,GAGHA,IAAS,QACN,GAGHA,IAAS,OACN,KAIHA,IAAS,CAACA,EAAO,GACd,CAACA,EAGJI,GAAO,KAAMJ,CAAK,EACf,KAAK,MAAOA,CAAK,EAGlBA,CACR,CAEA,SAASO,GAAU1T,EAAMuG,EAAK4M,EAAO,CACpC,IAAI9S,EAIJ,GAAK8S,IAAS,QAAanT,EAAK,WAAa,EAI5C,GAHAK,EAAO,QAAUkG,EAAI,QAASiN,EAAY,KAAM,EAAE,YAAY,EAC9DL,EAAOnT,EAAK,aAAcK,CAAK,EAE1B,OAAO8S,GAAS,SAAW,CAC/B,GAAI,CACHA,EAAOM,EAASN,CAAK,CACtB,MAAc,CAAC,CAGfG,GAAS,IAAKtT,EAAMuG,EAAK4M,CAAK,CAC/B,MACCA,EAAO,OAGT,OAAOA,CACR,CAEA1T,EAAO,OAAQ,CACd,QAAS,SAAUO,EAAO,CACzB,OAAOsT,GAAS,QAAStT,CAAK,GAAKqT,EAAS,QAASrT,CAAK,CAC3D,EAEA,KAAM,SAAUA,EAAMK,EAAM8S,EAAO,CAClC,OAAOG,GAAS,OAAQtT,EAAMK,EAAM8S,CAAK,CAC1C,EAEA,WAAY,SAAUnT,EAAMK,EAAO,CAClCiT,GAAS,OAAQtT,EAAMK,CAAK,CAC7B,EAIA,MAAO,SAAUL,EAAMK,EAAM8S,EAAO,CACnC,OAAOE,EAAS,OAAQrT,EAAMK,EAAM8S,CAAK,CAC1C,EAEA,YAAa,SAAUnT,EAAMK,EAAO,CACnCgT,EAAS,OAAQrT,EAAMK,CAAK,CAC7B,CACD,CAAE,EAEFZ,EAAO,GAAG,OAAQ,CACjB,KAAM,SAAU8G,EAAK3E,EAAQ,CAC5B,IAAIzC,EAAGkB,EAAM8S,EACZnT,EAAO,KAAM,CAAE,EACf2T,EAAQ3T,GAAQA,EAAK,WAGtB,GAAKuG,IAAQ,OAAY,CACxB,GAAK,KAAK,SACT4M,EAAOG,GAAS,IAAKtT,CAAK,EAErBA,EAAK,WAAa,GAAK,CAACqT,EAAS,IAAKrT,EAAM,cAAe,GAAI,CAEnE,IADAb,EAAIwU,EAAM,OACFxU,KAIFwU,EAAOxU,CAAE,IACbkB,EAAOsT,EAAOxU,CAAE,EAAE,KACbkB,EAAK,QAAS,OAAQ,IAAM,IAChCA,EAAOyS,GAAWzS,EAAK,MAAO,CAAE,CAAE,EAClCqT,GAAU1T,EAAMK,EAAM8S,EAAM9S,CAAK,CAAE,IAItCgT,EAAS,IAAKrT,EAAM,eAAgB,EAAK,CAC1C,CAGD,OAAOmT,CACR,CAGA,OAAK,OAAO5M,GAAQ,SACZ,KAAK,KAAM,UAAW,CAC5B+M,GAAS,IAAK,KAAM/M,CAAI,CACzB,CAAE,EAGI4L,GAAQ,KAAM,SAAUvQ,EAAQ,CACtC,IAAIuR,EAOJ,GAAKnT,GAAQ4B,IAAU,OAYtB,OARAuR,EAAOG,GAAS,IAAKtT,EAAMuG,CAAI,EAC1B4M,IAAS,SAMdA,EAAOO,GAAU1T,EAAMuG,CAAI,EACtB4M,IAAS,QACNA,EAIR,OAID,KAAK,KAAM,UAAW,CAGrBG,GAAS,IAAK,KAAM/M,EAAK3E,CAAM,CAChC,CAAE,CACH,EAAG,KAAMA,EAAO,UAAU,OAAS,EAAG,KAAM,EAAK,CAClD,EAEA,WAAY,SAAU2E,EAAM,CAC3B,OAAO,KAAK,KAAM,UAAW,CAC5B+M,GAAS,OAAQ,KAAM/M,CAAI,CAC5B,CAAE,CACH,CACD,CAAE,EAGF9G,EAAO,OAAQ,CACd,MAAO,SAAUO,EAAM8B,EAAMqR,EAAO,CACnC,IAAIhE,EAEJ,GAAKnP,EACJ,OAAA8B,GAASA,GAAQ,MAAS,QAC1BqN,EAAQkE,EAAS,IAAKrT,EAAM8B,CAAK,EAG5BqR,IACC,CAAChE,GAAS,MAAM,QAASgE,CAAK,EAClChE,EAAQkE,EAAS,OAAQrT,EAAM8B,EAAMrC,EAAO,UAAW0T,CAAK,CAAE,EAE9DhE,EAAM,KAAMgE,CAAK,GAGZhE,GAAS,CAAC,CAEnB,EAEA,QAAS,SAAUnP,EAAM8B,EAAO,CAC/BA,EAAOA,GAAQ,KAEf,IAAIqN,EAAQ1P,EAAO,MAAOO,EAAM8B,CAAK,EACpC8R,EAAczE,EAAM,OACpB1I,EAAK0I,EAAM,MAAM,EACjB0E,EAAQpU,EAAO,YAAaO,EAAM8B,CAAK,EACvCgS,EAAO,UAAW,CACjBrU,EAAO,QAASO,EAAM8B,CAAK,CAC5B,EAGI2E,IAAO,eACXA,EAAK0I,EAAM,MAAM,EACjByE,KAGInN,IAIC3E,IAAS,MACbqN,EAAM,QAAS,YAAa,EAI7B,OAAO0E,EAAM,KACbpN,EAAG,KAAMzG,EAAM8T,EAAMD,CAAM,GAGvB,CAACD,GAAeC,GACpBA,EAAM,MAAM,KAAK,CAEnB,EAGA,YAAa,SAAU7T,EAAM8B,EAAO,CACnC,IAAIyE,EAAMzE,EAAO,aACjB,OAAOuR,EAAS,IAAKrT,EAAMuG,CAAI,GAAK8M,EAAS,OAAQrT,EAAMuG,EAAK,CAC/D,MAAO9G,EAAO,UAAW,aAAc,EAAE,IAAK,UAAW,CACxD4T,EAAS,OAAQrT,EAAM,CAAE8B,EAAO,QAASyE,CAAI,CAAE,CAChD,CAAE,CACH,CAAE,CACH,CACD,CAAE,EAEF9G,EAAO,GAAG,OAAQ,CACjB,MAAO,SAAUqC,EAAMqR,EAAO,CAC7B,IAAIY,EAAS,EAQb,OANK,OAAOjS,GAAS,WACpBqR,EAAOrR,EACPA,EAAO,KACPiS,KAGI,UAAU,OAASA,EAChBtU,EAAO,MAAO,KAAM,CAAE,EAAGqC,CAAK,EAG/BqR,IAAS,OACf,KACA,KAAK,KAAM,UAAW,CACrB,IAAIhE,EAAQ1P,EAAO,MAAO,KAAMqC,EAAMqR,CAAK,EAG3C1T,EAAO,YAAa,KAAMqC,CAAK,EAE1BA,IAAS,MAAQqN,EAAO,CAAE,IAAM,cACpC1P,EAAO,QAAS,KAAMqC,CAAK,CAE7B,CAAE,CACJ,EACA,QAAS,SAAUA,EAAO,CACzB,OAAO,KAAK,KAAM,UAAW,CAC5BrC,EAAO,QAAS,KAAMqC,CAAK,CAC5B,CAAE,CACH,EACA,WAAY,SAAUA,EAAO,CAC5B,OAAO,KAAK,MAAOA,GAAQ,KAAM,CAAC,CAAE,CACrC,EAIA,QAAS,SAAUA,EAAMnD,EAAM,CAC9B,IAAIqV,EACHC,EAAQ,EACRC,EAAQzU,EAAO,SAAS,EACxBkI,EAAW,KACXxI,EAAI,KAAK,OACT0Q,EAAU,UAAW,CACZ,EAAEoE,GACTC,EAAM,YAAavM,EAAU,CAAEA,CAAS,CAAE,CAE5C,EAQD,IANK,OAAO7F,GAAS,WACpBnD,EAAMmD,EACNA,EAAO,QAERA,EAAOA,GAAQ,KAEP3C,KACP6U,EAAMX,EAAS,IAAK1L,EAAUxI,CAAE,EAAG2C,EAAO,YAAa,EAClDkS,GAAOA,EAAI,QACfC,IACAD,EAAI,MAAM,IAAKnE,CAAQ,GAGzB,OAAAA,EAAQ,EACDqE,EAAM,QAASvV,CAAI,CAC3B,CACD,CAAE,EACF,IAAIwV,GAAS,sCAAwC,OAEjDC,GAAU,IAAI,OAAQ,iBAAmBD,GAAO,cAAe,GAAI,EAGnEE,GAAY,CAAE,MAAO,QAAS,SAAU,MAAO,EAE/ClR,GAAkBtE,EAAS,gBAI1ByV,GAAa,SAAUtU,EAAO,CAChC,OAAOP,EAAO,SAAUO,EAAK,cAAeA,CAAK,CAClD,EACAuU,GAAW,CAAE,SAAU,EAAK,EAOxBpR,GAAgB,cACpBmR,GAAa,SAAUtU,EAAO,CAC7B,OAAOP,EAAO,SAAUO,EAAK,cAAeA,CAAK,GAChDA,EAAK,YAAauU,EAAS,IAAMvU,EAAK,aACxC,GAEF,IAAIwU,GAAqB,SAAUxU,EAAM2G,EAAK,CAI5C,OAAA3G,EAAO2G,GAAM3G,EAGNA,EAAK,MAAM,UAAY,QAC7BA,EAAK,MAAM,UAAY,IAMvBsU,GAAYtU,CAAK,GAEjBP,EAAO,IAAKO,EAAM,SAAU,IAAM,MACpC,EAID,SAASyU,GAAWzU,EAAMoT,EAAMsB,EAAYC,EAAQ,CACnD,IAAIC,EAAUC,EACbC,EAAgB,GAChBC,EAAeJ,EACd,UAAW,CACV,OAAOA,EAAM,IAAI,CAClB,EACA,UAAW,CACV,OAAOlV,EAAO,IAAKO,EAAMoT,EAAM,EAAG,CACnC,EACD4B,EAAUD,EAAa,EACvBE,EAAOP,GAAcA,EAAY,CAAE,IAAOjV,EAAO,UAAW2T,CAAK,EAAI,GAAK,MAG1E8B,EAAgBlV,EAAK,WAClBP,EAAO,UAAW2T,CAAK,GAAK6B,IAAS,MAAQ,CAACD,IAChDZ,GAAQ,KAAM3U,EAAO,IAAKO,EAAMoT,CAAK,CAAE,EAEzC,GAAK8B,GAAiBA,EAAe,CAAE,IAAMD,EAAO,CAYnD,IARAD,EAAUA,EAAU,EAGpBC,EAAOA,GAAQC,EAAe,CAAE,EAGhCA,EAAgB,CAACF,GAAW,EAEpBF,KAIPrV,EAAO,MAAOO,EAAMoT,EAAM8B,EAAgBD,CAAK,GACxC,EAAIJ,IAAY,GAAMA,EAAQE,EAAa,EAAIC,GAAW,MAAW,IAC3EF,EAAgB,GAEjBI,EAAgBA,EAAgBL,EAIjCK,EAAgBA,EAAgB,EAChCzV,EAAO,MAAOO,EAAMoT,EAAM8B,EAAgBD,CAAK,EAG/CP,EAAaA,GAAc,CAAC,CAC7B,CAEA,OAAKA,IACJQ,EAAgB,CAACA,GAAiB,CAACF,GAAW,EAG9CJ,EAAWF,EAAY,CAAE,EACxBQ,GAAkBR,EAAY,CAAE,EAAI,GAAMA,EAAY,CAAE,EACxD,CAACA,EAAY,CAAE,EACXC,IACJA,EAAM,KAAOM,EACbN,EAAM,MAAQO,EACdP,EAAM,IAAMC,IAGPA,CACR,CAGA,IAAIO,GAAoB,CAAC,EAEzB,SAASC,GAAmBpV,EAAO,CAClC,IAAI4L,EACH1M,EAAMc,EAAK,cACX+B,EAAW/B,EAAK,SAChBqV,EAAUF,GAAmBpT,CAAS,EAEvC,OAAKsT,IAILzJ,EAAO1M,EAAI,KAAK,YAAaA,EAAI,cAAe6C,CAAS,CAAE,EAC3DsT,EAAU5V,EAAO,IAAKmM,EAAM,SAAU,EAEtCA,EAAK,WAAW,YAAaA,CAAK,EAE7ByJ,IAAY,SAChBA,EAAU,SAEXF,GAAmBpT,CAAS,EAAIsT,EAEzBA,EACR,CAEA,SAASC,GAAU3N,EAAU4N,EAAO,CAOnC,QANIF,EAASrV,EACZwV,EAAS,CAAC,EACVjG,EAAQ,EACR5O,EAASgH,EAAS,OAGX4H,EAAQ5O,EAAQ4O,IACvBvP,EAAO2H,EAAU4H,CAAM,EACjBvP,EAAK,QAIXqV,EAAUrV,EAAK,MAAM,QAChBuV,GAKCF,IAAY,SAChBG,EAAQjG,CAAM,EAAI8D,EAAS,IAAKrT,EAAM,SAAU,GAAK,KAC/CwV,EAAQjG,CAAM,IACnBvP,EAAK,MAAM,QAAU,KAGlBA,EAAK,MAAM,UAAY,IAAMwU,GAAoBxU,CAAK,IAC1DwV,EAAQjG,CAAM,EAAI6F,GAAmBpV,CAAK,IAGtCqV,IAAY,SAChBG,EAAQjG,CAAM,EAAI,OAGlB8D,EAAS,IAAKrT,EAAM,UAAWqV,CAAQ,IAM1C,IAAM9F,EAAQ,EAAGA,EAAQ5O,EAAQ4O,IAC3BiG,EAAQjG,CAAM,GAAK,OACvB5H,EAAU4H,CAAM,EAAE,MAAM,QAAUiG,EAAQjG,CAAM,GAIlD,OAAO5H,CACR,CAEAlI,EAAO,GAAG,OAAQ,CACjB,KAAM,UAAW,CAChB,OAAO6V,GAAU,KAAM,EAAK,CAC7B,EACA,KAAM,UAAW,CAChB,OAAOA,GAAU,IAAK,CACvB,EACA,OAAQ,SAAUnF,EAAQ,CACzB,OAAK,OAAOA,GAAU,UACdA,EAAQ,KAAK,KAAK,EAAI,KAAK,KAAK,EAGjC,KAAK,KAAM,UAAW,CACvBqE,GAAoB,IAAK,EAC7B/U,EAAQ,IAAK,EAAE,KAAK,EAEpBA,EAAQ,IAAK,EAAE,KAAK,CAEtB,CAAE,CACH,CACD,CAAE,EACF,IAAIgW,GAAmB,wBAEnBC,GAAa,iCAEbC,GAAgB,sCAIlB,UAAW,CACZ,IAAIC,EAAW/W,EAAS,uBAAuB,EAC9CgX,EAAMD,EAAS,YAAa/W,EAAS,cAAe,KAAM,CAAE,EAC5D2I,EAAQ3I,EAAS,cAAe,OAAQ,EAMzC2I,EAAM,aAAc,OAAQ,OAAQ,EACpCA,EAAM,aAAc,UAAW,SAAU,EACzCA,EAAM,aAAc,OAAQ,GAAI,EAEhCqO,EAAI,YAAarO,CAAM,EAIvB/I,EAAQ,WAAaoX,EAAI,UAAW,EAAK,EAAE,UAAW,EAAK,EAAE,UAAU,QAIvEA,EAAI,UAAY,yBAChBpX,EAAQ,eAAiB,CAAC,CAACoX,EAAI,UAAW,EAAK,EAAE,UAAU,aAK3DA,EAAI,UAAY,oBAChBpX,EAAQ,OAAS,CAAC,CAACoX,EAAI,SACxB,GAAI,EAIJ,IAAIC,GAAU,CAKb,MAAO,CAAE,EAAG,UAAW,UAAW,EAClC,IAAK,CAAE,EAAG,oBAAqB,qBAAsB,EACrD,GAAI,CAAE,EAAG,iBAAkB,kBAAmB,EAC9C,GAAI,CAAE,EAAG,qBAAsB,uBAAwB,EAEvD,SAAU,CAAE,EAAG,GAAI,EAAG,CACvB,EAEAA,GAAQ,MAAQA,GAAQ,MAAQA,GAAQ,SAAWA,GAAQ,QAAUA,GAAQ,MAC7EA,GAAQ,GAAKA,GAAQ,GAGfrX,EAAQ,SACbqX,GAAQ,SAAWA,GAAQ,OAAS,CAAE,EAAG,+BAAgC,WAAY,GAItF,SAASC,GAAQpW,EAAS2H,EAAM,CAI/B,IAAIxH,EAYJ,OAVK,OAAOH,EAAQ,qBAAyB,IAC5CG,EAAMH,EAAQ,qBAAsB2H,GAAO,GAAI,EAEpC,OAAO3H,EAAQ,iBAAqB,IAC/CG,EAAMH,EAAQ,iBAAkB2H,GAAO,GAAI,EAG3CxH,EAAM,CAAC,EAGHwH,IAAQ,QAAaA,GAAOvF,EAAUpC,EAAS2H,CAAI,EAChD7H,EAAO,MAAO,CAAEE,CAAQ,EAAGG,CAAI,EAGhCA,CACR,CAIA,SAASkW,GAAenW,EAAOoW,EAAc,CAI5C,QAHI9W,EAAI,EACPkP,EAAIxO,EAAM,OAEHV,EAAIkP,EAAGlP,IACdkU,EAAS,IACRxT,EAAOV,CAAE,EACT,aACA,CAAC8W,GAAe5C,EAAS,IAAK4C,EAAa9W,CAAE,EAAG,YAAa,CAC9D,CAEF,CAGA,IAAI+W,GAAQ,YAEZ,SAASC,GAAetW,EAAOF,EAASyW,EAASC,EAAWC,EAAU,CAOrE,QANItW,EAAMgU,EAAK1M,EAAKiP,EAAMC,EAAUrW,EACnCyV,EAAWjW,EAAQ,uBAAuB,EAC1C8W,EAAQ,CAAC,EACTtX,EAAI,EACJkP,GAAIxO,EAAM,OAEHV,EAAIkP,GAAGlP,IAGd,GAFAa,EAAOH,EAAOV,CAAE,EAEXa,GAAQA,IAAS,EAGrB,GAAKV,EAAQU,CAAK,IAAM,SAIvBP,EAAO,MAAOgX,EAAOzW,EAAK,SAAW,CAAEA,CAAK,EAAIA,CAAK,UAG1C,CAACkW,GAAM,KAAMlW,CAAK,EAC7ByW,EAAM,KAAM9W,EAAQ,eAAgBK,CAAK,CAAE,MAGrC,CAUN,IATAgU,EAAMA,GAAO4B,EAAS,YAAajW,EAAQ,cAAe,KAAM,CAAE,EAGlE2H,GAAQoO,GAAS,KAAM1V,CAAK,GAAK,CAAE,GAAI,EAAG,GAAK,CAAE,EAAE,YAAY,EAC/DuW,EAAOT,GAASxO,CAAI,GAAKwO,GAAQ,SACjC9B,EAAI,UAAYuC,EAAM,CAAE,EAAI9W,EAAO,cAAeO,CAAK,EAAIuW,EAAM,CAAE,EAGnEpW,EAAIoW,EAAM,CAAE,EACJpW,KACP6T,EAAMA,EAAI,UAKXvU,EAAO,MAAOgX,EAAOzC,EAAI,UAAW,EAGpCA,EAAM4B,EAAS,WAGf5B,EAAI,YAAc,EACnB,CAQF,IAHA4B,EAAS,YAAc,GAEvBzW,EAAI,EACMa,EAAOyW,EAAOtX,GAAI,GAAM,CAGjC,GAAKkX,GAAa5W,EAAO,QAASO,EAAMqW,CAAU,EAAI,GAAK,CACrDC,GACJA,EAAQ,KAAMtW,CAAK,EAEpB,QACD,CAaA,GAXAwW,EAAWlC,GAAYtU,CAAK,EAG5BgU,EAAM+B,GAAQH,EAAS,YAAa5V,CAAK,EAAG,QAAS,EAGhDwW,GACJR,GAAehC,CAAI,EAIfoC,EAEJ,IADAjW,EAAI,EACMH,EAAOgU,EAAK7T,GAAI,GACpBwV,GAAY,KAAM3V,EAAK,MAAQ,EAAG,GACtCoW,EAAQ,KAAMpW,CAAK,CAIvB,CAEA,OAAO4V,CACR,CAGA,IAAIc,GAAiB,sBAErB,SAASC,IAAa,CACrB,MAAO,EACR,CAEA,SAASC,IAAc,CACtB,MAAO,EACR,CAEA,SAASC,GAAI7W,EAAM8W,EAAOpX,EAAUyT,EAAM1M,EAAIsQ,EAAM,CACnD,IAAIC,EAAQlV,EAGZ,GAAK,OAAOgV,GAAU,SAAW,CAG3B,OAAOpX,GAAa,WAGxByT,EAAOA,GAAQzT,EACfA,EAAW,QAEZ,IAAMoC,KAAQgV,EACbD,GAAI7W,EAAM8B,EAAMpC,EAAUyT,EAAM2D,EAAOhV,CAAK,EAAGiV,CAAI,EAEpD,OAAO/W,CACR,CAqBA,GAnBKmT,GAAQ,MAAQ1M,GAAM,MAG1BA,EAAK/G,EACLyT,EAAOzT,EAAW,QACP+G,GAAM,OACZ,OAAO/G,GAAa,UAGxB+G,EAAK0M,EACLA,EAAO,SAIP1M,EAAK0M,EACLA,EAAOzT,EACPA,EAAW,SAGR+G,IAAO,GACXA,EAAKmQ,WACM,CAACnQ,EACZ,OAAOzG,EAGR,OAAK+W,IAAQ,IACZC,EAASvQ,EACTA,EAAK,SAAUwQ,EAAQ,CAGtB,OAAAxX,EAAO,EAAE,IAAKwX,CAAM,EACbD,EAAO,MAAO,KAAM,SAAU,CACtC,EAGAvQ,EAAG,KAAOuQ,EAAO,OAAUA,EAAO,KAAOvX,EAAO,SAE1CO,EAAK,KAAM,UAAW,CAC5BP,EAAO,MAAM,IAAK,KAAMqX,EAAOrQ,EAAI0M,EAAMzT,CAAS,CACnD,CAAE,CACH,CAMAD,EAAO,MAAQ,CAEd,OAAQ,CAAC,EAET,IAAK,SAAUO,EAAM8W,EAAO/F,EAASoC,EAAMzT,EAAW,CAErD,IAAIwX,EAAaC,EAAanD,EAC7BoD,EAAQC,EAAGC,EACXtG,EAASuG,EAAUzV,EAAM0V,GAAYC,GACrCC,GAAWrE,EAAS,IAAKrT,CAAK,EAG/B,GAAMgT,GAAYhT,CAAK,EAuCvB,IAlCK+Q,EAAQ,UACZmG,EAAcnG,EACdA,EAAUmG,EAAY,QACtBxX,EAAWwX,EAAY,UAKnBxX,GACJD,EAAO,KAAK,gBAAiB0D,GAAiBzD,CAAS,EAIlDqR,EAAQ,OACbA,EAAQ,KAAOtR,EAAO,SAIf2X,EAASM,GAAS,UACzBN,EAASM,GAAS,OAAS,OAAO,OAAQ,IAAK,IAExCP,EAAcO,GAAS,UAC9BP,EAAcO,GAAS,OAAS,SAAUrG,GAAI,CAI7C,OAAO,OAAO5R,EAAW,KAAeA,EAAO,MAAM,YAAc4R,GAAE,KACpE5R,EAAO,MAAM,SAAS,MAAOO,EAAM,SAAU,EAAI,MACnD,GAID8W,GAAUA,GAAS,IAAK,MAAOrI,EAAc,GAAK,CAAE,EAAG,EACvD4I,EAAIP,EAAM,OACFO,KACPrD,EAAM0C,GAAe,KAAMI,EAAOO,CAAE,CAAE,GAAK,CAAC,EAC5CvV,EAAO2V,GAAWzD,EAAK,CAAE,EACzBwD,IAAexD,EAAK,CAAE,GAAK,IAAK,MAAO,GAAI,EAAE,KAAK,EAG5ClS,IAKNkP,EAAUvR,EAAO,MAAM,QAASqC,CAAK,GAAK,CAAC,EAG3CA,GAASpC,EAAWsR,EAAQ,aAAeA,EAAQ,WAAclP,EAGjEkP,EAAUvR,EAAO,MAAM,QAASqC,CAAK,GAAK,CAAC,EAG3CwV,EAAY7X,EAAO,OAAQ,CAC1B,KAAMqC,EACN,SAAU2V,GACV,KAAMtE,EACN,QAASpC,EACT,KAAMA,EAAQ,KACd,SAAUrR,EACV,aAAcA,GAAYD,EAAO,KAAK,MAAM,aAAa,KAAMC,CAAS,EACxE,UAAW8X,GAAW,KAAM,GAAI,CACjC,EAAGN,CAAY,GAGPK,EAAWH,EAAQtV,CAAK,KAC/ByV,EAAWH,EAAQtV,CAAK,EAAI,CAAC,EAC7ByV,EAAS,cAAgB,GAGpB,CAACvG,EAAQ,OACbA,EAAQ,MAAM,KAAMhR,EAAMmT,EAAMqE,GAAYL,CAAY,IAAM,KAEzDnX,EAAK,kBACTA,EAAK,iBAAkB8B,EAAMqV,CAAY,GAKvCnG,EAAQ,MACZA,EAAQ,IAAI,KAAMhR,EAAMsX,CAAU,EAE5BA,EAAU,QAAQ,OACvBA,EAAU,QAAQ,KAAOvG,EAAQ,OAK9BrR,EACJ6X,EAAS,OAAQA,EAAS,gBAAiB,EAAGD,CAAU,EAExDC,EAAS,KAAMD,CAAU,EAI1B7X,EAAO,MAAM,OAAQqC,CAAK,EAAI,GAGhC,EAGA,OAAQ,SAAU9B,EAAM8W,EAAO/F,EAASrR,EAAUiY,EAAc,CAE/D,IAAIxX,EAAGyX,EAAW5D,EACjBoD,EAAQC,EAAGC,EACXtG,EAASuG,EAAUzV,EAAM0V,GAAYC,GACrCC,GAAWrE,EAAS,QAASrT,CAAK,GAAKqT,EAAS,IAAKrT,CAAK,EAE3D,GAAK,GAAC0X,IAAY,EAAGN,EAASM,GAAS,SAOvC,KAFAZ,GAAUA,GAAS,IAAK,MAAOrI,EAAc,GAAK,CAAE,EAAG,EACvD4I,EAAIP,EAAM,OACFO,KAAM,CAMb,GALArD,EAAM0C,GAAe,KAAMI,EAAOO,CAAE,CAAE,GAAK,CAAC,EAC5CvV,EAAO2V,GAAWzD,EAAK,CAAE,EACzBwD,IAAexD,EAAK,CAAE,GAAK,IAAK,MAAO,GAAI,EAAE,KAAK,EAG7C,CAAClS,EAAO,CACZ,IAAMA,KAAQsV,EACb3X,EAAO,MAAM,OAAQO,EAAM8B,EAAOgV,EAAOO,CAAE,EAAGtG,EAASrR,EAAU,EAAK,EAEvE,QACD,CAUA,IARAsR,EAAUvR,EAAO,MAAM,QAASqC,CAAK,GAAK,CAAC,EAC3CA,GAASpC,EAAWsR,EAAQ,aAAeA,EAAQ,WAAclP,EACjEyV,EAAWH,EAAQtV,CAAK,GAAK,CAAC,EAC9BkS,EAAMA,EAAK,CAAE,GACZ,IAAI,OAAQ,UAAYwD,GAAW,KAAM,eAAgB,EAAI,SAAU,EAGxEI,EAAYzX,EAAIoX,EAAS,OACjBpX,KACPmX,EAAYC,EAAUpX,CAAE,GAEjBwX,GAAeF,KAAaH,EAAU,YAC1C,CAACvG,GAAWA,EAAQ,OAASuG,EAAU,QACvC,CAACtD,GAAOA,EAAI,KAAMsD,EAAU,SAAU,KACtC,CAAC5X,GAAYA,IAAa4X,EAAU,UACrC5X,IAAa,MAAQ4X,EAAU,YAChCC,EAAS,OAAQpX,EAAG,CAAE,EAEjBmX,EAAU,UACdC,EAAS,gBAELvG,EAAQ,QACZA,EAAQ,OAAO,KAAMhR,EAAMsX,CAAU,GAOnCM,GAAa,CAACL,EAAS,UACtB,CAACvG,EAAQ,UACbA,EAAQ,SAAS,KAAMhR,EAAMwX,GAAYE,GAAS,MAAO,IAAM,KAE/DjY,EAAO,YAAaO,EAAM8B,EAAM4V,GAAS,MAAO,EAGjD,OAAON,EAAQtV,CAAK,EAEtB,CAGKrC,EAAO,cAAe2X,CAAO,GACjC/D,EAAS,OAAQrT,EAAM,eAAgB,EAEzC,EAEA,SAAU,SAAU6X,EAAc,CAEjC,IAAI1Y,EAAGgB,EAAGL,EAAKyJ,EAAS+N,EAAWQ,EAClCzO,EAAO,IAAI,MAAO,UAAU,MAAO,EAGnC4N,EAAQxX,EAAO,MAAM,IAAKoY,CAAY,EAEtCN,GACClE,EAAS,IAAK,KAAM,QAAS,GAAK,OAAO,OAAQ,IAAK,GACpD4D,EAAM,IAAK,GAAK,CAAC,EACpBjG,EAAUvR,EAAO,MAAM,QAASwX,EAAM,IAAK,GAAK,CAAC,EAKlD,IAFA5N,EAAM,CAAE,EAAI4N,EAEN9X,EAAI,EAAGA,EAAI,UAAU,OAAQA,IAClCkK,EAAMlK,CAAE,EAAI,UAAWA,CAAE,EAM1B,GAHA8X,EAAM,eAAiB,KAGlB,EAAAjG,EAAQ,aAAeA,EAAQ,YAAY,KAAM,KAAMiG,CAAM,IAAM,IASxE,KAJAa,EAAerY,EAAO,MAAM,SAAS,KAAM,KAAMwX,EAAOM,CAAS,EAGjEpY,EAAI,GACMoK,EAAUuO,EAAc3Y,GAAI,IAAO,CAAC8X,EAAM,qBAAqB,GAIxE,IAHAA,EAAM,cAAgB1N,EAAQ,KAE9BpJ,EAAI,GACMmX,EAAY/N,EAAQ,SAAUpJ,GAAI,IAC3C,CAAC8W,EAAM,8BAA8B,IAIhC,CAACA,EAAM,YAAcK,EAAU,YAAc,IACjDL,EAAM,WAAW,KAAMK,EAAU,SAAU,KAE3CL,EAAM,UAAYK,EAClBL,EAAM,KAAOK,EAAU,KAEvBxX,IAAUL,EAAO,MAAM,QAAS6X,EAAU,QAAS,GAAK,CAAC,GAAI,QAC5DA,EAAU,SAAU,MAAO/N,EAAQ,KAAMF,CAAK,EAE1CvJ,IAAQ,SACLmX,EAAM,OAASnX,KAAU,KAC/BmX,EAAM,eAAe,EACrBA,EAAM,gBAAgB,IAQ3B,OAAKjG,EAAQ,cACZA,EAAQ,aAAa,KAAM,KAAMiG,CAAM,EAGjCA,EAAM,OACd,EAEA,SAAU,SAAUA,EAAOM,EAAW,CACrC,IAAIpY,EAAGmY,EAAW1U,EAAKmV,EAAiBC,EACvCF,EAAe,CAAC,EAChBG,EAAgBV,EAAS,cACzBhJ,EAAM0I,EAAM,OAGb,GAAKgB,GAIJ1J,EAAI,UAOJ,EAAG0I,EAAM,OAAS,SAAWA,EAAM,QAAU,IAE7C,KAAQ1I,IAAQ,KAAMA,EAAMA,EAAI,YAAc,KAI7C,GAAKA,EAAI,WAAa,GAAK,EAAG0I,EAAM,OAAS,SAAW1I,EAAI,WAAa,IAAS,CAGjF,IAFAwJ,EAAkB,CAAC,EACnBC,EAAmB,CAAC,EACd7Y,EAAI,EAAGA,EAAI8Y,EAAe9Y,IAC/BmY,EAAYC,EAAUpY,CAAE,EAGxByD,EAAM0U,EAAU,SAAW,IAEtBU,EAAkBpV,CAAI,IAAM,SAChCoV,EAAkBpV,CAAI,EAAI0U,EAAU,aACnC7X,EAAQmD,EAAK,IAAK,EAAE,MAAO2L,CAAI,EAAI,GACnC9O,EAAO,KAAMmD,EAAK,KAAM,KAAM,CAAE2L,CAAI,CAAE,EAAE,QAErCyJ,EAAkBpV,CAAI,GAC1BmV,EAAgB,KAAMT,CAAU,EAG7BS,EAAgB,QACpBD,EAAa,KAAM,CAAE,KAAMvJ,EAAK,SAAUwJ,CAAgB,CAAE,CAE9D,EAKF,OAAAxJ,EAAM,KACD0J,EAAgBV,EAAS,QAC7BO,EAAa,KAAM,CAAE,KAAMvJ,EAAK,SAAUgJ,EAAS,MAAOU,CAAc,CAAE,CAAE,EAGtEH,CACR,EAEA,QAAS,SAAUzX,EAAM6X,EAAO,CAC/B,OAAO,eAAgBzY,EAAO,MAAM,UAAWY,EAAM,CACpD,WAAY,GACZ,aAAc,GAEd,IAAK3B,EAAYwZ,CAAK,EACrB,UAAW,CACV,GAAK,KAAK,cACT,OAAOA,EAAM,KAAK,aAAc,CAElC,EACA,UAAW,CACV,GAAK,KAAK,cACT,OAAO,KAAK,cAAe7X,CAAK,CAElC,EAED,IAAK,SAAUuB,EAAQ,CACtB,OAAO,eAAgB,KAAMvB,EAAM,CAClC,WAAY,GACZ,aAAc,GACd,SAAU,GACV,MAAOuB,CACR,CAAE,CACH,CACD,CAAE,CACH,EAEA,IAAK,SAAUuW,EAAgB,CAC9B,OAAOA,EAAe1Y,EAAO,OAAQ,EACpC0Y,EACA,IAAI1Y,EAAO,MAAO0Y,CAAc,CAClC,EAEA,QAAS,CACR,KAAM,CAGL,SAAU,EACX,EACA,MAAO,CAGN,MAAO,SAAUhF,EAAO,CAIvB,IAAIxM,EAAK,MAAQwM,EAGjB,OAAKsC,GAAe,KAAM9O,EAAG,IAAK,GACjCA,EAAG,OAAS5E,EAAU4E,EAAI,OAAQ,GAGlCyR,GAAgBzR,EAAI,QAAS,EAAK,EAI5B,EACR,EACA,QAAS,SAAUwM,EAAO,CAIzB,IAAIxM,EAAK,MAAQwM,EAGjB,OAAKsC,GAAe,KAAM9O,EAAG,IAAK,GACjCA,EAAG,OAAS5E,EAAU4E,EAAI,OAAQ,GAElCyR,GAAgBzR,EAAI,OAAQ,EAItB,EACR,EAIA,SAAU,SAAUsQ,EAAQ,CAC3B,IAAIvW,EAASuW,EAAM,OACnB,OAAOxB,GAAe,KAAM/U,EAAO,IAAK,GACvCA,EAAO,OAASqB,EAAUrB,EAAQ,OAAQ,GAC1C2S,EAAS,IAAK3S,EAAQ,OAAQ,GAC9BqB,EAAUrB,EAAQ,GAAI,CACxB,CACD,EAEA,aAAc,CACb,aAAc,SAAUuW,EAAQ,CAI1BA,EAAM,SAAW,QAAaA,EAAM,gBACxCA,EAAM,cAAc,YAAcA,EAAM,OAE1C,CACD,CACD,CACD,EAMA,SAASmB,GAAgBzR,EAAI7E,EAAMuW,EAAU,CAG5C,GAAK,CAACA,EAAU,CACVhF,EAAS,IAAK1M,EAAI7E,CAAK,IAAM,QACjCrC,EAAO,MAAM,IAAKkH,EAAI7E,EAAM6U,EAAW,EAExC,MACD,CAGAtD,EAAS,IAAK1M,EAAI7E,EAAM,EAAM,EAC9BrC,EAAO,MAAM,IAAKkH,EAAI7E,EAAM,CAC3B,UAAW,GACX,QAAS,SAAUmV,EAAQ,CAC1B,IAAI7O,EACHkQ,EAAQjF,EAAS,IAAK,KAAMvR,CAAK,EAElC,GAAOmV,EAAM,UAAY,GAAO,KAAMnV,CAAK,GAG1C,GAAMwW,GA4BQ7Y,EAAO,MAAM,QAASqC,CAAK,GAAK,CAAC,GAAI,cAClDmV,EAAM,gBAAgB,UAxBtBqB,EAAQva,EAAM,KAAM,SAAU,EAC9BsV,EAAS,IAAK,KAAMvR,EAAMwW,CAAM,EAGhC,KAAMxW,CAAK,EAAE,EACbsG,EAASiL,EAAS,IAAK,KAAMvR,CAAK,EAClCuR,EAAS,IAAK,KAAMvR,EAAM,EAAM,EAE3BwW,IAAUlQ,EAGd,OAAA6O,EAAM,yBAAyB,EAC/BA,EAAM,eAAe,EAEd7O,OAeEkQ,IAGXjF,EAAS,IAAK,KAAMvR,EAAMrC,EAAO,MAAM,QACtC6Y,EAAO,CAAE,EACTA,EAAM,MAAO,CAAE,EACf,IACD,CAAE,EAUFrB,EAAM,gBAAgB,EACtBA,EAAM,8BAAgCN,GAExC,CACD,CAAE,CACH,CAEAlX,EAAO,YAAc,SAAUO,EAAM8B,EAAMyW,EAAS,CAG9CvY,EAAK,qBACTA,EAAK,oBAAqB8B,EAAMyW,CAAO,CAEzC,EAEA9Y,EAAO,MAAQ,SAAUa,EAAKkY,EAAQ,CAGrC,GAAK,EAAG,gBAAgB/Y,EAAO,OAC9B,OAAO,IAAIA,EAAO,MAAOa,EAAKkY,CAAM,EAIhClY,GAAOA,EAAI,MACf,KAAK,cAAgBA,EACrB,KAAK,KAAOA,EAAI,KAIhB,KAAK,mBAAqBA,EAAI,kBAC5BA,EAAI,mBAAqB,QAGzBA,EAAI,cAAgB,GACrBqW,GACAC,GAKD,KAAK,OAAWtW,EAAI,QAAUA,EAAI,OAAO,WAAa,EACrDA,EAAI,OAAO,WACXA,EAAI,OAEL,KAAK,cAAgBA,EAAI,cACzB,KAAK,cAAgBA,EAAI,eAIzB,KAAK,KAAOA,EAIRkY,GACJ/Y,EAAO,OAAQ,KAAM+Y,CAAM,EAI5B,KAAK,UAAYlY,GAAOA,EAAI,WAAa,KAAK,IAAI,EAGlD,KAAMb,EAAO,OAAQ,EAAI,EAC1B,EAIAA,EAAO,MAAM,UAAY,CACxB,YAAaA,EAAO,MACpB,mBAAoBmX,GACpB,qBAAsBA,GACtB,8BAA+BA,GAC/B,YAAa,GAEb,eAAgB,UAAW,CAC1B,IAAIvF,EAAI,KAAK,cAEb,KAAK,mBAAqBsF,GAErBtF,GAAK,CAAC,KAAK,aACfA,EAAE,eAAe,CAEnB,EACA,gBAAiB,UAAW,CAC3B,IAAIA,EAAI,KAAK,cAEb,KAAK,qBAAuBsF,GAEvBtF,GAAK,CAAC,KAAK,aACfA,EAAE,gBAAgB,CAEpB,EACA,yBAA0B,UAAW,CACpC,IAAIA,EAAI,KAAK,cAEb,KAAK,8BAAgCsF,GAEhCtF,GAAK,CAAC,KAAK,aACfA,EAAE,yBAAyB,EAG5B,KAAK,gBAAgB,CACtB,CACD,EAGA5R,EAAO,KAAM,CACZ,OAAQ,GACR,QAAS,GACT,WAAY,GACZ,eAAgB,GAChB,QAAS,GACT,OAAQ,GACR,WAAY,GACZ,QAAS,GACT,MAAO,GACP,MAAO,GACP,SAAU,GACV,KAAM,GACN,KAAQ,GACR,KAAM,GACN,SAAU,GACV,IAAK,GACL,QAAS,GACT,OAAQ,GACR,QAAS,GACT,QAAS,GACT,QAAS,GACT,QAAS,GACT,QAAS,GACT,UAAW,GACX,YAAa,GACb,QAAS,GACT,QAAS,GACT,cAAe,GACf,UAAW,GACX,QAAS,GACT,MAAO,EACR,EAAGA,EAAO,MAAM,OAAQ,EAExBA,EAAO,KAAM,CAAE,MAAO,UAAW,KAAM,UAAW,EAAG,SAAUqC,EAAM2W,EAAe,CAEnF,SAASC,EAAoBb,EAAc,CAC1C,GAAKhZ,EAAS,aAAe,CAS5B,IAAI0Z,EAASlF,EAAS,IAAK,KAAM,QAAS,EACzC4D,EAAQxX,EAAO,MAAM,IAAKoY,CAAY,EACvCZ,EAAM,KAAOY,EAAY,OAAS,UAAY,QAAU,OACxDZ,EAAM,YAAc,GAGpBsB,EAAQV,CAAY,EAMfZ,EAAM,SAAWA,EAAM,eAK3BsB,EAAQtB,CAAM,CAEhB,MAICxX,EAAO,MAAM,SAAUgZ,EAAcZ,EAAY,OAChDpY,EAAO,MAAM,IAAKoY,CAAY,CAAE,CAEnC,CAEApY,EAAO,MAAM,QAASqC,CAAK,EAAI,CAG9B,MAAO,UAAW,CAEjB,IAAI6W,EAOJ,GAFAP,GAAgB,KAAMtW,EAAM,EAAK,EAE5BjD,EAAS,aAMb8Z,EAAWtF,EAAS,IAAK,KAAMoF,CAAa,EACtCE,GACL,KAAK,iBAAkBF,EAAcC,CAAmB,EAEzDrF,EAAS,IAAK,KAAMoF,GAAgBE,GAAY,GAAM,CAAE,MAIxD,OAAO,EAET,EACA,QAAS,UAAW,CAGnB,OAAAP,GAAgB,KAAMtW,CAAK,EAGpB,EACR,EAEA,SAAU,UAAW,CACpB,IAAI6W,EAEJ,GAAK9Z,EAAS,aACb8Z,EAAWtF,EAAS,IAAK,KAAMoF,CAAa,EAAI,EAC1CE,EAILtF,EAAS,IAAK,KAAMoF,EAAcE,CAAS,GAH3C,KAAK,oBAAqBF,EAAcC,CAAmB,EAC3DrF,EAAS,OAAQ,KAAMoF,CAAa,OAOrC,OAAO,EAET,EAIA,SAAU,SAAUxB,EAAQ,CAC3B,OAAO5D,EAAS,IAAK4D,EAAM,OAAQnV,CAAK,CACzC,EAEA,aAAc2W,CACf,EAcAhZ,EAAO,MAAM,QAASgZ,CAAa,EAAI,CACtC,MAAO,UAAW,CAIjB,IAAIvZ,EAAM,KAAK,eAAiB,KAAK,UAAY,KAChD0Z,EAAa/Z,EAAS,aAAe,KAAOK,EAC5CyZ,EAAWtF,EAAS,IAAKuF,EAAYH,CAAa,EAM7CE,IACA9Z,EAAS,aACb,KAAK,iBAAkB4Z,EAAcC,CAAmB,EAExDxZ,EAAI,iBAAkB4C,EAAM4W,EAAoB,EAAK,GAGvDrF,EAAS,IAAKuF,EAAYH,GAAgBE,GAAY,GAAM,CAAE,CAC/D,EACA,SAAU,UAAW,CACpB,IAAIzZ,EAAM,KAAK,eAAiB,KAAK,UAAY,KAChD0Z,EAAa/Z,EAAS,aAAe,KAAOK,EAC5CyZ,EAAWtF,EAAS,IAAKuF,EAAYH,CAAa,EAAI,EAEjDE,EAQLtF,EAAS,IAAKuF,EAAYH,EAAcE,CAAS,GAP5C9Z,EAAS,aACb,KAAK,oBAAqB4Z,EAAcC,CAAmB,EAE3DxZ,EAAI,oBAAqB4C,EAAM4W,EAAoB,EAAK,EAEzDrF,EAAS,OAAQuF,EAAYH,CAAa,EAI5C,CACD,CACD,CAAE,EAUFhZ,EAAO,KAAM,CACZ,WAAY,YACZ,WAAY,WACZ,aAAc,cACd,aAAc,YACf,EAAG,SAAUoZ,EAAMC,EAAM,CACxBrZ,EAAO,MAAM,QAASoZ,CAAK,EAAI,CAC9B,aAAcC,EACd,SAAUA,EAEV,OAAQ,SAAU7B,EAAQ,CACzB,IAAInX,EACHY,EAAS,KACTqY,EAAU9B,EAAM,cAChBK,EAAYL,EAAM,UAInB,OAAK,CAAC8B,GAAaA,IAAYrY,GAAU,CAACjB,EAAO,SAAUiB,EAAQqY,CAAQ,KAC1E9B,EAAM,KAAOK,EAAU,SACvBxX,EAAMwX,EAAU,QAAQ,MAAO,KAAM,SAAU,EAC/CL,EAAM,KAAO6B,GAEPhZ,CACR,CACD,CACD,CAAE,EAEFL,EAAO,GAAG,OAAQ,CAEjB,GAAI,SAAUqX,EAAOpX,EAAUyT,EAAM1M,EAAK,CACzC,OAAOoQ,GAAI,KAAMC,EAAOpX,EAAUyT,EAAM1M,CAAG,CAC5C,EACA,IAAK,SAAUqQ,EAAOpX,EAAUyT,EAAM1M,EAAK,CAC1C,OAAOoQ,GAAI,KAAMC,EAAOpX,EAAUyT,EAAM1M,EAAI,CAAE,CAC/C,EACA,IAAK,SAAUqQ,EAAOpX,EAAU+G,EAAK,CACpC,IAAI6Q,EAAWxV,EACf,GAAKgV,GAASA,EAAM,gBAAkBA,EAAM,UAG3C,OAAAQ,EAAYR,EAAM,UAClBrX,EAAQqX,EAAM,cAAe,EAAE,IAC9BQ,EAAU,UACTA,EAAU,SAAW,IAAMA,EAAU,UACrCA,EAAU,SACXA,EAAU,SACVA,EAAU,OACX,EACO,KAER,GAAK,OAAOR,GAAU,SAAW,CAGhC,IAAMhV,KAAQgV,EACb,KAAK,IAAKhV,EAAMpC,EAAUoX,EAAOhV,CAAK,CAAE,EAEzC,OAAO,IACR,CACA,OAAKpC,IAAa,IAAS,OAAOA,GAAa,cAG9C+G,EAAK/G,EACLA,EAAW,QAEP+G,IAAO,KACXA,EAAKmQ,IAEC,KAAK,KAAM,UAAW,CAC5BnX,EAAO,MAAM,OAAQ,KAAMqX,EAAOrQ,EAAI/G,CAAS,CAChD,CAAE,CACH,CACD,CAAE,EAGF,IAKCsZ,GAAe,wBAGfC,GAAW,oCAEXC,GAAe,6BAGhB,SAASC,GAAoBnZ,EAAMoZ,EAAU,CAC5C,OAAKrX,EAAU/B,EAAM,OAAQ,GAC5B+B,EAAUqX,EAAQ,WAAa,GAAKA,EAAUA,EAAQ,WAAY,IAAK,GAEhE3Z,EAAQO,CAAK,EAAE,SAAU,OAAQ,EAAG,CAAE,GAAKA,CAIpD,CAGA,SAASqZ,GAAerZ,EAAO,CAC9B,OAAAA,EAAK,MAASA,EAAK,aAAc,MAAO,IAAM,MAAS,IAAMA,EAAK,KAC3DA,CACR,CACA,SAASsZ,GAAetZ,EAAO,CAC9B,OAAOA,EAAK,MAAQ,IAAK,MAAO,EAAG,CAAE,IAAM,QAC1CA,EAAK,KAAOA,EAAK,KAAK,MAAO,CAAE,EAE/BA,EAAK,gBAAiB,MAAO,EAGvBA,CACR,CAEA,SAASuZ,GAAgBjZ,EAAKkZ,EAAO,CACpC,IAAIra,EAAGkP,EAAGvM,EAAM2X,EAAUC,EAAUC,EAAUvC,EAE9C,GAAKoC,EAAK,WAAa,EAKvB,IAAKnG,EAAS,QAAS/S,CAAI,IAC1BmZ,EAAWpG,EAAS,IAAK/S,CAAI,EAC7B8W,EAASqC,EAAS,OAEbrC,GAAS,CACb/D,EAAS,OAAQmG,EAAM,eAAgB,EAEvC,IAAM1X,KAAQsV,EACb,IAAMjY,EAAI,EAAGkP,EAAI+I,EAAQtV,CAAK,EAAE,OAAQ3C,EAAIkP,EAAGlP,IAC9CM,EAAO,MAAM,IAAK+Z,EAAM1X,EAAMsV,EAAQtV,CAAK,EAAG3C,CAAE,CAAE,CAGrD,CAIImU,GAAS,QAAShT,CAAI,IAC1BoZ,EAAWpG,GAAS,OAAQhT,CAAI,EAChCqZ,EAAWla,EAAO,OAAQ,CAAC,EAAGia,CAAS,EAEvCpG,GAAS,IAAKkG,EAAMG,CAAS,GAE/B,CAGA,SAASC,GAAUtZ,EAAKkZ,EAAO,CAC9B,IAAIzX,EAAWyX,EAAK,SAAS,YAAY,EAGpCzX,IAAa,SAAW0T,GAAe,KAAMnV,EAAI,IAAK,EAC1DkZ,EAAK,QAAUlZ,EAAI,SAGRyB,IAAa,SAAWA,IAAa,cAChDyX,EAAK,aAAelZ,EAAI,aAE1B,CAEA,SAASuZ,GAAUC,EAAYzQ,EAAMtJ,EAAUuW,EAAU,CAGxDjN,EAAOrL,EAAMqL,CAAK,EAElB,IAAIuM,EAAUvU,EAAO+U,EAAS2D,EAAY9a,EAAMC,EAC/CC,EAAI,EACJkP,EAAIyL,EAAW,OACfE,EAAW3L,EAAI,EACfzM,EAAQyH,EAAM,CAAE,EAChB4Q,GAAkBvb,EAAYkD,CAAM,EAGrC,GAAKqY,IACD5L,EAAI,GAAK,OAAOzM,GAAU,UAC3B,CAACnD,EAAQ,YAAcwa,GAAS,KAAMrX,CAAM,EAC9C,OAAOkY,EAAW,KAAM,SAAUvK,GAAQ,CACzC,IAAIzB,GAAOgM,EAAW,GAAIvK,EAAM,EAC3B0K,KACJ5Q,EAAM,CAAE,EAAIzH,EAAM,KAAM,KAAM2N,GAAOzB,GAAK,KAAK,CAAE,GAElD+L,GAAU/L,GAAMzE,EAAMtJ,EAAUuW,CAAQ,CACzC,CAAE,EAGH,GAAKjI,IACJuH,EAAWO,GAAe9M,EAAMyQ,EAAY,CAAE,EAAE,cAAe,GAAOA,EAAYxD,CAAQ,EAC1FjV,EAAQuU,EAAS,WAEZA,EAAS,WAAW,SAAW,IACnCA,EAAWvU,GAIPA,GAASiV,GAAU,CAOvB,IANAF,EAAU3W,EAAO,IAAKsW,GAAQH,EAAU,QAAS,EAAGyD,EAAc,EAClEU,EAAa3D,EAAQ,OAKbjX,EAAIkP,EAAGlP,IACdF,EAAO2W,EAEFzW,IAAM6a,IACV/a,EAAOQ,EAAO,MAAOR,EAAM,GAAM,EAAK,EAGjC8a,GAIJta,EAAO,MAAO2W,EAASL,GAAQ9W,EAAM,QAAS,CAAE,GAIlDc,EAAS,KAAM+Z,EAAY3a,CAAE,EAAGF,EAAME,CAAE,EAGzC,GAAK4a,EAOJ,IANA7a,EAAMkX,EAASA,EAAQ,OAAS,CAAE,EAAE,cAGpC3W,EAAO,IAAK2W,EAASkD,EAAc,EAG7Bna,EAAI,EAAGA,EAAI4a,EAAY5a,IAC5BF,EAAOmX,EAASjX,CAAE,EACbwW,GAAY,KAAM1W,EAAK,MAAQ,EAAG,GACtC,CAACoU,EAAS,OAAQpU,EAAM,YAAa,GACrCQ,EAAO,SAAUP,EAAKD,CAAK,IAEtBA,EAAK,MAASA,EAAK,MAAQ,IAAK,YAAY,IAAO,SAGlDQ,EAAO,UAAY,CAACR,EAAK,UAC7BQ,EAAO,SAAUR,EAAK,IAAK,CAC1B,MAAOA,EAAK,OAASA,EAAK,aAAc,OAAQ,CACjD,EAAGC,CAAI,EASRH,EAASE,EAAK,YAAY,QAASia,GAAc,EAAG,EAAGja,EAAMC,CAAI,EAKtE,CAGD,OAAO4a,CACR,CAEA,SAASI,GAAQla,EAAMN,EAAUya,EAAW,CAK3C,QAJIlb,EACHwX,EAAQ/W,EAAWD,EAAO,OAAQC,EAAUM,CAAK,EAAIA,EACrDb,EAAI,GAEKF,EAAOwX,EAAOtX,CAAE,IAAO,KAAMA,IACjC,CAACgb,GAAYlb,EAAK,WAAa,GACnCQ,EAAO,UAAWsW,GAAQ9W,CAAK,CAAE,EAG7BA,EAAK,aACJkb,GAAY7F,GAAYrV,CAAK,GACjC+W,GAAeD,GAAQ9W,EAAM,QAAS,CAAE,EAEzCA,EAAK,WAAW,YAAaA,CAAK,GAIpC,OAAOe,CACR,CAEAP,EAAO,OAAQ,CACd,cAAe,SAAU2a,EAAO,CAC/B,OAAOA,CACR,EAEA,MAAO,SAAUpa,EAAMqa,EAAeC,EAAoB,CACzD,IAAInb,EAAGkP,EAAGkM,EAAaC,EACtB/Z,EAAQT,EAAK,UAAW,EAAK,EAC7Bya,EAASnG,GAAYtU,CAAK,EAG3B,GAAK,CAACvB,EAAQ,iBAAoBuB,EAAK,WAAa,GAAKA,EAAK,WAAa,KACzE,CAACP,EAAO,SAAUO,CAAK,EAOxB,IAHAwa,EAAezE,GAAQtV,CAAM,EAC7B8Z,EAAcxE,GAAQ/V,CAAK,EAErBb,EAAI,EAAGkP,EAAIkM,EAAY,OAAQpb,EAAIkP,EAAGlP,IAC3Cya,GAAUW,EAAapb,CAAE,EAAGqb,EAAcrb,CAAE,CAAE,EAKhD,GAAKkb,EACJ,GAAKC,EAIJ,IAHAC,EAAcA,GAAexE,GAAQ/V,CAAK,EAC1Cwa,EAAeA,GAAgBzE,GAAQtV,CAAM,EAEvCtB,EAAI,EAAGkP,EAAIkM,EAAY,OAAQpb,EAAIkP,EAAGlP,IAC3Coa,GAAgBgB,EAAapb,CAAE,EAAGqb,EAAcrb,CAAE,CAAE,OAGrDoa,GAAgBvZ,EAAMS,CAAM,EAK9B,OAAA+Z,EAAezE,GAAQtV,EAAO,QAAS,EAClC+Z,EAAa,OAAS,GAC1BxE,GAAewE,EAAc,CAACC,GAAU1E,GAAQ/V,EAAM,QAAS,CAAE,EAI3DS,CACR,EAEA,UAAW,SAAUZ,EAAQ,CAK5B,QAJIsT,EAAMnT,EAAM8B,EACfkP,EAAUvR,EAAO,MAAM,QACvBN,EAAI,GAEKa,EAAOH,EAAOV,CAAE,KAAQ,OAAWA,IAC5C,GAAK6T,GAAYhT,CAAK,EAAI,CACzB,GAAOmT,EAAOnT,EAAMqT,EAAS,OAAQ,EAAM,CAC1C,GAAKF,EAAK,OACT,IAAMrR,KAAQqR,EAAK,OACbnC,EAASlP,CAAK,EAClBrC,EAAO,MAAM,OAAQO,EAAM8B,CAAK,EAIhCrC,EAAO,YAAaO,EAAM8B,EAAMqR,EAAK,MAAO,EAO/CnT,EAAMqT,EAAS,OAAQ,EAAI,MAC5B,CACKrT,EAAMsT,GAAS,OAAQ,IAI3BtT,EAAMsT,GAAS,OAAQ,EAAI,OAE7B,CAEF,CACD,CAAE,EAEF7T,EAAO,GAAG,OAAQ,CACjB,OAAQ,SAAUC,EAAW,CAC5B,OAAOwa,GAAQ,KAAMxa,EAAU,EAAK,CACrC,EAEA,OAAQ,SAAUA,EAAW,CAC5B,OAAOwa,GAAQ,KAAMxa,CAAS,CAC/B,EAEA,KAAM,SAAUkC,EAAQ,CACvB,OAAOuQ,GAAQ,KAAM,SAAUvQ,EAAQ,CACtC,OAAOA,IAAU,OAChBnC,EAAO,KAAM,IAAK,EAClB,KAAK,MAAM,EAAE,KAAM,UAAW,EACxB,KAAK,WAAa,GAAK,KAAK,WAAa,IAAM,KAAK,WAAa,KACrE,KAAK,YAAcmC,EAErB,CAAE,CACJ,EAAG,KAAMA,EAAO,UAAU,MAAO,CAClC,EAEA,OAAQ,UAAW,CAClB,OAAOiY,GAAU,KAAM,UAAW,SAAU7Z,EAAO,CAClD,GAAK,KAAK,WAAa,GAAK,KAAK,WAAa,IAAM,KAAK,WAAa,EAAI,CACzE,IAAIU,EAASyY,GAAoB,KAAMnZ,CAAK,EAC5CU,EAAO,YAAaV,CAAK,CAC1B,CACD,CAAE,CACH,EAEA,QAAS,UAAW,CACnB,OAAO6Z,GAAU,KAAM,UAAW,SAAU7Z,EAAO,CAClD,GAAK,KAAK,WAAa,GAAK,KAAK,WAAa,IAAM,KAAK,WAAa,EAAI,CACzE,IAAIU,EAASyY,GAAoB,KAAMnZ,CAAK,EAC5CU,EAAO,aAAcV,EAAMU,EAAO,UAAW,CAC9C,CACD,CAAE,CACH,EAEA,OAAQ,UAAW,CAClB,OAAOmZ,GAAU,KAAM,UAAW,SAAU7Z,EAAO,CAC7C,KAAK,YACT,KAAK,WAAW,aAAcA,EAAM,IAAK,CAE3C,CAAE,CACH,EAEA,MAAO,UAAW,CACjB,OAAO6Z,GAAU,KAAM,UAAW,SAAU7Z,EAAO,CAC7C,KAAK,YACT,KAAK,WAAW,aAAcA,EAAM,KAAK,WAAY,CAEvD,CAAE,CACH,EAEA,MAAO,UAAW,CAIjB,QAHIA,EACHb,EAAI,GAEKa,EAAO,KAAMb,CAAE,IAAO,KAAMA,IAChCa,EAAK,WAAa,IAGtBP,EAAO,UAAWsW,GAAQ/V,EAAM,EAAM,CAAE,EAGxCA,EAAK,YAAc,IAIrB,OAAO,IACR,EAEA,MAAO,SAAUqa,EAAeC,EAAoB,CACnD,OAAAD,EAAgBA,GAAwB,GACxCC,EAAoBA,GAA4BD,EAEzC,KAAK,IAAK,UAAW,CAC3B,OAAO5a,EAAO,MAAO,KAAM4a,EAAeC,CAAkB,CAC7D,CAAE,CACH,EAEA,KAAM,SAAU1Y,EAAQ,CACvB,OAAOuQ,GAAQ,KAAM,SAAUvQ,EAAQ,CACtC,IAAI5B,EAAO,KAAM,CAAE,GAAK,CAAC,EACxBb,EAAI,EACJkP,EAAI,KAAK,OAEV,GAAKzM,IAAU,QAAa5B,EAAK,WAAa,EAC7C,OAAOA,EAAK,UAIb,GAAK,OAAO4B,GAAU,UAAY,CAACoX,GAAa,KAAMpX,CAAM,GAC3D,CAACkU,IAAWJ,GAAS,KAAM9T,CAAM,GAAK,CAAE,GAAI,EAAG,GAAK,CAAE,EAAE,YAAY,CAAE,EAAI,CAE1EA,EAAQnC,EAAO,cAAemC,CAAM,EAEpC,GAAI,CACH,KAAQzC,EAAIkP,EAAGlP,IACda,EAAO,KAAMb,CAAE,GAAK,CAAC,EAGhBa,EAAK,WAAa,IACtBP,EAAO,UAAWsW,GAAQ/V,EAAM,EAAM,CAAE,EACxCA,EAAK,UAAY4B,GAInB5B,EAAO,CAGR,MAAc,CAAC,CAChB,CAEKA,GACJ,KAAK,MAAM,EAAE,OAAQ4B,CAAM,CAE7B,EAAG,KAAMA,EAAO,UAAU,MAAO,CAClC,EAEA,YAAa,UAAW,CACvB,IAAI0U,EAAU,CAAC,EAGf,OAAOuD,GAAU,KAAM,UAAW,SAAU7Z,EAAO,CAClD,IAAIiJ,EAAS,KAAK,WAEbxJ,EAAO,QAAS,KAAM6W,CAAQ,EAAI,IACtC7W,EAAO,UAAWsW,GAAQ,IAAK,CAAE,EAC5B9M,GACJA,EAAO,aAAcjJ,EAAM,IAAK,EAKnC,EAAGsW,CAAQ,CACZ,CACD,CAAE,EAEF7W,EAAO,KAAM,CACZ,SAAU,SACV,UAAW,UACX,aAAc,SACd,YAAa,QACb,WAAY,aACb,EAAG,SAAUY,EAAMqa,EAAW,CAC7Bjb,EAAO,GAAIY,CAAK,EAAI,SAAUX,EAAW,CAOxC,QANIG,EACHC,EAAM,CAAC,EACP6a,EAASlb,EAAQC,CAAS,EAC1B6I,EAAOoS,EAAO,OAAS,EACvBxb,EAAI,EAEGA,GAAKoJ,EAAMpJ,IAClBU,EAAQV,IAAMoJ,EAAO,KAAO,KAAK,MAAO,EAAK,EAC7C9I,EAAQkb,EAAQxb,CAAE,CAAE,EAAGub,CAAS,EAAG7a,CAAM,EAIzC3B,EAAK,MAAO4B,EAAKD,EAAM,IAAI,CAAE,EAG9B,OAAO,KAAK,UAAWC,CAAI,CAC5B,CACD,CAAE,EACF,IAAI8a,GAAY,IAAI,OAAQ,KAAOzG,GAAO,kBAAmB,GAAI,EAE7D0G,GAAc,MAGdC,GAAY,SAAU9a,EAAO,CAK/B,IAAI+a,EAAO/a,EAAK,cAAc,YAE9B,OAAK,CAAC+a,GAAQ,CAACA,EAAK,UACnBA,EAAOpd,GAGDod,EAAK,iBAAkB/a,CAAK,CACpC,EAEGgb,GAAO,SAAUhb,EAAMI,EAASL,EAAW,CAC9C,IAAID,EAAKO,EACR4a,EAAM,CAAC,EAGR,IAAM5a,KAAQD,EACb6a,EAAK5a,CAAK,EAAIL,EAAK,MAAOK,CAAK,EAC/BL,EAAK,MAAOK,CAAK,EAAID,EAASC,CAAK,EAGpCP,EAAMC,EAAS,KAAMC,CAAK,EAG1B,IAAMK,KAAQD,EACbJ,EAAK,MAAOK,CAAK,EAAI4a,EAAK5a,CAAK,EAGhC,OAAOP,CACR,EAGIob,GAAY,IAAI,OAAQ7G,GAAU,KAAM,GAAI,EAAG,GAAI,GAIrD,UAAW,CAIZ,SAAS8G,GAAoB,CAG5B,GAAMtF,EAIN,CAAAuF,EAAU,MAAM,QAAU,+EAE1BvF,EAAI,MAAM,QACT,4HAGD1S,GAAgB,YAAaiY,CAAU,EAAE,YAAavF,CAAI,EAE1D,IAAIwF,EAAW1d,EAAO,iBAAkBkY,CAAI,EAC5CyF,EAAmBD,EAAS,MAAQ,KAGpCE,EAAwBC,EAAoBH,EAAS,UAAW,IAAM,GAItExF,EAAI,MAAM,MAAQ,MAClB4F,EAAoBD,EAAoBH,EAAS,KAAM,IAAM,GAI7DK,EAAuBF,EAAoBH,EAAS,KAAM,IAAM,GAMhExF,EAAI,MAAM,SAAW,WACrB8F,EAAmBH,EAAoB3F,EAAI,YAAc,CAAE,IAAM,GAEjE1S,GAAgB,YAAaiY,CAAU,EAIvCvF,EAAM,KACP,CAEA,SAAS2F,EAAoBI,EAAU,CACtC,OAAO,KAAK,MAAO,WAAYA,CAAQ,CAAE,CAC1C,CAEA,IAAIN,EAAkBI,EAAsBC,EAAkBF,EAC7DI,EAAyBN,EACzBH,EAAYvc,EAAS,cAAe,KAAM,EAC1CgX,EAAMhX,EAAS,cAAe,KAAM,EAG/BgX,EAAI,QAMVA,EAAI,MAAM,eAAiB,cAC3BA,EAAI,UAAW,EAAK,EAAE,MAAM,eAAiB,GAC7CpX,EAAQ,gBAAkBoX,EAAI,MAAM,iBAAmB,cAEvDpW,EAAO,OAAQhB,EAAS,CACvB,kBAAmB,UAAW,CAC7B,OAAA0c,EAAkB,EACXO,CACR,EACA,eAAgB,UAAW,CAC1B,OAAAP,EAAkB,EACXM,CACR,EACA,cAAe,UAAW,CACzB,OAAAN,EAAkB,EACXG,CACR,EACA,mBAAoB,UAAW,CAC9B,OAAAH,EAAkB,EACXI,CACR,EACA,cAAe,UAAW,CACzB,OAAAJ,EAAkB,EACXQ,CACR,EAWA,qBAAsB,UAAW,CAChC,IAAIG,EAAOC,EAAIC,EAASC,EACxB,OAAKJ,GAA2B,OAC/BC,EAAQjd,EAAS,cAAe,OAAQ,EACxCkd,EAAKld,EAAS,cAAe,IAAK,EAClCmd,EAAUnd,EAAS,cAAe,KAAM,EAExCid,EAAM,MAAM,QAAU,2DACtBC,EAAG,MAAM,QAAU,mBAKnBA,EAAG,MAAM,OAAS,MAClBC,EAAQ,MAAM,OAAS,MAQvBA,EAAQ,MAAM,QAAU,QAExB7Y,GACE,YAAa2Y,CAAM,EACnB,YAAaC,CAAG,EAChB,YAAaC,CAAQ,EAEvBC,EAAUte,EAAO,iBAAkBoe,CAAG,EACtCF,EAA4B,SAAUI,EAAQ,OAAQ,EAAG,EACxD,SAAUA,EAAQ,eAAgB,EAAG,EACrC,SAAUA,EAAQ,kBAAmB,EAAG,IAAQF,EAAG,aAEpD5Y,GAAgB,YAAa2Y,CAAM,GAE7BD,CACR,CACD,CAAE,EACH,GAAI,EAGJ,SAASK,GAAQlc,EAAMK,EAAM8b,EAAW,CACvC,IAAIC,EAAOC,EAAUC,EAAUxc,EAC9Byc,EAAe1B,GAAY,KAAMxa,CAAK,EAMtCmc,EAAQxc,EAAK,MAEd,OAAAmc,EAAWA,GAAYrB,GAAW9a,CAAK,EAKlCmc,IAWJrc,EAAMqc,EAAS,iBAAkB9b,CAAK,GAAK8b,EAAU9b,CAAK,EAErDkc,GAAgBzc,IAkBpBA,EAAMA,EAAI,QAASsC,GAAU,IAAK,GAAK,QAGnCtC,IAAQ,IAAM,CAACwU,GAAYtU,CAAK,IACpCF,EAAML,EAAO,MAAOO,EAAMK,CAAK,GAQ3B,CAAC5B,EAAQ,eAAe,GAAKmc,GAAU,KAAM9a,CAAI,GAAKob,GAAU,KAAM7a,CAAK,IAG/E+b,EAAQI,EAAM,MACdH,EAAWG,EAAM,SACjBF,EAAWE,EAAM,SAGjBA,EAAM,SAAWA,EAAM,SAAWA,EAAM,MAAQ1c,EAChDA,EAAMqc,EAAS,MAGfK,EAAM,MAAQJ,EACdI,EAAM,SAAWH,EACjBG,EAAM,SAAWF,IAIZxc,IAAQ,OAIdA,EAAM,GACNA,CACF,CAGA,SAAS2c,GAAcC,EAAaC,EAAS,CAG5C,MAAO,CACN,IAAK,UAAW,CACf,GAAKD,EAAY,EAAI,CAIpB,OAAO,KAAK,IACZ,MACD,CAGA,OAAS,KAAK,IAAMC,GAAS,MAAO,KAAM,SAAU,CACrD,CACD,CACD,CAGA,IAAIC,GAAc,CAAE,SAAU,MAAO,IAAK,EACzCC,GAAahe,EAAS,cAAe,KAAM,EAAE,MAC7Cie,GAAc,CAAC,EAGhB,SAASC,GAAgB1c,EAAO,CAM/B,QAHI2c,EAAU3c,EAAM,CAAE,EAAE,YAAY,EAAIA,EAAK,MAAO,CAAE,EACrDlB,EAAIyd,GAAY,OAETzd,KAEP,GADAkB,EAAOuc,GAAazd,CAAE,EAAI6d,EACrB3c,KAAQwc,GACZ,OAAOxc,CAGV,CAGA,SAAS4c,GAAe5c,EAAO,CAC9B,IAAI6c,EAAQzd,EAAO,SAAUY,CAAK,GAAKyc,GAAazc,CAAK,EAEzD,OAAK6c,IAGA7c,KAAQwc,GACLxc,EAEDyc,GAAazc,CAAK,EAAI0c,GAAgB1c,CAAK,GAAKA,EACxD,CAGA,IAKC8c,GAAe,4BACfC,GAAU,CAAE,SAAU,WAAY,WAAY,SAAU,QAAS,OAAQ,EACzEC,GAAqB,CACpB,cAAe,IACf,WAAY,KACb,EAED,SAASC,GAAmBrd,EAAO2B,EAAO2b,EAAW,CAIpD,IAAI9b,EAAU2S,GAAQ,KAAMxS,CAAM,EAClC,OAAOH,EAGN,KAAK,IAAK,EAAGA,EAAS,CAAE,GAAM8b,GAAY,EAAI,GAAM9b,EAAS,CAAE,GAAK,MACpEG,CACF,CAEA,SAAS4b,GAAoBxd,EAAMyd,EAAWC,EAAKC,EAAaC,EAAQC,EAAc,CACrF,IAAI1e,EAAIse,IAAc,QAAU,EAAI,EACnCK,EAAQ,EACRC,EAAQ,EACRC,EAAc,EAGf,GAAKN,KAAUC,EAAc,SAAW,WACvC,MAAO,GAGR,KAAQxe,EAAI,EAAGA,GAAK,EAKdue,IAAQ,WACZM,GAAeve,EAAO,IAAKO,EAAM0d,EAAMrJ,GAAWlV,CAAE,EAAG,GAAMye,CAAO,GAI/DD,GAmBAD,IAAQ,YACZK,GAASte,EAAO,IAAKO,EAAM,UAAYqU,GAAWlV,CAAE,EAAG,GAAMye,CAAO,GAIhEF,IAAQ,WACZK,GAASte,EAAO,IAAKO,EAAM,SAAWqU,GAAWlV,CAAE,EAAI,QAAS,GAAMye,CAAO,KAtB9EG,GAASte,EAAO,IAAKO,EAAM,UAAYqU,GAAWlV,CAAE,EAAG,GAAMye,CAAO,EAG/DF,IAAQ,UACZK,GAASte,EAAO,IAAKO,EAAM,SAAWqU,GAAWlV,CAAE,EAAI,QAAS,GAAMye,CAAO,EAI7EE,GAASre,EAAO,IAAKO,EAAM,SAAWqU,GAAWlV,CAAE,EAAI,QAAS,GAAMye,CAAO,GAoBhF,MAAK,CAACD,GAAeE,GAAe,IAInCE,GAAS,KAAK,IAAK,EAAG,KAAK,KAC1B/d,EAAM,SAAWyd,EAAW,CAAE,EAAE,YAAY,EAAIA,EAAU,MAAO,CAAE,CAAE,EACrEI,EACAE,EACAD,EACA,EAID,CAAE,GAAK,GAGDC,EAAQC,CAChB,CAEA,SAASC,GAAkBje,EAAMyd,EAAWK,EAAQ,CAGnD,IAAIF,EAAS9C,GAAW9a,CAAK,EAI5Bke,EAAkB,CAACzf,EAAQ,kBAAkB,GAAKqf,EAClDH,EAAcO,GACbze,EAAO,IAAKO,EAAM,YAAa,GAAO4d,CAAO,IAAM,aACpDO,EAAmBR,EAEnBve,EAAM8c,GAAQlc,EAAMyd,EAAWG,CAAO,EACtCQ,EAAa,SAAWX,EAAW,CAAE,EAAE,YAAY,EAAIA,EAAU,MAAO,CAAE,EAI3E,GAAK7C,GAAU,KAAMxb,CAAI,EAAI,CAC5B,GAAK,CAAC0e,EACL,OAAO1e,EAERA,EAAM,MACP,CAMA,OAAO,CAACX,EAAQ,kBAAkB,GAAKkf,GAMtC,CAAClf,EAAQ,qBAAqB,GAAKsD,EAAU/B,EAAM,IAAK,GAIxDZ,IAAQ,QAIR,CAAC,WAAYA,CAAI,GAAKK,EAAO,IAAKO,EAAM,UAAW,GAAO4d,CAAO,IAAM,WAGvE5d,EAAK,eAAe,EAAE,SAEtB2d,EAAcle,EAAO,IAAKO,EAAM,YAAa,GAAO4d,CAAO,IAAM,aAKjEO,EAAmBC,KAAcpe,EAC5Bme,IACJ/e,EAAMY,EAAMoe,CAAW,IAKzBhf,EAAM,WAAYA,CAAI,GAAK,EAGlBA,EACRoe,GACCxd,EACAyd,EACAK,IAAWH,EAAc,SAAW,WACpCQ,EACAP,EAGAxe,CACD,EACG,IACL,CAEAK,EAAO,OAAQ,CAId,SAAU,CACT,QAAS,CACR,IAAK,SAAUO,EAAMmc,EAAW,CAC/B,GAAKA,EAAW,CAGf,IAAIrc,EAAMoc,GAAQlc,EAAM,SAAU,EAClC,OAAOF,IAAQ,GAAK,IAAMA,CAC3B,CACD,CACD,CACD,EAGA,UAAW,CACV,wBAAyB,GACzB,YAAa,GACb,iBAAkB,GAClB,YAAa,GACb,SAAU,GACV,WAAY,GACZ,WAAY,GACZ,SAAU,GACV,WAAY,GACZ,cAAe,GACf,gBAAiB,GACjB,QAAS,GACT,WAAY,GACZ,aAAc,GACd,WAAY,GACZ,QAAS,GACT,MAAO,GACP,QAAS,GACT,MAAO,GACP,OAAQ,GACR,OAAQ,GACR,KAAM,GAGN,YAAa,GACb,aAAc,GACd,YAAa,GACb,iBAAkB,GAClB,cAAe,EAChB,EAIA,SAAU,CAAC,EAGX,MAAO,SAAUE,EAAMK,EAAMuB,EAAOkc,EAAQ,CAG3C,GAAK,GAAC9d,GAAQA,EAAK,WAAa,GAAKA,EAAK,WAAa,GAAK,CAACA,EAAK,OAKlE,KAAIF,EAAKgC,EAAM+R,EACdwK,EAAWvL,GAAWzS,CAAK,EAC3Bkc,EAAe1B,GAAY,KAAMxa,CAAK,EACtCmc,EAAQxc,EAAK,MAad,GARMuc,IACLlc,EAAO4c,GAAeoB,CAAS,GAIhCxK,EAAQpU,EAAO,SAAUY,CAAK,GAAKZ,EAAO,SAAU4e,CAAS,EAGxDzc,IAAU,OAAY,CAY1B,GAXAE,EAAO,OAAOF,EAGTE,IAAS,WAAchC,EAAMsU,GAAQ,KAAMxS,CAAM,IAAO9B,EAAK,CAAE,IACnE8B,EAAQ6S,GAAWzU,EAAMK,EAAMP,CAAI,EAGnCgC,EAAO,UAIHF,GAAS,MAAQA,IAAUA,EAC/B,OAMIE,IAAS,UAAY,CAACya,IAC1B3a,GAAS9B,GAAOA,EAAK,CAAE,IAAOL,EAAO,UAAW4e,CAAS,EAAI,GAAK,OAI9D,CAAC5f,EAAQ,iBAAmBmD,IAAU,IAAMvB,EAAK,QAAS,YAAa,IAAM,IACjFmc,EAAOnc,CAAK,EAAI,YAIZ,CAACwT,GAAS,EAAG,QAASA,KACxBjS,EAAQiS,EAAM,IAAK7T,EAAM4B,EAAOkc,CAAM,KAAQ,UAE3CvB,EACJC,EAAM,YAAanc,EAAMuB,CAAM,EAE/B4a,EAAOnc,CAAK,EAAIuB,EAInB,KAGC,QAAKiS,GAAS,QAASA,IACpB/T,EAAM+T,EAAM,IAAK7T,EAAM,GAAO8d,CAAM,KAAQ,OAEvChe,EAID0c,EAAOnc,CAAK,EAErB,EAEA,IAAK,SAAUL,EAAMK,EAAMyd,EAAOF,EAAS,CAC1C,IAAIxe,EAAKQ,EAAKiU,EACbwK,EAAWvL,GAAWzS,CAAK,EAC3Bkc,EAAe1B,GAAY,KAAMxa,CAAK,EA4BvC,OAvBMkc,IACLlc,EAAO4c,GAAeoB,CAAS,GAIhCxK,EAAQpU,EAAO,SAAUY,CAAK,GAAKZ,EAAO,SAAU4e,CAAS,EAGxDxK,GAAS,QAASA,IACtBzU,EAAMyU,EAAM,IAAK7T,EAAM,GAAM8d,CAAM,GAI/B1e,IAAQ,SACZA,EAAM8c,GAAQlc,EAAMK,EAAMud,CAAO,GAI7Bxe,IAAQ,UAAYiB,KAAQgd,KAChCje,EAAMie,GAAoBhd,CAAK,GAI3Byd,IAAU,IAAMA,GACpBle,EAAM,WAAYR,CAAI,EACf0e,IAAU,IAAQ,SAAUle,CAAI,EAAIA,GAAO,EAAIR,GAGhDA,CACR,CACD,CAAE,EAEFK,EAAO,KAAM,CAAE,SAAU,OAAQ,EAAG,SAAUoC,EAAI4b,EAAY,CAC7Dhe,EAAO,SAAUge,CAAU,EAAI,CAC9B,IAAK,SAAUzd,EAAMmc,EAAU2B,EAAQ,CACtC,GAAK3B,EAIJ,OAAOgB,GAAa,KAAM1d,EAAO,IAAKO,EAAM,SAAU,CAAE,IAQrD,CAACA,EAAK,eAAe,EAAE,QAAU,CAACA,EAAK,sBAAsB,EAAE,OACjEgb,GAAMhb,EAAMod,GAAS,UAAW,CAC/B,OAAOa,GAAkBje,EAAMyd,EAAWK,CAAM,CACjD,CAAE,EACFG,GAAkBje,EAAMyd,EAAWK,CAAM,CAE5C,EAEA,IAAK,SAAU9d,EAAM4B,EAAOkc,EAAQ,CACnC,IAAIrc,EACHmc,EAAS9C,GAAW9a,CAAK,EAIzBse,EAAqB,CAAC7f,EAAQ,cAAc,GAC3Cmf,EAAO,WAAa,WAGrBM,EAAkBI,GAAsBR,EACxCH,EAAcO,GACbze,EAAO,IAAKO,EAAM,YAAa,GAAO4d,CAAO,IAAM,aACpDL,EAAWO,EACVN,GACCxd,EACAyd,EACAK,EACAH,EACAC,CACD,EACA,EAIF,OAAKD,GAAeW,IACnBf,GAAY,KAAK,KAChBvd,EAAM,SAAWyd,EAAW,CAAE,EAAE,YAAY,EAAIA,EAAU,MAAO,CAAE,CAAE,EACrE,WAAYG,EAAQH,CAAU,CAAE,EAChCD,GAAoBxd,EAAMyd,EAAW,SAAU,GAAOG,CAAO,EAC7D,EACD,GAIIL,IAAc9b,EAAU2S,GAAQ,KAAMxS,CAAM,KAC9CH,EAAS,CAAE,GAAK,QAAW,OAE7BzB,EAAK,MAAOyd,CAAU,EAAI7b,EAC1BA,EAAQnC,EAAO,IAAKO,EAAMyd,CAAU,GAG9BH,GAAmBtd,EAAM4B,EAAO2b,CAAS,CACjD,CACD,CACD,CAAE,EAEF9d,EAAO,SAAS,WAAagd,GAAche,EAAQ,mBAClD,SAAUuB,EAAMmc,EAAW,CAC1B,GAAKA,EACJ,OAAS,WAAYD,GAAQlc,EAAM,YAAa,CAAE,GACjDA,EAAK,sBAAsB,EAAE,KAC5Bgb,GAAMhb,EAAM,CAAE,WAAY,CAAE,EAAG,UAAW,CACzC,OAAOA,EAAK,sBAAsB,EAAE,IACrC,CAAE,GACA,IAEN,CACD,EAGAP,EAAO,KAAM,CACZ,OAAQ,GACR,QAAS,GACT,OAAQ,OACT,EAAG,SAAU8e,EAAQC,EAAS,CAC7B/e,EAAO,SAAU8e,EAASC,CAAO,EAAI,CACpC,OAAQ,SAAU5c,EAAQ,CAOzB,QANIzC,EAAI,EACPsf,EAAW,CAAC,EAGZC,EAAQ,OAAO9c,GAAU,SAAWA,EAAM,MAAO,GAAI,EAAI,CAAEA,CAAM,EAE1DzC,EAAI,EAAGA,IACdsf,EAAUF,EAASlK,GAAWlV,CAAE,EAAIqf,CAAO,EAC1CE,EAAOvf,CAAE,GAAKuf,EAAOvf,EAAI,CAAE,GAAKuf,EAAO,CAAE,EAG3C,OAAOD,CACR,CACD,EAEKF,IAAW,WACf9e,EAAO,SAAU8e,EAASC,CAAO,EAAE,IAAMlB,GAE3C,CAAE,EAEF7d,EAAO,GAAG,OAAQ,CACjB,IAAK,SAAUY,EAAMuB,EAAQ,CAC5B,OAAOuQ,GAAQ,KAAM,SAAUnS,EAAMK,EAAMuB,EAAQ,CAClD,IAAIgc,EAAQ1d,EACXiL,EAAM,CAAC,EACPhM,EAAI,EAEL,GAAK,MAAM,QAASkB,CAAK,EAAI,CAI5B,IAHAud,EAAS9C,GAAW9a,CAAK,EACzBE,EAAMG,EAAK,OAEHlB,EAAIe,EAAKf,IAChBgM,EAAK9K,EAAMlB,CAAE,CAAE,EAAIM,EAAO,IAAKO,EAAMK,EAAMlB,CAAE,EAAG,GAAOye,CAAO,EAG/D,OAAOzS,CACR,CAEA,OAAOvJ,IAAU,OAChBnC,EAAO,MAAOO,EAAMK,EAAMuB,CAAM,EAChCnC,EAAO,IAAKO,EAAMK,CAAK,CACzB,EAAGA,EAAMuB,EAAO,UAAU,OAAS,CAAE,CACtC,CACD,CAAE,EAGF,SAAS+c,GAAO3e,EAAMI,EAASgT,EAAMwL,EAAKC,EAAS,CAClD,OAAO,IAAIF,GAAM,UAAU,KAAM3e,EAAMI,EAASgT,EAAMwL,EAAKC,CAAO,CACnE,CACApf,EAAO,MAAQkf,GAEfA,GAAM,UAAY,CACjB,YAAaA,GACb,KAAM,SAAU3e,EAAMI,EAASgT,EAAMwL,EAAKC,EAAQ5J,EAAO,CACxD,KAAK,KAAOjV,EACZ,KAAK,KAAOoT,EACZ,KAAK,OAASyL,GAAUpf,EAAO,OAAO,SACtC,KAAK,QAAUW,EACf,KAAK,MAAQ,KAAK,IAAM,KAAK,IAAI,EACjC,KAAK,IAAMwe,EACX,KAAK,KAAO3J,IAAUxV,EAAO,UAAW2T,CAAK,EAAI,GAAK,KACvD,EACA,IAAK,UAAW,CACf,IAAIS,EAAQ8K,GAAM,UAAW,KAAK,IAAK,EAEvC,OAAO9K,GAASA,EAAM,IACrBA,EAAM,IAAK,IAAK,EAChB8K,GAAM,UAAU,SAAS,IAAK,IAAK,CACrC,EACA,IAAK,SAAUG,EAAU,CACxB,IAAIC,EACHlL,EAAQ8K,GAAM,UAAW,KAAK,IAAK,EAEpC,OAAK,KAAK,QAAQ,SACjB,KAAK,IAAMI,EAAQtf,EAAO,OAAQ,KAAK,MAAO,EAC7Cqf,EAAS,KAAK,QAAQ,SAAWA,EAAS,EAAG,EAAG,KAAK,QAAQ,QAC9D,EAEA,KAAK,IAAMC,EAAQD,EAEpB,KAAK,KAAQ,KAAK,IAAM,KAAK,OAAUC,EAAQ,KAAK,MAE/C,KAAK,QAAQ,MACjB,KAAK,QAAQ,KAAK,KAAM,KAAK,KAAM,KAAK,IAAK,IAAK,EAG9ClL,GAASA,EAAM,IACnBA,EAAM,IAAK,IAAK,EAEhB8K,GAAM,UAAU,SAAS,IAAK,IAAK,EAE7B,IACR,CACD,EAEAA,GAAM,UAAU,KAAK,UAAYA,GAAM,UAEvCA,GAAM,UAAY,CACjB,SAAU,CACT,IAAK,SAAUhK,EAAQ,CACtB,IAAIvM,EAIJ,OAAKuM,EAAM,KAAK,WAAa,GAC5BA,EAAM,KAAMA,EAAM,IAAK,GAAK,MAAQA,EAAM,KAAK,MAAOA,EAAM,IAAK,GAAK,KAC/DA,EAAM,KAAMA,EAAM,IAAK,GAO/BvM,EAAS3I,EAAO,IAAKkV,EAAM,KAAMA,EAAM,KAAM,EAAG,EAGzC,CAACvM,GAAUA,IAAW,OAAS,EAAIA,EAC3C,EACA,IAAK,SAAUuM,EAAQ,CAKjBlV,EAAO,GAAG,KAAMkV,EAAM,IAAK,EAC/BlV,EAAO,GAAG,KAAMkV,EAAM,IAAK,EAAGA,CAAM,EACzBA,EAAM,KAAK,WAAa,IACnClV,EAAO,SAAUkV,EAAM,IAAK,GAC3BA,EAAM,KAAK,MAAOsI,GAAetI,EAAM,IAAK,CAAE,GAAK,MACpDlV,EAAO,MAAOkV,EAAM,KAAMA,EAAM,KAAMA,EAAM,IAAMA,EAAM,IAAK,EAE7DA,EAAM,KAAMA,EAAM,IAAK,EAAIA,EAAM,GAEnC,CACD,CACD,EAIAgK,GAAM,UAAU,UAAYA,GAAM,UAAU,WAAa,CACxD,IAAK,SAAUhK,EAAQ,CACjBA,EAAM,KAAK,UAAYA,EAAM,KAAK,aACtCA,EAAM,KAAMA,EAAM,IAAK,EAAIA,EAAM,IAEnC,CACD,EAEAlV,EAAO,OAAS,CACf,OAAQ,SAAUuf,EAAI,CACrB,OAAOA,CACR,EACA,MAAO,SAAUA,EAAI,CACpB,MAAO,IAAM,KAAK,IAAKA,EAAI,KAAK,EAAG,EAAI,CACxC,EACA,SAAU,OACX,EAEAvf,EAAO,GAAKkf,GAAM,UAAU,KAG5Blf,EAAO,GAAG,KAAO,CAAC,EAKlB,IACCwf,GAAOC,GACPC,GAAW,yBACXC,GAAO,cAER,SAASC,IAAW,CACdH,KACCrgB,EAAS,SAAW,IAASlB,EAAO,sBACxCA,EAAO,sBAAuB0hB,EAAS,EAEvC1hB,EAAO,WAAY0hB,GAAU5f,EAAO,GAAG,QAAS,EAGjDA,EAAO,GAAG,KAAK,EAEjB,CAGA,SAAS6f,IAAc,CACtB,OAAA3hB,EAAO,WAAY,UAAW,CAC7BshB,GAAQ,MACT,CAAE,EACOA,GAAQ,KAAK,IAAI,CAC3B,CAGA,SAASM,GAAOzd,EAAM0d,EAAe,CACpC,IAAIC,EACHtgB,EAAI,EACJwU,EAAQ,CAAE,OAAQ7R,CAAK,EAKxB,IADA0d,EAAeA,EAAe,EAAI,EAC1BrgB,EAAI,EAAGA,GAAK,EAAIqgB,EACvBC,EAAQpL,GAAWlV,CAAE,EACrBwU,EAAO,SAAW8L,CAAM,EAAI9L,EAAO,UAAY8L,CAAM,EAAI3d,EAG1D,OAAK0d,IACJ7L,EAAM,QAAUA,EAAM,MAAQ7R,GAGxB6R,CACR,CAEA,SAAS+L,GAAa9d,EAAOwR,EAAMuM,EAAY,CAK9C,QAJIhL,EACHmF,GAAe8F,GAAU,SAAUxM,CAAK,GAAK,CAAC,GAAI,OAAQwM,GAAU,SAAU,GAAI,CAAE,EACpFrQ,EAAQ,EACR5O,EAASmZ,EAAW,OACbvK,EAAQ5O,EAAQ4O,IACvB,GAAOoF,EAAQmF,EAAYvK,CAAM,EAAE,KAAMoQ,EAAWvM,EAAMxR,CAAM,EAG/D,OAAO+S,CAGV,CAEA,SAASkL,GAAkB7f,EAAMwY,EAAOsH,EAAO,CAC9C,IAAI1M,EAAMxR,EAAOme,EAAQlM,EAAOmM,EAASC,EAAWC,EAAgB7K,EACnE8K,EAAQ,UAAW3H,GAAS,WAAYA,EACxC4H,EAAO,KACPvH,EAAO,CAAC,EACR2D,GAAQxc,EAAK,MACbqgB,GAASrgB,EAAK,UAAYwU,GAAoBxU,CAAK,EACnDsgB,GAAWjN,EAAS,IAAKrT,EAAM,QAAS,EAGnC8f,EAAK,QACVjM,EAAQpU,EAAO,YAAaO,EAAM,IAAK,EAClC6T,EAAM,UAAY,OACtBA,EAAM,SAAW,EACjBmM,EAAUnM,EAAM,MAAM,KACtBA,EAAM,MAAM,KAAO,UAAW,CACvBA,EAAM,UACXmM,EAAQ,CAEV,GAEDnM,EAAM,WAENuM,EAAK,OAAQ,UAAW,CAGvBA,EAAK,OAAQ,UAAW,CACvBvM,EAAM,WACApU,EAAO,MAAOO,EAAM,IAAK,EAAE,QAChC6T,EAAM,MAAM,KAAK,CAEnB,CAAE,CACH,CAAE,GAIH,IAAMT,KAAQoF,EAEb,GADA5W,EAAQ4W,EAAOpF,CAAK,EACf+L,GAAS,KAAMvd,CAAM,EAAI,CAG7B,GAFA,OAAO4W,EAAOpF,CAAK,EACnB2M,EAASA,GAAUne,IAAU,SACxBA,KAAYye,GAAS,OAAS,QAIlC,GAAKze,IAAU,QAAU0e,IAAYA,GAAUlN,CAAK,IAAM,OACzDiN,GAAS,OAIT,UAGFxH,EAAMzF,CAAK,EAAIkN,IAAYA,GAAUlN,CAAK,GAAK3T,EAAO,MAAOO,EAAMoT,CAAK,CACzE,CAKD,GADA6M,EAAY,CAACxgB,EAAO,cAAe+Y,CAAM,EACpC,GAACyH,GAAaxgB,EAAO,cAAeoZ,CAAK,GAK9C,CAAKsH,GAASngB,EAAK,WAAa,IAM/B8f,EAAK,SAAW,CAAEtD,GAAM,SAAUA,GAAM,UAAWA,GAAM,SAAU,EAGnE0D,EAAiBI,IAAYA,GAAS,QACjCJ,GAAkB,OACtBA,EAAiB7M,EAAS,IAAKrT,EAAM,SAAU,GAEhDqV,EAAU5V,EAAO,IAAKO,EAAM,SAAU,EACjCqV,IAAY,SACX6K,EACJ7K,EAAU6K,GAIV5K,GAAU,CAAEtV,CAAK,EAAG,EAAK,EACzBkgB,EAAiBlgB,EAAK,MAAM,SAAWkgB,EACvC7K,EAAU5V,EAAO,IAAKO,EAAM,SAAU,EACtCsV,GAAU,CAAEtV,CAAK,CAAE,KAKhBqV,IAAY,UAAYA,IAAY,gBAAkB6K,GAAkB,OACvEzgB,EAAO,IAAKO,EAAM,OAAQ,IAAM,SAG9BigB,IACLG,EAAK,KAAM,UAAW,CACrB5D,GAAM,QAAU0D,CACjB,CAAE,EACGA,GAAkB,OACtB7K,EAAUmH,GAAM,QAChB0D,EAAiB7K,IAAY,OAAS,GAAKA,IAG7CmH,GAAM,QAAU,iBAKdsD,EAAK,WACTtD,GAAM,SAAW,SACjB4D,EAAK,OAAQ,UAAW,CACvB5D,GAAM,SAAWsD,EAAK,SAAU,CAAE,EAClCtD,GAAM,UAAYsD,EAAK,SAAU,CAAE,EACnCtD,GAAM,UAAYsD,EAAK,SAAU,CAAE,CACpC,CAAE,GAIHG,EAAY,GACZ,IAAM7M,KAAQyF,EAGPoH,IACAK,GACC,WAAYA,KAChBD,GAASC,GAAS,QAGnBA,GAAWjN,EAAS,OAAQrT,EAAM,SAAU,CAAE,QAASkgB,CAAe,CAAE,EAIpEH,IACJO,GAAS,OAAS,CAACD,IAIfA,IACJ/K,GAAU,CAAEtV,CAAK,EAAG,EAAK,EAK1BogB,EAAK,KAAM,UAAW,CAKfC,IACL/K,GAAU,CAAEtV,CAAK,CAAE,EAEpBqT,EAAS,OAAQrT,EAAM,QAAS,EAChC,IAAMoT,KAAQyF,EACbpZ,EAAO,MAAOO,EAAMoT,EAAMyF,EAAMzF,CAAK,CAAE,CAEzC,CAAE,GAIH6M,EAAYP,GAAaW,GAASC,GAAUlN,CAAK,EAAI,EAAGA,EAAMgN,CAAK,EAC3DhN,KAAQkN,KACfA,GAAUlN,CAAK,EAAI6M,EAAU,MACxBI,KACJJ,EAAU,IAAMA,EAAU,MAC1BA,EAAU,MAAQ,IAItB,CAEA,SAASM,GAAY/H,EAAOgI,EAAgB,CAC3C,IAAIjR,EAAOlP,EAAMwe,EAAQjd,EAAOiS,EAGhC,IAAMtE,KAASiJ,EAed,GAdAnY,EAAOyS,GAAWvD,CAAM,EACxBsP,EAAS2B,EAAengB,CAAK,EAC7BuB,EAAQ4W,EAAOjJ,CAAM,EAChB,MAAM,QAAS3N,CAAM,IACzBid,EAASjd,EAAO,CAAE,EAClBA,EAAQ4W,EAAOjJ,CAAM,EAAI3N,EAAO,CAAE,GAG9B2N,IAAUlP,IACdmY,EAAOnY,CAAK,EAAIuB,EAChB,OAAO4W,EAAOjJ,CAAM,GAGrBsE,EAAQpU,EAAO,SAAUY,CAAK,EACzBwT,GAAS,WAAYA,EAAQ,CACjCjS,EAAQiS,EAAM,OAAQjS,CAAM,EAC5B,OAAO4W,EAAOnY,CAAK,EAInB,IAAMkP,KAAS3N,EACN2N,KAASiJ,IAChBA,EAAOjJ,CAAM,EAAI3N,EAAO2N,CAAM,EAC9BiR,EAAejR,CAAM,EAAIsP,EAG5B,MACC2B,EAAengB,CAAK,EAAIwe,CAG3B,CAEA,SAASe,GAAW5f,EAAMygB,EAAYrgB,EAAU,CAC/C,IAAIgI,EACHsY,EACAnR,EAAQ,EACR5O,EAASif,GAAU,WAAW,OAC9BvP,EAAW5Q,EAAO,SAAS,EAAE,OAAQ,UAAW,CAG/C,OAAOkhB,EAAK,IACb,CAAE,EACFA,EAAO,UAAW,CACjB,GAAKD,EACJ,MAAO,GAYR,QAVIE,EAAc3B,IAASK,GAAY,EACtC9N,EAAY,KAAK,IAAK,EAAGmO,EAAU,UAAYA,EAAU,SAAWiB,CAAY,EAIhFhV,EAAO4F,EAAYmO,EAAU,UAAY,EACzCb,GAAU,EAAIlT,EACd2D,GAAQ,EACR5O,GAASgf,EAAU,OAAO,OAEnBpQ,GAAQ5O,GAAQ4O,KACvBoQ,EAAU,OAAQpQ,EAAM,EAAE,IAAKuP,EAAQ,EAMxC,OAHAzO,EAAS,WAAYrQ,EAAM,CAAE2f,EAAWb,GAAStN,CAAU,CAAE,EAGxDsN,GAAU,GAAKne,GACZ6Q,GAIF7Q,IACL0P,EAAS,WAAYrQ,EAAM,CAAE2f,EAAW,EAAG,CAAE,CAAE,EAIhDtP,EAAS,YAAarQ,EAAM,CAAE2f,CAAU,CAAE,EACnC,GACR,EACAA,EAAYtP,EAAS,QAAS,CAC7B,KAAMrQ,EACN,MAAOP,EAAO,OAAQ,CAAC,EAAGghB,CAAW,EACrC,KAAMhhB,EAAO,OAAQ,GAAM,CAC1B,cAAe,CAAC,EAChB,OAAQA,EAAO,OAAO,QACvB,EAAGW,CAAQ,EACX,mBAAoBqgB,EACpB,gBAAiBrgB,EACjB,UAAW6e,IAASK,GAAY,EAChC,SAAUlf,EAAQ,SAClB,OAAQ,CAAC,EACT,YAAa,SAAUgT,EAAMwL,EAAM,CAClC,IAAIjK,EAAQlV,EAAO,MAAOO,EAAM2f,EAAU,KAAMvM,EAAMwL,EACrDe,EAAU,KAAK,cAAevM,CAAK,GAAKuM,EAAU,KAAK,MAAO,EAC/D,OAAAA,EAAU,OAAO,KAAMhL,CAAM,EACtBA,CACR,EACA,KAAM,SAAUkM,EAAU,CACzB,IAAItR,EAAQ,EAIX5O,EAASkgB,EAAUlB,EAAU,OAAO,OAAS,EAC9C,GAAKe,EACJ,OAAO,KAGR,IADAA,EAAU,GACFnR,EAAQ5O,EAAQ4O,IACvBoQ,EAAU,OAAQpQ,CAAM,EAAE,IAAK,CAAE,EAIlC,OAAKsR,GACJxQ,EAAS,WAAYrQ,EAAM,CAAE2f,EAAW,EAAG,CAAE,CAAE,EAC/CtP,EAAS,YAAarQ,EAAM,CAAE2f,EAAWkB,CAAQ,CAAE,GAEnDxQ,EAAS,WAAYrQ,EAAM,CAAE2f,EAAWkB,CAAQ,CAAE,EAE5C,IACR,CACD,CAAE,EACFrI,EAAQmH,EAAU,MAInB,IAFAY,GAAY/H,EAAOmH,EAAU,KAAK,aAAc,EAExCpQ,EAAQ5O,EAAQ4O,IAEvB,GADAnH,EAASwX,GAAU,WAAYrQ,CAAM,EAAE,KAAMoQ,EAAW3f,EAAMwY,EAAOmH,EAAU,IAAK,EAC/EvX,EACJ,OAAK1J,EAAY0J,EAAO,IAAK,IAC5B3I,EAAO,YAAakgB,EAAU,KAAMA,EAAU,KAAK,KAAM,EAAE,KAC1DvX,EAAO,KAAK,KAAMA,CAAO,GAEpBA,EAIT,OAAA3I,EAAO,IAAK+Y,EAAOkH,GAAaC,CAAU,EAErCjhB,EAAYihB,EAAU,KAAK,KAAM,GACrCA,EAAU,KAAK,MAAM,KAAM3f,EAAM2f,CAAU,EAI5CA,EACE,SAAUA,EAAU,KAAK,QAAS,EAClC,KAAMA,EAAU,KAAK,KAAMA,EAAU,KAAK,QAAS,EACnD,KAAMA,EAAU,KAAK,IAAK,EAC1B,OAAQA,EAAU,KAAK,MAAO,EAEhClgB,EAAO,GAAG,MACTA,EAAO,OAAQkhB,EAAM,CACpB,KAAM3gB,EACN,KAAM2f,EACN,MAAOA,EAAU,KAAK,KACvB,CAAE,CACH,EAEOA,CACR,CAEAlgB,EAAO,UAAYA,EAAO,OAAQmgB,GAAW,CAE5C,SAAU,CACT,IAAK,CAAE,SAAUxM,EAAMxR,EAAQ,CAC9B,IAAI+S,EAAQ,KAAK,YAAavB,EAAMxR,CAAM,EAC1C,OAAA6S,GAAWE,EAAM,KAAMvB,EAAMgB,GAAQ,KAAMxS,CAAM,EAAG+S,CAAM,EACnDA,CACR,CAAE,CACH,EAEA,QAAS,SAAU6D,EAAOzY,EAAW,CAC/BrB,EAAY8Z,CAAM,GACtBzY,EAAWyY,EACXA,EAAQ,CAAE,GAAI,GAEdA,EAAQA,EAAM,MAAO/J,EAAc,EAOpC,QAJI2E,EACH7D,EAAQ,EACR5O,EAAS6X,EAAM,OAERjJ,EAAQ5O,EAAQ4O,IACvB6D,EAAOoF,EAAOjJ,CAAM,EACpBqQ,GAAU,SAAUxM,CAAK,EAAIwM,GAAU,SAAUxM,CAAK,GAAK,CAAC,EAC5DwM,GAAU,SAAUxM,CAAK,EAAE,QAASrT,CAAS,CAE/C,EAEA,WAAY,CAAE8f,EAAiB,EAE/B,UAAW,SAAU9f,EAAU+gB,EAAU,CACnCA,EACJlB,GAAU,WAAW,QAAS7f,CAAS,EAEvC6f,GAAU,WAAW,KAAM7f,CAAS,CAEtC,CACD,CAAE,EAEFN,EAAO,MAAQ,SAAUshB,EAAOlC,EAAQpY,EAAK,CAC5C,IAAIua,EAAMD,GAAS,OAAOA,GAAU,SAAWthB,EAAO,OAAQ,CAAC,EAAGshB,CAAM,EAAI,CAC3E,SAAUta,GAAM,CAACA,GAAMoY,GACtBngB,EAAYqiB,CAAM,GAAKA,EACxB,SAAUA,EACV,OAAQta,GAAMoY,GAAUA,GAAU,CAACngB,EAAYmgB,CAAO,GAAKA,CAC5D,EAGA,OAAKpf,EAAO,GAAG,IACduhB,EAAI,SAAW,EAGV,OAAOA,EAAI,UAAa,WACvBA,EAAI,YAAYvhB,EAAO,GAAG,OAC9BuhB,EAAI,SAAWvhB,EAAO,GAAG,OAAQuhB,EAAI,QAAS,EAG9CA,EAAI,SAAWvhB,EAAO,GAAG,OAAO,WAM9BuhB,EAAI,OAAS,MAAQA,EAAI,QAAU,MACvCA,EAAI,MAAQ,MAIbA,EAAI,IAAMA,EAAI,SAEdA,EAAI,SAAW,UAAW,CACpBtiB,EAAYsiB,EAAI,GAAI,GACxBA,EAAI,IAAI,KAAM,IAAK,EAGfA,EAAI,OACRvhB,EAAO,QAAS,KAAMuhB,EAAI,KAAM,CAElC,EAEOA,CACR,EAEAvhB,EAAO,GAAG,OAAQ,CACjB,OAAQ,SAAUshB,EAAOE,EAAIpC,EAAQ9e,EAAW,CAG/C,OAAO,KAAK,OAAQyU,EAAmB,EAAE,IAAK,UAAW,CAAE,EAAE,KAAK,EAGhE,IAAI,EAAE,QAAS,CAAE,QAASyM,CAAG,EAAGF,EAAOlC,EAAQ9e,CAAS,CAC3D,EACA,QAAS,SAAUqT,EAAM2N,EAAOlC,EAAQ9e,EAAW,CAClD,IAAImhB,EAAQzhB,EAAO,cAAe2T,CAAK,EACtC+N,EAAS1hB,EAAO,MAAOshB,EAAOlC,EAAQ9e,CAAS,EAC/CqhB,EAAc,UAAW,CAGxB,IAAIhB,EAAOR,GAAW,KAAMngB,EAAO,OAAQ,CAAC,EAAG2T,CAAK,EAAG+N,CAAO,GAGzDD,GAAS7N,EAAS,IAAK,KAAM,QAAS,IAC1C+M,EAAK,KAAM,EAAK,CAElB,EAED,OAAAgB,EAAY,OAASA,EAEdF,GAASC,EAAO,QAAU,GAChC,KAAK,KAAMC,CAAY,EACvB,KAAK,MAAOD,EAAO,MAAOC,CAAY,CACxC,EACA,KAAM,SAAUtf,EAAMuf,EAAYR,EAAU,CAC3C,IAAIS,EAAY,SAAUzN,EAAQ,CACjC,IAAI0N,EAAO1N,EAAM,KACjB,OAAOA,EAAM,KACb0N,EAAMV,CAAQ,CACf,EAEA,OAAK,OAAO/e,GAAS,WACpB+e,EAAUQ,EACVA,EAAavf,EACbA,EAAO,QAEHuf,GACJ,KAAK,MAAOvf,GAAQ,KAAM,CAAC,CAAE,EAGvB,KAAK,KAAM,UAAW,CAC5B,IAAI0f,EAAU,GACbjS,EAAQzN,GAAQ,MAAQA,EAAO,aAC/B2f,EAAShiB,EAAO,OAChB0T,EAAOE,EAAS,IAAK,IAAK,EAE3B,GAAK9D,EACC4D,EAAM5D,CAAM,GAAK4D,EAAM5D,CAAM,EAAE,MACnC+R,EAAWnO,EAAM5D,CAAM,CAAE,MAG1B,KAAMA,KAAS4D,EACTA,EAAM5D,CAAM,GAAK4D,EAAM5D,CAAM,EAAE,MAAQ6P,GAAK,KAAM7P,CAAM,GAC5D+R,EAAWnO,EAAM5D,CAAM,CAAE,EAK5B,IAAMA,EAAQkS,EAAO,OAAQlS,KACvBkS,EAAQlS,CAAM,EAAE,OAAS,OAC3BzN,GAAQ,MAAQ2f,EAAQlS,CAAM,EAAE,QAAUzN,KAE5C2f,EAAQlS,CAAM,EAAE,KAAK,KAAMsR,CAAQ,EACnCW,EAAU,GACVC,EAAO,OAAQlS,EAAO,CAAE,IAOrBiS,GAAW,CAACX,IAChBphB,EAAO,QAAS,KAAMqC,CAAK,CAE7B,CAAE,CACH,EACA,OAAQ,SAAUA,EAAO,CACxB,OAAKA,IAAS,KACbA,EAAOA,GAAQ,MAET,KAAK,KAAM,UAAW,CAC5B,IAAIyN,EACH4D,EAAOE,EAAS,IAAK,IAAK,EAC1BlE,EAAQgE,EAAMrR,EAAO,OAAQ,EAC7B+R,EAAQV,EAAMrR,EAAO,YAAa,EAClC2f,EAAShiB,EAAO,OAChBkB,EAASwO,EAAQA,EAAM,OAAS,EAajC,IAVAgE,EAAK,OAAS,GAGd1T,EAAO,MAAO,KAAMqC,EAAM,CAAC,CAAE,EAExB+R,GAASA,EAAM,MACnBA,EAAM,KAAK,KAAM,KAAM,EAAK,EAIvBtE,EAAQkS,EAAO,OAAQlS,KACvBkS,EAAQlS,CAAM,EAAE,OAAS,MAAQkS,EAAQlS,CAAM,EAAE,QAAUzN,IAC/D2f,EAAQlS,CAAM,EAAE,KAAK,KAAM,EAAK,EAChCkS,EAAO,OAAQlS,EAAO,CAAE,GAK1B,IAAMA,EAAQ,EAAGA,EAAQ5O,EAAQ4O,IAC3BJ,EAAOI,CAAM,GAAKJ,EAAOI,CAAM,EAAE,QACrCJ,EAAOI,CAAM,EAAE,OAAO,KAAM,IAAK,EAKnC,OAAO4D,EAAK,MACb,CAAE,CACH,CACD,CAAE,EAEF1T,EAAO,KAAM,CAAE,SAAU,OAAQ,MAAO,EAAG,SAAUoC,EAAIxB,EAAO,CAC/D,IAAIqhB,EAAQjiB,EAAO,GAAIY,CAAK,EAC5BZ,EAAO,GAAIY,CAAK,EAAI,SAAU0gB,EAAOlC,EAAQ9e,EAAW,CACvD,OAAOghB,GAAS,MAAQ,OAAOA,GAAU,UACxCW,EAAM,MAAO,KAAM,SAAU,EAC7B,KAAK,QAASnC,GAAOlf,EAAM,EAAK,EAAG0gB,EAAOlC,EAAQ9e,CAAS,CAC7D,CACD,CAAE,EAGFN,EAAO,KAAM,CACZ,UAAW8f,GAAO,MAAO,EACzB,QAASA,GAAO,MAAO,EACvB,YAAaA,GAAO,QAAS,EAC7B,OAAQ,CAAE,QAAS,MAAO,EAC1B,QAAS,CAAE,QAAS,MAAO,EAC3B,WAAY,CAAE,QAAS,QAAS,CACjC,EAAG,SAAUlf,EAAMmY,EAAQ,CAC1B/Y,EAAO,GAAIY,CAAK,EAAI,SAAU0gB,EAAOlC,EAAQ9e,EAAW,CACvD,OAAO,KAAK,QAASyY,EAAOuI,EAAOlC,EAAQ9e,CAAS,CACrD,CACD,CAAE,EAEFN,EAAO,OAAS,CAAC,EACjBA,EAAO,GAAG,KAAO,UAAW,CAC3B,IAAIkiB,EACHxiB,EAAI,EACJsiB,EAAShiB,EAAO,OAIjB,IAFAwf,GAAQ,KAAK,IAAI,EAET9f,EAAIsiB,EAAO,OAAQtiB,IAC1BwiB,EAAQF,EAAQtiB,CAAE,EAGb,CAACwiB,EAAM,GAAKF,EAAQtiB,CAAE,IAAMwiB,GAChCF,EAAO,OAAQtiB,IAAK,CAAE,EAIlBsiB,EAAO,QACZhiB,EAAO,GAAG,KAAK,EAEhBwf,GAAQ,MACT,EAEAxf,EAAO,GAAG,MAAQ,SAAUkiB,EAAQ,CACnCliB,EAAO,OAAO,KAAMkiB,CAAM,EAC1BliB,EAAO,GAAG,MAAM,CACjB,EAEAA,EAAO,GAAG,SAAW,GACrBA,EAAO,GAAG,MAAQ,UAAW,CACvByf,KAILA,GAAa,GACbG,GAAS,EACV,EAEA5f,EAAO,GAAG,KAAO,UAAW,CAC3Byf,GAAa,IACd,EAEAzf,EAAO,GAAG,OAAS,CAClB,KAAM,IACN,KAAM,IAGN,SAAU,GACX,EAIAA,EAAO,GAAG,MAAQ,SAAUmiB,EAAM9f,EAAO,CACxC,OAAA8f,EAAOniB,EAAO,IAAKA,EAAO,GAAG,OAAQmiB,CAAK,GAAKA,EAC/C9f,EAAOA,GAAQ,KAER,KAAK,MAAOA,EAAM,SAAUgS,EAAMD,EAAQ,CAChD,IAAIgO,EAAUlkB,EAAO,WAAYmW,EAAM8N,CAAK,EAC5C/N,EAAM,KAAO,UAAW,CACvBlW,EAAO,aAAckkB,CAAQ,CAC9B,CACD,CAAE,CACH,EAGE,UAAW,CACZ,IAAIra,EAAQ3I,EAAS,cAAe,OAAQ,EAC3CuH,EAASvH,EAAS,cAAe,QAAS,EAC1CmiB,EAAM5a,EAAO,YAAavH,EAAS,cAAe,QAAS,CAAE,EAE9D2I,EAAM,KAAO,WAIb/I,EAAQ,QAAU+I,EAAM,QAAU,GAIlC/I,EAAQ,YAAcuiB,EAAI,SAI1BxZ,EAAQ3I,EAAS,cAAe,OAAQ,EACxC2I,EAAM,MAAQ,IACdA,EAAM,KAAO,QACb/I,EAAQ,WAAa+I,EAAM,QAAU,GACtC,EAAI,EAGJ,IAAIsa,GACHC,GAAatiB,EAAO,KAAK,WAE1BA,EAAO,GAAG,OAAQ,CACjB,KAAM,SAAUY,EAAMuB,EAAQ,CAC7B,OAAOuQ,GAAQ,KAAM1S,EAAO,KAAMY,EAAMuB,EAAO,UAAU,OAAS,CAAE,CACrE,EAEA,WAAY,SAAUvB,EAAO,CAC5B,OAAO,KAAK,KAAM,UAAW,CAC5BZ,EAAO,WAAY,KAAMY,CAAK,CAC/B,CAAE,CACH,CACD,CAAE,EAEFZ,EAAO,OAAQ,CACd,KAAM,SAAUO,EAAMK,EAAMuB,EAAQ,CACnC,IAAI9B,EAAK+T,EACRmO,EAAQhiB,EAAK,SAGd,GAAK,EAAAgiB,IAAU,GAAKA,IAAU,GAAKA,IAAU,GAK7C,IAAK,OAAOhiB,EAAK,aAAiB,IACjC,OAAOP,EAAO,KAAMO,EAAMK,EAAMuB,CAAM,EAUvC,IALKogB,IAAU,GAAK,CAACviB,EAAO,SAAUO,CAAK,KAC1C6T,EAAQpU,EAAO,UAAWY,EAAK,YAAY,CAAE,IAC1CZ,EAAO,KAAK,MAAM,KAAK,KAAMY,CAAK,EAAIyhB,GAAW,SAGhDlgB,IAAU,OAAY,CAC1B,GAAKA,IAAU,KAAO,CACrBnC,EAAO,WAAYO,EAAMK,CAAK,EAC9B,MACD,CAEA,OAAKwT,GAAS,QAASA,IACpB/T,EAAM+T,EAAM,IAAK7T,EAAM4B,EAAOvB,CAAK,KAAQ,OACtCP,GAGRE,EAAK,aAAcK,EAAMuB,EAAQ,EAAG,EAC7BA,EACR,CAEA,OAAKiS,GAAS,QAASA,IAAW/T,EAAM+T,EAAM,IAAK7T,EAAMK,CAAK,KAAQ,KAC9DP,GAGRA,EAAML,EAAO,KAAK,KAAMO,EAAMK,CAAK,EAG5BP,GAAc,QACtB,EAEA,UAAW,CACV,KAAM,CACL,IAAK,SAAUE,EAAM4B,EAAQ,CAC5B,GAAK,CAACnD,EAAQ,YAAcmD,IAAU,SACrCG,EAAU/B,EAAM,OAAQ,EAAI,CAC5B,IAAIZ,EAAMY,EAAK,MACf,OAAAA,EAAK,aAAc,OAAQ4B,CAAM,EAC5BxC,IACJY,EAAK,MAAQZ,GAEPwC,CACR,CACD,CACD,CACD,EAEA,WAAY,SAAU5B,EAAM4B,EAAQ,CACnC,IAAIvB,EACHlB,EAAI,EAIJ8iB,EAAYrgB,GAASA,EAAM,MAAO6M,EAAc,EAEjD,GAAKwT,GAAajiB,EAAK,WAAa,EACnC,KAAUK,EAAO4hB,EAAW9iB,GAAI,GAC/Ba,EAAK,gBAAiBK,CAAK,CAG9B,CACD,CAAE,EAGFyhB,GAAW,CACV,IAAK,SAAU9hB,EAAM4B,EAAOvB,EAAO,CAClC,OAAKuB,IAAU,GAGdnC,EAAO,WAAYO,EAAMK,CAAK,EAE9BL,EAAK,aAAcK,EAAMA,CAAK,EAExBA,CACR,CACD,EAEAZ,EAAO,KAAMA,EAAO,KAAK,MAAM,KAAK,OAAO,MAAO,MAAO,EAAG,SAAUoC,EAAIxB,EAAO,CAChF,IAAI6hB,EAASH,GAAY1hB,CAAK,GAAKZ,EAAO,KAAK,KAE/CsiB,GAAY1hB,CAAK,EAAI,SAAUL,EAAMK,EAAM8hB,EAAQ,CAClD,IAAIriB,EAAKyY,EACR6J,EAAgB/hB,EAAK,YAAY,EAElC,OAAM8hB,IAGL5J,EAASwJ,GAAYK,CAAc,EACnCL,GAAYK,CAAc,EAAItiB,EAC9BA,EAAMoiB,EAAQliB,EAAMK,EAAM8hB,CAAM,GAAK,KACpCC,EACA,KACDL,GAAYK,CAAc,EAAI7J,GAExBzY,CACR,CACD,CAAE,EAKF,IAAIuiB,GAAa,sCAChBC,GAAa,gBAEd7iB,EAAO,GAAG,OAAQ,CACjB,KAAM,SAAUY,EAAMuB,EAAQ,CAC7B,OAAOuQ,GAAQ,KAAM1S,EAAO,KAAMY,EAAMuB,EAAO,UAAU,OAAS,CAAE,CACrE,EAEA,WAAY,SAAUvB,EAAO,CAC5B,OAAO,KAAK,KAAM,UAAW,CAC5B,OAAO,KAAMZ,EAAO,QAASY,CAAK,GAAKA,CAAK,CAC7C,CAAE,CACH,CACD,CAAE,EAEFZ,EAAO,OAAQ,CACd,KAAM,SAAUO,EAAMK,EAAMuB,EAAQ,CACnC,IAAI9B,EAAK+T,EACRmO,EAAQhiB,EAAK,SAGd,GAAK,EAAAgiB,IAAU,GAAKA,IAAU,GAAKA,IAAU,GAW7C,OAPKA,IAAU,GAAK,CAACviB,EAAO,SAAUO,CAAK,KAG1CK,EAAOZ,EAAO,QAASY,CAAK,GAAKA,EACjCwT,EAAQpU,EAAO,UAAWY,CAAK,GAG3BuB,IAAU,OACTiS,GAAS,QAASA,IACpB/T,EAAM+T,EAAM,IAAK7T,EAAM4B,EAAOvB,CAAK,KAAQ,OACtCP,EAGCE,EAAMK,CAAK,EAAIuB,EAGpBiS,GAAS,QAASA,IAAW/T,EAAM+T,EAAM,IAAK7T,EAAMK,CAAK,KAAQ,KAC9DP,EAGDE,EAAMK,CAAK,CACnB,EAEA,UAAW,CACV,SAAU,CACT,IAAK,SAAUL,EAAO,CAMrB,IAAIuiB,EAAW9iB,EAAO,KAAK,KAAMO,EAAM,UAAW,EAElD,OAAKuiB,EACG,SAAUA,EAAU,EAAG,EAI9BF,GAAW,KAAMriB,EAAK,QAAS,GAC/BsiB,GAAW,KAAMtiB,EAAK,QAAS,GAC/BA,EAAK,KAEE,EAGD,EACR,CACD,CACD,EAEA,QAAS,CACR,IAAO,UACP,MAAS,WACV,CACD,CAAE,EAUIvB,EAAQ,cACbgB,EAAO,UAAU,SAAW,CAC3B,IAAK,SAAUO,EAAO,CAIrB,IAAIiJ,EAASjJ,EAAK,WAClB,OAAKiJ,GAAUA,EAAO,YACrBA,EAAO,WAAW,cAEZ,IACR,EACA,IAAK,SAAUjJ,EAAO,CAIrB,IAAIiJ,EAASjJ,EAAK,WACbiJ,IACJA,EAAO,cAEFA,EAAO,YACXA,EAAO,WAAW,cAGrB,CACD,GAGDxJ,EAAO,KAAM,CACZ,WACA,WACA,YACA,cACA,cACA,UACA,UACA,SACA,cACA,iBACD,EAAG,UAAW,CACbA,EAAO,QAAS,KAAK,YAAY,CAAE,EAAI,IACxC,CAAE,EAOD,SAAS+iB,GAAkB5gB,EAAQ,CAClC,IAAIuI,EAASvI,EAAM,MAAO6M,EAAc,GAAK,CAAC,EAC9C,OAAOtE,EAAO,KAAM,GAAI,CACzB,CAGD,SAASsY,GAAUziB,EAAO,CACzB,OAAOA,EAAK,cAAgBA,EAAK,aAAc,OAAQ,GAAK,EAC7D,CAEA,SAAS0iB,GAAgB9gB,EAAQ,CAChC,OAAK,MAAM,QAASA,CAAM,EAClBA,EAEH,OAAOA,GAAU,SACdA,EAAM,MAAO6M,EAAc,GAAK,CAAC,EAElC,CAAC,CACT,CAEAhP,EAAO,GAAG,OAAQ,CACjB,SAAU,SAAUmC,EAAQ,CAC3B,IAAI+gB,EAAYpU,EAAKqU,EAAUrb,EAAWpI,EAAG0jB,EAE7C,OAAKnkB,EAAYkD,CAAM,EACf,KAAK,KAAM,SAAUzB,EAAI,CAC/BV,EAAQ,IAAK,EAAE,SAAUmC,EAAM,KAAM,KAAMzB,EAAGsiB,GAAU,IAAK,CAAE,CAAE,CAClE,CAAE,GAGHE,EAAaD,GAAgB9gB,CAAM,EAE9B+gB,EAAW,OACR,KAAK,KAAM,UAAW,CAI5B,GAHAC,EAAWH,GAAU,IAAK,EAC1BlU,EAAM,KAAK,WAAa,GAAO,IAAMiU,GAAkBI,CAAS,EAAI,IAE/DrU,EAAM,CACV,IAAMpP,EAAI,EAAGA,EAAIwjB,EAAW,OAAQxjB,IACnCoI,EAAYob,EAAYxjB,CAAE,EACrBoP,EAAI,QAAS,IAAMhH,EAAY,GAAI,EAAI,IAC3CgH,GAAOhH,EAAY,KAKrBsb,EAAaL,GAAkBjU,CAAI,EAC9BqU,IAAaC,GACjB,KAAK,aAAc,QAASA,CAAW,CAEzC,CACD,CAAE,EAGI,KACR,EAEA,YAAa,SAAUjhB,EAAQ,CAC9B,IAAI+gB,EAAYpU,EAAKqU,EAAUrb,EAAWpI,EAAG0jB,EAE7C,OAAKnkB,EAAYkD,CAAM,EACf,KAAK,KAAM,SAAUzB,EAAI,CAC/BV,EAAQ,IAAK,EAAE,YAAamC,EAAM,KAAM,KAAMzB,EAAGsiB,GAAU,IAAK,CAAE,CAAE,CACrE,CAAE,EAGG,UAAU,QAIhBE,EAAaD,GAAgB9gB,CAAM,EAE9B+gB,EAAW,OACR,KAAK,KAAM,UAAW,CAM5B,GALAC,EAAWH,GAAU,IAAK,EAG1BlU,EAAM,KAAK,WAAa,GAAO,IAAMiU,GAAkBI,CAAS,EAAI,IAE/DrU,EAAM,CACV,IAAMpP,EAAI,EAAGA,EAAIwjB,EAAW,OAAQxjB,IAInC,IAHAoI,EAAYob,EAAYxjB,CAAE,EAGlBoP,EAAI,QAAS,IAAMhH,EAAY,GAAI,EAAI,IAC9CgH,EAAMA,EAAI,QAAS,IAAMhH,EAAY,IAAK,GAAI,EAKhDsb,EAAaL,GAAkBjU,CAAI,EAC9BqU,IAAaC,GACjB,KAAK,aAAc,QAASA,CAAW,CAEzC,CACD,CAAE,EAGI,MA/BC,KAAK,KAAM,QAAS,EAAG,CAgChC,EAEA,YAAa,SAAUjhB,EAAOkhB,EAAW,CACxC,IAAIH,EAAYpb,EAAWpI,EAAG2O,EAC7BhM,EAAO,OAAOF,EACdmhB,EAAejhB,IAAS,UAAY,MAAM,QAASF,CAAM,EAE1D,OAAKlD,EAAYkD,CAAM,EACf,KAAK,KAAM,SAAUzC,EAAI,CAC/BM,EAAQ,IAAK,EAAE,YACdmC,EAAM,KAAM,KAAMzC,EAAGsjB,GAAU,IAAK,EAAGK,CAAS,EAChDA,CACD,CACD,CAAE,EAGE,OAAOA,GAAa,WAAaC,EAC9BD,EAAW,KAAK,SAAUlhB,CAAM,EAAI,KAAK,YAAaA,CAAM,GAGpE+gB,EAAaD,GAAgB9gB,CAAM,EAE5B,KAAK,KAAM,UAAW,CAC5B,GAAKmhB,EAKJ,IAFAjV,EAAOrO,EAAQ,IAAK,EAEdN,EAAI,EAAGA,EAAIwjB,EAAW,OAAQxjB,IACnCoI,EAAYob,EAAYxjB,CAAE,EAGrB2O,EAAK,SAAUvG,CAAU,EAC7BuG,EAAK,YAAavG,CAAU,EAE5BuG,EAAK,SAAUvG,CAAU,OAKhB3F,IAAU,QAAaE,IAAS,aAC3CyF,EAAYkb,GAAU,IAAK,EACtBlb,GAGJ8L,EAAS,IAAK,KAAM,gBAAiB9L,CAAU,EAO3C,KAAK,cACT,KAAK,aAAc,QAClBA,GAAa3F,IAAU,GACtB,GACAyR,EAAS,IAAK,KAAM,eAAgB,GAAK,EAC3C,EAGH,CAAE,EACH,EAEA,SAAU,SAAU3T,EAAW,CAC9B,IAAI6H,EAAWvH,EACdb,EAAI,EAGL,IADAoI,EAAY,IAAM7H,EAAW,IACnBM,EAAO,KAAMb,GAAI,GAC1B,GAAKa,EAAK,WAAa,IACpB,IAAMwiB,GAAkBC,GAAUziB,CAAK,CAAE,EAAI,KAAM,QAASuH,CAAU,EAAI,GAC5E,MAAO,GAIT,MAAO,EACR,CACD,CAAE,EAKF,IAAIyb,GAAU,MAEdvjB,EAAO,GAAG,OAAQ,CACjB,IAAK,SAAUmC,EAAQ,CACtB,IAAIiS,EAAO/T,EAAKma,EACfja,EAAO,KAAM,CAAE,EAEhB,OAAM,UAAU,QA0BhBia,EAAkBvb,EAAYkD,CAAM,EAE7B,KAAK,KAAM,SAAUzC,EAAI,CAC/B,IAAIC,EAEC,KAAK,WAAa,IAIlB6a,EACJ7a,EAAMwC,EAAM,KAAM,KAAMzC,EAAGM,EAAQ,IAAK,EAAE,IAAI,CAAE,EAEhDL,EAAMwC,EAIFxC,GAAO,KACXA,EAAM,GAEK,OAAOA,GAAQ,SAC1BA,GAAO,GAEI,MAAM,QAASA,CAAI,IAC9BA,EAAMK,EAAO,IAAKL,EAAK,SAAUwC,EAAQ,CACxC,OAAOA,GAAS,KAAO,GAAKA,EAAQ,EACrC,CAAE,GAGHiS,EAAQpU,EAAO,SAAU,KAAK,IAAK,GAAKA,EAAO,SAAU,KAAK,SAAS,YAAY,CAAE,GAGhF,CAACoU,GAAS,EAAG,QAASA,IAAWA,EAAM,IAAK,KAAMzU,EAAK,OAAQ,IAAM,UACzE,KAAK,MAAQA,GAEf,CAAE,GA3DIY,GACJ6T,EAAQpU,EAAO,SAAUO,EAAK,IAAK,GAClCP,EAAO,SAAUO,EAAK,SAAS,YAAY,CAAE,EAEzC6T,GACJ,QAASA,IACP/T,EAAM+T,EAAM,IAAK7T,EAAM,OAAQ,KAAQ,OAElCF,GAGRA,EAAME,EAAK,MAGN,OAAOF,GAAQ,SACZA,EAAI,QAASkjB,GAAS,EAAG,EAI1BljB,GAAc,KAGtB,MAsCF,CACD,CAAE,EAEFL,EAAO,OAAQ,CACd,SAAU,CACT,OAAQ,CACP,IAAK,SAAUO,EAAO,CAErB,IAAIZ,EAAMK,EAAO,KAAK,KAAMO,EAAM,OAAQ,EAC1C,OAAOZ,GAONojB,GAAkB/iB,EAAO,KAAMO,CAAK,CAAE,CACxC,CACD,EACA,OAAQ,CACP,IAAK,SAAUA,EAAO,CACrB,IAAI4B,EAAOqhB,EAAQ9jB,EAClBiB,EAAUJ,EAAK,QACfuP,EAAQvP,EAAK,cACb+W,EAAM/W,EAAK,OAAS,aACpBwV,EAASuB,EAAM,KAAO,CAAC,EACvBmM,EAAMnM,EAAMxH,EAAQ,EAAInP,EAAQ,OAUjC,IARKmP,EAAQ,EACZpQ,EAAI+jB,EAGJ/jB,EAAI4X,EAAMxH,EAAQ,EAIXpQ,EAAI+jB,EAAK/jB,IAKhB,GAJA8jB,EAAS7iB,EAASjB,CAAE,GAIb8jB,EAAO,UAAY9jB,IAAMoQ,IAG9B,CAAC0T,EAAO,WACN,CAACA,EAAO,WAAW,UACpB,CAAClhB,EAAUkhB,EAAO,WAAY,UAAW,GAAM,CAMjD,GAHArhB,EAAQnC,EAAQwjB,CAAO,EAAE,IAAI,EAGxBlM,EACJ,OAAOnV,EAIR4T,EAAO,KAAM5T,CAAM,CACpB,CAGD,OAAO4T,CACR,EAEA,IAAK,SAAUxV,EAAM4B,EAAQ,CAM5B,QALIuhB,EAAWF,EACd7iB,EAAUJ,EAAK,QACfwV,EAAS/V,EAAO,UAAWmC,CAAM,EACjCzC,EAAIiB,EAAQ,OAELjB,KACP8jB,EAAS7iB,EAASjB,CAAE,GAIf8jB,EAAO,SACXxjB,EAAO,QAASA,EAAO,SAAS,OAAO,IAAKwjB,CAAO,EAAGzN,CAAO,EAAI,MAEjE2N,EAAY,IAOd,OAAMA,IACLnjB,EAAK,cAAgB,IAEfwV,CACR,CACD,CACD,CACD,CAAE,EAGF/V,EAAO,KAAM,CAAE,QAAS,UAAW,EAAG,UAAW,CAChDA,EAAO,SAAU,IAAK,EAAI,CACzB,IAAK,SAAUO,EAAM4B,EAAQ,CAC5B,GAAK,MAAM,QAASA,CAAM,EACzB,OAAS5B,EAAK,QAAUP,EAAO,QAASA,EAAQO,CAAK,EAAE,IAAI,EAAG4B,CAAM,EAAI,EAE1E,CACD,EACMnD,EAAQ,UACbgB,EAAO,SAAU,IAAK,EAAE,IAAM,SAAUO,EAAO,CAC9C,OAAOA,EAAK,aAAc,OAAQ,IAAM,KAAO,KAAOA,EAAK,KAC5D,EAEF,CAAE,EAMF,IAAIojB,GAAWzlB,EAAO,SAElB0lB,GAAQ,CAAE,KAAM,KAAK,IAAI,CAAE,EAE3BC,GAAW,KAKf7jB,EAAO,SAAW,SAAU0T,EAAO,CAClC,IAAIvK,EAAK2a,EACT,GAAK,CAACpQ,GAAQ,OAAOA,GAAS,SAC7B,OAAO,KAKR,GAAI,CACHvK,EAAQ,IAAIjL,EAAO,UAAU,EAAI,gBAAiBwV,EAAM,UAAW,CACpE,MAAc,CAAC,CAEf,OAAAoQ,EAAkB3a,GAAOA,EAAI,qBAAsB,aAAc,EAAG,CAAE,GACjE,CAACA,GAAO2a,IACZ9jB,EAAO,MAAO,iBACb8jB,EACC9jB,EAAO,IAAK8jB,EAAgB,WAAY,SAAU5c,EAAK,CACtD,OAAOA,EAAG,WACX,CAAE,EAAE,KAAM;AAAA,CAAK,EACfwM,EACA,EAEIvK,CACR,EAGA,IAAI4a,GAAc,kCACjBC,GAA0B,SAAUpS,EAAI,CACvCA,EAAE,gBAAgB,CACnB,EAED5R,EAAO,OAAQA,EAAO,MAAO,CAE5B,QAAS,SAAUwX,EAAO9D,EAAMnT,EAAM0jB,EAAe,CAEpD,IAAIvkB,EAAGoP,EAAKyF,EAAK2P,EAAYC,EAAQrL,EAAQvH,EAAS6S,EACrDC,EAAY,CAAE9jB,GAAQnB,CAAS,EAC/BiD,EAAOxD,EAAO,KAAM2Y,EAAO,MAAO,EAAIA,EAAM,KAAOA,EACnDO,GAAalZ,EAAO,KAAM2Y,EAAO,WAAY,EAAIA,EAAM,UAAU,MAAO,GAAI,EAAI,CAAC,EAKlF,GAHA1I,EAAMsV,EAAc7P,EAAMhU,EAAOA,GAAQnB,EAGpC,EAAAmB,EAAK,WAAa,GAAKA,EAAK,WAAa,IAKzC,CAAAwjB,GAAY,KAAM1hB,EAAOrC,EAAO,MAAM,SAAU,IAIhDqC,EAAK,QAAS,GAAI,EAAI,KAG1B0V,GAAa1V,EAAK,MAAO,GAAI,EAC7BA,EAAO0V,GAAW,MAAM,EACxBA,GAAW,KAAK,GAEjBoM,EAAS9hB,EAAK,QAAS,GAAI,EAAI,GAAK,KAAOA,EAG3CmV,EAAQA,EAAOxX,EAAO,OAAQ,EAC7BwX,EACA,IAAIxX,EAAO,MAAOqC,EAAM,OAAOmV,GAAU,UAAYA,CAAM,EAG5DA,EAAM,UAAYyM,EAAe,EAAI,EACrCzM,EAAM,UAAYO,GAAW,KAAM,GAAI,EACvCP,EAAM,WAAaA,EAAM,UACxB,IAAI,OAAQ,UAAYO,GAAW,KAAM,eAAgB,EAAI,SAAU,EACvE,KAGDP,EAAM,OAAS,OACTA,EAAM,SACXA,EAAM,OAASjX,GAIhBmT,EAAOA,GAAQ,KACd,CAAE8D,CAAM,EACRxX,EAAO,UAAW0T,EAAM,CAAE8D,CAAM,CAAE,EAGnCjG,EAAUvR,EAAO,MAAM,QAASqC,CAAK,GAAK,CAAC,EACtC,GAAC4hB,GAAgB1S,EAAQ,SAAWA,EAAQ,QAAQ,MAAOhR,EAAMmT,CAAK,IAAM,KAMjF,IAAK,CAACuQ,GAAgB,CAAC1S,EAAQ,UAAY,CAACpS,EAAUoB,CAAK,EAAI,CAM9D,IAJA2jB,EAAa3S,EAAQ,cAAgBlP,EAC/B0hB,GAAY,KAAMG,EAAa7hB,CAAK,IACzCyM,EAAMA,EAAI,YAEHA,EAAKA,EAAMA,EAAI,WACtBuV,EAAU,KAAMvV,CAAI,EACpByF,EAAMzF,EAIFyF,KAAUhU,EAAK,eAAiBnB,IACpCilB,EAAU,KAAM9P,EAAI,aAAeA,EAAI,cAAgBrW,CAAO,CAEhE,CAIA,IADAwB,EAAI,GACMoP,EAAMuV,EAAW3kB,GAAI,IAAO,CAAC8X,EAAM,qBAAqB,GACjE4M,EAActV,EACd0I,EAAM,KAAO9X,EAAI,EAChBwkB,EACA3S,EAAQ,UAAYlP,EAGrByW,GAAWlF,EAAS,IAAK9E,EAAK,QAAS,GAAK,OAAO,OAAQ,IAAK,GAAK0I,EAAM,IAAK,GAC/E5D,EAAS,IAAK9E,EAAK,QAAS,EACxBgK,GACJA,EAAO,MAAOhK,EAAK4E,CAAK,EAIzBoF,EAASqL,GAAUrV,EAAKqV,CAAO,EAC1BrL,GAAUA,EAAO,OAASvF,GAAYzE,CAAI,IAC9C0I,EAAM,OAASsB,EAAO,MAAOhK,EAAK4E,CAAK,EAClC8D,EAAM,SAAW,IACrBA,EAAM,eAAe,GAIxB,OAAAA,EAAM,KAAOnV,EAGR,CAAC4hB,GAAgB,CAACzM,EAAM,mBAAmB,IAExC,CAACjG,EAAQ,UACfA,EAAQ,SAAS,MAAO8S,EAAU,IAAI,EAAG3Q,CAAK,IAAM,KACpDH,GAAYhT,CAAK,GAIZ4jB,GAAUllB,EAAYsB,EAAM8B,CAAK,CAAE,GAAK,CAAClD,EAAUoB,CAAK,IAG5DgU,EAAMhU,EAAM4jB,CAAO,EAEd5P,IACJhU,EAAM4jB,CAAO,EAAI,MAIlBnkB,EAAO,MAAM,UAAYqC,EAEpBmV,EAAM,qBAAqB,GAC/B4M,EAAY,iBAAkB/hB,EAAM2hB,EAAwB,EAG7DzjB,EAAM8B,CAAK,EAAE,EAERmV,EAAM,qBAAqB,GAC/B4M,EAAY,oBAAqB/hB,EAAM2hB,EAAwB,EAGhEhkB,EAAO,MAAM,UAAY,OAEpBuU,IACJhU,EAAM4jB,CAAO,EAAI5P,IAMdiD,EAAM,OACd,EAIA,SAAU,SAAUnV,EAAM9B,EAAMiX,EAAQ,CACvC,IAAI5F,EAAI5R,EAAO,OACd,IAAIA,EAAO,MACXwX,EACA,CACC,KAAMnV,EACN,YAAa,EACd,CACD,EAEArC,EAAO,MAAM,QAAS4R,EAAG,KAAMrR,CAAK,CACrC,CAED,CAAE,EAEFP,EAAO,GAAG,OAAQ,CAEjB,QAAS,SAAUqC,EAAMqR,EAAO,CAC/B,OAAO,KAAK,KAAM,UAAW,CAC5B1T,EAAO,MAAM,QAASqC,EAAMqR,EAAM,IAAK,CACxC,CAAE,CACH,EACA,eAAgB,SAAUrR,EAAMqR,EAAO,CACtC,IAAInT,EAAO,KAAM,CAAE,EACnB,GAAKA,EACJ,OAAOP,EAAO,MAAM,QAASqC,EAAMqR,EAAMnT,EAAM,EAAK,CAEtD,CACD,CAAE,EAGF,IACC+jB,GAAW,QACXC,GAAQ,SACRC,GAAkB,wCAClBC,GAAe,qCAEhB,SAASC,GAAa5F,EAAQ5f,EAAKylB,EAAa9U,EAAM,CACrD,IAAIjP,EAEJ,GAAK,MAAM,QAAS1B,CAAI,EAGvBc,EAAO,KAAMd,EAAK,SAAUQ,EAAGsQ,EAAI,CAC7B2U,GAAeL,GAAS,KAAMxF,CAAO,EAGzCjP,EAAKiP,EAAQ9O,CAAE,EAKf0U,GACC5F,EAAS,KAAQ,OAAO9O,GAAM,UAAYA,GAAK,KAAOtQ,EAAI,IAAO,IACjEsQ,EACA2U,EACA9U,CACD,CAEF,CAAE,UAES,CAAC8U,GAAe9kB,EAAQX,CAAI,IAAM,SAG7C,IAAM0B,KAAQ1B,EACbwlB,GAAa5F,EAAS,IAAMle,EAAO,IAAK1B,EAAK0B,CAAK,EAAG+jB,EAAa9U,CAAI,OAMvEA,EAAKiP,EAAQ5f,CAAI,CAEnB,CAIAc,EAAO,MAAQ,SAAU4C,EAAG+hB,EAAc,CACzC,IAAI7F,EACH8F,EAAI,CAAC,EACL/U,EAAM,SAAU/I,EAAK+d,EAAkB,CAGtC,IAAI1iB,EAAQlD,EAAY4lB,CAAgB,EACvCA,EAAgB,EAChBA,EAEDD,EAAGA,EAAE,MAAO,EAAI,mBAAoB9d,CAAI,EAAI,IAC3C,mBAAoB3E,GAAgB,EAAW,CACjD,EAED,GAAKS,GAAK,KACT,MAAO,GAIR,GAAK,MAAM,QAASA,CAAE,GAAOA,EAAE,QAAU,CAAC5C,EAAO,cAAe4C,CAAE,EAGjE5C,EAAO,KAAM4C,EAAG,UAAW,CAC1BiN,EAAK,KAAK,KAAM,KAAK,KAAM,CAC5B,CAAE,MAMF,KAAMiP,KAAUlc,EACf8hB,GAAa5F,EAAQlc,EAAGkc,CAAO,EAAG6F,EAAa9U,CAAI,EAKrD,OAAO+U,EAAE,KAAM,GAAI,CACpB,EAEA5kB,EAAO,GAAG,OAAQ,CACjB,UAAW,UAAW,CACrB,OAAOA,EAAO,MAAO,KAAK,eAAe,CAAE,CAC5C,EACA,eAAgB,UAAW,CAC1B,OAAO,KAAK,IAAK,UAAW,CAG3B,IAAIkI,EAAWlI,EAAO,KAAM,KAAM,UAAW,EAC7C,OAAOkI,EAAWlI,EAAO,UAAWkI,CAAS,EAAI,IAClD,CAAE,EAAE,OAAQ,UAAW,CACtB,IAAI7F,EAAO,KAAK,KAGhB,OAAO,KAAK,MAAQ,CAACrC,EAAQ,IAAK,EAAE,GAAI,WAAY,GACnDykB,GAAa,KAAM,KAAK,QAAS,GAAK,CAACD,GAAgB,KAAMniB,CAAK,IAChE,KAAK,SAAW,CAAC2T,GAAe,KAAM3T,CAAK,EAC/C,CAAE,EAAE,IAAK,SAAUD,EAAI7B,EAAO,CAC7B,IAAIZ,EAAMK,EAAQ,IAAK,EAAE,IAAI,EAE7B,OAAKL,GAAO,KACJ,KAGH,MAAM,QAASA,CAAI,EAChBK,EAAO,IAAKL,EAAK,SAAUA,EAAM,CACvC,MAAO,CAAE,KAAMY,EAAK,KAAM,MAAOZ,EAAI,QAAS4kB,GAAO;AAAA,CAAO,CAAE,CAC/D,CAAE,EAGI,CAAE,KAAMhkB,EAAK,KAAM,MAAOZ,EAAI,QAAS4kB,GAAO;AAAA,CAAO,CAAE,CAC/D,CAAE,EAAE,IAAI,CACT,CACD,CAAE,EAGF,IACCO,GAAM,OACNC,GAAQ,OACRC,GAAa,gBACbC,GAAW,6BAGXC,GAAiB,4DACjBC,GAAa,iBACbC,GAAY,QAWZC,GAAa,CAAC,EAOdC,GAAa,CAAC,EAGdC,GAAW,KAAK,OAAQ,GAAI,EAG5BC,GAAepmB,EAAS,cAAe,GAAI,EAE5ComB,GAAa,KAAO7B,GAAS,KAG7B,SAAS8B,GAA6BC,EAAY,CAGjD,OAAO,SAAUC,EAAoBnV,EAAO,CAEtC,OAAOmV,GAAuB,WAClCnV,EAAOmV,EACPA,EAAqB,KAGtB,IAAIC,EACHlmB,EAAI,EACJmmB,EAAYF,EAAmB,YAAY,EAAE,MAAO3W,EAAc,GAAK,CAAC,EAEzE,GAAK/P,EAAYuR,CAAK,EAGrB,KAAUoV,EAAWC,EAAWnmB,GAAI,GAG9BkmB,EAAU,CAAE,IAAM,KACtBA,EAAWA,EAAS,MAAO,CAAE,GAAK,KAChCF,EAAWE,CAAS,EAAIF,EAAWE,CAAS,GAAK,CAAC,GAAI,QAASpV,CAAK,IAIpEkV,EAAWE,CAAS,EAAIF,EAAWE,CAAS,GAAK,CAAC,GAAI,KAAMpV,CAAK,CAIvE,CACD,CAGA,SAASsV,GAA+BJ,EAAW/kB,EAASolB,EAAiBC,EAAQ,CAEpF,IAAIC,EAAY,CAAC,EAChBC,EAAqBR,IAAcJ,GAEpC,SAASa,EAASP,EAAW,CAC5B,IAAIQ,EACJ,OAAAH,EAAWL,CAAS,EAAI,GACxB5lB,EAAO,KAAM0lB,EAAWE,CAAS,GAAK,CAAC,EAAG,SAAUzW,EAAGkX,EAAqB,CAC3E,IAAIC,EAAsBD,EAAoB1lB,EAASolB,EAAiBC,CAAM,EAC9E,GAAK,OAAOM,GAAwB,UACnC,CAACJ,GAAoB,CAACD,EAAWK,CAAoB,EAErD,OAAA3lB,EAAQ,UAAU,QAAS2lB,CAAoB,EAC/CH,EAASG,CAAoB,EACtB,GACD,GAAKJ,EACX,MAAO,EAAGE,EAAWE,EAEvB,CAAE,EACKF,CACR,CAEA,OAAOD,EAASxlB,EAAQ,UAAW,CAAE,CAAE,GAAK,CAACslB,EAAW,GAAI,GAAKE,EAAS,GAAI,CAC/E,CAKA,SAASI,GAAYtlB,EAAQJ,EAAM,CAClC,IAAIiG,EAAK3F,EACRqlB,EAAcxmB,EAAO,aAAa,aAAe,CAAC,EAEnD,IAAM8G,KAAOjG,EACPA,EAAKiG,CAAI,IAAM,UACjB0f,EAAa1f,CAAI,EAAI7F,EAAWE,IAAUA,EAAO,CAAC,IAAS2F,CAAI,EAAIjG,EAAKiG,CAAI,GAGhF,OAAK3F,GACJnB,EAAO,OAAQ,GAAMiB,EAAQE,CAAK,EAG5BF,CACR,CAMA,SAASwlB,GAAqB7B,EAAGoB,EAAOU,EAAY,CAOnD,QALIC,EAAItkB,EAAMukB,EAAeC,EAC5BC,EAAWlC,EAAE,SACbiB,EAAYjB,EAAE,UAGPiB,EAAW,CAAE,IAAM,KAC1BA,EAAU,MAAM,EACXc,IAAO,SACXA,EAAK/B,EAAE,UAAYoB,EAAM,kBAAmB,cAAe,GAK7D,GAAKW,GACJ,IAAMtkB,KAAQykB,EACb,GAAKA,EAAUzkB,CAAK,GAAKykB,EAAUzkB,CAAK,EAAE,KAAMskB,CAAG,EAAI,CACtDd,EAAU,QAASxjB,CAAK,EACxB,KACD,EAKF,GAAKwjB,EAAW,CAAE,IAAKa,EACtBE,EAAgBf,EAAW,CAAE,MACvB,CAGN,IAAMxjB,KAAQqkB,EAAY,CACzB,GAAK,CAACb,EAAW,CAAE,GAAKjB,EAAE,WAAYviB,EAAO,IAAMwjB,EAAW,CAAE,CAAE,EAAI,CACrEe,EAAgBvkB,EAChB,KACD,CACMwkB,IACLA,EAAgBxkB,EAElB,CAGAukB,EAAgBA,GAAiBC,CAClC,CAKA,GAAKD,EACJ,OAAKA,IAAkBf,EAAW,CAAE,GACnCA,EAAU,QAASe,CAAc,EAE3BF,EAAWE,CAAc,CAElC,CAKA,SAASG,GAAanC,EAAGoC,EAAUhB,EAAOiB,EAAY,CACrD,IAAIC,EAAOC,EAASC,EAAM7S,EAAK8S,EAC9BC,EAAa,CAAC,EAGdzB,EAAYjB,EAAE,UAAU,MAAM,EAG/B,GAAKiB,EAAW,CAAE,EACjB,IAAMuB,KAAQxC,EAAE,WACf0C,EAAYF,EAAK,YAAY,CAAE,EAAIxC,EAAE,WAAYwC,CAAK,EAOxD,IAHAD,EAAUtB,EAAU,MAAM,EAGlBsB,GAcP,GAZKvC,EAAE,eAAgBuC,CAAQ,IAC9BnB,EAAOpB,EAAE,eAAgBuC,CAAQ,CAAE,EAAIH,GAInC,CAACK,GAAQJ,GAAarC,EAAE,aAC5BoC,EAAWpC,EAAE,WAAYoC,EAAUpC,EAAE,QAAS,GAG/CyC,EAAOF,EACPA,EAAUtB,EAAU,MAAM,EAErBsB,GAGJ,GAAKA,IAAY,IAEhBA,EAAUE,UAGCA,IAAS,KAAOA,IAASF,EAAU,CAM9C,GAHAC,EAAOE,EAAYD,EAAO,IAAMF,CAAQ,GAAKG,EAAY,KAAOH,CAAQ,EAGnE,CAACC,GACL,IAAMF,KAASI,EAId,GADA/S,EAAM2S,EAAM,MAAO,GAAI,EAClB3S,EAAK,CAAE,IAAM4S,IAGjBC,EAAOE,EAAYD,EAAO,IAAM9S,EAAK,CAAE,CAAE,GACxC+S,EAAY,KAAO/S,EAAK,CAAE,CAAE,EACxB6S,GAAO,CAGNA,IAAS,GACbA,EAAOE,EAAYJ,CAAM,EAGdI,EAAYJ,CAAM,IAAM,KACnCC,EAAU5S,EAAK,CAAE,EACjBsR,EAAU,QAAStR,EAAK,CAAE,CAAE,GAE7B,KACD,EAMH,GAAK6S,IAAS,GAGb,GAAKA,GAAQxC,EAAE,OACdoC,EAAWI,EAAMJ,CAAS,MAE1B,IAAI,CACHA,EAAWI,EAAMJ,CAAS,CAC3B,OAAUpV,EAAI,CACb,MAAO,CACN,MAAO,cACP,MAAOwV,EAAOxV,EAAI,sBAAwByV,EAAO,OAASF,CAC3D,CACD,CAGH,EAIF,MAAO,CAAE,MAAO,UAAW,KAAMH,CAAS,CAC3C,CAEAhnB,EAAO,OAAQ,CAGd,OAAQ,EAGR,aAAc,CAAC,EACf,KAAM,CAAC,EAEP,aAAc,CACb,IAAK2jB,GAAS,KACd,KAAM,MACN,QAASuB,GAAe,KAAMvB,GAAS,QAAS,EAChD,OAAQ,GACR,YAAa,GACb,MAAO,GACP,YAAa,mDAcb,QAAS,CACR,IAAK4B,GACL,KAAM,aACN,KAAM,YACN,IAAK,4BACL,KAAM,mCACP,EAEA,SAAU,CACT,IAAK,UACL,KAAM,SACN,KAAM,UACP,EAEA,eAAgB,CACf,IAAK,cACL,KAAM,eACN,KAAM,cACP,EAIA,WAAY,CAGX,SAAU,OAGV,YAAa,GAGb,YAAa,KAAK,MAGlB,WAAYvlB,EAAO,QACpB,EAMA,YAAa,CACZ,IAAK,GACL,QAAS,EACV,CACD,EAKA,UAAW,SAAUiB,EAAQsmB,EAAW,CACvC,OAAOA,EAGNhB,GAAYA,GAAYtlB,EAAQjB,EAAO,YAAa,EAAGunB,CAAS,EAGhEhB,GAAYvmB,EAAO,aAAciB,CAAO,CAC1C,EAEA,cAAewkB,GAA6BJ,EAAW,EACvD,cAAeI,GAA6BH,EAAW,EAGvD,KAAM,SAAUkC,EAAK7mB,EAAU,CAGzB,OAAO6mB,GAAQ,WACnB7mB,EAAU6mB,EACVA,EAAM,QAIP7mB,EAAUA,GAAW,CAAC,EAEtB,IAAI8mB,EAGHC,EAGAC,EACAC,EAGAC,EAGAC,EAGArV,EAGAsV,EAGAroB,EAGAsoB,EAGApD,EAAI5kB,EAAO,UAAW,CAAC,EAAGW,CAAQ,EAGlCsnB,EAAkBrD,EAAE,SAAWA,EAG/BsD,GAAqBtD,EAAE,UACpBqD,EAAgB,UAAYA,EAAgB,QAC9CjoB,EAAQioB,CAAgB,EACxBjoB,EAAO,MAGR4Q,GAAW5Q,EAAO,SAAS,EAC3BmoB,GAAmBnoB,EAAO,UAAW,aAAc,EAGnDooB,GAAaxD,EAAE,YAAc,CAAC,EAG9ByD,GAAiB,CAAC,EAClBC,GAAsB,CAAC,EAGvBC,GAAW,WAGXvC,GAAQ,CACP,WAAY,EAGZ,kBAAmB,SAAUlf,GAAM,CAClC,IAAIV,GACJ,GAAKqM,EAAY,CAChB,GAAK,CAACmV,EAEL,IADAA,EAAkB,CAAC,EACTxhB,GAAQ6e,GAAS,KAAM0C,CAAsB,GACtDC,EAAiBxhB,GAAO,CAAE,EAAE,YAAY,EAAI,GAAI,GAC7CwhB,EAAiBxhB,GAAO,CAAE,EAAE,YAAY,EAAI,GAAI,GAAK,CAAC,GACtD,OAAQA,GAAO,CAAE,CAAE,EAGxBA,GAAQwhB,EAAiB9gB,GAAI,YAAY,EAAI,GAAI,CAClD,CACA,OAAOV,IAAS,KAAO,KAAOA,GAAM,KAAM,IAAK,CAChD,EAGA,sBAAuB,UAAW,CACjC,OAAOqM,EAAYkV,EAAwB,IAC5C,EAGA,iBAAkB,SAAU/mB,GAAMuB,GAAQ,CACzC,OAAKsQ,GAAa,OACjB7R,GAAO0nB,GAAqB1nB,GAAK,YAAY,CAAE,EAC9C0nB,GAAqB1nB,GAAK,YAAY,CAAE,GAAKA,GAC9CynB,GAAgBznB,EAAK,EAAIuB,IAEnB,IACR,EAGA,iBAAkB,SAAUE,GAAO,CAClC,OAAKoQ,GAAa,OACjBmS,EAAE,SAAWviB,IAEP,IACR,EAGA,WAAY,SAAUqJ,GAAM,CAC3B,IAAInM,GACJ,GAAKmM,GACJ,GAAK+G,EAGJuT,GAAM,OAAQta,GAAKsa,GAAM,MAAO,CAAE,MAIlC,KAAMzmB,MAAQmM,GACb0c,GAAY7oB,EAAK,EAAI,CAAE6oB,GAAY7oB,EAAK,EAAGmM,GAAKnM,EAAK,CAAE,EAI1D,OAAO,IACR,EAGA,MAAO,SAAUipB,GAAa,CAC7B,IAAIC,GAAYD,IAAcD,GAC9B,OAAKd,GACJA,EAAU,MAAOgB,EAAU,EAE5B1kB,GAAM,EAAG0kB,EAAU,EACZ,IACR,CACD,EAkBD,GAfA7X,GAAS,QAASoV,EAAM,EAKxBpB,EAAE,MAAU4C,GAAO5C,EAAE,KAAOjB,GAAS,MAAS,IAC5C,QAASyB,GAAWzB,GAAS,SAAW,IAAK,EAG/CiB,EAAE,KAAOjkB,EAAQ,QAAUA,EAAQ,MAAQikB,EAAE,QAAUA,EAAE,KAGzDA,EAAE,WAAcA,EAAE,UAAY,KAAM,YAAY,EAAE,MAAO5V,EAAc,GAAK,CAAE,EAAG,EAG5E4V,EAAE,aAAe,KAAO,CAC5BkD,EAAY1oB,EAAS,cAAe,GAAI,EAKxC,GAAI,CACH0oB,EAAU,KAAOlD,EAAE,IAInBkD,EAAU,KAAOA,EAAU,KAC3BlD,EAAE,YAAcY,GAAa,SAAW,KAAOA,GAAa,MAC3DsC,EAAU,SAAW,KAAOA,EAAU,IACxC,MAAc,CAIblD,EAAE,YAAc,EACjB,CACD,CAWA,GARKA,EAAE,MAAQA,EAAE,aAAe,OAAOA,EAAE,MAAS,WACjDA,EAAE,KAAO5kB,EAAO,MAAO4kB,EAAE,KAAMA,EAAE,WAAY,GAI9CkB,GAA+BT,GAAYT,EAAGjkB,EAASqlB,EAAM,EAGxDvT,EACJ,OAAOuT,GAKR+B,EAAc/nB,EAAO,OAAS4kB,EAAE,OAG3BmD,GAAe/nB,EAAO,WAAa,GACvCA,EAAO,MAAM,QAAS,WAAY,EAInC4kB,EAAE,KAAOA,EAAE,KAAK,YAAY,EAG5BA,EAAE,WAAa,CAACO,GAAW,KAAMP,EAAE,IAAK,EAKxC8C,EAAW9C,EAAE,IAAI,QAASG,GAAO,EAAG,EAG9BH,EAAE,WAwBIA,EAAE,MAAQA,EAAE,cACrBA,EAAE,aAAe,IAAK,QAAS,mCAAoC,IAAM,IAC3EA,EAAE,KAAOA,EAAE,KAAK,QAASE,GAAK,GAAI,IAvBlCkD,EAAWpD,EAAE,IAAI,MAAO8C,EAAS,MAAO,EAGnC9C,EAAE,OAAUA,EAAE,aAAe,OAAOA,EAAE,MAAS,YACnD8C,IAAc7D,GAAO,KAAM6D,CAAS,EAAI,IAAM,KAAQ9C,EAAE,KAGxD,OAAOA,EAAE,MAILA,EAAE,QAAU,KAChB8C,EAAWA,EAAS,QAAS1C,GAAY,IAAK,EAC9CgD,GAAanE,GAAO,KAAM6D,CAAS,EAAI,IAAM,KAAQ,KAAS9D,GAAM,OACnEoE,GAIFpD,EAAE,IAAM8C,EAAWM,GASfpD,EAAE,aACD5kB,EAAO,aAAc0nB,CAAS,GAClC1B,GAAM,iBAAkB,oBAAqBhmB,EAAO,aAAc0nB,CAAS,CAAE,EAEzE1nB,EAAO,KAAM0nB,CAAS,GAC1B1B,GAAM,iBAAkB,gBAAiBhmB,EAAO,KAAM0nB,CAAS,CAAE,IAK9D9C,EAAE,MAAQA,EAAE,YAAcA,EAAE,cAAgB,IAASjkB,EAAQ,cACjEqlB,GAAM,iBAAkB,eAAgBpB,EAAE,WAAY,EAIvDoB,GAAM,iBACL,SACApB,EAAE,UAAW,CAAE,GAAKA,EAAE,QAASA,EAAE,UAAW,CAAE,CAAE,EAC/CA,EAAE,QAASA,EAAE,UAAW,CAAE,CAAE,GACzBA,EAAE,UAAW,CAAE,IAAM,IAAM,KAAOW,GAAW,WAAa,IAC7DX,EAAE,QAAS,GAAI,CACjB,EAGA,IAAMllB,KAAKklB,EAAE,QACZoB,GAAM,iBAAkBtmB,EAAGklB,EAAE,QAASllB,CAAE,CAAE,EAI3C,GAAKklB,EAAE,aACJA,EAAE,WAAW,KAAMqD,EAAiBjC,GAAOpB,CAAE,IAAM,IAASnS,GAG9D,OAAOuT,GAAM,MAAM,EAepB,GAXAuC,GAAW,QAGXJ,GAAiB,IAAKvD,EAAE,QAAS,EACjCoB,GAAM,KAAMpB,EAAE,OAAQ,EACtBoB,GAAM,KAAMpB,EAAE,KAAM,EAGpB6C,EAAY3B,GAA+BR,GAAYV,EAAGjkB,EAASqlB,EAAM,EAGpE,CAACyB,EACL1jB,GAAM,GAAI,cAAe,MACnB,CASN,GARAiiB,GAAM,WAAa,EAGd+B,GACJG,GAAmB,QAAS,WAAY,CAAElC,GAAOpB,CAAE,CAAE,EAIjDnS,EACJ,OAAOuT,GAIHpB,EAAE,OAASA,EAAE,QAAU,IAC3BiD,EAAe3pB,EAAO,WAAY,UAAW,CAC5C8nB,GAAM,MAAO,SAAU,CACxB,EAAGpB,EAAE,OAAQ,GAGd,GAAI,CACHnS,EAAY,GACZgV,EAAU,KAAMY,GAAgBtkB,EAAK,CACtC,OAAU6N,GAAI,CAGb,GAAKa,EACJ,MAAMb,GAIP7N,GAAM,GAAI6N,EAAE,CACb,CACD,CAGA,SAAS7N,GAAM2kB,GAAQC,GAAkBjC,GAAWkC,GAAU,CAC7D,IAAI3B,GAAW4B,GAASxW,GAAO2U,GAAU8B,GACxCN,GAAaG,GAGTlW,IAILA,EAAY,GAGPoV,GACJ3pB,EAAO,aAAc2pB,CAAa,EAKnCJ,EAAY,OAGZE,EAAwBiB,IAAW,GAGnC5C,GAAM,WAAa0C,GAAS,EAAI,EAAI,EAGpCzB,GAAYyB,IAAU,KAAOA,GAAS,KAAOA,KAAW,IAGnDhC,KACJM,GAAWP,GAAqB7B,EAAGoB,GAAOU,EAAU,GAIhD,CAACO,IACLjnB,EAAO,QAAS,SAAU4kB,EAAE,SAAU,EAAI,IAC1C5kB,EAAO,QAAS,OAAQ4kB,EAAE,SAAU,EAAI,IACxCA,EAAE,WAAY,aAAc,EAAI,UAAW,CAAC,GAI7CoC,GAAWD,GAAanC,EAAGoC,GAAUhB,GAAOiB,EAAU,EAGjDA,IAGCrC,EAAE,aACNkE,GAAW9C,GAAM,kBAAmB,eAAgB,EAC/C8C,KACJ9oB,EAAO,aAAc0nB,CAAS,EAAIoB,IAEnCA,GAAW9C,GAAM,kBAAmB,MAAO,EACtC8C,KACJ9oB,EAAO,KAAM0nB,CAAS,EAAIoB,KAKvBJ,KAAW,KAAO9D,EAAE,OAAS,OACjC4D,GAAa,YAGFE,KAAW,IACtBF,GAAa,eAIbA,GAAaxB,GAAS,MACtB6B,GAAU7B,GAAS,KACnB3U,GAAQ2U,GAAS,MACjBC,GAAY,CAAC5U,MAKdA,GAAQmW,IACHE,IAAU,CAACF,MACfA,GAAa,QACRE,GAAS,IACbA,GAAS,KAMZ1C,GAAM,OAAS0C,GACf1C,GAAM,YAAe2C,IAAoBH,IAAe,GAGnDvB,GACJrW,GAAS,YAAaqX,EAAiB,CAAEY,GAASL,GAAYxC,EAAM,CAAE,EAEtEpV,GAAS,WAAYqX,EAAiB,CAAEjC,GAAOwC,GAAYnW,EAAM,CAAE,EAIpE2T,GAAM,WAAYoC,EAAW,EAC7BA,GAAa,OAERL,GACJG,GAAmB,QAASjB,GAAY,cAAgB,YACvD,CAAEjB,GAAOpB,EAAGqC,GAAY4B,GAAUxW,EAAM,CAAE,EAI5C8V,GAAiB,SAAUF,EAAiB,CAAEjC,GAAOwC,EAAW,CAAE,EAE7DT,IACJG,GAAmB,QAAS,eAAgB,CAAElC,GAAOpB,CAAE,CAAE,EAGjD,EAAE5kB,EAAO,QAChBA,EAAO,MAAM,QAAS,UAAW,GAGpC,CAEA,OAAOgmB,EACR,EAEA,QAAS,SAAUwB,EAAK9T,EAAMpT,EAAW,CACxC,OAAON,EAAO,IAAKwnB,EAAK9T,EAAMpT,EAAU,MAAO,CAChD,EAEA,UAAW,SAAUknB,EAAKlnB,EAAW,CACpC,OAAON,EAAO,IAAKwnB,EAAK,OAAWlnB,EAAU,QAAS,CACvD,CACD,CAAE,EAEFN,EAAO,KAAM,CAAE,MAAO,MAAO,EAAG,SAAUoC,EAAImO,EAAS,CACtDvQ,EAAQuQ,CAAO,EAAI,SAAUiX,EAAK9T,EAAMpT,EAAU+B,EAAO,CAGxD,OAAKpD,EAAYyU,CAAK,IACrBrR,EAAOA,GAAQ/B,EACfA,EAAWoT,EACXA,EAAO,QAID1T,EAAO,KAAMA,EAAO,OAAQ,CAClC,IAAKwnB,EACL,KAAMjX,EACN,SAAUlO,EACV,KAAMqR,EACN,QAASpT,CACV,EAAGN,EAAO,cAAewnB,CAAI,GAAKA,CAAI,CAAE,CACzC,CACD,CAAE,EAEFxnB,EAAO,cAAe,SAAU4kB,EAAI,CACnC,IAAIllB,EACJ,IAAMA,KAAKklB,EAAE,QACPllB,EAAE,YAAY,IAAM,iBACxBklB,EAAE,YAAcA,EAAE,QAASllB,CAAE,GAAK,GAGrC,CAAE,EAGFM,EAAO,SAAW,SAAUwnB,EAAK7mB,EAASlB,EAAM,CAC/C,OAAOO,EAAO,KAAM,CACnB,IAAKwnB,EAGL,KAAM,MACN,SAAU,SACV,MAAO,GACP,MAAO,GACP,OAAQ,GAKR,WAAY,CACX,cAAe,UAAW,CAAC,CAC5B,EACA,WAAY,SAAUR,EAAW,CAChChnB,EAAO,WAAYgnB,EAAUrmB,EAASlB,CAAI,CAC3C,CACD,CAAE,CACH,EAGAO,EAAO,GAAG,OAAQ,CACjB,QAAS,SAAU2a,EAAO,CACzB,IAAI7D,EAEJ,OAAK,KAAM,CAAE,IACP7X,EAAY0b,CAAK,IACrBA,EAAOA,EAAK,KAAM,KAAM,CAAE,CAAE,GAI7B7D,EAAO9W,EAAQ2a,EAAM,KAAM,CAAE,EAAE,aAAc,EAAE,GAAI,CAAE,EAAE,MAAO,EAAK,EAE9D,KAAM,CAAE,EAAE,YACd7D,EAAK,aAAc,KAAM,CAAE,CAAE,EAG9BA,EAAK,IAAK,UAAW,CAGpB,QAFIvW,EAAO,KAEHA,EAAK,mBACZA,EAAOA,EAAK,kBAGb,OAAOA,CACR,CAAE,EAAE,OAAQ,IAAK,GAGX,IACR,EAEA,UAAW,SAAUoa,EAAO,CAC3B,OAAK1b,EAAY0b,CAAK,EACd,KAAK,KAAM,SAAUjb,EAAI,CAC/BM,EAAQ,IAAK,EAAE,UAAW2a,EAAK,KAAM,KAAMjb,CAAE,CAAE,CAChD,CAAE,EAGI,KAAK,KAAM,UAAW,CAC5B,IAAI2O,EAAOrO,EAAQ,IAAK,EACvB8mB,EAAWzY,EAAK,SAAS,EAErByY,EAAS,OACbA,EAAS,QAASnM,CAAK,EAGvBtM,EAAK,OAAQsM,CAAK,CAEpB,CAAE,CACH,EAEA,KAAM,SAAUA,EAAO,CACtB,IAAIoO,EAAiB9pB,EAAY0b,CAAK,EAEtC,OAAO,KAAK,KAAM,SAAUjb,EAAI,CAC/BM,EAAQ,IAAK,EAAE,QAAS+oB,EAAiBpO,EAAK,KAAM,KAAMjb,CAAE,EAAIib,CAAK,CACtE,CAAE,CACH,EAEA,OAAQ,SAAU1a,EAAW,CAC5B,YAAK,OAAQA,CAAS,EAAE,IAAK,MAAO,EAAE,KAAM,UAAW,CACtDD,EAAQ,IAAK,EAAE,YAAa,KAAK,UAAW,CAC7C,CAAE,EACK,IACR,CACD,CAAE,EAGFA,EAAO,KAAK,QAAQ,OAAS,SAAUO,EAAO,CAC7C,MAAO,CAACP,EAAO,KAAK,QAAQ,QAASO,CAAK,CAC3C,EACAP,EAAO,KAAK,QAAQ,QAAU,SAAUO,EAAO,CAC9C,MAAO,CAAC,EAAGA,EAAK,aAAeA,EAAK,cAAgBA,EAAK,eAAe,EAAE,OAC3E,EAKAP,EAAO,aAAa,IAAM,UAAW,CACpC,GAAI,CACH,OAAO,IAAI9B,EAAO,cACnB,MAAc,CAAC,CAChB,EAEA,IAAI8qB,GAAmB,CAGrB,EAAG,IAIH,KAAM,GACP,EACAC,GAAejpB,EAAO,aAAa,IAAI,EAExChB,EAAQ,KAAO,CAAC,CAACiqB,IAAkB,oBAAqBA,GACxDjqB,EAAQ,KAAOiqB,GAAe,CAAC,CAACA,GAEhCjpB,EAAO,cAAe,SAAUW,EAAU,CACzC,IAAIL,EAAU4oB,EAGd,GAAKlqB,EAAQ,MAAQiqB,IAAgB,CAACtoB,EAAQ,YAC7C,MAAO,CACN,KAAM,SAAUioB,EAASO,EAAW,CACnC,IAAIzpB,EACH0pB,EAAMzoB,EAAQ,IAAI,EAWnB,GATAyoB,EAAI,KACHzoB,EAAQ,KACRA,EAAQ,IACRA,EAAQ,MACRA,EAAQ,SACRA,EAAQ,QACT,EAGKA,EAAQ,UACZ,IAAMjB,KAAKiB,EAAQ,UAClByoB,EAAK1pB,CAAE,EAAIiB,EAAQ,UAAWjB,CAAE,EAK7BiB,EAAQ,UAAYyoB,EAAI,kBAC5BA,EAAI,iBAAkBzoB,EAAQ,QAAS,EAQnC,CAACA,EAAQ,aAAe,CAACioB,EAAS,kBAAmB,IACzDA,EAAS,kBAAmB,EAAI,kBAIjC,IAAMlpB,KAAKkpB,EACVQ,EAAI,iBAAkB1pB,EAAGkpB,EAASlpB,CAAE,CAAE,EAIvCY,EAAW,SAAU+B,EAAO,CAC3B,OAAO,UAAW,CACZ/B,IACJA,EAAW4oB,EAAgBE,EAAI,OAC9BA,EAAI,QAAUA,EAAI,QAAUA,EAAI,UAC/BA,EAAI,mBAAqB,KAEtB/mB,IAAS,QACb+mB,EAAI,MAAM,EACC/mB,IAAS,QAKf,OAAO+mB,EAAI,QAAW,SAC1BD,EAAU,EAAG,OAAQ,EAErBA,EAGCC,EAAI,OACJA,EAAI,UACL,EAGDD,EACCH,GAAkBI,EAAI,MAAO,GAAKA,EAAI,OACtCA,EAAI,YAKFA,EAAI,cAAgB,UAAa,QACnC,OAAOA,EAAI,cAAiB,SAC3B,CAAE,OAAQA,EAAI,QAAS,EACvB,CAAE,KAAMA,EAAI,YAAa,EAC1BA,EAAI,sBAAsB,CAC3B,EAGH,CACD,EAGAA,EAAI,OAAS9oB,EAAS,EACtB4oB,EAAgBE,EAAI,QAAUA,EAAI,UAAY9oB,EAAU,OAAQ,EAK3D8oB,EAAI,UAAY,OACpBA,EAAI,QAAUF,EAEdE,EAAI,mBAAqB,UAAW,CAG9BA,EAAI,aAAe,GAMvBlrB,EAAO,WAAY,UAAW,CACxBoC,GACJ4oB,EAAc,CAEhB,CAAE,CAEJ,EAID5oB,EAAWA,EAAU,OAAQ,EAE7B,GAAI,CAGH8oB,EAAI,KAAMzoB,EAAQ,YAAcA,EAAQ,MAAQ,IAAK,CACtD,OAAUiR,EAAI,CAGb,GAAKtR,EACJ,MAAMsR,CAER,CACD,EAEA,MAAO,UAAW,CACZtR,GACJA,EAAS,CAEX,CACD,CAEF,CAAE,EAMFN,EAAO,cAAe,SAAU4kB,EAAI,CAC9BA,EAAE,cACNA,EAAE,SAAS,OAAS,GAEtB,CAAE,EAGF5kB,EAAO,UAAW,CACjB,QAAS,CACR,OAAQ,2FAET,EACA,SAAU,CACT,OAAQ,yBACT,EACA,WAAY,CACX,cAAe,SAAUkK,EAAO,CAC/B,OAAAlK,EAAO,WAAYkK,CAAK,EACjBA,CACR,CACD,CACD,CAAE,EAGFlK,EAAO,cAAe,SAAU,SAAU4kB,EAAI,CACxCA,EAAE,QAAU,SAChBA,EAAE,MAAQ,IAENA,EAAE,cACNA,EAAE,KAAO,MAEX,CAAE,EAGF5kB,EAAO,cAAe,SAAU,SAAU4kB,EAAI,CAG7C,GAAKA,EAAE,aAAeA,EAAE,YAAc,CACrC,IAAIhlB,EAAQU,EACZ,MAAO,CACN,KAAM,SAAU6O,EAAGga,EAAW,CAC7BvpB,EAASI,EAAQ,UAAW,EAC1B,KAAM4kB,EAAE,aAAe,CAAC,CAAE,EAC1B,KAAM,CAAE,QAASA,EAAE,cAAe,IAAKA,EAAE,GAAI,CAAE,EAC/C,GAAI,aAActkB,EAAW,SAAU+oB,EAAM,CAC7CzpB,EAAO,OAAO,EACdU,EAAW,KACN+oB,GACJF,EAAUE,EAAI,OAAS,QAAU,IAAM,IAAKA,EAAI,IAAK,CAEvD,CAAE,EAGHjqB,EAAS,KAAK,YAAaQ,EAAQ,CAAE,CAAE,CACxC,EACA,MAAO,UAAW,CACZU,GACJA,EAAS,CAEX,CACD,CACD,CACD,CAAE,EAKF,IAAIgpB,GAAe,CAAC,EACnBC,GAAS,oBAGVvpB,EAAO,UAAW,CACjB,MAAO,WACP,cAAe,UAAW,CACzB,IAAIM,EAAWgpB,GAAa,IAAI,GAAOtpB,EAAO,QAAU,IAAQ4jB,GAAM,OACtE,YAAMtjB,CAAS,EAAI,GACZA,CACR,CACD,CAAE,EAGFN,EAAO,cAAe,aAAc,SAAU4kB,EAAG4E,EAAkBxD,EAAQ,CAE1E,IAAIyD,EAAcC,EAAaC,EAC9BC,EAAWhF,EAAE,QAAU,KAAW2E,GAAO,KAAM3E,EAAE,GAAI,EACpD,MACA,OAAOA,EAAE,MAAS,WACfA,EAAE,aAAe,IACjB,QAAS,mCAAoC,IAAM,GACrD2E,GAAO,KAAM3E,EAAE,IAAK,GAAK,QAI5B,GAAKgF,GAAYhF,EAAE,UAAW,CAAE,IAAM,QAGrC,OAAA6E,EAAe7E,EAAE,cAAgB3lB,EAAY2lB,EAAE,aAAc,EAC5DA,EAAE,cAAc,EAChBA,EAAE,cAGEgF,EACJhF,EAAGgF,CAAS,EAAIhF,EAAGgF,CAAS,EAAE,QAASL,GAAQ,KAAOE,CAAa,EACxD7E,EAAE,QAAU,KACvBA,EAAE,MAASf,GAAO,KAAMe,EAAE,GAAI,EAAI,IAAM,KAAQA,EAAE,MAAQ,IAAM6E,GAIjE7E,EAAE,WAAY,aAAc,EAAI,UAAW,CAC1C,OAAM+E,GACL3pB,EAAO,MAAOypB,EAAe,iBAAkB,EAEzCE,EAAmB,CAAE,CAC7B,EAGA/E,EAAE,UAAW,CAAE,EAAI,OAGnB8E,EAAcxrB,EAAQurB,CAAa,EACnCvrB,EAAQurB,CAAa,EAAI,UAAW,CACnCE,EAAoB,SACrB,EAGA3D,EAAM,OAAQ,UAAW,CAGnB0D,IAAgB,OACpB1pB,EAAQ9B,CAAO,EAAE,WAAYurB,CAAa,EAI1CvrB,EAAQurB,CAAa,EAAIC,EAIrB9E,EAAG6E,CAAa,IAGpB7E,EAAE,cAAgB4E,EAAiB,cAGnCF,GAAa,KAAMG,CAAa,GAI5BE,GAAqB1qB,EAAYyqB,CAAY,GACjDA,EAAaC,EAAmB,CAAE,CAAE,EAGrCA,EAAoBD,EAAc,MACnC,CAAE,EAGK,QAET,CAAE,EAUF1qB,EAAQ,mBAAuB,UAAW,CACzC,IAAI6qB,EAAOzqB,EAAS,eAAe,mBAAoB,EAAG,EAAE,KAC5D,OAAAyqB,EAAK,UAAY,6BACVA,EAAK,WAAW,SAAW,CACnC,EAAI,EAOJ7pB,EAAO,UAAY,SAAU0T,EAAMxT,EAAS4pB,EAAc,CACzD,GAAK,OAAOpW,GAAS,SACpB,MAAO,CAAC,EAEJ,OAAOxT,GAAY,YACvB4pB,EAAc5pB,EACdA,EAAU,IAGX,IAAI6K,EAAMgf,EAAQpT,EAwBlB,OAtBMzW,IAIAlB,EAAQ,oBACZkB,EAAUd,EAAS,eAAe,mBAAoB,EAAG,EAKzD2L,EAAO7K,EAAQ,cAAe,MAAO,EACrC6K,EAAK,KAAO3L,EAAS,SAAS,KAC9Bc,EAAQ,KAAK,YAAa6K,CAAK,GAE/B7K,EAAUd,GAIZ2qB,EAAS9b,GAAW,KAAMyF,CAAK,EAC/BiD,EAAU,CAACmT,GAAe,CAAC,EAGtBC,EACG,CAAE7pB,EAAQ,cAAe6pB,EAAQ,CAAE,CAAE,CAAE,GAG/CA,EAASrT,GAAe,CAAEhD,CAAK,EAAGxT,EAASyW,CAAQ,EAE9CA,GAAWA,EAAQ,QACvB3W,EAAQ2W,CAAQ,EAAE,OAAO,EAGnB3W,EAAO,MAAO,CAAC,EAAG+pB,EAAO,UAAW,EAC5C,EAMA/pB,EAAO,GAAG,KAAO,SAAUwnB,EAAKwC,EAAQ1pB,EAAW,CAClD,IAAIL,EAAUoC,EAAM2kB,EACnB3Y,EAAO,KACP4b,EAAMzC,EAAI,QAAS,GAAI,EAExB,OAAKyC,EAAM,KACVhqB,EAAW8iB,GAAkByE,EAAI,MAAOyC,CAAI,CAAE,EAC9CzC,EAAMA,EAAI,MAAO,EAAGyC,CAAI,GAIpBhrB,EAAY+qB,CAAO,GAGvB1pB,EAAW0pB,EACXA,EAAS,QAGEA,GAAU,OAAOA,GAAW,WACvC3nB,EAAO,QAIHgM,EAAK,OAAS,GAClBrO,EAAO,KAAM,CACZ,IAAKwnB,EAKL,KAAMnlB,GAAQ,MACd,SAAU,OACV,KAAM2nB,CACP,CAAE,EAAE,KAAM,SAAUE,EAAe,CAGlClD,EAAW,UAEX3Y,EAAK,KAAMpO,EAIVD,EAAQ,OAAQ,EAAE,OAAQA,EAAO,UAAWkqB,CAAa,CAAE,EAAE,KAAMjqB,CAAS,EAG5EiqB,CAAa,CAKf,CAAE,EAAE,OAAQ5pB,GAAY,SAAU0lB,EAAO0C,EAAS,CACjDra,EAAK,KAAM,UAAW,CACrB/N,EAAS,MAAO,KAAM0mB,GAAY,CAAEhB,EAAM,aAAc0C,EAAQ1C,CAAM,CAAE,CACzE,CAAE,CACH,CAAE,EAGI,IACR,EAKAhmB,EAAO,KAAK,QAAQ,SAAW,SAAUO,EAAO,CAC/C,OAAOP,EAAO,KAAMA,EAAO,OAAQ,SAAUgH,EAAK,CACjD,OAAOzG,IAASyG,EAAG,IACpB,CAAE,EAAE,MACL,EAKAhH,EAAO,OAAS,CACf,UAAW,SAAUO,EAAMI,EAASjB,EAAI,CACvC,IAAIyqB,EAAaC,EAASC,EAAWC,EAAQC,EAAWC,EAAYC,EACnEC,EAAW1qB,EAAO,IAAKO,EAAM,UAAW,EACxCoqB,EAAU3qB,EAAQO,CAAK,EACvBwY,EAAQ,CAAC,EAGL2R,IAAa,WACjBnqB,EAAK,MAAM,SAAW,YAGvBgqB,EAAYI,EAAQ,OAAO,EAC3BN,EAAYrqB,EAAO,IAAKO,EAAM,KAAM,EACpCiqB,EAAaxqB,EAAO,IAAKO,EAAM,MAAO,EACtCkqB,GAAsBC,IAAa,YAAcA,IAAa,WAC3DL,EAAYG,GAAa,QAAS,MAAO,EAAI,GAI3CC,GACJN,EAAcQ,EAAQ,SAAS,EAC/BL,EAASH,EAAY,IACrBC,EAAUD,EAAY,OAGtBG,EAAS,WAAYD,CAAU,GAAK,EACpCD,EAAU,WAAYI,CAAW,GAAK,GAGlCvrB,EAAY0B,CAAQ,IAGxBA,EAAUA,EAAQ,KAAMJ,EAAMb,EAAGM,EAAO,OAAQ,CAAC,EAAGuqB,CAAU,CAAE,GAG5D5pB,EAAQ,KAAO,OACnBoY,EAAM,IAAQpY,EAAQ,IAAM4pB,EAAU,IAAQD,GAE1C3pB,EAAQ,MAAQ,OACpBoY,EAAM,KAASpY,EAAQ,KAAO4pB,EAAU,KAASH,GAG7C,UAAWzpB,EACfA,EAAQ,MAAM,KAAMJ,EAAMwY,CAAM,EAGhC4R,EAAQ,IAAK5R,CAAM,CAErB,CACD,EAEA/Y,EAAO,GAAG,OAAQ,CAGjB,OAAQ,SAAUW,EAAU,CAG3B,GAAK,UAAU,OACd,OAAOA,IAAY,OAClB,KACA,KAAK,KAAM,SAAUjB,EAAI,CACxBM,EAAO,OAAO,UAAW,KAAMW,EAASjB,CAAE,CAC3C,CAAE,EAGJ,IAAIkrB,EAAMC,EACTtqB,EAAO,KAAM,CAAE,EAEhB,GAAMA,EAQN,OAAMA,EAAK,eAAe,EAAE,QAK5BqqB,EAAOrqB,EAAK,sBAAsB,EAClCsqB,EAAMtqB,EAAK,cAAc,YAClB,CACN,IAAKqqB,EAAK,IAAMC,EAAI,YACpB,KAAMD,EAAK,KAAOC,EAAI,WACvB,GATQ,CAAE,IAAK,EAAG,KAAM,CAAE,CAU3B,EAIA,SAAU,UAAW,CACpB,GAAM,KAAM,CAAE,EAId,KAAIC,EAAcC,EAAQtrB,EACzBc,EAAO,KAAM,CAAE,EACfyqB,EAAe,CAAE,IAAK,EAAG,KAAM,CAAE,EAGlC,GAAKhrB,EAAO,IAAKO,EAAM,UAAW,IAAM,QAGvCwqB,EAASxqB,EAAK,sBAAsB,MAE9B,CAON,IANAwqB,EAAS,KAAK,OAAO,EAIrBtrB,EAAMc,EAAK,cACXuqB,EAAevqB,EAAK,cAAgBd,EAAI,gBAChCqrB,IACLA,IAAiBrrB,EAAI,MAAQqrB,IAAiBrrB,EAAI,kBACpDO,EAAO,IAAK8qB,EAAc,UAAW,IAAM,UAE3CA,EAAeA,EAAa,WAExBA,GAAgBA,IAAiBvqB,GAAQuqB,EAAa,WAAa,IAGvEE,EAAehrB,EAAQ8qB,CAAa,EAAE,OAAO,EAC7CE,EAAa,KAAOhrB,EAAO,IAAK8qB,EAAc,iBAAkB,EAAK,EACrEE,EAAa,MAAQhrB,EAAO,IAAK8qB,EAAc,kBAAmB,EAAK,EAEzE,CAGA,MAAO,CACN,IAAKC,EAAO,IAAMC,EAAa,IAAMhrB,EAAO,IAAKO,EAAM,YAAa,EAAK,EACzE,KAAMwqB,EAAO,KAAOC,EAAa,KAAOhrB,EAAO,IAAKO,EAAM,aAAc,EAAK,CAC9E,EACD,EAYA,aAAc,UAAW,CACxB,OAAO,KAAK,IAAK,UAAW,CAG3B,QAFIuqB,EAAe,KAAK,aAEhBA,GAAgB9qB,EAAO,IAAK8qB,EAAc,UAAW,IAAM,UAClEA,EAAeA,EAAa,aAG7B,OAAOA,GAAgBpnB,EACxB,CAAE,CACH,CACD,CAAE,EAGF1D,EAAO,KAAM,CAAE,WAAY,cAAe,UAAW,aAAc,EAAG,SAAUuQ,EAAQoD,EAAO,CAC9F,IAAIsX,EAAwBtX,IAAlB,cAEV3T,EAAO,GAAIuQ,CAAO,EAAI,SAAU5Q,EAAM,CACrC,OAAO+S,GAAQ,KAAM,SAAUnS,EAAMgQ,EAAQ5Q,EAAM,CAGlD,IAAIkrB,EAOJ,GANK1rB,EAAUoB,CAAK,EACnBsqB,EAAMtqB,EACKA,EAAK,WAAa,IAC7BsqB,EAAMtqB,EAAK,aAGPZ,IAAQ,OACZ,OAAOkrB,EAAMA,EAAKlX,CAAK,EAAIpT,EAAMgQ,CAAO,EAGpCsa,EACJA,EAAI,SACFI,EAAYJ,EAAI,YAAVlrB,EACPsrB,EAAMtrB,EAAMkrB,EAAI,WACjB,EAGAtqB,EAAMgQ,CAAO,EAAI5Q,CAEnB,EAAG4Q,EAAQ5Q,EAAK,UAAU,MAAO,CAClC,CACD,CAAE,EAQFK,EAAO,KAAM,CAAE,MAAO,MAAO,EAAG,SAAUoC,EAAIuR,EAAO,CACpD3T,EAAO,SAAU2T,CAAK,EAAIqJ,GAAche,EAAQ,cAC/C,SAAUuB,EAAMmc,EAAW,CAC1B,GAAKA,EACJ,OAAAA,EAAWD,GAAQlc,EAAMoT,CAAK,EAGvBwH,GAAU,KAAMuB,CAAS,EAC/B1c,EAAQO,CAAK,EAAE,SAAS,EAAGoT,CAAK,EAAI,KACpC+I,CAEH,CACD,CACD,CAAE,EAIF1c,EAAO,KAAM,CAAE,OAAQ,SAAU,MAAO,OAAQ,EAAG,SAAUY,EAAMyB,EAAO,CACzErC,EAAO,KAAM,CACZ,QAAS,QAAUY,EACnB,QAASyB,EACT,GAAI,QAAUzB,CACf,EAAG,SAAUsqB,EAAcC,EAAW,CAGrCnrB,EAAO,GAAImrB,CAAS,EAAI,SAAUC,EAAQjpB,EAAQ,CACjD,IAAIwQ,EAAY,UAAU,SAAYuY,GAAgB,OAAOE,GAAW,WACvE/M,EAAQ6M,IAAkBE,IAAW,IAAQjpB,IAAU,GAAO,SAAW,UAE1E,OAAOuQ,GAAQ,KAAM,SAAUnS,EAAM8B,EAAMF,EAAQ,CAClD,IAAI1C,EAEJ,OAAKN,EAAUoB,CAAK,EAGZ4qB,EAAS,QAAS,OAAQ,IAAM,EACtC5qB,EAAM,QAAUK,CAAK,EACrBL,EAAK,SAAS,gBAAiB,SAAWK,CAAK,EAI5CL,EAAK,WAAa,GACtBd,EAAMc,EAAK,gBAIJ,KAAK,IACXA,EAAK,KAAM,SAAWK,CAAK,EAAGnB,EAAK,SAAWmB,CAAK,EACnDL,EAAK,KAAM,SAAWK,CAAK,EAAGnB,EAAK,SAAWmB,CAAK,EACnDnB,EAAK,SAAWmB,CAAK,CACtB,GAGMuB,IAAU,OAGhBnC,EAAO,IAAKO,EAAM8B,EAAMgc,CAAM,EAG9Bre,EAAO,MAAOO,EAAM8B,EAAMF,EAAOkc,CAAM,CACzC,EAAGhc,EAAMsQ,EAAYyY,EAAS,OAAWzY,CAAU,CACpD,CACD,CAAE,CACH,CAAE,EAGF3S,EAAO,KAAM,CACZ,YACA,WACA,eACA,YACA,cACA,UACD,EAAG,SAAUoC,EAAIC,EAAO,CACvBrC,EAAO,GAAIqC,CAAK,EAAI,SAAU2E,EAAK,CAClC,OAAO,KAAK,GAAI3E,EAAM2E,CAAG,CAC1B,CACD,CAAE,EAKFhH,EAAO,GAAG,OAAQ,CAEjB,KAAM,SAAUqX,EAAO3D,EAAM1M,EAAK,CACjC,OAAO,KAAK,GAAIqQ,EAAO,KAAM3D,EAAM1M,CAAG,CACvC,EACA,OAAQ,SAAUqQ,EAAOrQ,EAAK,CAC7B,OAAO,KAAK,IAAKqQ,EAAO,KAAMrQ,CAAG,CAClC,EAEA,SAAU,SAAU/G,EAAUoX,EAAO3D,EAAM1M,EAAK,CAC/C,OAAO,KAAK,GAAIqQ,EAAOpX,EAAUyT,EAAM1M,CAAG,CAC3C,EACA,WAAY,SAAU/G,EAAUoX,EAAOrQ,EAAK,CAG3C,OAAO,UAAU,SAAW,EAC3B,KAAK,IAAK/G,EAAU,IAAK,EACzB,KAAK,IAAKoX,EAAOpX,GAAY,KAAM+G,CAAG,CACxC,EAEA,MAAO,SAAUqkB,EAAQC,EAAQ,CAChC,OAAO,KAAK,WAAYD,CAAO,EAAE,WAAYC,GAASD,CAAO,CAC9D,CACD,CAAE,EAEFrrB,EAAO,KACJ,wLAE0D,MAAO,GAAI,EACvE,SAAUoC,EAAIxB,EAAO,CAGpBZ,EAAO,GAAIY,CAAK,EAAI,SAAU8S,EAAM1M,EAAK,CACxC,OAAO,UAAU,OAAS,EACzB,KAAK,GAAIpG,EAAM,KAAM8S,EAAM1M,CAAG,EAC9B,KAAK,QAASpG,CAAK,CACrB,CACD,CACD,EASA,IAAI2qB,GAAQ,sDAMZvrB,EAAO,MAAQ,SAAUgH,EAAI9G,EAAU,CACtC,IAAIqU,EAAK3K,EAAM4hB,EAUf,GARK,OAAOtrB,GAAY,WACvBqU,EAAMvN,EAAI9G,CAAQ,EAClBA,EAAU8G,EACVA,EAAKuN,GAKD,EAACtV,EAAY+H,CAAG,EAKrB,OAAA4C,EAAOtL,EAAM,KAAM,UAAW,CAAE,EAChCktB,EAAQ,UAAW,CAClB,OAAOxkB,EAAG,MAAO9G,GAAW,KAAM0J,EAAK,OAAQtL,EAAM,KAAM,SAAU,CAAE,CAAE,CAC1E,EAGAktB,EAAM,KAAOxkB,EAAG,KAAOA,EAAG,MAAQhH,EAAO,OAElCwrB,CACR,EAEAxrB,EAAO,UAAY,SAAUyrB,EAAO,CAC9BA,EACJzrB,EAAO,YAEPA,EAAO,MAAO,EAAK,CAErB,EACAA,EAAO,QAAU,MAAM,QACvBA,EAAO,UAAY,KAAK,MACxBA,EAAO,SAAWsC,EAClBtC,EAAO,WAAaf,EACpBe,EAAO,SAAWb,EAClBa,EAAO,UAAYqT,GACnBrT,EAAO,KAAOH,EAEdG,EAAO,IAAM,KAAK,IAElBA,EAAO,UAAY,SAAUd,EAAM,CAKlC,IAAImD,EAAOrC,EAAO,KAAMd,CAAI,EAC5B,OAASmD,IAAS,UAAYA,IAAS,WAKtC,CAAC,MAAOnD,EAAM,WAAYA,CAAI,CAAE,CAClC,EAEAc,EAAO,KAAO,SAAUkK,EAAO,CAC9B,OAAOA,GAAQ,KACd,IACEA,EAAO,IAAK,QAASqhB,GAAO,IAAK,CACrC,EAiBK,OAAO,QAAW,YAAc,OAAO,KAC3C,OAAQ,SAAU,CAAC,EAAG,UAAW,CAChC,OAAOvrB,CACR,CAAE,EAMH,IAGC0rB,GAAUxtB,EAAO,OAGjBytB,GAAKztB,EAAO,EAEb,OAAA8B,EAAO,WAAa,SAAUmB,EAAO,CACpC,OAAKjD,EAAO,IAAM8B,IACjB9B,EAAO,EAAIytB,IAGPxqB,GAAQjD,EAAO,SAAW8B,IAC9B9B,EAAO,OAASwtB,IAGV1rB,CACR,EAKK,OAAO7B,EAAa,MACxBD,EAAO,OAASA,EAAO,EAAI8B,GAMrBA,CACP,CAAE,IC/8UF,IAAA4rB,GAAAC,EAAA,KASA,CAAC,SAAUC,EAAG,CACZ,aAKA,SAASC,GAAgB,CACvB,IAAIC,EAAK,SAAS,cAAc,WAAW,EAEvCC,EAAqB,CACvB,iBAAmB,sBACnB,cAAmB,gBACnB,YAAmB,gCACnB,WAAmB,eACrB,EAEA,QAASC,KAAQD,EACf,GAAID,EAAG,MAAME,CAAI,IAAM,OACrB,MAAO,CAAE,IAAKD,EAAmBC,CAAI,CAAE,EAI3C,MAAO,EACT,CAGAJ,EAAE,GAAG,qBAAuB,SAAUK,EAAU,CAC9C,IAAIC,EAAS,GACTC,EAAM,KACVP,EAAE,IAAI,EAAE,IAAI,kBAAmB,UAAY,CAAEM,EAAS,EAAK,CAAC,EAC5D,IAAIE,EAAW,UAAY,CAAOF,GAAQN,EAAEO,CAAG,EAAE,QAAQP,EAAE,QAAQ,WAAW,GAAG,CAAE,EACnF,kBAAWQ,EAAUH,CAAQ,EACtB,IACT,EAEAL,EAAE,UAAY,CACZA,EAAE,QAAQ,WAAaC,EAAc,EAEhCD,EAAE,QAAQ,aAEfA,EAAE,MAAM,QAAQ,gBAAkB,CAChC,SAAUA,EAAE,QAAQ,WAAW,IAC/B,aAAcA,EAAE,QAAQ,WAAW,IACnC,OAAQ,SAAUS,EAAG,CACnB,GAAIT,EAAES,EAAE,MAAM,EAAE,GAAG,IAAI,EAAG,OAAOA,EAAE,UAAU,QAAQ,MAAM,KAAM,SAAS,CAC5E,CACF,EACF,CAAC,CAEH,EAAE,MAAM,IC1DR,IAAAC,GAAAC,EAAA,KASA,CAAC,SAAUC,EAAG,CACZ,aAKA,IAAIC,EAAU,yBACVC,EAAU,SAAUC,EAAI,CAC1BH,EAAEG,CAAE,EAAE,GAAG,QAASF,EAAS,KAAK,KAAK,CACvC,EAEAC,EAAM,QAAU,QAEhBA,EAAM,oBAAsB,IAE5BA,EAAM,UAAU,MAAQ,SAAUE,EAAG,CACnC,IAAIC,EAAWL,EAAE,IAAI,EACjBM,EAAWD,EAAM,KAAK,aAAa,EAElCC,IACHA,EAAWD,EAAM,KAAK,MAAM,EAC5BC,EAAWA,GAAYA,EAAS,QAAQ,iBAAkB,EAAE,GAG9DA,EAAcA,IAAa,IAAM,CAAC,EAAIA,EACtC,IAAIC,EAAUP,EAAE,QAAQ,EAAE,KAAKM,CAAQ,EAUvC,GARIF,GAAGA,EAAE,eAAe,EAEnBG,EAAQ,SACXA,EAAUF,EAAM,QAAQ,QAAQ,GAGlCE,EAAQ,QAAQH,EAAIJ,EAAE,MAAM,gBAAgB,CAAC,EAEzCI,EAAE,mBAAmB,EAAG,OAE5BG,EAAQ,YAAY,IAAI,EAExB,SAASC,GAAgB,CAEvBD,EAAQ,OAAO,EAAE,QAAQ,iBAAiB,EAAE,OAAO,CACrD,CAEAP,EAAE,QAAQ,YAAcO,EAAQ,SAAS,MAAM,EAC7CA,EACG,IAAI,kBAAmBC,CAAa,EACpC,qBAAqBN,EAAM,mBAAmB,EACjDM,EAAc,CAClB,EAMA,SAASC,EAAOC,EAAQ,CACtB,OAAO,KAAK,KAAK,UAAY,CAC3B,IAAIL,EAAQL,EAAE,IAAI,EACdW,EAAQN,EAAM,KAAK,UAAU,EAE5BM,GAAMN,EAAM,KAAK,WAAaM,EAAO,IAAIT,EAAM,IAAI,CAAE,EACtD,OAAOQ,GAAU,UAAUC,EAAKD,CAAM,EAAE,KAAKL,CAAK,CACxD,CAAC,CACH,CAEA,IAAIO,EAAMZ,EAAE,GAAG,MAEfA,EAAE,GAAG,MAAoBS,EACzBT,EAAE,GAAG,MAAM,YAAcE,EAMzBF,EAAE,GAAG,MAAM,WAAa,UAAY,CAClC,OAAAA,EAAE,GAAG,MAAQY,EACN,IACT,EAMAZ,EAAE,QAAQ,EAAE,GAAG,0BAA2BC,EAASC,EAAM,UAAU,KAAK,CAE1E,EAAE,MAAM,IC9FR,IAAAW,GAAAC,EAAA,KASA,CAAC,SAAUC,EAAG,CACZ,aAKA,IAAIC,EAAS,SAAUC,EAASC,EAAS,CACvC,KAAK,SAAYH,EAAEE,CAAO,EAC1B,KAAK,QAAYF,EAAE,OAAO,CAAC,EAAGC,EAAO,SAAUE,CAAO,EACtD,KAAK,UAAY,EACnB,EAEAF,EAAO,QAAW,QAElBA,EAAO,SAAW,CAChB,YAAa,YACf,EAEAA,EAAO,UAAU,SAAW,SAAUG,EAAO,CAC3C,IAAIC,EAAO,WACPC,EAAO,KAAK,SACZC,EAAOD,EAAI,GAAG,OAAO,EAAI,MAAQ,OACjCE,EAAOF,EAAI,KAAK,EAEpBF,GAAS,OAELI,EAAK,WAAa,MAAMF,EAAI,KAAK,YAAaA,EAAIC,CAAG,EAAE,CAAC,EAG5D,WAAWP,EAAE,MAAM,UAAY,CAC7BM,EAAIC,CAAG,EAAEC,EAAKJ,CAAK,GAAK,KAAO,KAAK,QAAQA,CAAK,EAAII,EAAKJ,CAAK,CAAC,EAE5DA,GAAS,eACX,KAAK,UAAY,GACjBE,EAAI,SAASD,CAAC,EAAE,KAAKA,EAAGA,CAAC,EAAE,KAAKA,EAAG,EAAI,GAC9B,KAAK,YACd,KAAK,UAAY,GACjBC,EAAI,YAAYD,CAAC,EAAE,WAAWA,CAAC,EAAE,KAAKA,EAAG,EAAK,EAElD,EAAG,IAAI,EAAG,CAAC,CACb,EAEAJ,EAAO,UAAU,OAAS,UAAY,CACpC,IAAIQ,EAAU,GACVC,EAAU,KAAK,SAAS,QAAQ,yBAAyB,EAE7D,GAAIA,EAAQ,OAAQ,CAClB,IAAIC,EAAS,KAAK,SAAS,KAAK,OAAO,EACnCA,EAAO,KAAK,MAAM,GAAK,SACrBA,EAAO,KAAK,SAAS,IAAGF,EAAU,IACtCC,EAAQ,KAAK,SAAS,EAAE,YAAY,QAAQ,EAC5C,KAAK,SAAS,SAAS,QAAQ,GACtBC,EAAO,KAAK,MAAM,GAAK,aAC3BA,EAAO,KAAK,SAAS,IAAO,KAAK,SAAS,SAAS,QAAQ,IAAGF,EAAU,IAC7E,KAAK,SAAS,YAAY,QAAQ,GAEpCE,EAAO,KAAK,UAAW,KAAK,SAAS,SAAS,QAAQ,CAAC,EACnDF,GAASE,EAAO,QAAQ,QAAQ,CACtC,MACE,KAAK,SAAS,KAAK,eAAgB,CAAC,KAAK,SAAS,SAAS,QAAQ,CAAC,EACpE,KAAK,SAAS,YAAY,QAAQ,CAEtC,EAMA,SAASC,EAAOC,EAAQ,CACtB,OAAO,KAAK,KAAK,UAAY,CAC3B,IAAIC,EAAUd,EAAE,IAAI,EAChBQ,EAAUM,EAAM,KAAK,WAAW,EAChCX,EAAU,OAAOU,GAAU,UAAYA,EAEtCL,GAAMM,EAAM,KAAK,YAAcN,EAAO,IAAIP,EAAO,KAAME,CAAO,CAAE,EAEjEU,GAAU,SAAUL,EAAK,OAAO,EAC3BK,GAAQL,EAAK,SAASK,CAAM,CACvC,CAAC,CACH,CAEA,IAAIE,EAAMf,EAAE,GAAG,OAEfA,EAAE,GAAG,OAAqBY,EAC1BZ,EAAE,GAAG,OAAO,YAAcC,EAM1BD,EAAE,GAAG,OAAO,WAAa,UAAY,CACnC,OAAAA,EAAE,GAAG,OAASe,EACP,IACT,EAMAf,EAAE,QAAQ,EACP,GAAG,2BAA4B,0BAA2B,SAAUgB,EAAG,CACtE,IAAIC,EAAOjB,EAAEgB,EAAE,MAAM,EAAE,QAAQ,MAAM,EACrCJ,EAAO,KAAKK,EAAM,QAAQ,EACpBjB,EAAEgB,EAAE,MAAM,EAAE,GAAG,6CAA6C,IAEhEA,EAAE,eAAe,EAEbC,EAAK,GAAG,cAAc,EAAGA,EAAK,QAAQ,OAAO,EAC5CA,EAAK,KAAK,8BAA8B,EAAE,MAAM,EAAE,QAAQ,OAAO,EAE1E,CAAC,EACA,GAAG,mDAAoD,0BAA2B,SAAUD,EAAG,CAC9FhB,EAAEgB,EAAE,MAAM,EAAE,QAAQ,MAAM,EAAE,YAAY,QAAS,eAAe,KAAKA,EAAE,IAAI,CAAC,CAC9E,CAAC,CAEL,EAAE,MAAM,IC5HR,IAAAE,GAAAC,EAAA,KASA,CAAC,SAAUC,EAAG,CACZ,aAKA,IAAIC,EAAW,SAAUC,EAASC,EAAS,CACzC,KAAK,SAAcH,EAAEE,CAAO,EAC5B,KAAK,YAAc,KAAK,SAAS,KAAK,sBAAsB,EAC5D,KAAK,QAAcC,EACnB,KAAK,OAAc,KACnB,KAAK,QAAc,KACnB,KAAK,SAAc,KACnB,KAAK,QAAc,KACnB,KAAK,OAAc,KAEnB,KAAK,QAAQ,UAAY,KAAK,SAAS,GAAG,sBAAuBH,EAAE,MAAM,KAAK,QAAS,IAAI,CAAC,EAE5F,KAAK,QAAQ,OAAS,SAAW,EAAE,iBAAkB,SAAS,kBAAoB,KAAK,SACpF,GAAG,yBAA0BA,EAAE,MAAM,KAAK,MAAO,IAAI,CAAC,EACtD,GAAG,yBAA0BA,EAAE,MAAM,KAAK,MAAO,IAAI,CAAC,CAC3D,EAEAC,EAAS,QAAW,QAEpBA,EAAS,oBAAsB,IAE/BA,EAAS,SAAW,CAClB,SAAU,IACV,MAAO,QACP,KAAM,GACN,SAAU,EACZ,EAEAA,EAAS,UAAU,QAAU,SAAUG,EAAG,CACxC,GAAI,mBAAkB,KAAKA,EAAE,OAAO,OAAO,EAC3C,QAAQA,EAAE,MAAO,CACf,IAAK,IAAI,KAAK,KAAK,EAAG,MACtB,IAAK,IAAI,KAAK,KAAK,EAAG,MACtB,QAAS,MACX,CAEAA,EAAE,eAAe,EACnB,EAEAH,EAAS,UAAU,MAAQ,SAAUG,EAAG,CACtC,OAAAA,IAAM,KAAK,OAAS,IAEpB,KAAK,UAAY,cAAc,KAAK,QAAQ,EAE5C,KAAK,QAAQ,UACR,CAAC,KAAK,SACL,KAAK,SAAW,YAAYJ,EAAE,MAAM,KAAK,KAAM,IAAI,EAAG,KAAK,QAAQ,QAAQ,GAE1E,IACT,EAEAC,EAAS,UAAU,aAAe,SAAUI,EAAM,CAChD,YAAK,OAASA,EAAK,OAAO,EAAE,SAAS,OAAO,EACrC,KAAK,OAAO,MAAMA,GAAQ,KAAK,OAAO,CAC/C,EAEAJ,EAAS,UAAU,oBAAsB,SAAUK,EAAWC,EAAQ,CACpE,IAAIC,EAAc,KAAK,aAAaD,CAAM,EACtCE,EAAYH,GAAa,QAAUE,IAAgB,GACvCF,GAAa,QAAUE,GAAgB,KAAK,OAAO,OAAS,EAC5E,GAAIC,GAAY,CAAC,KAAK,QAAQ,KAAM,OAAOF,EAC3C,IAAIG,EAAQJ,GAAa,OAAS,GAAK,EACnCK,GAAaH,EAAcE,GAAS,KAAK,OAAO,OACpD,OAAO,KAAK,OAAO,GAAGC,CAAS,CACjC,EAEAV,EAAS,UAAU,GAAK,SAAUW,EAAK,CACrC,IAAIC,EAAc,KACdL,EAAc,KAAK,aAAa,KAAK,QAAU,KAAK,SAAS,KAAK,cAAc,CAAC,EAErF,GAAI,EAAAI,EAAO,KAAK,OAAO,OAAS,GAAMA,EAAM,GAE5C,OAAI,KAAK,QAAsB,KAAK,SAAS,IAAI,mBAAoB,UAAY,CAAEC,EAAK,GAAGD,CAAG,CAAE,CAAC,EAC7FJ,GAAeI,EAAY,KAAK,MAAM,EAAE,MAAM,EAE3C,KAAK,MAAMA,EAAMJ,EAAc,OAAS,OAAQ,KAAK,OAAO,GAAGI,CAAG,CAAC,CAC5E,EAEAX,EAAS,UAAU,MAAQ,SAAUG,EAAG,CACtC,OAAAA,IAAM,KAAK,OAAS,IAEhB,KAAK,SAAS,KAAK,cAAc,EAAE,QAAUJ,EAAE,QAAQ,aACzD,KAAK,SAAS,QAAQA,EAAE,QAAQ,WAAW,GAAG,EAC9C,KAAK,MAAM,EAAI,GAGjB,KAAK,SAAW,cAAc,KAAK,QAAQ,EAEpC,IACT,EAEAC,EAAS,UAAU,KAAO,UAAY,CACpC,GAAI,MAAK,QACT,OAAO,KAAK,MAAM,MAAM,CAC1B,EAEAA,EAAS,UAAU,KAAO,UAAY,CACpC,GAAI,MAAK,QACT,OAAO,KAAK,MAAM,MAAM,CAC1B,EAEAA,EAAS,UAAU,MAAQ,SAAUa,EAAMC,EAAM,CAC/C,IAAIC,EAAY,KAAK,SAAS,KAAK,cAAc,EAC7CC,EAAYF,GAAQ,KAAK,oBAAoBD,EAAME,CAAO,EAC1DE,EAAY,KAAK,SACjBZ,EAAYQ,GAAQ,OAAS,OAAS,QACtCD,EAAY,KAEhB,GAAII,EAAM,SAAS,QAAQ,EAAG,OAAQ,KAAK,QAAU,GAErD,IAAIE,EAAgBF,EAAM,CAAC,EACvBG,EAAapB,EAAE,MAAM,oBAAqB,CAC5C,cAAemB,EACf,UAAWb,CACb,CAAC,EAED,GADA,KAAK,SAAS,QAAQc,CAAU,EAC5B,CAAAA,EAAW,mBAAmB,EAMlC,IAJA,KAAK,QAAU,GAEfF,GAAa,KAAK,MAAM,EAEpB,KAAK,YAAY,OAAQ,CAC3B,KAAK,YAAY,KAAK,SAAS,EAAE,YAAY,QAAQ,EACrD,IAAIG,EAAiBrB,EAAE,KAAK,YAAY,SAAS,EAAE,KAAK,aAAaiB,CAAK,CAAC,CAAC,EAC5EI,GAAkBA,EAAe,SAAS,QAAQ,CACpD,CAEA,IAAIC,EAAYtB,EAAE,MAAM,mBAAoB,CAAE,cAAemB,EAAe,UAAWb,CAAU,CAAC,EAClG,OAAIN,EAAE,QAAQ,YAAc,KAAK,SAAS,SAAS,OAAO,GACxDiB,EAAM,SAASH,CAAI,EACf,OAAOG,GAAU,UAAYA,EAAM,QACrCA,EAAM,CAAC,EAAE,YAEXD,EAAQ,SAASV,CAAS,EAC1BW,EAAM,SAASX,CAAS,EACxBU,EACG,IAAI,kBAAmB,UAAY,CAClCC,EAAM,YAAY,CAACH,EAAMR,CAAS,EAAE,KAAK,GAAG,CAAC,EAAE,SAAS,QAAQ,EAChEU,EAAQ,YAAY,CAAC,SAAUV,CAAS,EAAE,KAAK,GAAG,CAAC,EACnDO,EAAK,QAAU,GACf,WAAW,UAAY,CACrBA,EAAK,SAAS,QAAQS,CAAS,CACjC,EAAG,CAAC,CACN,CAAC,EACA,qBAAqBrB,EAAS,mBAAmB,IAEpDe,EAAQ,YAAY,QAAQ,EAC5BC,EAAM,SAAS,QAAQ,EACvB,KAAK,QAAU,GACf,KAAK,SAAS,QAAQK,CAAS,GAGjCJ,GAAa,KAAK,MAAM,EAEjB,KACT,EAMA,SAASK,EAAOC,EAAQ,CACtB,OAAO,KAAK,KAAK,UAAY,CAC3B,IAAIC,EAAUzB,EAAE,IAAI,EAChB0B,EAAUD,EAAM,KAAK,aAAa,EAClCtB,EAAUH,EAAE,OAAO,CAAC,EAAGC,EAAS,SAAUwB,EAAM,KAAK,EAAG,OAAOD,GAAU,UAAYA,CAAM,EAC3FG,EAAU,OAAOH,GAAU,SAAWA,EAASrB,EAAQ,MAEtDuB,GAAMD,EAAM,KAAK,cAAgBC,EAAO,IAAIzB,EAAS,KAAME,CAAO,CAAE,EACrE,OAAOqB,GAAU,SAAUE,EAAK,GAAGF,CAAM,EACpCG,EAAQD,EAAKC,CAAM,EAAE,EACrBxB,EAAQ,UAAUuB,EAAK,MAAM,EAAE,MAAM,CAChD,CAAC,CACH,CAEA,IAAIE,EAAM5B,EAAE,GAAG,SAEfA,EAAE,GAAG,SAAuBuB,EAC5BvB,EAAE,GAAG,SAAS,YAAcC,EAM5BD,EAAE,GAAG,SAAS,WAAa,UAAY,CACrC,OAAAA,EAAE,GAAG,SAAW4B,EACT,IACT,EAMA,IAAIC,EAAe,SAAUzB,EAAG,CAC9B,IAAIqB,EAAUzB,EAAE,IAAI,EAChB8B,EAAUL,EAAM,KAAK,MAAM,EAC3BK,IACFA,EAAOA,EAAK,QAAQ,iBAAkB,EAAE,GAG1C,IAAIC,EAAUN,EAAM,KAAK,aAAa,GAAKK,EACvCE,EAAUhC,EAAE,QAAQ,EAAE,KAAK+B,CAAM,EAErC,GAAKC,EAAQ,SAAS,UAAU,EAEhC,KAAI7B,EAAUH,EAAE,OAAO,CAAC,EAAGgC,EAAQ,KAAK,EAAGP,EAAM,KAAK,CAAC,EACnDQ,EAAaR,EAAM,KAAK,eAAe,EACvCQ,IAAY9B,EAAQ,SAAW,IAEnCoB,EAAO,KAAKS,EAAS7B,CAAO,EAExB8B,GACFD,EAAQ,KAAK,aAAa,EAAE,GAAGC,CAAU,EAG3C7B,EAAE,eAAe,EACnB,EAEAJ,EAAE,QAAQ,EACP,GAAG,6BAA8B,eAAgB6B,CAAY,EAC7D,GAAG,6BAA8B,kBAAmBA,CAAY,EAEnE7B,EAAE,MAAM,EAAE,GAAG,OAAQ,UAAY,CAC/BA,EAAE,wBAAwB,EAAE,KAAK,UAAY,CAC3C,IAAIkC,EAAYlC,EAAE,IAAI,EACtBuB,EAAO,KAAKW,EAAWA,EAAU,KAAK,CAAC,CACzC,CAAC,CACH,CAAC,CAEH,EAAE,MAAM,ICrPR,IAAAC,GAAAC,EAAA,KAUA,CAAC,SAAUC,EAAG,CACZ,aAKA,IAAIC,EAAW,SAAUC,EAASC,EAAS,CACzC,KAAK,SAAgBH,EAAEE,CAAO,EAC9B,KAAK,QAAgBF,EAAE,OAAO,CAAC,EAAGC,EAAS,SAAUE,CAAO,EAC5D,KAAK,SAAgBH,EAAE,mCAAqCE,EAAQ,GAAK,6CACNA,EAAQ,GAAK,IAAI,EACpF,KAAK,cAAgB,KAEjB,KAAK,QAAQ,OACf,KAAK,QAAU,KAAK,UAAU,EAE9B,KAAK,yBAAyB,KAAK,SAAU,KAAK,QAAQ,EAGxD,KAAK,QAAQ,QAAQ,KAAK,OAAO,CACvC,EAEAD,EAAS,QAAW,QAEpBA,EAAS,oBAAsB,IAE/BA,EAAS,SAAW,CAClB,OAAQ,EACV,EAEAA,EAAS,UAAU,UAAY,UAAY,CACzC,IAAIG,EAAW,KAAK,SAAS,SAAS,OAAO,EAC7C,OAAOA,EAAW,QAAU,QAC9B,EAEAH,EAAS,UAAU,KAAO,UAAY,CACpC,GAAI,OAAK,eAAiB,KAAK,SAAS,SAAS,IAAI,GAErD,KAAII,EACAC,EAAU,KAAK,SAAW,KAAK,QAAQ,SAAS,QAAQ,EAAE,SAAS,kBAAkB,EAEzF,GAAI,EAAAA,GAAWA,EAAQ,SACrBD,EAAcC,EAAQ,KAAK,aAAa,EACpCD,GAAeA,EAAY,gBAGjC,KAAIE,EAAaP,EAAE,MAAM,kBAAkB,EAE3C,GADA,KAAK,SAAS,QAAQO,CAAU,EAC5B,CAAAA,EAAW,mBAAmB,EAElC,CAAID,GAAWA,EAAQ,SACrBE,EAAO,KAAKF,EAAS,MAAM,EAC3BD,GAAeC,EAAQ,KAAK,cAAe,IAAI,GAGjD,IAAIG,EAAY,KAAK,UAAU,EAE/B,KAAK,SACF,YAAY,UAAU,EACtB,SAAS,YAAY,EAAEA,CAAS,EAAE,CAAC,EACnC,KAAK,gBAAiB,EAAI,EAE7B,KAAK,SACF,YAAY,WAAW,EACvB,KAAK,gBAAiB,EAAI,EAE7B,KAAK,cAAgB,EAErB,IAAIC,EAAW,UAAY,CACzB,KAAK,SACF,YAAY,YAAY,EACxB,SAAS,aAAa,EAAED,CAAS,EAAE,EAAE,EACxC,KAAK,cAAgB,EACrB,KAAK,SACF,QAAQ,mBAAmB,CAChC,EAEA,GAAI,CAACT,EAAE,QAAQ,WAAY,OAAOU,EAAS,KAAK,IAAI,EAEpD,IAAIC,EAAaX,EAAE,UAAU,CAAC,SAAUS,CAAS,EAAE,KAAK,GAAG,CAAC,EAE5D,KAAK,SACF,IAAI,kBAAmBT,EAAE,MAAMU,EAAU,IAAI,CAAC,EAC9C,qBAAqBT,EAAS,mBAAmB,EAAEQ,CAAS,EAAE,KAAK,SAAS,CAAC,EAAEE,CAAU,CAAC,IAC/F,EAEAV,EAAS,UAAU,KAAO,UAAY,CACpC,GAAI,OAAK,eAAiB,CAAC,KAAK,SAAS,SAAS,IAAI,GAEtD,KAAIM,EAAaP,EAAE,MAAM,kBAAkB,EAE3C,GADA,KAAK,SAAS,QAAQO,CAAU,EAC5B,CAAAA,EAAW,mBAAmB,EAElC,KAAIE,EAAY,KAAK,UAAU,EAE/B,KAAK,SAASA,CAAS,EAAE,KAAK,SAASA,CAAS,EAAE,CAAC,EAAE,CAAC,EAAE,aAExD,KAAK,SACF,SAAS,YAAY,EACrB,YAAY,aAAa,EACzB,KAAK,gBAAiB,EAAK,EAE9B,KAAK,SACF,SAAS,WAAW,EACpB,KAAK,gBAAiB,EAAK,EAE9B,KAAK,cAAgB,EAErB,IAAIC,EAAW,UAAY,CACzB,KAAK,cAAgB,EACrB,KAAK,SACF,YAAY,YAAY,EACxB,SAAS,UAAU,EACnB,QAAQ,oBAAoB,CACjC,EAEA,GAAI,CAACV,EAAE,QAAQ,WAAY,OAAOU,EAAS,KAAK,IAAI,EAEpD,KAAK,SACFD,CAAS,EAAE,CAAC,EACZ,IAAI,kBAAmBT,EAAE,MAAMU,EAAU,IAAI,CAAC,EAC9C,qBAAqBT,EAAS,mBAAmB,GACtD,EAEAA,EAAS,UAAU,OAAS,UAAY,CACtC,KAAK,KAAK,SAAS,SAAS,IAAI,EAAI,OAAS,MAAM,EAAE,CACvD,EAEAA,EAAS,UAAU,UAAY,UAAY,CACzC,OAAOD,EAAE,QAAQ,EAAE,KAAK,KAAK,QAAQ,MAAM,EACxC,KAAK,yCAA2C,KAAK,QAAQ,OAAS,IAAI,EAC1E,KAAKA,EAAE,MAAM,SAAUY,EAAGV,EAAS,CAClC,IAAIW,EAAWb,EAAEE,CAAO,EACxB,KAAK,yBAAyBY,EAAqBD,CAAQ,EAAGA,CAAQ,CACxE,EAAG,IAAI,CAAC,EACP,IAAI,CACT,EAEAZ,EAAS,UAAU,yBAA2B,SAAUY,EAAUE,EAAU,CAC1E,IAAIC,EAASH,EAAS,SAAS,IAAI,EAEnCA,EAAS,KAAK,gBAAiBG,CAAM,EACrCD,EACG,YAAY,YAAa,CAACC,CAAM,EAChC,KAAK,gBAAiBA,CAAM,CACjC,EAEA,SAASF,EAAqBC,EAAU,CACtC,IAAIE,EACAC,EAASH,EAAS,KAAK,aAAa,IAClCE,EAAOF,EAAS,KAAK,MAAM,IAAME,EAAK,QAAQ,iBAAkB,EAAE,EAExE,OAAOjB,EAAE,QAAQ,EAAE,KAAKkB,CAAM,CAChC,CAMA,SAASV,EAAOW,EAAQ,CACtB,OAAO,KAAK,KAAK,UAAY,CAC3B,IAAIC,EAAUpB,EAAE,IAAI,EAChBqB,EAAUD,EAAM,KAAK,aAAa,EAClCjB,EAAUH,EAAE,OAAO,CAAC,EAAGC,EAAS,SAAUmB,EAAM,KAAK,EAAG,OAAOD,GAAU,UAAYA,CAAM,EAE3F,CAACE,GAAQlB,EAAQ,QAAU,YAAY,KAAKgB,CAAM,IAAGhB,EAAQ,OAAS,IACrEkB,GAAMD,EAAM,KAAK,cAAgBC,EAAO,IAAIpB,EAAS,KAAME,CAAO,CAAE,EACrE,OAAOgB,GAAU,UAAUE,EAAKF,CAAM,EAAE,CAC9C,CAAC,CACH,CAEA,IAAIG,EAAMtB,EAAE,GAAG,SAEfA,EAAE,GAAG,SAAuBQ,EAC5BR,EAAE,GAAG,SAAS,YAAcC,EAM5BD,EAAE,GAAG,SAAS,WAAa,UAAY,CACrC,OAAAA,EAAE,GAAG,SAAWsB,EACT,IACT,EAMAtB,EAAE,QAAQ,EAAE,GAAG,6BAA8B,2BAA4B,SAAUuB,EAAG,CACpF,IAAIH,EAAUpB,EAAE,IAAI,EAEfoB,EAAM,KAAK,aAAa,GAAGG,EAAE,eAAe,EAEjD,IAAIC,EAAUV,EAAqBM,CAAK,EACpCC,EAAUG,EAAQ,KAAK,aAAa,EACpCL,EAAUE,EAAO,SAAWD,EAAM,KAAK,EAE3CZ,EAAO,KAAKgB,EAASL,CAAM,CAC7B,CAAC,CAEH,EAAE,MAAM,ICnNR,IAAAM,GAAAC,EAAA,KASA,CAAC,SAAUC,EAAG,CACZ,aAKA,IAAIC,EAAW,qBACXC,EAAW,2BACXC,EAAW,SAAUC,EAAS,CAChCJ,EAAEI,CAAO,EAAE,GAAG,oBAAqB,KAAK,MAAM,CAChD,EAEAD,EAAS,QAAU,QAEnB,SAASE,EAAUC,EAAO,CACxB,IAAIC,EAAWD,EAAM,KAAK,aAAa,EAElCC,IACHA,EAAWD,EAAM,KAAK,MAAM,EAC5BC,EAAWA,GAAY,YAAY,KAAKA,CAAQ,GAAKA,EAAS,QAAQ,iBAAkB,EAAE,GAG5F,IAAIC,EAAUD,IAAa,IAAMP,EAAE,QAAQ,EAAE,KAAKO,CAAQ,EAAI,KAE9D,OAAOC,GAAWA,EAAQ,OAASA,EAAUF,EAAM,OAAO,CAC5D,CAEA,SAASG,EAAWC,EAAG,CACjBA,GAAKA,EAAE,QAAU,IACrBV,EAAEC,CAAQ,EAAE,OAAO,EACnBD,EAAEE,CAAM,EAAE,KAAK,UAAY,CACzB,IAAII,EAAgBN,EAAE,IAAI,EACtBQ,EAAgBH,EAAUC,CAAK,EAC/BK,EAAgB,CAAE,cAAe,IAAK,EAErCH,EAAQ,SAAS,MAAM,IAExBE,GAAKA,EAAE,MAAQ,SAAW,kBAAkB,KAAKA,EAAE,OAAO,OAAO,GAAKV,EAAE,SAASQ,EAAQ,CAAC,EAAGE,EAAE,MAAM,IAEzGF,EAAQ,QAAQE,EAAIV,EAAE,MAAM,mBAAoBW,CAAa,CAAC,EAE1D,CAAAD,EAAE,mBAAmB,IAEzBJ,EAAM,KAAK,gBAAiB,OAAO,EACnCE,EAAQ,YAAY,MAAM,EAAE,QAAQR,EAAE,MAAM,qBAAsBW,CAAa,CAAC,IAClF,CAAC,EACH,CAEAR,EAAS,UAAU,OAAS,SAAUO,EAAG,CACvC,IAAIJ,EAAQN,EAAE,IAAI,EAElB,GAAI,CAAAM,EAAM,GAAG,sBAAsB,EAEnC,KAAIE,EAAWH,EAAUC,CAAK,EAC1BM,EAAWJ,EAAQ,SAAS,MAAM,EAItC,GAFAC,EAAW,EAEP,CAACG,EAAU,CACT,iBAAkB,SAAS,iBAAmB,CAACJ,EAAQ,QAAQ,aAAa,EAAE,QAEhFR,EAAE,SAAS,cAAc,KAAK,CAAC,EAC5B,SAAS,mBAAmB,EAC5B,YAAYA,EAAE,IAAI,CAAC,EACnB,GAAG,QAASS,CAAU,EAG3B,IAAIE,EAAgB,CAAE,cAAe,IAAK,EAG1C,GAFAH,EAAQ,QAAQE,EAAIV,EAAE,MAAM,mBAAoBW,CAAa,CAAC,EAE1DD,EAAE,mBAAmB,EAAG,OAE5BJ,EACG,QAAQ,OAAO,EACf,KAAK,gBAAiB,MAAM,EAE/BE,EACG,YAAY,MAAM,EAClB,QAAQR,EAAE,MAAM,oBAAqBW,CAAa,CAAC,CACxD,CAEA,MAAO,GACT,EAEAR,EAAS,UAAU,QAAU,SAAUO,EAAG,CACxC,GAAI,GAAC,gBAAgB,KAAKA,EAAE,KAAK,GAAK,kBAAkB,KAAKA,EAAE,OAAO,OAAO,GAE7E,KAAIJ,EAAQN,EAAE,IAAI,EAKlB,GAHAU,EAAE,eAAe,EACjBA,EAAE,gBAAgB,EAEd,CAAAJ,EAAM,GAAG,sBAAsB,EAEnC,KAAIE,EAAWH,EAAUC,CAAK,EAC1BM,EAAWJ,EAAQ,SAAS,MAAM,EAEtC,GAAI,CAACI,GAAYF,EAAE,OAAS,IAAME,GAAYF,EAAE,OAAS,GACvD,OAAIA,EAAE,OAAS,IAAIF,EAAQ,KAAKN,CAAM,EAAE,QAAQ,OAAO,EAChDI,EAAM,QAAQ,OAAO,EAG9B,IAAIO,EAAO,+BACPC,EAASN,EAAQ,KAAK,iBAAmBK,CAAI,EAEjD,GAAKC,EAAO,OAEZ,KAAIC,EAAQD,EAAO,MAAMJ,EAAE,MAAM,EAE7BA,EAAE,OAAS,IAAMK,EAAQ,GAAmBA,IAC5CL,EAAE,OAAS,IAAMK,EAAQD,EAAO,OAAS,GAAGC,IAC3C,CAACA,IAA0CA,EAAQ,GAExDD,EAAO,GAAGC,CAAK,EAAE,QAAQ,OAAO,IAClC,EAMA,SAASC,EAAOC,EAAQ,CACtB,OAAO,KAAK,KAAK,UAAY,CAC3B,IAAIX,EAAQN,EAAE,IAAI,EACdkB,EAAQZ,EAAM,KAAK,aAAa,EAE/BY,GAAMZ,EAAM,KAAK,cAAgBY,EAAO,IAAIf,EAAS,IAAI,CAAE,EAC5D,OAAOc,GAAU,UAAUC,EAAKD,CAAM,EAAE,KAAKX,CAAK,CACxD,CAAC,CACH,CAEA,IAAIa,EAAMnB,EAAE,GAAG,SAEfA,EAAE,GAAG,SAAuBgB,EAC5BhB,EAAE,GAAG,SAAS,YAAcG,EAM5BH,EAAE,GAAG,SAAS,WAAa,UAAY,CACrC,OAAAA,EAAE,GAAG,SAAWmB,EACT,IACT,EAMAnB,EAAE,QAAQ,EACP,GAAG,6BAA8BS,CAAU,EAC3C,GAAG,6BAA8B,iBAAkB,SAAUC,EAAG,CAAEA,EAAE,gBAAgB,CAAE,CAAC,EACvF,GAAG,6BAA8BR,EAAQC,EAAS,UAAU,MAAM,EAClE,GAAG,+BAAgCD,EAAQC,EAAS,UAAU,OAAO,EACrE,GAAG,+BAAgC,iBAAkBA,EAAS,UAAU,OAAO,CAEpF,EAAE,MAAM,ICpKR,IAAAiB,GAAAC,EAAA,KASA,CAAC,SAAUC,EAAG,CACZ,aAKA,IAAIC,EAAQ,SAAUC,EAASC,EAAS,CACtC,KAAK,QAAUA,EACf,KAAK,MAAQH,EAAE,SAAS,IAAI,EAC5B,KAAK,SAAWA,EAAEE,CAAO,EACzB,KAAK,QAAU,KAAK,SAAS,KAAK,eAAe,EACjD,KAAK,UAAY,KACjB,KAAK,QAAU,KACf,KAAK,gBAAkB,KACvB,KAAK,eAAiB,EACtB,KAAK,oBAAsB,GAC3B,KAAK,aAAe,0CAEhB,KAAK,QAAQ,QACf,KAAK,SACF,KAAK,gBAAgB,EACrB,KAAK,KAAK,QAAQ,OAAQF,EAAE,MAAM,UAAY,CAC7C,KAAK,SAAS,QAAQ,iBAAiB,CACzC,EAAG,IAAI,CAAC,CAEd,EAEAC,EAAM,QAAU,QAEhBA,EAAM,oBAAsB,IAC5BA,EAAM,6BAA+B,IAErCA,EAAM,SAAW,CACf,SAAU,GACV,SAAU,GACV,KAAM,EACR,EAEAA,EAAM,UAAU,OAAS,SAAUG,EAAgB,CACjD,OAAO,KAAK,QAAU,KAAK,KAAK,EAAI,KAAK,KAAKA,CAAc,CAC9D,EAEAH,EAAM,UAAU,KAAO,SAAUG,EAAgB,CAC/C,IAAIC,EAAO,KACPC,EAAIN,EAAE,MAAM,gBAAiB,CAAE,cAAeI,CAAe,CAAC,EAElE,KAAK,SAAS,QAAQE,CAAC,EAEnB,OAAK,SAAWA,EAAE,mBAAmB,KAEzC,KAAK,QAAU,GAEf,KAAK,eAAe,EACpB,KAAK,aAAa,EAClB,KAAK,MAAM,SAAS,YAAY,EAEhC,KAAK,OAAO,EACZ,KAAK,OAAO,EAEZ,KAAK,SAAS,GAAG,yBAA0B,yBAA0BN,EAAE,MAAM,KAAK,KAAM,IAAI,CAAC,EAE7F,KAAK,QAAQ,GAAG,6BAA8B,UAAY,CACxDK,EAAK,SAAS,IAAI,2BAA4B,SAAUC,EAAG,CACrDN,EAAEM,EAAE,MAAM,EAAE,GAAGD,EAAK,QAAQ,IAAGA,EAAK,oBAAsB,GAChE,CAAC,CACH,CAAC,EAED,KAAK,SAAS,UAAY,CACxB,IAAIE,EAAaP,EAAE,QAAQ,YAAcK,EAAK,SAAS,SAAS,MAAM,EAEjEA,EAAK,SAAS,OAAO,EAAE,QAC1BA,EAAK,SAAS,SAASA,EAAK,KAAK,EAGnCA,EAAK,SACF,KAAK,EACL,UAAU,CAAC,EAEdA,EAAK,aAAa,EAEdE,GACFF,EAAK,SAAS,CAAC,EAAE,YAGnBA,EAAK,SAAS,SAAS,IAAI,EAE3BA,EAAK,aAAa,EAElB,IAAIC,EAAIN,EAAE,MAAM,iBAAkB,CAAE,cAAeI,CAAe,CAAC,EAEnEG,EACEF,EAAK,QACF,IAAI,kBAAmB,UAAY,CAClCA,EAAK,SAAS,QAAQ,OAAO,EAAE,QAAQC,CAAC,CAC1C,CAAC,EACA,qBAAqBL,EAAM,mBAAmB,EACjDI,EAAK,SAAS,QAAQ,OAAO,EAAE,QAAQC,CAAC,CAC5C,CAAC,EACH,EAEAL,EAAM,UAAU,KAAO,SAAUK,EAAG,CAC9BA,GAAGA,EAAE,eAAe,EAExBA,EAAIN,EAAE,MAAM,eAAe,EAE3B,KAAK,SAAS,QAAQM,CAAC,EAEnB,GAAC,KAAK,SAAWA,EAAE,mBAAmB,KAE1C,KAAK,QAAU,GAEf,KAAK,OAAO,EACZ,KAAK,OAAO,EAEZN,EAAE,QAAQ,EAAE,IAAI,kBAAkB,EAElC,KAAK,SACF,YAAY,IAAI,EAChB,IAAI,wBAAwB,EAC5B,IAAI,0BAA0B,EAEjC,KAAK,QAAQ,IAAI,4BAA4B,EAE7CA,EAAE,QAAQ,YAAc,KAAK,SAAS,SAAS,MAAM,EACnD,KAAK,SACF,IAAI,kBAAmBA,EAAE,MAAM,KAAK,UAAW,IAAI,CAAC,EACpD,qBAAqBC,EAAM,mBAAmB,EACjD,KAAK,UAAU,EACnB,EAEAA,EAAM,UAAU,aAAe,UAAY,CACzCD,EAAE,QAAQ,EACP,IAAI,kBAAkB,EACtB,GAAG,mBAAoBA,EAAE,MAAM,SAAUM,EAAG,CACvC,WAAaA,EAAE,QACjB,KAAK,SAAS,CAAC,IAAMA,EAAE,QACvB,CAAC,KAAK,SAAS,IAAIA,EAAE,MAAM,EAAE,QAC7B,KAAK,SAAS,QAAQ,OAAO,CAEjC,EAAG,IAAI,CAAC,CACZ,EAEAL,EAAM,UAAU,OAAS,UAAY,CAC/B,KAAK,SAAW,KAAK,QAAQ,SAC/B,KAAK,SAAS,GAAG,2BAA4BD,EAAE,MAAM,SAAUM,EAAG,CAChEA,EAAE,OAAS,IAAM,KAAK,KAAK,CAC7B,EAAG,IAAI,CAAC,EACE,KAAK,SACf,KAAK,SAAS,IAAI,0BAA0B,CAEhD,EAEAL,EAAM,UAAU,OAAS,UAAY,CAC/B,KAAK,QACPD,EAAE,MAAM,EAAE,GAAG,kBAAmBA,EAAE,MAAM,KAAK,aAAc,IAAI,CAAC,EAEhEA,EAAE,MAAM,EAAE,IAAI,iBAAiB,CAEnC,EAEAC,EAAM,UAAU,UAAY,UAAY,CACtC,IAAII,EAAO,KACX,KAAK,SAAS,KAAK,EACnB,KAAK,SAAS,UAAY,CACxBA,EAAK,MAAM,YAAY,YAAY,EACnCA,EAAK,iBAAiB,EACtBA,EAAK,eAAe,EACpBA,EAAK,SAAS,QAAQ,iBAAiB,CACzC,CAAC,CACH,EAEAJ,EAAM,UAAU,eAAiB,UAAY,CAC3C,KAAK,WAAa,KAAK,UAAU,OAAO,EACxC,KAAK,UAAY,IACnB,EAEAA,EAAM,UAAU,SAAW,SAAUO,EAAU,CAC7C,IAAIH,EAAO,KACPI,EAAU,KAAK,SAAS,SAAS,MAAM,EAAI,OAAS,GAExD,GAAI,KAAK,SAAW,KAAK,QAAQ,SAAU,CACzC,IAAIC,EAAYV,EAAE,QAAQ,YAAcS,EAqBxC,GAnBA,KAAK,UAAYT,EAAE,SAAS,cAAc,KAAK,CAAC,EAC7C,SAAS,kBAAoBS,CAAO,EACpC,SAAS,KAAK,KAAK,EAEtB,KAAK,SAAS,GAAG,yBAA0BT,EAAE,MAAM,SAAUM,EAAG,CAC9D,GAAI,KAAK,oBAAqB,CAC5B,KAAK,oBAAsB,GAC3B,MACF,CACIA,EAAE,SAAWA,EAAE,gBACnB,KAAK,QAAQ,UAAY,SACrB,KAAK,SAAS,CAAC,EAAE,MAAM,EACvB,KAAK,KAAK,EAChB,EAAG,IAAI,CAAC,EAEJI,GAAW,KAAK,UAAU,CAAC,EAAE,YAEjC,KAAK,UAAU,SAAS,IAAI,EAExB,CAACF,EAAU,OAEfE,EACE,KAAK,UACF,IAAI,kBAAmBF,CAAQ,EAC/B,qBAAqBP,EAAM,4BAA4B,EAC1DO,EAAS,CAEb,SAAW,CAAC,KAAK,SAAW,KAAK,UAAW,CAC1C,KAAK,UAAU,YAAY,IAAI,EAE/B,IAAIG,EAAiB,UAAY,CAC/BN,EAAK,eAAe,EACpBG,GAAYA,EAAS,CACvB,EACAR,EAAE,QAAQ,YAAc,KAAK,SAAS,SAAS,MAAM,EACnD,KAAK,UACF,IAAI,kBAAmBW,CAAc,EACrC,qBAAqBV,EAAM,4BAA4B,EAC1DU,EAAe,CAEnB,MAAWH,GACTA,EAAS,CAEb,EAIAP,EAAM,UAAU,aAAe,UAAY,CACzC,KAAK,aAAa,CACpB,EAEAA,EAAM,UAAU,aAAe,UAAY,CACzC,IAAIW,EAAqB,KAAK,SAAS,CAAC,EAAE,aAAe,SAAS,gBAAgB,aAElF,KAAK,SAAS,IAAI,CAChB,YAAa,CAAC,KAAK,mBAAqBA,EAAqB,KAAK,eAAiB,GACnF,aAAc,KAAK,mBAAqB,CAACA,EAAqB,KAAK,eAAiB,EACtF,CAAC,CACH,EAEAX,EAAM,UAAU,iBAAmB,UAAY,CAC7C,KAAK,SAAS,IAAI,CAChB,YAAa,GACb,aAAc,EAChB,CAAC,CACH,EAEAA,EAAM,UAAU,eAAiB,UAAY,CAC3C,IAAIY,EAAkB,OAAO,WAC7B,GAAI,CAACA,EAAiB,CACpB,IAAIC,EAAsB,SAAS,gBAAgB,sBAAsB,EACzED,EAAkBC,EAAoB,MAAQ,KAAK,IAAIA,EAAoB,IAAI,CACjF,CACA,KAAK,kBAAoB,SAAS,KAAK,YAAcD,EACrD,KAAK,eAAiB,KAAK,iBAAiB,CAC9C,EAEAZ,EAAM,UAAU,aAAe,UAAY,CACzC,IAAIc,EAAU,SAAU,KAAK,MAAM,IAAI,eAAe,GAAK,EAAI,EAAE,EACjE,KAAK,gBAAkB,SAAS,KAAK,MAAM,cAAgB,GAC3D,IAAIC,EAAiB,KAAK,eACtB,KAAK,oBACP,KAAK,MAAM,IAAI,gBAAiBD,EAAUC,CAAc,EACxDhB,EAAE,KAAK,YAAY,EAAE,KAAK,SAAUiB,EAAOf,EAAS,CAClD,IAAIgB,EAAgBhB,EAAQ,MAAM,aAC9BiB,EAAoBnB,EAAEE,CAAO,EAAE,IAAI,eAAe,EACtDF,EAAEE,CAAO,EACN,KAAK,gBAAiBgB,CAAa,EACnC,IAAI,gBAAiB,WAAWC,CAAiB,EAAIH,EAAiB,IAAI,CAC/E,CAAC,EAEL,EAEAf,EAAM,UAAU,eAAiB,UAAY,CAC3C,KAAK,MAAM,IAAI,gBAAiB,KAAK,eAAe,EACpDD,EAAE,KAAK,YAAY,EAAE,KAAK,SAAUiB,EAAOf,EAAS,CAClD,IAAIkB,EAAUpB,EAAEE,CAAO,EAAE,KAAK,eAAe,EAC7CF,EAAEE,CAAO,EAAE,WAAW,eAAe,EACrCA,EAAQ,MAAM,aAAekB,GAAoB,EACnD,CAAC,CACH,EAEAnB,EAAM,UAAU,iBAAmB,UAAY,CAC7C,IAAIoB,EAAY,SAAS,cAAc,KAAK,EAC5CA,EAAU,UAAY,0BACtB,KAAK,MAAM,OAAOA,CAAS,EAC3B,IAAIL,EAAiBK,EAAU,YAAcA,EAAU,YACvD,YAAK,MAAM,CAAC,EAAE,YAAYA,CAAS,EAC5BL,CACT,EAMA,SAASM,EAAOC,EAAQnB,EAAgB,CACtC,OAAO,KAAK,KAAK,UAAY,CAC3B,IAAIoB,EAAQxB,EAAE,IAAI,EACdyB,EAAOD,EAAM,KAAK,UAAU,EAC5BrB,EAAUH,EAAE,OAAO,CAAC,EAAGC,EAAM,SAAUuB,EAAM,KAAK,EAAG,OAAOD,GAAU,UAAYA,CAAM,EAEvFE,GAAMD,EAAM,KAAK,WAAaC,EAAO,IAAIxB,EAAM,KAAME,CAAO,CAAE,EAC/D,OAAOoB,GAAU,SAAUE,EAAKF,CAAM,EAAEnB,CAAc,EACjDD,EAAQ,MAAMsB,EAAK,KAAKrB,CAAc,CACjD,CAAC,CACH,CAEA,IAAIsB,EAAM1B,EAAE,GAAG,MAEfA,EAAE,GAAG,MAAQsB,EACbtB,EAAE,GAAG,MAAM,YAAcC,EAMzBD,EAAE,GAAG,MAAM,WAAa,UAAY,CAClC,OAAAA,EAAE,GAAG,MAAQ0B,EACN,IACT,EAMA1B,EAAE,QAAQ,EAAE,GAAG,0BAA2B,wBAAyB,SAAUM,EAAG,CAC9E,IAAIkB,EAAQxB,EAAE,IAAI,EACd2B,EAAOH,EAAM,KAAK,MAAM,EACxBI,EAASJ,EAAM,KAAK,aAAa,GAClCG,GAAQA,EAAK,QAAQ,iBAAkB,EAAE,EAExCE,EAAU7B,EAAE,QAAQ,EAAE,KAAK4B,CAAM,EACjCL,EAASM,EAAQ,KAAK,UAAU,EAAI,SAAW7B,EAAE,OAAO,CAAE,OAAQ,CAAC,IAAI,KAAK2B,CAAI,GAAKA,CAAK,EAAGE,EAAQ,KAAK,EAAGL,EAAM,KAAK,CAAC,EAEzHA,EAAM,GAAG,GAAG,GAAGlB,EAAE,eAAe,EAEpCuB,EAAQ,IAAI,gBAAiB,SAAUC,EAAW,CAC5CA,EAAU,mBAAmB,GACjCD,EAAQ,IAAI,kBAAmB,UAAY,CACzCL,EAAM,GAAG,UAAU,GAAKA,EAAM,QAAQ,OAAO,CAC/C,CAAC,CACH,CAAC,EACDF,EAAO,KAAKO,EAASN,EAAQ,IAAI,CACnC,CAAC,CAEH,EAAE,MAAM,ICrWR,IAAAQ,GAAAC,EAAA,KASA,CAAC,SAAUC,EAAG,CACZ,aAEA,IAAIC,EAAwB,CAAC,WAAY,YAAa,YAAY,EAE9DC,EAAW,CACb,aACA,OACA,OACA,WACA,WACA,SACA,MACA,YACF,EAEIC,EAAyB,iBAEzBC,EAAmB,CAErB,IAAK,CAAC,QAAS,MAAO,KAAM,OAAQ,OAAQD,CAAsB,EAClE,EAAG,CAAC,SAAU,OAAQ,QAAS,KAAK,EACpC,KAAM,CAAC,EACP,EAAG,CAAC,EACJ,GAAI,CAAC,EACL,IAAK,CAAC,EACN,KAAM,CAAC,EACP,IAAK,CAAC,EACN,GAAI,CAAC,EACL,GAAI,CAAC,EACL,GAAI,CAAC,EACL,GAAI,CAAC,EACL,GAAI,CAAC,EACL,GAAI,CAAC,EACL,GAAI,CAAC,EACL,GAAI,CAAC,EACL,EAAG,CAAC,EACJ,IAAK,CAAC,MAAO,MAAO,QAAS,QAAS,QAAQ,EAC9C,GAAI,CAAC,EACL,GAAI,CAAC,EACL,EAAG,CAAC,EACJ,IAAK,CAAC,EACN,EAAG,CAAC,EACJ,MAAO,CAAC,EACR,KAAM,CAAC,EACP,IAAK,CAAC,EACN,IAAK,CAAC,EACN,OAAQ,CAAC,EACT,EAAG,CAAC,EACJ,GAAI,CAAC,CACP,EAOIE,EAAmB,8DAOnBC,EAAmB,sIAEvB,SAASC,EAAiBC,EAAMC,EAAsB,CACpD,IAAIC,EAAWF,EAAK,SAAS,YAAY,EAEzC,GAAIR,EAAE,QAAQU,EAAUD,CAAoB,IAAM,GAChD,OAAIT,EAAE,QAAQU,EAAUR,CAAQ,IAAM,GAC7B,GAAQM,EAAK,UAAU,MAAMH,CAAgB,GAAKG,EAAK,UAAU,MAAMF,CAAgB,GAGzF,GAQT,QALIK,EAASX,EAAES,CAAoB,EAAE,OAAO,SAAUG,EAAOC,EAAO,CAClE,OAAOA,aAAiB,MAC1B,CAAC,EAGQC,EAAI,EAAGC,EAAIJ,EAAO,OAAQG,EAAIC,EAAGD,IACxC,GAAIJ,EAAS,MAAMC,EAAOG,CAAC,CAAC,EAC1B,MAAO,GAIX,MAAO,EACT,CAEA,SAASE,EAAaC,EAAYC,EAAWC,EAAY,CACvD,GAAIF,EAAW,SAAW,EACxB,OAAOA,EAGT,GAAIE,GAAc,OAAOA,GAAe,WACtC,OAAOA,EAAWF,CAAU,EAI9B,GAAI,CAAC,SAAS,gBAAkB,CAAC,SAAS,eAAe,mBACvD,OAAOA,EAGT,IAAIG,EAAkB,SAAS,eAAe,mBAAmB,cAAc,EAC/EA,EAAgB,KAAK,UAAYH,EAKjC,QAHII,EAAgBrB,EAAE,IAAIkB,EAAW,SAAUI,GAAIR,GAAG,CAAE,OAAOA,EAAE,CAAC,EAC9DS,EAAWvB,EAAEoB,EAAgB,IAAI,EAAE,KAAK,GAAG,EAEtCN,EAAI,EAAGU,EAAMD,EAAS,OAAQT,EAAIU,EAAKV,IAAK,CACnD,IAAIQ,EAAKC,EAAST,CAAC,EACfW,EAASH,EAAG,SAAS,YAAY,EAErC,GAAItB,EAAE,QAAQyB,EAAQJ,CAAa,IAAM,GAAI,CAC3CC,EAAG,WAAW,YAAYA,CAAE,EAE5B,QACF,CAKA,QAHII,EAAgB1B,EAAE,IAAIsB,EAAG,WAAY,SAAUA,GAAI,CAAE,OAAOA,EAAG,CAAC,EAChEK,GAAwB,CAAC,EAAE,OAAOT,EAAU,GAAG,GAAK,CAAC,EAAGA,EAAUO,CAAM,GAAK,CAAC,CAAC,EAE1EG,EAAI,EAAGC,GAAOH,EAAc,OAAQE,EAAIC,GAAMD,IAChDrB,EAAiBmB,EAAcE,CAAC,EAAGD,EAAqB,GAC3DL,EAAG,gBAAgBI,EAAcE,CAAC,EAAE,QAAQ,CAGlD,CAEA,OAAOR,EAAgB,KAAK,SAC9B,CAKA,IAAIU,EAAU,SAAUC,EAASC,EAAS,CACxC,KAAK,KAAa,KAClB,KAAK,QAAa,KAClB,KAAK,QAAa,KAClB,KAAK,QAAa,KAClB,KAAK,WAAa,KAClB,KAAK,SAAa,KAClB,KAAK,QAAa,KAElB,KAAK,KAAK,UAAWD,EAASC,CAAO,CACvC,EAEAF,EAAQ,QAAW,QAEnBA,EAAQ,oBAAsB,IAE9BA,EAAQ,SAAW,CACjB,UAAW,GACX,UAAW,MACX,SAAU,GACV,SAAU,+GACV,QAAS,cACT,MAAO,GACP,MAAO,EACP,KAAM,GACN,UAAW,GACX,SAAU,CACR,SAAU,OACV,QAAS,CACX,EACA,SAAW,GACX,WAAa,KACb,UAAY1B,CACd,EAEA0B,EAAQ,UAAU,KAAO,SAAUG,EAAMF,EAASC,EAAS,CAQzD,GAPA,KAAK,QAAY,GACjB,KAAK,KAAYC,EACjB,KAAK,SAAYjC,EAAE+B,CAAO,EAC1B,KAAK,QAAY,KAAK,WAAWC,CAAO,EACxC,KAAK,UAAY,KAAK,QAAQ,UAAYhC,EAAE,QAAQ,EAAE,KAAKA,EAAE,WAAW,KAAK,QAAQ,QAAQ,EAAI,KAAK,QAAQ,SAAS,KAAK,KAAM,KAAK,QAAQ,EAAK,KAAK,QAAQ,SAAS,UAAY,KAAK,QAAQ,QAAS,EAC5M,KAAK,QAAY,CAAE,MAAO,GAAO,MAAO,GAAO,MAAO,EAAM,EAExD,KAAK,SAAS,CAAC,YAAa,SAAS,aAAe,CAAC,KAAK,QAAQ,SACpE,MAAM,IAAI,MAAM,yDAA2D,KAAK,KAAO,iCAAiC,EAK1H,QAFIkC,EAAW,KAAK,QAAQ,QAAQ,MAAM,GAAG,EAEpCpB,EAAIoB,EAAS,OAAQpB,KAAM,CAClC,IAAIqB,EAAUD,EAASpB,CAAC,EAExB,GAAIqB,GAAW,QACb,KAAK,SAAS,GAAG,SAAW,KAAK,KAAM,KAAK,QAAQ,SAAUnC,EAAE,MAAM,KAAK,OAAQ,IAAI,CAAC,UAC/EmC,GAAW,SAAU,CAC9B,IAAIC,EAAWD,GAAW,QAAU,aAAe,UAC/CE,EAAWF,GAAW,QAAU,aAAe,WAEnD,KAAK,SAAS,GAAGC,EAAW,IAAM,KAAK,KAAM,KAAK,QAAQ,SAAUpC,EAAE,MAAM,KAAK,MAAO,IAAI,CAAC,EAC7F,KAAK,SAAS,GAAGqC,EAAW,IAAM,KAAK,KAAM,KAAK,QAAQ,SAAUrC,EAAE,MAAM,KAAK,MAAO,IAAI,CAAC,CAC/F,CACF,CAEA,KAAK,QAAQ,SACV,KAAK,SAAWA,EAAE,OAAO,CAAC,EAAG,KAAK,QAAS,CAAE,QAAS,SAAU,SAAU,EAAG,CAAC,EAC/E,KAAK,SAAS,CAClB,EAEA8B,EAAQ,UAAU,YAAc,UAAY,CAC1C,OAAOA,EAAQ,QACjB,EAEAA,EAAQ,UAAU,WAAa,SAAUE,EAAS,CAChD,IAAIM,EAAiB,KAAK,SAAS,KAAK,EAExC,QAASC,KAAYD,EACfA,EAAe,eAAeC,CAAQ,GAAKvC,EAAE,QAAQuC,EAAUtC,CAAqB,IAAM,IAC5F,OAAOqC,EAAeC,CAAQ,EAIlC,OAAAP,EAAUhC,EAAE,OAAO,CAAC,EAAG,KAAK,YAAY,EAAGsC,EAAgBN,CAAO,EAE9DA,EAAQ,OAAS,OAAOA,EAAQ,OAAS,WAC3CA,EAAQ,MAAQ,CACd,KAAMA,EAAQ,MACd,KAAMA,EAAQ,KAChB,GAGEA,EAAQ,WACVA,EAAQ,SAAWhB,EAAagB,EAAQ,SAAUA,EAAQ,UAAWA,EAAQ,UAAU,GAGlFA,CACT,EAEAF,EAAQ,UAAU,mBAAqB,UAAY,CACjD,IAAIE,EAAW,CAAC,EACZQ,EAAW,KAAK,YAAY,EAEhC,YAAK,UAAYxC,EAAE,KAAK,KAAK,SAAU,SAAUyC,EAAK5B,EAAO,CACvD2B,EAASC,CAAG,GAAK5B,IAAOmB,EAAQS,CAAG,EAAI5B,EAC7C,CAAC,EAEMmB,CACT,EAEAF,EAAQ,UAAU,MAAQ,SAAUY,EAAK,CACvC,IAAIC,EAAOD,aAAe,KAAK,YAC7BA,EAAM1C,EAAE0C,EAAI,aAAa,EAAE,KAAK,MAAQ,KAAK,IAAI,EAWnD,GATKC,IACHA,EAAO,IAAI,KAAK,YAAYD,EAAI,cAAe,KAAK,mBAAmB,CAAC,EACxE1C,EAAE0C,EAAI,aAAa,EAAE,KAAK,MAAQ,KAAK,KAAMC,CAAI,GAG/CD,aAAe1C,EAAE,QACnB2C,EAAK,QAAQD,EAAI,MAAQ,UAAY,QAAU,OAAO,EAAI,IAGxDC,EAAK,IAAI,EAAE,SAAS,IAAI,GAAKA,EAAK,YAAc,KAAM,CACxDA,EAAK,WAAa,KAClB,MACF,CAMA,GAJA,aAAaA,EAAK,OAAO,EAEzBA,EAAK,WAAa,KAEd,CAACA,EAAK,QAAQ,OAAS,CAACA,EAAK,QAAQ,MAAM,KAAM,OAAOA,EAAK,KAAK,EAEtEA,EAAK,QAAU,WAAW,UAAY,CAChCA,EAAK,YAAc,MAAMA,EAAK,KAAK,CACzC,EAAGA,EAAK,QAAQ,MAAM,IAAI,CAC5B,EAEAb,EAAQ,UAAU,cAAgB,UAAY,CAC5C,QAASW,KAAO,KAAK,QACnB,GAAI,KAAK,QAAQA,CAAG,EAAG,MAAO,GAGhC,MAAO,EACT,EAEAX,EAAQ,UAAU,MAAQ,SAAUY,EAAK,CACvC,IAAIC,EAAOD,aAAe,KAAK,YAC7BA,EAAM1C,EAAE0C,EAAI,aAAa,EAAE,KAAK,MAAQ,KAAK,IAAI,EAWnD,GATKC,IACHA,EAAO,IAAI,KAAK,YAAYD,EAAI,cAAe,KAAK,mBAAmB,CAAC,EACxE1C,EAAE0C,EAAI,aAAa,EAAE,KAAK,MAAQ,KAAK,KAAMC,CAAI,GAG/CD,aAAe1C,EAAE,QACnB2C,EAAK,QAAQD,EAAI,MAAQ,WAAa,QAAU,OAAO,EAAI,IAGzD,CAAAC,EAAK,cAAc,EAMvB,IAJA,aAAaA,EAAK,OAAO,EAEzBA,EAAK,WAAa,MAEd,CAACA,EAAK,QAAQ,OAAS,CAACA,EAAK,QAAQ,MAAM,KAAM,OAAOA,EAAK,KAAK,EAEtEA,EAAK,QAAU,WAAW,UAAY,CAChCA,EAAK,YAAc,OAAOA,EAAK,KAAK,CAC1C,EAAGA,EAAK,QAAQ,MAAM,IAAI,EAC5B,EAEAb,EAAQ,UAAU,KAAO,UAAY,CACnC,IAAIc,EAAI5C,EAAE,MAAM,WAAa,KAAK,IAAI,EAEtC,GAAI,KAAK,WAAW,GAAK,KAAK,QAAS,CACrC,KAAK,SAAS,QAAQ4C,CAAC,EAEvB,IAAIC,EAAQ7C,EAAE,SAAS,KAAK,SAAS,CAAC,EAAE,cAAc,gBAAiB,KAAK,SAAS,CAAC,CAAC,EACvF,GAAI4C,EAAE,mBAAmB,GAAK,CAACC,EAAO,OACtC,IAAIC,EAAO,KAEPC,EAAO,KAAK,IAAI,EAEhBC,EAAQ,KAAK,OAAO,KAAK,IAAI,EAEjC,KAAK,WAAW,EAChBD,EAAK,KAAK,KAAMC,CAAK,EACrB,KAAK,SAAS,KAAK,mBAAoBA,CAAK,EAExC,KAAK,QAAQ,WAAWD,EAAK,SAAS,MAAM,EAEhD,IAAIE,EAAY,OAAO,KAAK,QAAQ,WAAa,WAC/C,KAAK,QAAQ,UAAU,KAAK,KAAMF,EAAK,CAAC,EAAG,KAAK,SAAS,CAAC,CAAC,EAC3D,KAAK,QAAQ,UAEXG,EAAY,eACZC,EAAYD,EAAU,KAAKD,CAAS,EACpCE,IAAWF,EAAYA,EAAU,QAAQC,EAAW,EAAE,GAAK,OAE/DH,EACG,OAAO,EACP,IAAI,CAAE,IAAK,EAAG,KAAM,EAAG,QAAS,OAAQ,CAAC,EACzC,SAASE,CAAS,EAClB,KAAK,MAAQ,KAAK,KAAM,IAAI,EAE/B,KAAK,QAAQ,UAAYF,EAAK,SAAS/C,EAAE,QAAQ,EAAE,KAAK,KAAK,QAAQ,SAAS,CAAC,EAAI+C,EAAK,YAAY,KAAK,QAAQ,EACjH,KAAK,SAAS,QAAQ,eAAiB,KAAK,IAAI,EAEhD,IAAIK,EAAe,KAAK,YAAY,EAChCC,EAAeN,EAAK,CAAC,EAAE,YACvBO,EAAeP,EAAK,CAAC,EAAE,aAE3B,GAAII,EAAW,CACb,IAAII,GAAeN,EACfO,EAAc,KAAK,YAAY,KAAK,SAAS,EAEjDP,EAAYA,GAAa,UAAYG,EAAI,OAASE,EAAeE,EAAY,OAAS,MAC1EP,GAAa,OAAYG,EAAI,IAASE,EAAeE,EAAY,IAAS,SAC1EP,GAAa,SAAYG,EAAI,MAASC,EAAeG,EAAY,MAAS,OAC1EP,GAAa,QAAYG,EAAI,KAASC,EAAeG,EAAY,KAAS,QAC1EP,EAEZF,EACG,YAAYQ,EAAY,EACxB,SAASN,CAAS,CACvB,CAEA,IAAIQ,GAAmB,KAAK,oBAAoBR,EAAWG,EAAKC,EAAaC,CAAY,EAEzF,KAAK,eAAeG,GAAkBR,CAAS,EAE/C,IAAIS,GAAW,UAAY,CACzB,IAAIC,GAAiBb,EAAK,WAC1BA,EAAK,SAAS,QAAQ,YAAcA,EAAK,IAAI,EAC7CA,EAAK,WAAa,KAEda,IAAkB,OAAOb,EAAK,MAAMA,CAAI,CAC9C,EAEA9C,EAAE,QAAQ,YAAc,KAAK,KAAK,SAAS,MAAM,EAC/C+C,EACG,IAAI,kBAAmBW,EAAQ,EAC/B,qBAAqB5B,EAAQ,mBAAmB,EACnD4B,GAAS,CACb,CACF,EAEA5B,EAAQ,UAAU,eAAiB,SAAU8B,EAAQX,EAAW,CAC9D,IAAIF,EAAS,KAAK,IAAI,EAClBc,EAASd,EAAK,CAAC,EAAE,YACjBe,EAASf,EAAK,CAAC,EAAE,aAGjBgB,EAAY,SAAShB,EAAK,IAAI,YAAY,EAAG,EAAE,EAC/CiB,EAAa,SAASjB,EAAK,IAAI,aAAa,EAAG,EAAE,EAGjD,MAAMgB,CAAS,IAAIA,EAAa,GAChC,MAAMC,CAAU,IAAGA,EAAa,GAEpCJ,EAAO,KAAQG,EACfH,EAAO,MAAQI,EAIfhE,EAAE,OAAO,UAAU+C,EAAK,CAAC,EAAG/C,EAAE,OAAO,CACnC,MAAO,SAAUiE,GAAO,CACtBlB,EAAK,IAAI,CACP,IAAK,KAAK,MAAMkB,GAAM,GAAG,EACzB,KAAM,KAAK,MAAMA,GAAM,IAAI,CAC7B,CAAC,CACH,CACF,EAAGL,CAAM,EAAG,CAAC,EAEbb,EAAK,SAAS,IAAI,EAGlB,IAAIM,EAAeN,EAAK,CAAC,EAAE,YACvBO,EAAeP,EAAK,CAAC,EAAE,aAEvBE,GAAa,OAASK,GAAgBQ,IACxCF,EAAO,IAAMA,EAAO,IAAME,EAASR,GAGrC,IAAIY,EAAQ,KAAK,yBAAyBjB,EAAWW,EAAQP,EAAaC,CAAY,EAElFY,EAAM,KAAMN,EAAO,MAAQM,EAAM,KAChCN,EAAO,KAAOM,EAAM,IAEzB,IAAIC,EAAsB,aAAa,KAAKlB,CAAS,EACjDmB,GAAsBD,EAAaD,EAAM,KAAO,EAAIL,EAAQR,EAAca,EAAM,IAAM,EAAIJ,EAASR,EACnGe,EAAsBF,EAAa,cAAgB,eAEvDpB,EAAK,OAAOa,CAAM,EAClB,KAAK,aAAaQ,GAAYrB,EAAK,CAAC,EAAEsB,CAAmB,EAAGF,CAAU,CACxE,EAEArC,EAAQ,UAAU,aAAe,SAAUoC,EAAOI,EAAWH,EAAY,CACvE,KAAK,MAAM,EACR,IAAIA,EAAa,OAAS,MAAO,IAAM,EAAID,EAAQI,GAAa,GAAG,EACnE,IAAIH,EAAa,MAAQ,OAAQ,EAAE,CACxC,EAEArC,EAAQ,UAAU,WAAa,UAAY,CACzC,IAAIiB,EAAQ,KAAK,IAAI,EACjBwB,EAAQ,KAAK,SAAS,EAEtB,KAAK,QAAQ,MACX,KAAK,QAAQ,WACfA,EAAQvD,EAAauD,EAAO,KAAK,QAAQ,UAAW,KAAK,QAAQ,UAAU,GAG7ExB,EAAK,KAAK,gBAAgB,EAAE,KAAKwB,CAAK,GAEtCxB,EAAK,KAAK,gBAAgB,EAAE,KAAKwB,CAAK,EAGxCxB,EAAK,YAAY,+BAA+B,CAClD,EAEAjB,EAAQ,UAAU,KAAO,SAAU0C,EAAU,CAC3C,IAAI1B,EAAO,KACPC,EAAO/C,EAAE,KAAK,IAAI,EAClB4C,EAAO5C,EAAE,MAAM,WAAa,KAAK,IAAI,EAEzC,SAAS0D,GAAW,CACdZ,EAAK,YAAc,MAAMC,EAAK,OAAO,EACrCD,EAAK,UACPA,EAAK,SACF,WAAW,kBAAkB,EAC7B,QAAQ,aAAeA,EAAK,IAAI,EAErC0B,GAAYA,EAAS,CACvB,CAIA,GAFA,KAAK,SAAS,QAAQ5B,CAAC,EAEnB,CAAAA,EAAE,mBAAmB,EAEzB,OAAAG,EAAK,YAAY,IAAI,EAErB/C,EAAE,QAAQ,YAAc+C,EAAK,SAAS,MAAM,EAC1CA,EACG,IAAI,kBAAmBW,CAAQ,EAC/B,qBAAqB5B,EAAQ,mBAAmB,EACnD4B,EAAS,EAEX,KAAK,WAAa,KAEX,IACT,EAEA5B,EAAQ,UAAU,SAAW,UAAY,CACvC,IAAI2C,EAAK,KAAK,UACVA,EAAG,KAAK,OAAO,GAAK,OAAOA,EAAG,KAAK,qBAAqB,GAAK,WAC/DA,EAAG,KAAK,sBAAuBA,EAAG,KAAK,OAAO,GAAK,EAAE,EAAE,KAAK,QAAS,EAAE,CAE3E,EAEA3C,EAAQ,UAAU,WAAa,UAAY,CACzC,OAAO,KAAK,SAAS,CACvB,EAEAA,EAAQ,UAAU,YAAc,SAAU4C,EAAU,CAClDA,EAAaA,GAAY,KAAK,SAE9B,IAAIpD,EAASoD,EAAS,CAAC,EACnBC,EAASrD,EAAG,SAAW,OAEvBsD,EAAYtD,EAAG,sBAAsB,EACrCsD,EAAO,OAAS,OAElBA,EAAS5E,EAAE,OAAO,CAAC,EAAG4E,EAAQ,CAAE,MAAOA,EAAO,MAAQA,EAAO,KAAM,OAAQA,EAAO,OAASA,EAAO,GAAI,CAAC,GAEzG,IAAIC,EAAQ,OAAO,YAAcvD,aAAc,OAAO,WAGlDwD,EAAYH,EAAS,CAAE,IAAK,EAAG,KAAM,CAAE,EAAKE,EAAQ,KAAOH,EAAS,OAAO,EAC3EK,EAAY,CAAE,OAAQJ,EAAS,SAAS,gBAAgB,WAAa,SAAS,KAAK,UAAYD,EAAS,UAAU,CAAE,EACpHM,EAAYL,EAAS,CAAE,MAAO3E,EAAE,MAAM,EAAE,MAAM,EAAG,OAAQA,EAAE,MAAM,EAAE,OAAO,CAAE,EAAI,KAEpF,OAAOA,EAAE,OAAO,CAAC,EAAG4E,EAAQG,EAAQC,EAAWF,CAAQ,CACzD,EAEAhD,EAAQ,UAAU,oBAAsB,SAAUmB,EAAWG,EAAKC,EAAaC,EAAc,CAC3F,OAAOL,GAAa,SAAW,CAAE,IAAKG,EAAI,IAAMA,EAAI,OAAU,KAAMA,EAAI,KAAOA,EAAI,MAAQ,EAAIC,EAAc,CAAE,EACxGJ,GAAa,MAAW,CAAE,IAAKG,EAAI,IAAME,EAAc,KAAMF,EAAI,KAAOA,EAAI,MAAQ,EAAIC,EAAc,CAAE,EACxGJ,GAAa,OAAW,CAAE,IAAKG,EAAI,IAAMA,EAAI,OAAS,EAAIE,EAAe,EAAG,KAAMF,EAAI,KAAOC,CAAY,EACjF,CAAE,IAAKD,EAAI,IAAMA,EAAI,OAAS,EAAIE,EAAe,EAAG,KAAMF,EAAI,KAAOA,EAAI,KAAM,CAEhH,EAEAtB,EAAQ,UAAU,yBAA2B,SAAUmB,EAAWG,EAAKC,EAAaC,EAAc,CAChG,IAAIY,EAAQ,CAAE,IAAK,EAAG,KAAM,CAAE,EAC9B,GAAI,CAAC,KAAK,UAAW,OAAOA,EAE5B,IAAIe,EAAkB,KAAK,QAAQ,UAAY,KAAK,QAAQ,SAAS,SAAW,EAC5EC,EAAqB,KAAK,YAAY,KAAK,SAAS,EAExD,GAAI,aAAa,KAAKjC,CAAS,EAAG,CAChC,IAAIkC,EAAmB/B,EAAI,IAAM6B,EAAkBC,EAAmB,OAClEE,EAAmBhC,EAAI,IAAM6B,EAAkBC,EAAmB,OAAS5B,EAC3E6B,EAAgBD,EAAmB,IACrChB,EAAM,IAAMgB,EAAmB,IAAMC,EAC5BC,EAAmBF,EAAmB,IAAMA,EAAmB,SACxEhB,EAAM,IAAMgB,EAAmB,IAAMA,EAAmB,OAASE,EAErE,KAAO,CACL,IAAIC,EAAkBjC,EAAI,KAAO6B,EAC7BK,EAAkBlC,EAAI,KAAO6B,EAAkB5B,EAC/CgC,EAAiBH,EAAmB,KACtChB,EAAM,KAAOgB,EAAmB,KAAOG,EAC9BC,EAAkBJ,EAAmB,QAC9ChB,EAAM,KAAOgB,EAAmB,KAAOA,EAAmB,MAAQI,EAEtE,CAEA,OAAOpB,CACT,EAEApC,EAAQ,UAAU,SAAW,UAAY,CACvC,IAAIyC,EACAE,EAAK,KAAK,SACVc,EAAK,KAAK,QAEd,OAAAhB,EAAQE,EAAG,KAAK,qBAAqB,IAC/B,OAAOc,EAAE,OAAS,WAAaA,EAAE,MAAM,KAAKd,EAAG,CAAC,CAAC,EAAKc,EAAE,OAEvDhB,CACT,EAEAzC,EAAQ,UAAU,OAAS,SAAU0D,EAAQ,CAC3C,GAAGA,GAAU,CAAC,EAAE,KAAK,OAAO,EAAI,WACzB,SAAS,eAAeA,CAAM,GACrC,OAAOA,CACT,EAEA1D,EAAQ,UAAU,IAAM,UAAY,CAClC,GAAI,CAAC,KAAK,OACR,KAAK,KAAO9B,EAAE,KAAK,QAAQ,QAAQ,EAC/B,KAAK,KAAK,QAAU,GACtB,MAAM,IAAI,MAAM,KAAK,KAAO,iEAAiE,EAGjG,OAAO,KAAK,IACd,EAEA8B,EAAQ,UAAU,MAAQ,UAAY,CACpC,OAAQ,KAAK,OAAS,KAAK,QAAU,KAAK,IAAI,EAAE,KAAK,gBAAgB,CACvE,EAEAA,EAAQ,UAAU,OAAS,UAAY,CACrC,KAAK,QAAU,EACjB,EAEAA,EAAQ,UAAU,QAAU,UAAY,CACtC,KAAK,QAAU,EACjB,EAEAA,EAAQ,UAAU,cAAgB,UAAY,CAC5C,KAAK,QAAU,CAAC,KAAK,OACvB,EAEAA,EAAQ,UAAU,OAAS,SAAUc,EAAG,CACtC,IAAID,EAAO,KACPC,IACFD,EAAO3C,EAAE4C,EAAE,aAAa,EAAE,KAAK,MAAQ,KAAK,IAAI,EAC3CD,IACHA,EAAO,IAAI,KAAK,YAAYC,EAAE,cAAe,KAAK,mBAAmB,CAAC,EACtE5C,EAAE4C,EAAE,aAAa,EAAE,KAAK,MAAQ,KAAK,KAAMD,CAAI,IAI/CC,GACFD,EAAK,QAAQ,MAAQ,CAACA,EAAK,QAAQ,MAC/BA,EAAK,cAAc,EAAGA,EAAK,MAAMA,CAAI,EACpCA,EAAK,MAAMA,CAAI,GAEpBA,EAAK,IAAI,EAAE,SAAS,IAAI,EAAIA,EAAK,MAAMA,CAAI,EAAIA,EAAK,MAAMA,CAAI,CAElE,EAEAb,EAAQ,UAAU,QAAU,UAAY,CACtC,IAAIgB,EAAO,KACX,aAAa,KAAK,OAAO,EACzB,KAAK,KAAK,UAAY,CACpBA,EAAK,SAAS,IAAI,IAAMA,EAAK,IAAI,EAAE,WAAW,MAAQA,EAAK,IAAI,EAC3DA,EAAK,MACPA,EAAK,KAAK,OAAO,EAEnBA,EAAK,KAAO,KACZA,EAAK,OAAS,KACdA,EAAK,UAAY,KACjBA,EAAK,SAAW,IAClB,CAAC,CACH,EAEAhB,EAAQ,UAAU,aAAe,SAAUb,EAAY,CACrD,OAAOD,EAAaC,EAAY,KAAK,QAAQ,UAAW,KAAK,QAAQ,UAAU,CACjF,EAKA,SAASwE,EAAOC,EAAQ,CACtB,OAAO,KAAK,KAAK,UAAY,CAC3B,IAAIC,EAAU3F,EAAE,IAAI,EAChB4F,EAAUD,EAAM,KAAK,YAAY,EACjC3D,EAAU,OAAO0D,GAAU,UAAYA,EAEvC,CAACE,GAAQ,eAAe,KAAKF,CAAM,IAClCE,GAAMD,EAAM,KAAK,aAAeC,EAAO,IAAI9D,EAAQ,KAAME,CAAO,CAAE,EACnE,OAAO0D,GAAU,UAAUE,EAAKF,CAAM,EAAE,EAC9C,CAAC,CACH,CAEA,IAAIG,EAAM7F,EAAE,GAAG,QAEfA,EAAE,GAAG,QAAsByF,EAC3BzF,EAAE,GAAG,QAAQ,YAAc8B,EAM3B9B,EAAE,GAAG,QAAQ,WAAa,UAAY,CACpC,OAAAA,EAAE,GAAG,QAAU6F,EACR,IACT,CAEF,EAAE,MAAM,ICpqBR,IAAAC,GAAAC,EAAA,KASA,CAAC,SAAUC,EAAG,CACZ,aAKA,IAAIC,EAAU,SAAUC,EAASC,EAAS,CACxC,KAAK,KAAK,UAAWD,EAASC,CAAO,CACvC,EAEA,GAAI,CAACH,EAAE,GAAG,QAAS,MAAM,IAAI,MAAM,6BAA6B,EAEhEC,EAAQ,QAAW,QAEnBA,EAAQ,SAAWD,EAAE,OAAO,CAAC,EAAGA,EAAE,GAAG,QAAQ,YAAY,SAAU,CACjE,UAAW,QACX,QAAS,QACT,QAAS,GACT,SAAU,uIACZ,CAAC,EAMDC,EAAQ,UAAYD,EAAE,OAAO,CAAC,EAAGA,EAAE,GAAG,QAAQ,YAAY,SAAS,EAEnEC,EAAQ,UAAU,YAAcA,EAEhCA,EAAQ,UAAU,YAAc,UAAY,CAC1C,OAAOA,EAAQ,QACjB,EAEAA,EAAQ,UAAU,WAAa,UAAY,CACzC,IAAIG,EAAU,KAAK,IAAI,EACnBC,EAAU,KAAK,SAAS,EACxBC,EAAU,KAAK,WAAW,EAE9B,GAAI,KAAK,QAAQ,KAAM,CACrB,IAAIC,EAAc,OAAOD,EAErB,KAAK,QAAQ,WACfD,EAAQ,KAAK,aAAaA,CAAK,EAE3BE,IAAgB,WAClBD,EAAU,KAAK,aAAaA,CAAO,IAIvCF,EAAK,KAAK,gBAAgB,EAAE,KAAKC,CAAK,EACtCD,EAAK,KAAK,kBAAkB,EAAE,SAAS,EAAE,OAAO,EAAE,IAAI,EACpDG,IAAgB,SAAW,OAAS,QACtC,EAAED,CAAO,CACX,MACEF,EAAK,KAAK,gBAAgB,EAAE,KAAKC,CAAK,EACtCD,EAAK,KAAK,kBAAkB,EAAE,SAAS,EAAE,OAAO,EAAE,IAAI,EAAE,KAAKE,CAAO,EAGtEF,EAAK,YAAY,+BAA+B,EAI3CA,EAAK,KAAK,gBAAgB,EAAE,KAAK,GAAGA,EAAK,KAAK,gBAAgB,EAAE,KAAK,CAC5E,EAEAH,EAAQ,UAAU,WAAa,UAAY,CACzC,OAAO,KAAK,SAAS,GAAK,KAAK,WAAW,CAC5C,EAEAA,EAAQ,UAAU,WAAa,UAAY,CACzC,IAAIO,EAAK,KAAK,SACVC,EAAK,KAAK,QAEd,OAAOD,EAAG,KAAK,cAAc,IACvB,OAAOC,EAAE,SAAW,WACtBA,EAAE,QAAQ,KAAKD,EAAG,CAAC,CAAC,EACpBC,EAAE,QACR,EAEAR,EAAQ,UAAU,MAAQ,UAAY,CACpC,OAAQ,KAAK,OAAS,KAAK,QAAU,KAAK,IAAI,EAAE,KAAK,QAAQ,CAC/D,EAMA,SAASS,EAAOC,EAAQ,CACtB,OAAO,KAAK,KAAK,UAAY,CAC3B,IAAIC,EAAUZ,EAAE,IAAI,EAChBa,EAAUD,EAAM,KAAK,YAAY,EACjCT,EAAU,OAAOQ,GAAU,UAAYA,EAEvC,CAACE,GAAQ,eAAe,KAAKF,CAAM,IAClCE,GAAMD,EAAM,KAAK,aAAeC,EAAO,IAAIZ,EAAQ,KAAME,CAAO,CAAE,EACnE,OAAOQ,GAAU,UAAUE,EAAKF,CAAM,EAAE,EAC9C,CAAC,CACH,CAEA,IAAIG,EAAMd,EAAE,GAAG,QAEfA,EAAE,GAAG,QAAsBU,EAC3BV,EAAE,GAAG,QAAQ,YAAcC,EAM3BD,EAAE,GAAG,QAAQ,WAAa,UAAY,CACpC,OAAAA,EAAE,GAAG,QAAUc,EACR,IACT,CAEF,EAAE,MAAM,IC1HR,IAAAC,GAAAC,EAAA,KASA,CAAC,SAAUC,EAAG,CACZ,aAKA,SAASC,EAAUC,EAASC,EAAS,CACnC,KAAK,MAAiBH,EAAE,SAAS,IAAI,EACrC,KAAK,eAAiBA,EAAEE,CAAO,EAAE,GAAG,SAAS,IAAI,EAAIF,EAAE,MAAM,EAAIA,EAAEE,CAAO,EAC1E,KAAK,QAAiBF,EAAE,OAAO,CAAC,EAAGC,EAAU,SAAUE,CAAO,EAC9D,KAAK,UAAkB,KAAK,QAAQ,QAAU,IAAM,eACpD,KAAK,QAAiB,CAAC,EACvB,KAAK,QAAiB,CAAC,EACvB,KAAK,aAAiB,KACtB,KAAK,aAAiB,EAEtB,KAAK,eAAe,GAAG,sBAAuBH,EAAE,MAAM,KAAK,QAAS,IAAI,CAAC,EACzE,KAAK,QAAQ,EACb,KAAK,QAAQ,CACf,CAEAC,EAAU,QAAW,QAErBA,EAAU,SAAW,CACnB,OAAQ,EACV,EAEAA,EAAU,UAAU,gBAAkB,UAAY,CAChD,OAAO,KAAK,eAAe,CAAC,EAAE,cAAgB,KAAK,IAAI,KAAK,MAAM,CAAC,EAAE,aAAc,SAAS,gBAAgB,YAAY,CAC1H,EAEAA,EAAU,UAAU,QAAU,UAAY,CACxC,IAAIG,EAAgB,KAChBC,EAAgB,SAChBC,EAAgB,EAEpB,KAAK,QAAe,CAAC,EACrB,KAAK,QAAe,CAAC,EACrB,KAAK,aAAe,KAAK,gBAAgB,EAEpCN,EAAE,SAAS,KAAK,eAAe,CAAC,CAAC,IACpCK,EAAe,WACfC,EAAe,KAAK,eAAe,UAAU,GAG/C,KAAK,MACF,KAAK,KAAK,QAAQ,EAClB,IAAI,UAAY,CACf,IAAIC,EAAQP,EAAE,IAAI,EACdQ,EAAQD,EAAI,KAAK,QAAQ,GAAKA,EAAI,KAAK,MAAM,EAC7CE,EAAQ,MAAM,KAAKD,CAAI,GAAKR,EAAEQ,CAAI,EAEtC,OAAQC,GACHA,EAAM,QACNA,EAAM,GAAG,UAAU,GACnB,CAAC,CAACA,EAAMJ,CAAY,EAAE,EAAE,IAAMC,EAAYE,CAAI,CAAC,GAAM,IAC5D,CAAC,EACA,KAAK,SAAUE,EAAGC,EAAG,CAAE,OAAOD,EAAE,CAAC,EAAIC,EAAE,CAAC,CAAE,CAAC,EAC3C,KAAK,UAAY,CAChBP,EAAK,QAAQ,KAAK,KAAK,CAAC,CAAC,EACzBA,EAAK,QAAQ,KAAK,KAAK,CAAC,CAAC,CAC3B,CAAC,CACL,EAEAH,EAAU,UAAU,QAAU,UAAY,CACxC,IAAIW,EAAe,KAAK,eAAe,UAAU,EAAI,KAAK,QAAQ,OAC9DC,EAAe,KAAK,gBAAgB,EACpCC,EAAe,KAAK,QAAQ,OAASD,EAAe,KAAK,eAAe,OAAO,EAC/EE,EAAe,KAAK,QACpBC,EAAe,KAAK,QACpBC,EAAe,KAAK,aACpBC,EAMJ,GAJI,KAAK,cAAgBL,GACvB,KAAK,QAAQ,EAGXD,GAAaE,EACf,OAAOG,IAAiBC,EAAIF,EAAQA,EAAQ,OAAS,CAAC,IAAM,KAAK,SAASE,CAAC,EAG7E,GAAID,GAAgBL,EAAYG,EAAQ,CAAC,EACvC,YAAK,aAAe,KACb,KAAK,MAAM,EAGpB,IAAKG,EAAIH,EAAQ,OAAQG,KACvBD,GAAgBD,EAAQE,CAAC,GACpBN,GAAaG,EAAQG,CAAC,IACrBH,EAAQG,EAAI,CAAC,IAAM,QAAaN,EAAYG,EAAQG,EAAI,CAAC,IAC1D,KAAK,SAASF,EAAQE,CAAC,CAAC,CAEjC,EAEAjB,EAAU,UAAU,SAAW,SAAUkB,EAAQ,CAC/C,KAAK,aAAeA,EAEpB,KAAK,MAAM,EAEX,IAAIC,EAAW,KAAK,SAClB,iBAAmBD,EAAS,MAC5B,KAAK,SAAW,UAAYA,EAAS,KAEnCE,EAASrB,EAAEoB,CAAQ,EACpB,QAAQ,IAAI,EACZ,SAAS,QAAQ,EAEhBC,EAAO,OAAO,gBAAgB,EAAE,SAClCA,EAASA,EACN,QAAQ,aAAa,EACrB,SAAS,QAAQ,GAGtBA,EAAO,QAAQ,uBAAuB,CACxC,EAEApB,EAAU,UAAU,MAAQ,UAAY,CACtCD,EAAE,KAAK,QAAQ,EACZ,aAAa,KAAK,QAAQ,OAAQ,SAAS,EAC3C,YAAY,QAAQ,CACzB,EAMA,SAASsB,EAAOC,EAAQ,CACtB,OAAO,KAAK,KAAK,UAAY,CAC3B,IAAIC,EAAUxB,EAAE,IAAI,EAChByB,EAAUD,EAAM,KAAK,cAAc,EACnCrB,EAAU,OAAOoB,GAAU,UAAYA,EAEtCE,GAAMD,EAAM,KAAK,eAAiBC,EAAO,IAAIxB,EAAU,KAAME,CAAO,CAAE,EACvE,OAAOoB,GAAU,UAAUE,EAAKF,CAAM,EAAE,CAC9C,CAAC,CACH,CAEA,IAAIG,EAAM1B,EAAE,GAAG,UAEfA,EAAE,GAAG,UAAwBsB,EAC7BtB,EAAE,GAAG,UAAU,YAAcC,EAM7BD,EAAE,GAAG,UAAU,WAAa,UAAY,CACtC,OAAAA,EAAE,GAAG,UAAY0B,EACV,IACT,EAMA1B,EAAE,MAAM,EAAE,GAAG,6BAA8B,UAAY,CACrDA,EAAE,qBAAqB,EAAE,KAAK,UAAY,CACxC,IAAI2B,EAAO3B,EAAE,IAAI,EACjBsB,EAAO,KAAKK,EAAMA,EAAK,KAAK,CAAC,CAC/B,CAAC,CACH,CAAC,CAEH,EAAE,MAAM,IC3KR,IAAAC,GAAAC,EAAA,KASA,CAAC,SAAUC,EAAG,CACZ,aAKA,IAAIC,EAAM,SAAUC,EAAS,CAE3B,KAAK,QAAUF,EAAEE,CAAO,CAE1B,EAEAD,EAAI,QAAU,QAEdA,EAAI,oBAAsB,IAE1BA,EAAI,UAAU,KAAO,UAAY,CAC/B,IAAIE,EAAW,KAAK,QAChBC,EAAWD,EAAM,QAAQ,wBAAwB,EACjDE,EAAWF,EAAM,KAAK,QAAQ,EAOlC,GALKE,IACHA,EAAWF,EAAM,KAAK,MAAM,EAC5BE,EAAWA,GAAYA,EAAS,QAAQ,iBAAkB,EAAE,GAG1D,CAAAF,EAAM,OAAO,IAAI,EAAE,SAAS,QAAQ,EAExC,KAAIG,EAAYF,EAAI,KAAK,gBAAgB,EACrCG,EAAYP,EAAE,MAAM,cAAe,CACrC,cAAeG,EAAM,CAAC,CACxB,CAAC,EACGK,EAAYR,EAAE,MAAM,cAAe,CACrC,cAAeM,EAAU,CAAC,CAC5B,CAAC,EAKD,GAHAA,EAAU,QAAQC,CAAS,EAC3BJ,EAAM,QAAQK,CAAS,EAEnB,EAAAA,EAAU,mBAAmB,GAAKD,EAAU,mBAAmB,GAEnE,KAAIE,EAAUT,EAAE,QAAQ,EAAE,KAAKK,CAAQ,EAEvC,KAAK,SAASF,EAAM,QAAQ,IAAI,EAAGC,CAAG,EACtC,KAAK,SAASK,EAASA,EAAQ,OAAO,EAAG,UAAY,CACnDH,EAAU,QAAQ,CAChB,KAAM,gBACN,cAAeH,EAAM,CAAC,CACxB,CAAC,EACDA,EAAM,QAAQ,CACZ,KAAM,eACN,cAAeG,EAAU,CAAC,CAC5B,CAAC,CACH,CAAC,GACH,EAEAL,EAAI,UAAU,SAAW,SAAUC,EAASQ,EAAWC,EAAU,CAC/D,IAAIC,EAAaF,EAAU,KAAK,WAAW,EACvCG,EAAaF,GACZX,EAAE,QAAQ,aACTY,EAAQ,QAAUA,EAAQ,SAAS,MAAM,GAAK,CAAC,CAACF,EAAU,KAAK,SAAS,EAAE,QAEhF,SAASI,GAAO,CACdF,EACG,YAAY,QAAQ,EACpB,KAAK,4BAA4B,EACjC,YAAY,QAAQ,EACpB,IAAI,EACJ,KAAK,qBAAqB,EAC1B,KAAK,gBAAiB,EAAK,EAE9BV,EACG,SAAS,QAAQ,EACjB,KAAK,qBAAqB,EAC1B,KAAK,gBAAiB,EAAI,EAEzBW,GACFX,EAAQ,CAAC,EAAE,YACXA,EAAQ,SAAS,IAAI,GAErBA,EAAQ,YAAY,MAAM,EAGxBA,EAAQ,OAAO,gBAAgB,EAAE,QACnCA,EACG,QAAQ,aAAa,EACrB,SAAS,QAAQ,EACjB,IAAI,EACJ,KAAK,qBAAqB,EAC1B,KAAK,gBAAiB,EAAI,EAG/BS,GAAYA,EAAS,CACvB,CAEAC,EAAQ,QAAUC,EAChBD,EACG,IAAI,kBAAmBE,CAAI,EAC3B,qBAAqBb,EAAI,mBAAmB,EAC/Ca,EAAK,EAEPF,EAAQ,YAAY,IAAI,CAC1B,EAMA,SAASG,EAAOC,EAAQ,CACtB,OAAO,KAAK,KAAK,UAAY,CAC3B,IAAIb,EAAQH,EAAE,IAAI,EACdiB,EAAQd,EAAM,KAAK,QAAQ,EAE1Bc,GAAMd,EAAM,KAAK,SAAWc,EAAO,IAAIhB,EAAI,IAAI,CAAE,EAClD,OAAOe,GAAU,UAAUC,EAAKD,CAAM,EAAE,CAC9C,CAAC,CACH,CAEA,IAAIE,EAAMlB,EAAE,GAAG,IAEfA,EAAE,GAAG,IAAkBe,EACvBf,EAAE,GAAG,IAAI,YAAcC,EAMvBD,EAAE,GAAG,IAAI,WAAa,UAAY,CAChC,OAAAA,EAAE,GAAG,IAAMkB,EACJ,IACT,EAMA,IAAIC,EAAe,SAAUC,EAAG,CAC9BA,EAAE,eAAe,EACjBL,EAAO,KAAKf,EAAE,IAAI,EAAG,MAAM,CAC7B,EAEAA,EAAE,QAAQ,EACP,GAAG,wBAAyB,sBAAuBmB,CAAY,EAC/D,GAAG,wBAAyB,uBAAwBA,CAAY,CAErE,EAAE,MAAM,IC1JR,IAAAE,GAAAC,EAAA,KASA,CAAC,SAAUC,EAAG,CACZ,aAKA,IAAIC,EAAQ,SAAUC,EAASC,EAAS,CACtC,KAAK,QAAUH,EAAE,OAAO,CAAC,EAAGC,EAAM,SAAUE,CAAO,EAEnD,IAAIC,EAAS,KAAK,QAAQ,SAAWH,EAAM,SAAS,OAASD,EAAE,KAAK,QAAQ,MAAM,EAAIA,EAAE,QAAQ,EAAE,KAAK,KAAK,QAAQ,MAAM,EAE1H,KAAK,QAAUI,EACZ,GAAG,2BAA4BJ,EAAE,MAAM,KAAK,cAAe,IAAI,CAAC,EAChE,GAAG,0BAA4BA,EAAE,MAAM,KAAK,2BAA4B,IAAI,CAAC,EAEhF,KAAK,SAAeA,EAAEE,CAAO,EAC7B,KAAK,QAAe,KACpB,KAAK,MAAe,KACpB,KAAK,aAAe,KAEpB,KAAK,cAAc,CACrB,EAEAD,EAAM,QAAW,QAEjBA,EAAM,MAAW,+BAEjBA,EAAM,SAAW,CACf,OAAQ,EACR,OAAQ,MACV,EAEAA,EAAM,UAAU,SAAW,SAAUI,EAAcC,EAAQC,EAAWC,EAAc,CAClF,IAAIC,EAAe,KAAK,QAAQ,UAAU,EACtCC,EAAe,KAAK,SAAS,OAAO,EACpCC,EAAe,KAAK,QAAQ,OAAO,EAEvC,GAAIJ,GAAa,MAAQ,KAAK,SAAW,MAAO,OAAOE,EAAYF,EAAY,MAAQ,GAEvF,GAAI,KAAK,SAAW,SAClB,OAAIA,GAAa,KAAcE,EAAY,KAAK,OAASC,EAAS,IAAO,GAAQ,SACzED,EAAYE,GAAgBN,EAAeG,EAAgB,GAAQ,SAG7E,IAAII,EAAiB,KAAK,SAAW,KACjCC,EAAiBD,EAAeH,EAAYC,EAAS,IACrDI,EAAiBF,EAAeD,EAAeL,EAEnD,OAAIC,GAAa,MAAQE,GAAaF,EAAkB,MACpDC,GAAgB,MAASK,EAAcC,GAAkBT,EAAeG,EAAsB,SAE3F,EACT,EAEAP,EAAM,UAAU,gBAAkB,UAAY,CAC5C,GAAI,KAAK,aAAc,OAAO,KAAK,aACnC,KAAK,SAAS,YAAYA,EAAM,KAAK,EAAE,SAAS,OAAO,EACvD,IAAIQ,EAAY,KAAK,QAAQ,UAAU,EACnCC,EAAY,KAAK,SAAS,OAAO,EACrC,OAAQ,KAAK,aAAeA,EAAS,IAAMD,CAC7C,EAEAR,EAAM,UAAU,2BAA6B,UAAY,CACvD,WAAWD,EAAE,MAAM,KAAK,cAAe,IAAI,EAAG,CAAC,CACjD,EAEAC,EAAM,UAAU,cAAgB,UAAY,CAC1C,GAAK,KAAK,SAAS,GAAG,UAAU,EAEhC,KAAIK,EAAe,KAAK,SAAS,OAAO,EACpCS,EAAe,KAAK,QAAQ,OAC5BR,EAAeQ,EAAO,IACtBP,EAAeO,EAAO,OACtBV,EAAe,KAAK,IAAIL,EAAE,QAAQ,EAAE,OAAO,EAAGA,EAAE,SAAS,IAAI,EAAE,OAAO,CAAC,EAEvE,OAAOe,GAAU,WAAkBP,EAAeD,EAAYQ,GAC9D,OAAOR,GAAa,aAAeA,EAAeQ,EAAO,IAAI,KAAK,QAAQ,GAC1E,OAAOP,GAAgB,aAAYA,EAAeO,EAAO,OAAO,KAAK,QAAQ,GAEjF,IAAIC,EAAQ,KAAK,SAASX,EAAcC,EAAQC,EAAWC,CAAY,EAEvE,GAAI,KAAK,SAAWQ,EAAO,CACrB,KAAK,OAAS,MAAM,KAAK,SAAS,IAAI,MAAO,EAAE,EAEnD,IAAIC,EAAY,SAAWD,EAAQ,IAAMA,EAAQ,IAC7CE,EAAYlB,EAAE,MAAMiB,EAAY,WAAW,EAI/C,GAFA,KAAK,SAAS,QAAQC,CAAC,EAEnBA,EAAE,mBAAmB,EAAG,OAE5B,KAAK,QAAUF,EACf,KAAK,MAAQA,GAAS,SAAW,KAAK,gBAAgB,EAAI,KAE1D,KAAK,SACF,YAAYf,EAAM,KAAK,EACvB,SAASgB,CAAS,EAClB,QAAQA,EAAU,QAAQ,QAAS,SAAS,EAAI,WAAW,CAChE,CAEID,GAAS,UACX,KAAK,SAAS,OAAO,CACnB,IAAKX,EAAeC,EAASE,CAC/B,CAAC,EAEL,EAMA,SAASW,EAAOC,EAAQ,CACtB,OAAO,KAAK,KAAK,UAAY,CAC3B,IAAIC,EAAUrB,EAAE,IAAI,EAChBsB,EAAUD,EAAM,KAAK,UAAU,EAC/BlB,EAAU,OAAOiB,GAAU,UAAYA,EAEtCE,GAAMD,EAAM,KAAK,WAAaC,EAAO,IAAIrB,EAAM,KAAME,CAAO,CAAE,EAC/D,OAAOiB,GAAU,UAAUE,EAAKF,CAAM,EAAE,CAC9C,CAAC,CACH,CAEA,IAAIG,EAAMvB,EAAE,GAAG,MAEfA,EAAE,GAAG,MAAoBmB,EACzBnB,EAAE,GAAG,MAAM,YAAcC,EAMzBD,EAAE,GAAG,MAAM,WAAa,UAAY,CAClC,OAAAA,EAAE,GAAG,MAAQuB,EACN,IACT,EAMAvB,EAAE,MAAM,EAAE,GAAG,OAAQ,UAAY,CAC/BA,EAAE,oBAAoB,EAAE,KAAK,UAAY,CACvC,IAAIwB,EAAOxB,EAAE,IAAI,EACbsB,EAAOE,EAAK,KAAK,EAErBF,EAAK,OAASA,EAAK,QAAU,CAAC,EAE1BA,EAAK,cAAgB,OAAMA,EAAK,OAAO,OAASA,EAAK,cACrDA,EAAK,WAAgB,OAAMA,EAAK,OAAO,IAASA,EAAK,WAEzDH,EAAO,KAAKK,EAAMF,CAAI,CACxB,CAAC,CACH,CAAC,CAEH,EAAE,MAAM,ICnKR,IAAAG,GAAAC,EAAA,KACA,KACA,KACA,KACA,KACA,KACA,KACA,KACA,KACA,KACA,KACA,KACA,OCZA,IAAAC,GAAAC,EAAA,MAQC,SAAUC,EAAGC,EAAQC,EAAUC,EAAW,CAEvC,aAEA,IAAIC,EAAMJ,EAAE,GAAG,eAIXK,EAAiB,SAAUC,EAASC,EAAS,CAI7C,GAHA,KAAK,SAAWP,EAAEM,CAAO,EACzB,KAAK,QAAUN,EAAE,OAAO,CAAC,EAAGA,EAAE,GAAG,eAAe,SAAUO,CAAO,EAE7D,KAAK,QAAQ,UAAY,GAAK,KAAK,QAAQ,UAAY,KAAK,QAAQ,WACpE,MAAM,IAAI,MAAM,gCAAgC,EAIpD,GADA,KAAK,QAAQ,WAAa,SAAS,KAAK,QAAQ,UAAU,EACtD,MAAM,KAAK,QAAQ,UAAU,EAC7B,MAAM,IAAI,MAAM,oCAAoC,EAIxD,GADA,KAAK,QAAQ,aAAe,SAAS,KAAK,QAAQ,YAAY,EAC1D,MAAM,KAAK,QAAQ,YAAY,EAC/B,MAAM,IAAI,MAAM,sCAAsC,EAW1D,GARI,KAAK,QAAQ,WAAa,KAAK,QAAQ,eACvC,KAAK,QAAQ,aAAe,KAAK,QAAQ,YAGzC,KAAK,QAAQ,uBAAuB,UACpC,KAAK,SAAS,MAAM,EAAE,GAAG,OAAQ,KAAK,QAAQ,WAAW,EAGzD,KAAK,QAAQ,KAAM,CACnB,IAAIC,EAAOC,EAAS,KAAK,QAAQ,KAAK,QAAQ,qBAAsB,MAAM,EAC1EA,EAASA,EAAO,QAAQ,KAAK,QAAQ,aAAc,QAAQ,GACtDD,EAAQ,IAAI,OAAOC,EAAQ,GAAG,EAAE,KAAKR,EAAO,SAAS,IAAI,IAAM,OAChE,KAAK,QAAQ,UAAY,SAASO,EAAM,CAAC,EAAG,EAAE,EAEtD,CAEA,IAAIE,EAAW,OAAO,KAAK,SAAS,MAAS,WACzC,KAAK,SAAS,KAAK,SAAS,EAAI,KAAK,SAAS,KAAK,SAAS,EAEhE,OAAIA,IAAY,KACZ,KAAK,eAAiB,KAAK,SAE3B,KAAK,eAAiBV,EAAE,WAAW,EAGvC,KAAK,eAAe,SAAS,KAAK,QAAQ,eAAe,EAErDU,IAAY,MACZ,KAAK,SAAS,OAAO,KAAK,cAAc,EAG5C,KAAK,OAAO,KAAK,SAAS,KAAK,QAAQ,SAAS,CAAC,EACjD,KAAK,YAAY,EAEb,KAAK,QAAQ,wBACb,KAAK,SAAS,QAAQ,OAAQ,KAAK,QAAQ,SAAS,EAGjD,IACX,EAEAL,EAAe,UAAY,CAEvB,YAAaA,EAEb,QAAS,UAAY,CACjB,YAAK,SAAS,MAAM,EACpB,KAAK,SAAS,WAAW,iBAAiB,EAC1C,KAAK,SAAS,IAAI,MAAM,EAEjB,IACX,EAEA,KAAM,SAAUM,EAAM,CAClB,GAAIA,EAAO,GAAKA,EAAO,KAAK,QAAQ,WAChC,MAAM,IAAI,MAAM,oBAAoB,EAGxC,YAAK,OAAO,KAAK,SAASA,CAAI,CAAC,EAC/B,KAAK,YAAY,EAEjB,KAAK,SAAS,QAAQ,OAAQA,CAAI,EAE3B,IACX,EAEA,eAAgB,SAAUC,EAAO,CAC7B,IAAIC,EAAY,CAAC,EAMjB,GAJI,KAAK,QAAQ,OACbA,EAAU,KAAK,KAAK,UAAU,QAAS,CAAC,CAAC,EAGzC,KAAK,QAAQ,KAAM,CACnB,IAAIC,EAAOF,EAAM,YAAc,EAAIA,EAAM,YAAc,EAAI,KAAK,QAAQ,KAAO,KAAK,QAAQ,WAAc,EAC1GC,EAAU,KAAK,KAAK,UAAU,OAAQC,CAAI,CAAC,CAC/C,CAEA,QAASC,EAAI,EAAGA,EAAIH,EAAM,QAAQ,OAAQG,IACtCF,EAAU,KAAK,KAAK,UAAU,OAAQD,EAAM,QAAQG,CAAC,CAAC,CAAC,EAG3D,GAAI,KAAK,QAAQ,KAAM,CACnB,IAAIC,EAAOJ,EAAM,YAAc,KAAK,QAAQ,WAAaA,EAAM,YAAc,EAAI,KAAK,QAAQ,KAAO,EAAI,KAAK,QAAQ,WACtHC,EAAU,KAAK,KAAK,UAAU,OAAQG,CAAI,CAAC,CAC/C,CAEA,OAAI,KAAK,QAAQ,MACbH,EAAU,KAAK,KAAK,UAAU,OAAQ,KAAK,QAAQ,UAAU,CAAC,EAG3DA,CACX,EAEA,UAAW,SAAUI,EAAMN,EAAM,CAC7B,IAAIO,EAAiBlB,EAAE,WAAW,EAC9BmB,EAAenB,EAAE,SAAS,EAC1BoB,EAAW,KAEf,OAAQH,EAAM,CACV,IAAK,OACDG,EAAWT,EACXO,EAAe,SAAS,KAAK,QAAQ,SAAS,EAC9C,MACJ,IAAK,QACDE,EAAW,KAAK,QAAQ,MACxBF,EAAe,SAAS,KAAK,QAAQ,UAAU,EAC/C,MACJ,IAAK,OACDE,EAAW,KAAK,QAAQ,KACxBF,EAAe,SAAS,KAAK,QAAQ,SAAS,EAC9C,MACJ,IAAK,OACDE,EAAW,KAAK,QAAQ,KACxBF,EAAe,SAAS,KAAK,QAAQ,SAAS,EAC9C,MACJ,IAAK,OACDE,EAAW,KAAK,QAAQ,KACxBF,EAAe,SAAS,KAAK,QAAQ,SAAS,EAC9C,MACJ,QACI,KACR,CAEA,OAAAA,EAAe,KAAK,OAAQP,CAAI,EAChCO,EAAe,KAAK,YAAaD,CAAI,EACrCC,EAAe,OAAOC,EAAa,KAAK,OAAQ,KAAK,SAASR,CAAI,CAAC,EAAE,KAAKS,CAAQ,CAAC,EAE5EF,CACX,EAEA,SAAU,SAAUG,EAAa,CAC7B,IAAIT,EAAQ,CAAC,EAETU,EAAO,KAAK,MAAM,KAAK,QAAQ,aAAe,CAAC,EAC/CC,EAAQF,EAAcC,EAAO,EAAI,KAAK,QAAQ,aAAe,EAC7DE,EAAMH,EAAcC,EAGpBC,GAAS,IACTA,EAAQ,EACRC,EAAM,KAAK,QAAQ,cAEnBA,EAAM,KAAK,QAAQ,aACnBD,EAAQ,KAAK,QAAQ,WAAa,KAAK,QAAQ,aAAe,EAC9DC,EAAM,KAAK,QAAQ,YAIvB,QADIC,EAASF,EACNE,GAAUD,GACbZ,EAAM,KAAKa,CAAM,EACjBA,IAGJ,MAAO,CAAC,YAAeJ,EAAa,QAAWT,CAAK,CACxD,EAEA,OAAQ,SAAUA,EAAO,CACrB,IAAIc,EAAQ,KACZ,KAAK,eAAe,SAAS,EAAE,OAAO,EACtC,KAAK,eAAe,OAAO,KAAK,eAAed,CAAK,CAAC,EAErD,KAAK,eAAe,SAAS,EAAE,KAAK,UAAY,CAC5C,IAAIe,EAAQ3B,EAAE,IAAI,EACd4B,EAAWD,EAAM,KAAK,WAAW,EAErC,OAAQC,EAAU,CACd,IAAK,OACGD,EAAM,KAAK,MAAM,IAAMf,EAAM,aAC7Be,EAAM,SAASD,EAAM,QAAQ,WAAW,EAE5C,MACJ,IAAK,QACGC,EAAM,YAAYD,EAAM,QAAQ,cAAed,EAAM,cAAgB,CAAC,EAC1E,MACJ,IAAK,OACGe,EAAM,YAAYD,EAAM,QAAQ,cAAed,EAAM,cAAgBc,EAAM,QAAQ,UAAU,EACjG,MACJ,IAAK,OACGC,EAAM,YAAYD,EAAM,QAAQ,cAAe,CAACA,EAAM,QAAQ,MAAQd,EAAM,cAAgB,CAAC,EACjG,MACJ,IAAK,OACGe,EAAM,YAAYD,EAAM,QAAQ,cAC5B,CAACA,EAAM,QAAQ,MAAQd,EAAM,cAAgBc,EAAM,QAAQ,UAAU,EAC7E,MACJ,QACI,KACR,CAEJ,CAAC,CACL,EAEA,YAAa,UAAY,CACrB,IAAIA,EAAQ,KACZ,KAAK,eAAe,KAAK,IAAI,EAAE,KAAK,UAAY,CAC5C,IAAIC,EAAQ3B,EAAE,IAAI,EAElB,GADA2B,EAAM,IAAI,EACNA,EAAM,SAASD,EAAM,QAAQ,aAAa,GAAKC,EAAM,SAASD,EAAM,QAAQ,WAAW,EAAG,CAC1FC,EAAM,GAAG,QAAS,EAAK,EACvB,MACJ,CACAA,EAAM,MAAM,SAAUE,EAAK,CAEvB,CAACH,EAAM,QAAQ,MAAQG,EAAI,eAAe,EAC1CH,EAAM,KAAK,SAASC,EAAM,KAAK,MAAM,CAAC,CAAC,CAC3C,CAAC,CACL,CAAC,CACL,EAEA,SAAU,SAAUG,EAAG,CACnB,OAAO,KAAK,QAAQ,KAAO,KAAK,QAAQ,KAAK,QAAQ,KAAK,QAAQ,aAAcA,CAAC,EAAI,GACzF,CAEJ,EAIA9B,EAAE,GAAG,eAAiB,SAAU+B,EAAQ,CACpC,IAAIC,EAAO,MAAM,UAAU,MAAM,KAAK,UAAW,CAAC,EAC9CC,EAEAN,EAAQ3B,EAAE,IAAI,EACdkC,EAAOP,EAAM,KAAK,iBAAiB,EACnCpB,EAAU,OAAOwB,GAAW,UAAYA,EAE5C,OAAKG,GAAMP,EAAM,KAAK,kBAAoBO,EAAO,IAAI7B,EAAe,KAAME,CAAO,CAAG,EAChF,OAAOwB,GAAW,WAAUE,EAAeC,EAAMH,CAAO,EAAE,MAAMG,EAAMF,CAAI,GAErEC,IAAiB9B,EAAcwB,EAAQM,CACpD,EAEAjC,EAAE,GAAG,eAAe,SAAW,CAC3B,WAAY,EACZ,UAAW,EACX,aAAc,EACd,uBAAwB,GACxB,KAAM,GACN,aAAc,aACd,MAAO,QACP,KAAM,WACN,KAAM,OACN,KAAM,OACN,KAAM,GACN,YAAa,KACb,gBAAiB,aACjB,UAAW,OACX,UAAW,OACX,UAAW,OACX,WAAY,QACZ,UAAW,OACX,YAAa,SACb,cAAe,UACnB,EAEAA,EAAE,GAAG,eAAe,YAAcK,EAElCL,EAAE,GAAG,eAAe,WAAa,UAAY,CACzC,OAAAA,EAAE,GAAG,eAAiBI,EACf,IACX,CAEJ,GAAG,OAAO,OAAQ,OAAQ,QAAQ,ICvSlC,IAoBqB+B,GApBrBC,GAAAC,GAAA,KAoBqBF,GAArB,MAAqBG,CAAY,CAe/B,YAAYC,EAAKC,EAAU,GAAMC,EAAU,CAAC,EAAGC,EAAiB,IAAM,CAOpE,KAAK,IAAMH,EAMX,KAAK,QAAUC,EAKf,KAAK,QAAUC,EAKf,KAAK,eAAiBC,CACxB,CAUA,OAAO,QAAQC,EAASC,EAAU,CAChC,IAAMC,EAAY,OAAOD,GAAa,SAAW,CAACA,CAAQ,EAAIA,EAC5DE,EACEH,EAAQ,SACRA,EAAQ,iBACRA,EAAQ,mBACRA,EAAQ,oBACRA,EAAQ,kBACRA,EAAQ,sBAEZ,GAAIG,EAAI,CACN,IAAIC,EAAQ,GACZ,OAAAF,EAAU,MAAMG,GACVF,EAAG,KAAKH,EAASK,CAAG,GACtBD,EAAQ,GACD,IAEF,EACR,EACMA,CACT,KACE,OAAO,EAEX,CAOA,aAAc,CACZ,IAAIR,EACFU,EAAc,CAAC,EACjB,OAAI,OAAO,KAAK,IAAQ,KAAe,CAAC,KAAK,IAC3CV,EAAM,CAAC,EACE,SAAS,UAAU,cAAc,KAAK,GAAG,EAClDA,EAAM,MAAM,UAAU,MAAM,KAAK,KAAK,GAAG,EAChC,MAAM,QAAQ,KAAK,GAAG,EAC/BA,EAAM,KAAK,IACF,OAAO,KAAK,KAAQ,SAC7BA,EAAM,MAAM,UAAU,MAAM,KAC1B,SAAS,iBAAiB,KAAK,GAAG,CACpC,EAEAA,EAAM,CAAC,KAAK,GAAG,EAGjBA,EAAI,QAAQA,GAAO,CACjB,IAAMW,EAAeD,EAAY,OAAOE,GAC/BA,EAAS,SAASZ,CAAG,CAC7B,EAAE,OAAS,EACRU,EAAY,QAAQV,CAAG,IAAM,IAAM,CAACW,GACtCD,EAAY,KAAKV,CAAG,CAExB,CAAC,EACMU,CACT,CAcA,kBAAkBG,EAAKC,EAAWC,EAAU,IAAM,CAAC,EAAG,CACpD,IAAIC,EACJ,GAAI,CACF,IAAMC,EAASJ,EAAI,cAEnB,GADAG,EAAMC,EAAO,SACT,CAACA,GAAU,CAACD,EACd,MAAM,IAAI,MAAM,qBAAqB,CAEzC,MAAY,CACVD,EAAQ,CACV,CACIC,GACFF,EAAUE,CAAG,CAEjB,CAQA,cAAcH,EAAK,CACjB,IAAMK,EAAK,cACTC,EAAMN,EAAI,aAAa,KAAK,EAAE,KAAK,EAErC,OADSA,EAAI,cAAc,SAAS,OACpBK,GAAMC,IAAQD,GAAMC,CACtC,CAYA,kBAAkBN,EAAKC,EAAWC,EAAS,CACzC,IAAIK,EAAS,GACXC,EAAO,KACHC,EAAW,IAAM,CACrB,GAAI,CAAAF,EAGJ,CAAAA,EAAS,GACT,aAAaC,CAAI,EACjB,GAAI,CACG,KAAK,cAAcR,CAAG,IACzBA,EAAI,oBAAoB,OAAQS,CAAQ,EACxC,KAAK,kBAAkBT,EAAKC,EAAWC,CAAO,EAElD,MAAY,CACVA,EAAQ,CACV,EACF,EACAF,EAAI,iBAAiB,OAAQS,CAAQ,EACrCD,EAAO,WAAWC,EAAU,KAAK,cAAc,CACjD,CAqBA,cAAcT,EAAKC,EAAWC,EAAS,CACrC,GAAI,CACEF,EAAI,cAAc,SAAS,aAAe,WACxC,KAAK,cAAcA,CAAG,EACxB,KAAK,kBAAkBA,EAAKC,EAAWC,CAAO,EAE9C,KAAK,kBAAkBF,EAAKC,EAAWC,CAAO,EAGhD,KAAK,kBAAkBF,EAAKC,EAAWC,CAAO,CAElD,MAAY,CACVA,EAAQ,CACV,CACF,CAYA,eAAef,EAAKuB,EAAM,CACxB,IAAIC,EAAa,EACjB,KAAK,cAAcxB,EAAK,IAAM,GAAMa,GAAO,CACzCW,IACA,KAAK,eAAeX,EAAI,cAAc,MAAM,EAAG,IAAM,CAC7C,EAAEW,GACND,EAAK,CAET,CAAC,CACH,EAAGE,GAAW,CACPA,GACHF,EAAK,CAET,CAAC,CACH,CA6BA,cAAcvB,EAAK0B,EAAQC,EAAMC,EAAM,IAAM,CAAC,EAAG,CAC/C,IAAIf,EAAMb,EAAI,iBAAiB,QAAQ,EACrC6B,EAAOhB,EAAI,OACXY,EAAU,EACZZ,EAAM,MAAM,UAAU,MAAM,KAAKA,CAAG,EACpC,IAAMiB,EAAW,IAAM,CACjB,EAAED,GAAQ,GACZD,EAAIH,CAAO,CAEf,EACKI,GACHC,EAAS,EAEXjB,EAAI,QAAQA,GAAO,CACbd,EAAY,QAAQc,EAAK,KAAK,OAAO,EACvCiB,EAAS,EAET,KAAK,cAAcjB,EAAKkB,GAAO,CACzBL,EAAOb,CAAG,IACZY,IACAE,EAAKI,CAAG,GAEVD,EAAS,CACX,EAAGA,CAAQ,CAEf,CAAC,CACH,CAWA,eAAe9B,EAAKgC,EAAYN,EAAQ,CACtC,OAAO,SAAS,mBAAmB1B,EAAKgC,EAAYN,EAAQ,EAAK,CACnE,CAQA,uBAAuBO,EAAU,CAC/B,OAAO,IAAIlC,EAAYkC,EAAS,cAAc,MAAM,EAAG,KAAK,OAAO,CACrE,CAYA,kBAAkBC,EAAMC,EAAUtB,EAAK,CACrC,IAAMuB,EAAWF,EAAK,wBAAwBrB,CAAG,EAC/CwB,EAAO,KAAK,4BACd,GAAID,EAAWC,EACb,GAAIF,IAAa,KAAM,CACrB,IAAMG,EAAWH,EAAS,wBAAwBtB,CAAG,EACnD0B,EAAQ,KAAK,4BACf,GAAID,EAAWC,EACb,MAAO,EAEX,KACE,OAAO,GAGX,MAAO,EACT,CAeA,gBAAgBC,EAAK,CACnB,IAAML,EAAWK,EAAI,aAAa,EAC9BN,EACJ,OAAIC,IAAa,KACfD,EAAOM,EAAI,SAAS,EAEpBN,EAAOM,EAAI,SAAS,GAAKA,EAAI,SAAS,EAEjC,CACL,SAAAL,EACA,KAAAD,CACF,CACF,CA4BA,kBAAkBA,EAAMC,EAAUM,EAAS5B,EAAK,CAC9C,IAAI6B,EAAM,GACRjB,EAAU,GAOZ,OANAZ,EAAI,QAAQ,CAAC8B,EAASC,IAAM,CACtBD,EAAQ,MAAQF,IAClBC,EAAME,EACNnB,EAAUkB,EAAQ,QAEtB,CAAC,EACG,KAAK,kBAAkBT,EAAMC,EAAUM,CAAO,GAC5CC,IAAQ,IAAS,CAACjB,EACpBZ,EAAI,KAAK,CACP,IAAK4B,EACL,QAAS,EACX,CAAC,EACQC,IAAQ,IAAS,CAACjB,IAC3BZ,EAAI6B,CAAG,EAAE,QAAU,IAEd,KAELA,IAAQ,IACV7B,EAAI,KAAK,CACP,IAAK4B,EACL,QAAS,EACX,CAAC,EAEI,GACT,CAWA,kBAAkB5B,EAAKmB,EAAYa,EAAKC,EAAK,CAC3CjC,EAAI,QAAQ8B,GAAW,CAChBA,EAAQ,SACX,KAAK,kBAAkBA,EAAQ,IAAKZ,GAAO,CACzC,KAAK,uBAAuBA,CAAG,EAAE,YAC/BC,EAAYa,EAAKC,CACnB,CACF,CAAC,CAEL,CAAC,CACH,CAYA,oBAAoBd,EAAYhC,EAAK+C,EAAQC,EAAUC,EAAQ,CAC7D,IAAMT,EAAM,KAAK,eAAexC,EAAKgC,EAAYgB,CAAQ,EACrDnC,EAAM,CAAC,EACTqC,EAAW,CAAC,EACZhB,EAAMC,EAAUgB,EAAgB,KAC7B,CACC,SAAAhB,EACA,KAAAD,CACF,EAAI,KAAK,gBAAgBM,CAAG,EACrBN,GAEX,KAAOiB,EAAc,GACf,KAAK,SACP,KAAK,cAAcnD,EAAKyC,GAEf,KAAK,kBAAkBP,EAAMC,EAAUM,EAAS5B,CAAG,EACzDkB,GAAO,CACR,KAAK,uBAAuBA,CAAG,EAAE,YAC/BC,EAAYoB,GAAWF,EAAS,KAAKE,CAAO,EAAGJ,CACjD,CACF,CAAC,EAIHE,EAAS,KAAKhB,CAAI,EAEpBgB,EAAS,QAAQhB,GAAQ,CACvBa,EAAOb,CAAI,CACb,CAAC,EACG,KAAK,SACP,KAAK,kBAAkBrB,EAAKmB,EAAYe,EAAQC,CAAQ,EAE1DC,EAAO,CACT,CAoBA,YAAYjB,EAAYL,EAAMD,EAAQH,EAAO,IAAM,CAAC,EAAG,CACrD,IAAMX,EAAW,KAAK,YAAY,EAC9BiB,EAAOjB,EAAS,OACfiB,GACHN,EAAK,EAEPX,EAAS,QAAQZ,GAAO,CACtB,IAAMqD,EAAQ,IAAM,CAClB,KAAK,oBAAoBrB,EAAYhC,EAAK2B,EAAMD,EAAQ,IAAM,CACxD,EAAEG,GAAQ,GACZN,EAAK,CAET,CAAC,CACH,EAGI,KAAK,QACP,KAAK,eAAevB,EAAKqD,CAAK,EAE9BA,EAAM,CAEV,CAAC,CACH,CAcF,ICxjBA,IASqBC,GATrBC,GAAAC,GAAA,KAAAC,KASqBH,GAArB,KAA0B,CAMxB,YAAYI,EAAK,CAOf,KAAK,IAAMA,EAOX,KAAK,GAAK,GACV,IAAMC,EAAK,OAAO,UAAU,WACxBA,EAAG,QAAQ,MAAM,EAAI,IAAMA,EAAG,QAAQ,SAAS,EAAI,MACrD,KAAK,GAAK,GAEd,CAUA,IAAI,IAAIC,EAAK,CACX,KAAK,KAAO,OAAO,OAAO,CAAC,EAAG,CAC5B,QAAW,GACX,UAAa,GACb,QAAW,CAAC,EACZ,QAAW,GACX,eAAkB,IAClB,mBAAsB,GACtB,WAAc,GACd,SAAY,CAAC,EACb,SAAY,YACZ,eAAkB,GAClB,cAAiB,GACjB,cAAiB,GACjB,aAAgB,EAChB,kBAAqB,CAAC,EACtB,UAAa,WACb,KAAQ,IAAM,CAAC,EACf,QAAW,IAAM,CAAC,EAClB,OAAU,IAAM,GAChB,KAAQ,IAAM,CAAC,EACf,MAAS,GACT,IAAO,OAAO,OAChB,EAAGA,CAAG,CACR,CAEA,IAAI,KAAM,CACR,OAAO,KAAK,IACd,CAOA,IAAI,UAAW,CAEb,OAAO,IAAIC,GACT,KAAK,IACL,KAAK,IAAI,QACT,KAAK,IAAI,QACT,KAAK,IAAI,cACX,CACF,CASA,IAAIC,EAAKC,EAAQ,QAAS,CACxB,IAAMC,EAAM,KAAK,IAAI,IAChB,KAAK,IAAI,OAGV,OAAOA,GAAQ,UAAY,OAAOA,EAAID,CAAK,GAAM,YACnDC,EAAID,CAAK,EAAE,YAAYD,CAAG,EAAE,CAEhC,CAQA,UAAUG,EAAK,CAEb,OAAOA,EAAI,QAAQ,sCAAuC,MAAM,CAClE,CASA,aAAaA,EAAK,CAChB,OAAI,KAAK,IAAI,YAAc,aACzBA,EAAM,KAAK,qBAAqBA,CAAG,GAErCA,EAAM,KAAK,UAAUA,CAAG,EACpB,OAAO,KAAK,KAAK,IAAI,QAAQ,EAAE,SACjCA,EAAM,KAAK,qBAAqBA,CAAG,IAEjC,KAAK,IAAI,eAAiB,KAAK,IAAI,kBAAkB,UACvDA,EAAM,KAAK,yBAAyBA,CAAG,GAErC,KAAK,IAAI,aACXA,EAAM,KAAK,uBAAuBA,CAAG,GAEvCA,EAAM,KAAK,yBAAyBA,CAAG,GACnC,KAAK,IAAI,eAAiB,KAAK,IAAI,kBAAkB,UACvDA,EAAM,KAAK,oBAAoBA,CAAG,GAEhC,KAAK,IAAI,YAAc,aACzBA,EAAM,KAAK,sBAAsBA,CAAG,GAEtCA,EAAM,KAAK,qBAAqBA,CAAG,EAC5BA,CACT,CAQA,qBAAqBA,EAAK,CACxB,IAAMC,EAAM,KAAK,IAAI,SACnBC,EAAO,KAAK,IAAI,cAAgB,GAAK,IAGrCC,EAAoB,KAAK,IAAI,eACnB,KAAK,IAAI,kBAAkB,OAAS,KAAW,GAC3D,QAASC,KAASH,EAChB,GAAIA,EAAI,eAAeG,CAAK,EAAG,CAC7B,IAAMC,EAAQJ,EAAIG,CAAK,EACrBE,EAAK,KAAK,IAAI,YAAc,WAC1B,KAAK,qBAAqBF,CAAK,EAC/B,KAAK,UAAUA,CAAK,EACtBG,EAAK,KAAK,IAAI,YAAc,WAC1B,KAAK,qBAAqBF,CAAK,EAC/B,KAAK,UAAUA,CAAK,EACpBC,IAAO,IAAMC,IAAO,KACtBP,EAAMA,EAAI,QACR,IAAI,OACF,IAAI,KAAK,UAAUM,CAAE,CAAC,IAAI,KAAK,UAAUC,CAAE,CAAC,IAC5C,KAAKL,CAAI,EACX,EACAC,EACA,IAAI,KAAK,gBAAgBG,CAAE,CAAC,IACzB,KAAK,gBAAgBC,CAAE,CAAC,IAC3BJ,CACF,EAEJ,CAEF,OAAOH,CACT,CAOA,gBAAgBA,EAAK,CACnB,OAAI,KAAK,IAAI,eAAiB,KAAK,IAAI,kBAAkB,UACvDA,EAAM,KAAK,yBAAyBA,CAAG,GAElCA,CACT,CASA,qBAAqBA,EAAK,CAExB,OAAAA,EAAMA,EAAI,QAAQ,aAAcL,GACvBA,EAAI,OAAO,CAAC,IAAM,KAAO,IAAM,GACvC,EAEMK,EAAI,QAAQ,aAAcL,GACxBA,EAAI,OAAO,CAAC,IAAM,KAAO,IAAM,GACvC,CACH,CASA,sBAAsBK,EAAK,CAIzB,IAAIQ,EAAS,KAAK,IAAI,YAAc,aACpC,OAAOR,EAIJ,QAAQ,UAAWQ,EAAS,YAAc,MAAM,EAIhD,QAAQ,UAAWA,EAAS,aAAe,MAAM,CACtD,CASA,yBAAyBR,EAAK,CAG5B,OAAOA,EAAI,QAAQ,YAAa,CAACL,EAAKc,EAAMC,IAAa,CAGvD,IAAIC,EAAWD,EAAS,OAAOD,EAAO,CAAC,EACvC,MAAI,UAAU,KAAKE,CAAQ,GAAKA,IAAa,GACpChB,EAEAA,EAAM,IAEjB,CAAC,CACH,CAWA,oBAAoBK,EAAK,CACvB,IAAIY,EAAS,CAAC,EACRC,EAAoB,KAAK,IAAI,kBACnC,OAAI,MAAM,QAAQA,CAAiB,GAAKA,EAAkB,QACxDD,EAAO,KAAK,KAAK,UAAUC,EAAkB,KAAK,EAAE,CAAC,CAAC,EAEpD,KAAK,IAAI,eAKXD,EAAO,KAAK,8BAA8B,EAErCA,EAAO,OACZZ,EAAI,MAAM,SAAS,EAAE,KAAK,IAAIY,EAAO,KAAK,EAAE,CAAC,IAAI,EACjDZ,CACJ,CAQA,uBAAuBA,EAAK,CAC1B,IAAME,EAAO,KAAK,IAAI,cAAgB,GAAK,IACzCY,EAAM,KAAK,IAAI,cAAgB,CAC7B,sHAA0B,sHAC1B,oBAAQ,oBAAQ,gBAAO,gBACvB,sFAAoB,sFACpB,4CAAa,4CAAa,UAAM,UAAM,oBACtC,oBAAQ,gHAAyB,gHACjC,UAAM,UAAM,4BAAS,4BACrB,sBAAQ,sBAAQ,sFAAoB,sFACpC,oCAAW,sCAAW,sBAAQ,qBAChC,EAAI,CACF,yOAAgD,qCAChD,6BAAU,yKACV,qFAAsB,iBAAQ,qCAC9B,6NAA8C,iBAC9C,qDAAc,yCACd,yKAAoC,uEAAkB,wCACxD,EACEC,EAAU,CAAC,EACf,OAAAf,EAAI,MAAM,EAAE,EAAE,QAAQgB,GAAM,CAC1BF,EAAI,MAAMA,GAAO,CAEf,GAAIA,EAAI,QAAQE,CAAE,IAAM,GAAI,CAG1B,GAAID,EAAQ,QAAQD,CAAG,EAAI,GACzB,MAAO,GAITd,EAAMA,EAAI,QACR,IAAI,OAAO,IAAIc,CAAG,IAAK,KAAKZ,CAAI,EAAE,EAAG,IAAIY,CAAG,GAC9C,EACAC,EAAQ,KAAKD,CAAG,CAClB,CACA,MAAO,EACT,CAAC,CACH,CAAC,EACMd,CACT,CAUA,yBAAyBA,EAAK,CAC5B,OAAOA,EAAI,QAAQ,WAAY,QAAQ,CACzC,CAYA,qBAAqBA,EAAK,CACxB,IAAMiB,EAAQ,6CACVC,EAAM,KAAK,IAAI,SACjBvB,EAAM,OAAOuB,GAAQ,SAAWA,EAAMA,EAAI,MAC1CC,EAAK,OAAOD,GAAQ,SAAW,CAAC,EAAIA,EAAI,SACxCE,EAAS,GAIX,OAHAD,EAAG,QAAQE,GAAW,CACpBD,GAAU,IAAI,KAAK,UAAUC,CAAO,CAAC,EACvC,CAAC,EACO1B,EAAK,CACb,IAAK,YACL,QACE,MAAO,MAAMK,CAAG,IAClB,IAAK,gBACH,OAAAoB,EAAS,OAASA,GAAkB,KAAK,UAAUH,CAAK,GACjD,QAAQG,CAAM,KAAKpB,CAAG,KAAKoB,CAAM,MAC1C,IAAK,UACH,MAAO,SAASA,CAAM,KAAKpB,CAAG,YAAYoB,CAAM,GAClD,CACF,CAeA,qBAAqBE,EAAI,CACvB,IAAIC,EAAQ,CAAC,EACb,OAAAD,EAAG,QAAQE,GAAM,CACV,KAAK,IAAI,mBAKZA,EAAG,MAAM,GAAG,EAAE,QAAQC,GAAc,CAC9BA,EAAW,KAAK,GAAKF,EAAM,QAAQE,CAAU,IAAM,IACrDF,EAAM,KAAKE,CAAU,CAEzB,CAAC,EARGD,EAAG,KAAK,GAAKD,EAAM,QAAQC,CAAE,IAAM,IACrCD,EAAM,KAAKC,CAAE,CASnB,CAAC,EACM,CAEL,SAAYD,EAAM,KAAK,CAACG,EAAGC,IAClBA,EAAE,OAASD,EAAE,MACrB,EACD,OAAUH,EAAM,MAClB,CACF,CASA,UAAUlB,EAAO,CAGf,OAAO,OAAO,WAAWA,CAAK,CAAC,GAAKA,CACtC,CAuBA,YAAYuB,EAAO,CAIjB,GACE,CAAC,MAAM,QAAQA,CAAK,GACpB,OAAO,UAAU,SAAS,KAAMA,EAAM,CAAC,CAAE,IAAM,kBAE/C,YAAK,IAAI,mDAAmD,EAC5D,KAAK,IAAI,QAAQA,CAAK,EACf,CAAC,EAEV,IAAML,EAAQ,CAAC,EACXM,EAAO,EACX,OAAAD,EAGG,KAAK,CAACF,EAAGC,IACDD,EAAE,MAAQC,EAAE,KACpB,EACA,QAAQG,GAAQ,CACf,GAAI,CAAC,MAAAC,EAAO,IAAAC,EAAK,MAAAC,CAAK,EAAI,KAAK,2BAA2BH,EAAMD,CAAI,EAChEI,IAEFH,EAAK,MAAQC,EACbD,EAAK,OAASE,EAAMD,EACpBR,EAAM,KAAKO,CAAI,EACfD,EAAOG,EAEX,CAAC,EACIT,CACT,CAoBA,2BAA2BW,EAAOL,EAAM,CACtC,IAAIE,EAAOC,EACTC,EAAQ,GACV,OAAIC,GAAS,OAAOA,EAAM,MAAU,KAClCH,EAAQ,SAASG,EAAM,MAAO,EAAE,EAChCF,EAAMD,EAAQ,SAASG,EAAM,OAAQ,EAAE,EAGrC,KAAK,UAAUA,EAAM,KAAK,GAC1B,KAAK,UAAUA,EAAM,MAAM,GAC3BF,EAAMH,EAAO,GACbG,EAAMD,EAAQ,EAEdE,EAAQ,IAER,KAAK,IACH,0CACa,KAAK,UAAUC,CAAK,CAAC,EACpC,EACA,KAAK,IAAI,QAAQA,CAAK,KAGxB,KAAK,IAAI,2BAA2B,KAAK,UAAUA,CAAK,CAAC,EAAE,EAC3D,KAAK,IAAI,QAAQA,CAAK,GAEjB,CACL,MAAOH,EACP,IAAKC,EACL,MAAOC,CACT,CACF,CAaA,sBAAsBC,EAAOC,EAAgBC,EAAQ,CACnD,IAAIJ,EACFC,EAAQ,GAERI,EAAMD,EAAO,OAEbE,EAASH,EAAiBE,EAC1BN,EAAQ,SAASG,EAAM,MAAO,EAAE,EAAII,EAEtC,OAAAP,EAAQA,EAAQM,EAAMA,EAAMN,EAC5BC,EAAMD,EAAQ,SAASG,EAAM,OAAQ,EAAE,EACnCF,EAAMK,IACRL,EAAMK,EACN,KAAK,IAAI,mDAAmDA,CAAG,EAAE,GAE/DN,EAAQ,GAAKC,EAAMD,EAAQ,GAAKA,EAAQM,GAAOL,EAAMK,GACvDJ,EAAQ,GACR,KAAK,IAAI,kBAAkB,KAAK,UAAUC,CAAK,CAAC,EAAE,EAClD,KAAK,IAAI,QAAQA,CAAK,GACbE,EAAO,UAAUL,EAAOC,CAAG,EAAE,QAAQ,OAAQ,EAAE,IAAM,KAC9DC,EAAQ,GAER,KAAK,IAAI,mCAAoC,KAAK,UAAUC,CAAK,CAAC,EAClE,KAAK,IAAI,QAAQA,CAAK,GAEjB,CACL,MAAOH,EACP,IAAKC,EACL,MAAOC,CACT,CACF,CAyBA,aAAaM,EAAI,CACf,IAAI5C,EAAM,GACR6C,EAAQ,CAAC,EACX,KAAK,SAAS,YAAY,WAAW,UAAWC,GAAQ,CACtDD,EAAM,KAAK,CACT,MAAO7C,EAAI,OACX,KAAMA,GAAO8C,EAAK,aAAa,OAC/B,KAAAA,CACF,CAAC,CACH,EAAGA,GACG,KAAK,eAAeA,EAAK,UAAU,EAC9B,WAAW,cAEX,WAAW,cAEnB,IAAM,CACPF,EAAG,CACD,MAAO5C,EACP,MAAO6C,CACT,CAAC,CACH,CAAC,CACH,CAUA,eAAeE,EAAI,CACjB,OAAO9C,GAAY,QAAQ8C,EAAI,KAAK,IAAI,QAAQ,OAAO,CAErD,SAAU,QAAS,QAAS,OAAQ,MACtC,CAAC,CAAC,CACJ,CAYA,oBAAoBD,EAAMV,EAAOC,EAAK,CACpC,IAAMW,EAAO,KAAK,IAAI,QAAmB,KAAK,IAAI,QAAlB,OAC9BC,EAAYH,EAAK,UAAUV,CAAK,EAChCc,EAAMD,EAAU,UAAUZ,EAAMD,CAAK,EACnCe,EAAO,SAAS,cAAcH,CAAG,EACrC,OAAAG,EAAK,aAAa,cAAe,MAAM,EACnC,KAAK,IAAI,WACXA,EAAK,aAAa,QAAS,KAAK,IAAI,SAAS,EAE/CA,EAAK,YAAcF,EAAU,YAC7BA,EAAU,WAAW,aAAaE,EAAMF,CAAS,EAC1CC,CACT,CAoCA,0BAA0BE,EAAMhB,EAAOC,EAAKgB,EAAUC,EAAQ,CAE5DF,EAAK,MAAM,MAAM,CAACG,EAAGC,IAAM,CACzB,IAAMC,EAAOL,EAAK,MAAMI,EAAI,CAAC,EAC7B,GAAI,OAAOC,EAAS,KAAeA,EAAK,MAAQrB,EAAO,CACrD,GAAI,CAACiB,EAASE,EAAE,IAAI,EAClB,MAAO,GAGT,IAAMG,EAAItB,EAAQmB,EAAE,MAClBI,GAAKtB,EAAMkB,EAAE,IAAMA,EAAE,IAAMlB,GAAOkB,EAAE,MACpCK,EAAWR,EAAK,MAAM,OAAO,EAAGG,EAAE,KAAK,EACvCM,EAAST,EAAK,MAAM,OAAOO,EAAIJ,EAAE,KAAK,EAgBxC,GAfAA,EAAE,KAAO,KAAK,oBAAoBA,EAAE,KAAMG,EAAGC,CAAC,EAI9CP,EAAK,MAAQQ,EAAWC,EACxBT,EAAK,MAAM,QAAQ,CAACU,EAAGC,IAAM,CACvBA,GAAKP,IACHJ,EAAK,MAAMW,CAAC,EAAE,MAAQ,GAAKA,IAAMP,IACnCJ,EAAK,MAAMW,CAAC,EAAE,OAASJ,GAEzBP,EAAK,MAAMW,CAAC,EAAE,KAAOJ,EAEzB,CAAC,EACDtB,GAAOsB,EACPL,EAAOC,EAAE,KAAK,gBAAiBA,EAAE,KAAK,EAClClB,EAAMkB,EAAE,IACVnB,EAAQmB,EAAE,QAEV,OAAO,EAEX,CACA,MAAO,EACT,CAAC,CACH,CA4BA,YAAYS,EAAOC,EAAcZ,EAAUC,EAAQY,EAAO,CACxD,IAAMC,EAAWF,IAAiB,EAAI,EAAIA,EAAe,EACzD,KAAK,aAAab,GAAQ,CACxBA,EAAK,MAAM,QAAQN,GAAQ,CACzBA,EAAOA,EAAK,KACZ,IAAIsB,EACJ,MACGA,EAAQJ,EAAM,KAAKlB,EAAK,WAAW,KAAO,MAC3CsB,EAAMD,CAAQ,IAAM,IACpB,CACA,GAAI,CAACd,EAASe,EAAMD,CAAQ,EAAGrB,CAAI,EACjC,SAEF,IAAIuB,EAAMD,EAAM,MAChB,GAAID,IAAa,EACf,QAASX,EAAI,EAAGA,EAAIW,EAAUX,IAC5Ba,GAAOD,EAAMZ,CAAC,EAAE,OAGpBV,EAAO,KAAK,oBACVA,EACAuB,EACAA,EAAMD,EAAMD,CAAQ,EAAE,MACxB,EACAb,EAAOR,EAAK,eAAe,EAG3BkB,EAAM,UAAY,CACpB,CACF,CAAC,EACDE,EAAM,CACR,CAAC,CACH,CA4BA,0BAA0BF,EAAOC,EAAcZ,EAAUC,EAAQY,EAAO,CACtE,IAAMC,EAAWF,IAAiB,EAAI,EAAIA,EAAe,EACzD,KAAK,aAAab,GAAQ,CACxB,IAAIgB,EACJ,MACGA,EAAQJ,EAAM,KAAKZ,EAAK,KAAK,KAAO,MACrCgB,EAAMD,CAAQ,IAAM,IACpB,CAEA,IAAI/B,EAAQgC,EAAM,MAClB,GAAID,IAAa,EACf,QAASX,EAAI,EAAGA,EAAIW,EAAUX,IAC5BpB,GAASgC,EAAMZ,CAAC,EAAE,OAGtB,IAAMnB,EAAMD,EAAQgC,EAAMD,CAAQ,EAAE,OAIpC,KAAK,0BAA0Bf,EAAMhB,EAAOC,EAAKS,GACxCO,EAASe,EAAMD,CAAQ,EAAGrB,CAAI,EACpC,CAACA,EAAMwB,IAAc,CACtBN,EAAM,UAAYM,EAClBhB,EAAOR,CAAI,CACb,CAAC,CACH,CACAoB,EAAM,CACR,CAAC,CACH,CA8BA,mBAAmBK,EAAQlB,EAAUC,EAAQY,EAAO,CAClD,KAAK,aAAad,GAAQ,CACxB,IAAMZ,EAAiBY,EAAK,MAAM,OAClCmB,EAAO,QAAQ,CAAChC,EAAOiC,IAAY,CACjC,GAAI,CAAC,MAAApC,EAAO,IAAAC,EAAK,MAAAC,CAAK,EAAI,KAAK,sBAC7BC,EACAC,EACAY,EAAK,KACP,EACId,GACF,KAAK,0BAA0Bc,EAAMhB,EAAOC,EAAKS,GACxCO,EACLP,EACAP,EACAa,EAAK,MAAM,UAAUhB,EAAOC,CAAG,EAC/BmC,CACF,EACC1B,GAAQ,CACTQ,EAAOR,EAAMP,CAAK,CACpB,CAAC,CAEL,CAAC,EACD2B,EAAM,CACR,CAAC,CACH,CASA,cAAcpB,EAAM,CAClB,IAAM2B,EAAS3B,EAAK,WAChB4B,EAAU,SAAS,uBAAuB,EAC9C,KAAO5B,EAAK,YACV4B,EAAQ,YAAY5B,EAAK,YAAYA,EAAK,UAAU,CAAC,EAEvD2B,EAAO,aAAaC,EAAS5B,CAAI,EAC5B,KAAK,GAGR,KAAK,kBAAkB2B,CAAM,EAF7BA,EAAO,UAAU,CAIrB,CAUA,kBAAkB3B,EAAM,CACtB,GAAKA,EAGL,IAAIA,EAAK,WAAa,EACpB,KAAOA,EAAK,aAAeA,EAAK,YAAY,WAAa,GACvDA,EAAK,WAAaA,EAAK,YAAY,UACnCA,EAAK,WAAW,YAAYA,EAAK,WAAW,OAG9C,KAAK,kBAAkBA,EAAK,UAAU,EAExC,KAAK,kBAAkBA,EAAK,WAAW,EACzC,CAoDA,WAAW6B,EAAQC,EAAK,CACtB,KAAK,IAAMA,EACX,KAAK,IAAI,8BAA8BD,CAAM,GAAG,EAChD,IAAIE,EAAe,EACjBC,EAAK,cACDxB,EAASyB,GAAW,CACxBF,IACA,KAAK,IAAI,KAAKE,CAAO,CACvB,EACI,KAAK,IAAI,iBACXD,EAAK,6BAEP,KAAKA,CAAE,EAAEH,EAAQ,KAAK,IAAI,aAAc,CAACP,EAAOtB,IACvC,KAAK,IAAI,OAAOA,EAAMsB,EAAOS,CAAY,EAC/CvB,EAAQ,IAAM,CACXuB,IAAiB,GACnB,KAAK,IAAI,QAAQF,CAAM,EAEzB,KAAK,IAAI,KAAKE,CAAY,CAC5B,CAAC,CACH,CAsHA,KAAKlD,EAAIiD,EAAK,CACZ,KAAK,IAAMA,EACX,IAAIC,EAAe,EACjBC,EAAK,cAED,CACF,SAAUE,EACV,OAAQC,CACV,EAAI,KAAK,qBAAqB,OAAOtD,GAAO,SAAW,CAACA,CAAE,EAAIA,CAAE,EAChEpB,EAAO,KAAK,IAAI,cAAgB,GAAK,IACrC2E,EAAUrD,GAAM,CACd,IAAImC,EAAQ,IAAI,OAAO,KAAK,aAAanC,CAAE,EAAG,KAAKtB,CAAI,EAAE,EACvD4E,EAAU,EACZ,KAAK,IAAI,8BAA8BnB,CAAK,GAAG,EAC/C,KAAKc,CAAE,EAAEd,EAAO,EAAG,CAACoB,EAAMtC,IACjB,KAAK,IAAI,OAAOA,EAAMjB,EAAIgD,EAAcM,CAAO,EACrDJ,GAAW,CACZI,IACAN,IACA,KAAK,IAAI,KAAKE,CAAO,CACvB,EAAG,IAAM,CACHI,IAAY,GACd,KAAK,IAAI,QAAQtD,CAAE,EAEjBmD,EAAMC,EAAW,CAAC,IAAMpD,EAC1B,KAAK,IAAI,KAAKgD,CAAY,EAE1BK,EAAQF,EAAMA,EAAM,QAAQnD,CAAE,EAAI,CAAC,CAAC,CAExC,CAAC,CACH,EACE,KAAK,IAAI,iBACXiD,EAAK,6BAEHG,IAAa,EACf,KAAK,IAAI,KAAKJ,CAAY,EAE1BK,EAAQF,EAAM,CAAC,CAAC,CAEpB,CAuCA,WAAWK,EAAWT,EAAK,CACzB,KAAK,IAAMA,EACX,IAAIC,EAAe,EACjBN,EAAS,KAAK,YAAYc,CAAS,EACjCd,GAAUA,EAAO,QACnB,KAAK,IACH,+CACA,KAAK,UAAUA,CAAM,CACvB,EACA,KAAK,mBACHA,EAAQ,CAACzB,EAAMP,EAAO6B,EAAOI,IACpB,KAAK,IAAI,OAAO1B,EAAMP,EAAO6B,EAAOI,CAAO,EACjD,CAACO,EAASxC,IAAU,CACrBsC,IACA,KAAK,IAAI,KAAKE,EAASxC,CAAK,CAC9B,EAAG,IAAM,CACP,KAAK,IAAI,KAAKsC,CAAY,CAC5B,CACF,GAEA,KAAK,IAAI,KAAKA,CAAY,CAE9B,CAQA,OAAOD,EAAK,CACV,KAAK,IAAMA,EACX,IAAIU,EAAM,KAAK,IAAI,QAAU,KAAK,IAAI,QAAU,IAChDA,GAAO,gBACH,KAAK,IAAI,YACXA,GAAO,IAAI,KAAK,IAAI,SAAS,IAE/B,KAAK,IAAI,qBAAqBA,CAAG,GAAG,EACpC,KAAK,SAAS,YAAY,WAAW,aAAcxC,GAAQ,CACzD,KAAK,cAAcA,CAAI,CACzB,EAAGA,GAAQ,CACT,IAAMyC,EAAatF,GAAY,QAAQ6C,EAAMwC,CAAG,EAC9CE,EAAiB,KAAK,eAAe1C,CAAI,EAC3C,MAAI,CAACyC,GAAcC,EACV,WAAW,cAEX,WAAW,aAEtB,EAAG,KAAK,IAAI,IAAI,CAClB,CACF,ICjvCA,IAAAC,GAAA,GAAAC,GAAAD,GAAA,aAAAE,KAAA,IACAC,GAmBOD,GApBPE,GAAAC,GAAA,KAAAC,KACAH,GAAc,SAEd,GAAAI,QAAE,GAAG,KAAO,SAASC,EAAIC,EAAK,CAC5B,WAAIC,GAAK,KAAK,IAAI,CAAC,EAAE,KAAKF,EAAIC,CAAG,EAC1B,IACT,EACA,GAAAF,QAAE,GAAG,WAAa,SAASI,EAAQF,EAAK,CACtC,WAAIC,GAAK,KAAK,IAAI,CAAC,EAAE,WAAWC,EAAQF,CAAG,EACpC,IACT,EACA,GAAAF,QAAE,GAAG,WAAa,SAASK,EAAQH,EAAK,CACtC,WAAIC,GAAK,KAAK,IAAI,CAAC,EAAE,WAAWE,EAAQH,CAAG,EACpC,IACT,EACA,GAAAF,QAAE,GAAG,OAAS,SAASE,EAAK,CAC1B,WAAIC,GAAK,KAAK,IAAI,CAAC,EAAE,OAAOD,CAAG,EACxB,IACT,EAEOP,GAAQ,GAAAK,UCpBf,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,EAIC,SAASC,EAAMC,EAAS,CACvB,aAEI,OAAO,QAAW,YAAc,OAAO,IAEzC,OAAO,CAAC,EAAGA,CAAO,EACT,OAAOF,IAAW,UAAYA,GAAO,QAI9CA,GAAO,QAAUE,EAAQ,GAGzBD,EAAK,SAAWC,EAAQ,EACxBD,EAAK,QAAU,IAAIA,EAAK,SAE5B,GAAE,WAAY,UAAW,CACvB,aAEA,SAASE,EAASC,EAAS,CACzB,KAAK,QAAUA,GAAW,CAAC,EAC3B,KAAK,SAAW,CAAC,EAMjB,SAASC,EAA8BC,EAAM,CAC3CA,EAAK,KAAO,OAAO,UAAU,eAAe,KAAKA,EAAM,MAAM,EAAIA,EAAK,KAAO,SAC7EA,EAAK,QAAU,OAAO,UAAU,eAAe,KAAKA,EAAM,SAAS,EAAIA,EAAK,QAAU,QACtFA,EAAK,UAAY,OAAO,UAAU,eAAe,KAAKA,EAAM,WAAW,EAAIA,EAAK,UAAY,QAC5FA,EAAK,UAAY,OAAO,UAAU,eAAe,KAAKA,EAAM,WAAW,EAAIA,EAAK,UAAY,SAC5FA,EAAK,MAAQ,OAAO,UAAU,eAAe,KAAKA,EAAM,OAAO,EAAIA,EAAK,MAAQ,GAChFA,EAAK,KAAO,OAAO,UAAU,eAAe,KAAKA,EAAM,MAAM,EAAIA,EAAK,KAAO,GAE7EA,EAAK,SAAW,OAAO,UAAU,eAAe,KAAKA,EAAM,UAAU,EAAI,KAAK,MAAMA,EAAK,QAAQ,EAAI,GACrGA,EAAK,UAAY,OAAO,UAAU,eAAe,KAAKA,EAAM,WAAW,EAAIA,EAAK,UAAY,EAC9F,CAEAD,EAA8B,KAAK,OAAO,EAQ1C,KAAK,IAAM,SAASE,EAAU,CAC5B,IAAIC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EAAgB,CAAC,EAerB,GATAd,EAA8B,KAAK,OAAO,EAGrCE,IACHA,EAAW,sBAGbC,EAAWY,EAAab,CAAQ,EAE5BC,EAAS,SAAW,EACtB,OAAO,KAWT,IARAa,EAAmB,EAGnBZ,EAAa,SAAS,iBAAiB,MAAM,EAC7CC,EAAS,CAAC,EAAE,IAAI,KAAKD,EAAY,SAASa,EAAI,CAC5C,OAAOA,EAAG,EACZ,CAAC,EAEIV,EAAI,EAAGA,EAAIJ,EAAS,OAAQI,IAAK,CACpC,GAAI,KAAK,gBAAgBJ,EAASI,CAAC,CAAC,EAAG,CACrCO,EAAc,KAAKP,CAAC,EACpB,QACF,CAEA,GAAIJ,EAASI,CAAC,EAAE,aAAa,IAAI,EAC/BD,EAAYH,EAASI,CAAC,EAAE,aAAa,IAAI,UAChCJ,EAASI,CAAC,EAAE,aAAa,gBAAgB,EAClDD,EAAYH,EAASI,CAAC,EAAE,aAAa,gBAAgB,MAChD,CACLG,EAAW,KAAK,OAAOP,EAASI,CAAC,EAAE,WAAW,EAI9CI,EAAcD,EACdD,EAAQ,EACR,GACMD,IAAU,SACZG,EAAcD,EAAW,IAAMD,GAGjCD,EAAQH,EAAO,QAAQM,CAAW,EAClCF,GAAS,QACFD,IAAU,IAEnBA,EAAQ,OACRH,EAAO,KAAKM,CAAW,EAEvBR,EAASI,CAAC,EAAE,aAAa,KAAMI,CAAW,EAC1CL,EAAYK,CACd,CASAC,EAAS,SAAS,cAAc,GAAG,EACnCA,EAAO,UAAY,iBAAmB,KAAK,QAAQ,MACnDA,EAAO,aAAa,aAAc,KAAK,QAAQ,SAAS,EACxDA,EAAO,aAAa,qBAAsB,KAAK,QAAQ,IAAI,EACvD,KAAK,QAAQ,YACfA,EAAO,MAAQ,KAAK,QAAQ,WAI9BC,EAAW,SAAS,cAAc,MAAM,EAAI,OAAO,SAAS,SAAW,OAAO,SAAS,OAAS,GAChGA,EAAW,KAAK,QAAQ,MAAQA,EAChCD,EAAO,KAAOC,EAAW,IAAMP,EAE3B,KAAK,QAAQ,UAAY,WAC3BM,EAAO,MAAM,QAAU,KAGrB,KAAK,QAAQ,OAAS,WACxBA,EAAO,MAAM,KAAO,uBAMhB,KAAK,QAAQ,YAAc,SAC7BA,EAAO,MAAM,WAAa,YAI1B,KAAK,QAAQ,YAAc,QAC7BA,EAAO,MAAM,SAAW,WACxBA,EAAO,MAAM,WAAa,UAC1BA,EAAO,MAAM,aAAe,QAC5BA,EAAO,MAAM,YAAc,QAC3BT,EAASI,CAAC,EAAE,aAAaK,EAAQT,EAASI,CAAC,EAAE,UAAU,IAEvDK,EAAO,MAAM,WAAa,UAC1BA,EAAO,MAAM,aAAe,UAC5BA,EAAO,MAAM,YAAc,UAC3BT,EAASI,CAAC,EAAE,YAAYK,CAAM,EAElC,CAEA,IAAKL,EAAI,EAAGA,EAAIO,EAAc,OAAQP,IACpCJ,EAAS,OAAOW,EAAcP,CAAC,EAAIA,EAAG,CAAC,EAGzC,YAAK,SAAW,KAAK,SAAS,OAAOJ,CAAQ,EAEtC,IACT,EAQA,KAAK,OAAS,SAASD,EAAU,CAK/B,QAJIM,EACAU,EACAf,EAAWY,EAAab,CAAQ,EAE3BK,EAAI,EAAGA,EAAIJ,EAAS,OAAQI,IACnCW,EAAYf,EAASI,CAAC,EAAE,cAAc,gBAAgB,EAClDW,IAEFV,EAAQ,KAAK,SAAS,QAAQL,EAASI,CAAC,CAAC,EACrCC,IAAU,IACZ,KAAK,SAAS,OAAOA,EAAO,CAAC,EAI/BL,EAASI,CAAC,EAAE,YAAYW,CAAS,GAIrC,OAAO,IACT,EAKA,KAAK,UAAY,UAAW,CAC1B,KAAK,OAAO,KAAK,QAAQ,CAC3B,EAWA,KAAK,OAAS,SAASC,EAAM,CAE3B,IAAIC,EAAkB,SAAS,cAAc,UAAU,EACvDA,EAAgB,UAAYD,EAC5BA,EAAOC,EAAgB,MAIvB,IAAIC,EAAe,qDAInB,OAAK,KAAK,QAAQ,UAChBrB,EAA8B,KAAK,OAAO,EAKrCmB,EAAK,KAAK,EACd,QAAQ,MAAO,EAAE,EACjB,QAAQE,EAAc,GAAG,EACzB,QAAQ,SAAU,GAAG,EACrB,UAAU,EAAG,KAAK,QAAQ,QAAQ,EAClC,QAAQ,YAAa,EAAE,EACvB,YAAY,CACjB,EAQA,KAAK,gBAAkB,SAASJ,EAAI,CAClC,IAAIK,EAAgBL,EAAG,aAAe,IAAMA,EAAG,WAAW,UAAY,KAAK,QAAQ,iBAAiB,EAAI,GACpGM,EAAiBN,EAAG,YAAc,IAAMA,EAAG,UAAU,UAAY,KAAK,QAAQ,iBAAiB,EAAI,GAEvG,OAAOK,GAAiBC,GAAkB,EAC5C,EASA,SAASR,EAAaS,EAAO,CAC3B,IAAIrB,EACJ,GAAI,OAAOqB,GAAU,UAAYA,aAAiB,OAEhDrB,EAAW,CAAC,EAAE,MAAM,KAAK,SAAS,iBAAiBqB,CAAK,CAAC,UAChD,MAAM,QAAQA,CAAK,GAAKA,aAAiB,SAClDrB,EAAW,CAAC,EAAE,MAAM,KAAKqB,CAAK,MAE9B,OAAM,IAAI,UAAU,gDAAgD,EAGtE,OAAOrB,CACT,CAMA,SAASa,GAAqB,CAE5B,GAAI,SAAS,KAAK,cAAc,gBAAgB,IAAM,KAItD,KAAIS,EAAQ,SAAS,cAAc,OAAO,EACtCC,EACA,sHAMAC,EACA,wDAIAC,EACA,s4CAIAC,EACA,gEAGAC,EAEJL,EAAM,UAAY,WAClBA,EAAM,YAAY,SAAS,eAAe,EAAE,CAAC,EAK7CK,EAAe,SAAS,KAAK,cAAc,0BAA0B,EACjEA,IAAiB,OACnB,SAAS,KAAK,YAAYL,CAAK,EAE/B,SAAS,KAAK,aAAaA,EAAOK,CAAY,EAGhDL,EAAM,MAAM,WAAWC,EAAUD,EAAM,MAAM,SAAS,MAAM,EAC5DA,EAAM,MAAM,WAAWE,EAAWF,EAAM,MAAM,SAAS,MAAM,EAC7DA,EAAM,MAAM,WAAWI,EAAiBJ,EAAM,MAAM,SAAS,MAAM,EACnEA,EAAM,MAAM,WAAWG,EAAsBH,EAAM,MAAM,SAAS,MAAM,EAC1E,CACF,CAEA,OAAO3B,CACT,CAAC,ICtVD,IAAAiC,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAEA,SAASC,GAAWC,EAAK,CACvB,OAAIA,aAAe,IACjBA,EAAI,MACFA,EAAI,OACJA,EAAI,IACF,UAAY,CACV,MAAM,IAAI,MAAM,kBAAkB,CACpC,EACKA,aAAe,MACxBA,EAAI,IACFA,EAAI,MACJA,EAAI,OACF,UAAY,CACV,MAAM,IAAI,MAAM,kBAAkB,CACpC,GAIN,OAAO,OAAOA,CAAG,EAEjB,OAAO,oBAAoBA,CAAG,EAAE,QAASC,GAAS,CAChD,IAAMC,EAAOF,EAAIC,CAAI,EACfE,EAAO,OAAOD,GAGfC,IAAS,UAAYA,IAAS,aAAe,CAAC,OAAO,SAASD,CAAI,GACrEH,GAAWG,CAAI,CAEnB,CAAC,EAEMF,CACT,CAMA,IAAMI,GAAN,KAAe,CAIb,YAAYC,EAAM,CAEZA,EAAK,OAAS,SAAWA,EAAK,KAAO,CAAC,GAE1C,KAAK,KAAOA,EAAK,KACjB,KAAK,eAAiB,EACxB,CAEA,aAAc,CACZ,KAAK,eAAiB,EACxB,CACF,EAMA,SAASC,GAAWC,EAAO,CACzB,OAAOA,EACJ,QAAQ,KAAM,OAAO,EACrB,QAAQ,KAAM,MAAM,EACpB,QAAQ,KAAM,MAAM,EACpB,QAAQ,KAAM,QAAQ,EACtB,QAAQ,KAAM,QAAQ,CAC3B,CAUA,SAASC,GAAUC,KAAaC,EAAS,CAEvC,IAAMC,EAAS,OAAO,OAAO,IAAI,EAEjC,QAAWC,KAAOH,EAChBE,EAAOC,CAAG,EAAIH,EAASG,CAAG,EAE5B,OAAAF,EAAQ,QAAQ,SAASV,EAAK,CAC5B,QAAWY,KAAOZ,EAChBW,EAAOC,CAAG,EAAIZ,EAAIY,CAAG,CAEzB,CAAC,EACwBD,CAC3B,CAcA,IAAME,GAAa,UAMbC,GAAqBC,GAGlB,CAAC,CAACA,EAAK,MAQVC,GAAkB,CAACf,EAAM,CAAE,OAAAgB,CAAO,IAAM,CAE5C,GAAIhB,EAAK,WAAW,WAAW,EAC7B,OAAOA,EAAK,QAAQ,YAAa,WAAW,EAG9C,GAAIA,EAAK,SAAS,GAAG,EAAG,CACtB,IAAMiB,EAASjB,EAAK,MAAM,GAAG,EAC7B,MAAO,CACL,GAAGgB,CAAM,GAAGC,EAAO,MAAM,CAAC,GAC1B,GAAIA,EAAO,IAAI,CAACC,EAAGC,IAAM,GAAGD,CAAC,GAAG,IAAI,OAAOC,EAAI,CAAC,CAAC,EAAE,CACrD,EAAE,KAAK,GAAG,CACZ,CAEA,MAAO,GAAGH,CAAM,GAAGhB,CAAI,EACzB,EAGMoB,GAAN,KAAmB,CAOjB,YAAYC,EAAWC,EAAS,CAC9B,KAAK,OAAS,GACd,KAAK,YAAcA,EAAQ,YAC3BD,EAAU,KAAK,IAAI,CACrB,CAMA,QAAQE,EAAM,CACZ,KAAK,QAAUlB,GAAWkB,CAAI,CAChC,CAMA,SAAST,EAAM,CACb,GAAI,CAACD,GAAkBC,CAAI,EAAG,OAE9B,IAAMU,EAAYT,GAAgBD,EAAK,MACrC,CAAE,OAAQ,KAAK,WAAY,CAAC,EAC9B,KAAK,KAAKU,CAAS,CACrB,CAMA,UAAUV,EAAM,CACTD,GAAkBC,CAAI,IAE3B,KAAK,QAAUF,GACjB,CAKA,OAAQ,CACN,OAAO,KAAK,MACd,CAQA,KAAKY,EAAW,CACd,KAAK,QAAU,gBAAgBA,CAAS,IAC1C,CACF,EAQMC,GAAU,CAACC,EAAO,CAAC,IAAM,CAE7B,IAAMhB,EAAS,CAAE,SAAU,CAAC,CAAE,EAC9B,cAAO,OAAOA,EAAQgB,CAAI,EACnBhB,CACT,EAEMiB,GAAN,MAAMC,CAAU,CACd,aAAc,CAEZ,KAAK,SAAWH,GAAQ,EACxB,KAAK,MAAQ,CAAC,KAAK,QAAQ,CAC7B,CAEA,IAAI,KAAM,CACR,OAAO,KAAK,MAAM,KAAK,MAAM,OAAS,CAAC,CACzC,CAEA,IAAI,MAAO,CAAE,OAAO,KAAK,QAAU,CAGnC,IAAIX,EAAM,CACR,KAAK,IAAI,SAAS,KAAKA,CAAI,CAC7B,CAGA,SAASe,EAAO,CAEd,IAAMf,EAAOW,GAAQ,CAAE,MAAAI,CAAM,CAAC,EAC9B,KAAK,IAAIf,CAAI,EACb,KAAK,MAAM,KAAKA,CAAI,CACtB,CAEA,WAAY,CACV,GAAI,KAAK,MAAM,OAAS,EACtB,OAAO,KAAK,MAAM,IAAI,CAI1B,CAEA,eAAgB,CACd,KAAO,KAAK,UAAU,GAAE,CAC1B,CAEA,QAAS,CACP,OAAO,KAAK,UAAU,KAAK,SAAU,KAAM,CAAC,CAC9C,CAMA,KAAKgB,EAAS,CAEZ,OAAO,KAAK,YAAY,MAAMA,EAAS,KAAK,QAAQ,CAGtD,CAMA,OAAO,MAAMA,EAAShB,EAAM,CAC1B,OAAI,OAAOA,GAAS,SAClBgB,EAAQ,QAAQhB,CAAI,EACXA,EAAK,WACdgB,EAAQ,SAAShB,CAAI,EACrBA,EAAK,SAAS,QAASiB,GAAU,KAAK,MAAMD,EAASC,CAAK,CAAC,EAC3DD,EAAQ,UAAUhB,CAAI,GAEjBgB,CACT,CAKA,OAAO,UAAUhB,EAAM,CACjB,OAAOA,GAAS,UACfA,EAAK,WAENA,EAAK,SAAS,MAAMkB,GAAM,OAAOA,GAAO,QAAQ,EAGlDlB,EAAK,SAAW,CAACA,EAAK,SAAS,KAAK,EAAE,CAAC,EAEvCA,EAAK,SAAS,QAASiB,GAAU,CAC/BH,EAAU,UAAUG,CAAK,CAC3B,CAAC,EAEL,CACF,EAoBME,GAAN,cAA+BN,EAAU,CAIvC,YAAYL,EAAS,CACnB,MAAM,EACN,KAAK,QAAUA,CACjB,CAKA,QAAQC,EAAM,CACRA,IAAS,IAEb,KAAK,IAAIA,CAAI,CACf,CAGA,WAAWM,EAAO,CAChB,KAAK,SAASA,CAAK,CACrB,CAEA,UAAW,CACT,KAAK,UAAU,CACjB,CAMA,iBAAiBK,EAASlC,EAAM,CAE9B,IAAMc,EAAOoB,EAAQ,KACjBlC,IAAMc,EAAK,MAAQ,YAAYd,CAAI,IAEvC,KAAK,IAAIc,CAAI,CACf,CAEA,QAAS,CAEP,OADiB,IAAIM,GAAa,KAAM,KAAK,OAAO,EACpC,MAAM,CACxB,CAEA,UAAW,CACT,YAAK,cAAc,EACZ,EACT,CACF,EAWA,SAASe,GAAOC,EAAI,CAClB,OAAKA,EACD,OAAOA,GAAO,SAAiBA,EAE5BA,EAAG,OAHM,IAIlB,CAMA,SAASC,GAAUD,EAAI,CACrB,OAAOE,GAAO,MAAOF,EAAI,GAAG,CAC9B,CAMA,SAASG,GAAiBH,EAAI,CAC5B,OAAOE,GAAO,MAAOF,EAAI,IAAI,CAC/B,CAMA,SAASI,GAASJ,EAAI,CACpB,OAAOE,GAAO,MAAOF,EAAI,IAAI,CAC/B,CAMA,SAASE,MAAUG,EAAM,CAEvB,OADeA,EAAK,IAAKvB,GAAMiB,GAAOjB,CAAC,CAAC,EAAE,KAAK,EAAE,CAEnD,CAMA,SAASwB,GAAqBD,EAAM,CAClC,IAAMf,EAAOe,EAAKA,EAAK,OAAS,CAAC,EAEjC,OAAI,OAAOf,GAAS,UAAYA,EAAK,cAAgB,QACnDe,EAAK,OAAOA,EAAK,OAAS,EAAG,CAAC,EACvBf,GAEA,CAAC,CAEZ,CAWA,SAASiB,MAAUF,EAAM,CAMvB,MAHe,KADFC,GAAqBD,CAAI,EAE5B,QAAU,GAAK,MACrBA,EAAK,IAAKvB,GAAMiB,GAAOjB,CAAC,CAAC,EAAE,KAAK,GAAG,EAAI,GAE7C,CAMA,SAAS0B,GAAiBR,EAAI,CAC5B,OAAQ,IAAI,OAAOA,EAAG,SAAS,EAAI,GAAG,EAAG,KAAK,EAAE,EAAE,OAAS,CAC7D,CAOA,SAASS,GAAWT,EAAIU,EAAQ,CAC9B,IAAMC,EAAQX,GAAMA,EAAG,KAAKU,CAAM,EAClC,OAAOC,GAASA,EAAM,QAAU,CAClC,CASA,IAAMC,GAAa,iDAanB,SAASC,GAAuBC,EAAS,CAAE,SAAAC,CAAS,EAAG,CACrD,IAAIC,EAAc,EAElB,OAAOF,EAAQ,IAAKG,GAAU,CAC5BD,GAAe,EACf,IAAME,EAASF,EACXhB,EAAKD,GAAOkB,CAAK,EACjBE,EAAM,GAEV,KAAOnB,EAAG,OAAS,GAAG,CACpB,IAAMW,EAAQC,GAAW,KAAKZ,CAAE,EAChC,GAAI,CAACW,EAAO,CACVQ,GAAOnB,EACP,KACF,CACAmB,GAAOnB,EAAG,UAAU,EAAGW,EAAM,KAAK,EAClCX,EAAKA,EAAG,UAAUW,EAAM,MAAQA,EAAM,CAAC,EAAE,MAAM,EAC3CA,EAAM,CAAC,EAAE,CAAC,IAAM,MAAQA,EAAM,CAAC,EAEjCQ,GAAO,KAAO,OAAO,OAAOR,EAAM,CAAC,CAAC,EAAIO,CAAM,GAE9CC,GAAOR,EAAM,CAAC,EACVA,EAAM,CAAC,IAAM,KACfK,IAGN,CACA,OAAOG,CACT,CAAC,EAAE,IAAInB,GAAM,IAAIA,CAAE,GAAG,EAAE,KAAKe,CAAQ,CACvC,CAMA,IAAMK,GAAmB,OACnBC,GAAW,eACXC,GAAsB,gBACtBC,GAAY,oBACZC,GAAc,yEACdC,GAAmB,eACnBC,GAAiB,+IAKjBC,GAAU,CAACrC,EAAO,CAAC,IAAM,CAC7B,IAAMsC,EAAe,YACrB,OAAItC,EAAK,SACPA,EAAK,MAAQY,GACX0B,EACA,OACAtC,EAAK,OACL,MAAM,GAEHnB,GAAU,CACf,MAAO,OACP,MAAOyD,EACP,IAAK,IACL,UAAW,EAEX,WAAY,CAACC,EAAGC,IAAS,CACnBD,EAAE,QAAU,GAAGC,EAAK,YAAY,CACtC,CACF,EAAGxC,CAAI,CACT,EAGMyC,GAAmB,CACvB,MAAO,eAAgB,UAAW,CACpC,EACMC,GAAmB,CACvB,MAAO,SACP,MAAO,IACP,IAAK,IACL,QAAS,MACT,SAAU,CAACD,EAAgB,CAC7B,EACME,GAAoB,CACxB,MAAO,SACP,MAAO,IACP,IAAK,IACL,QAAS,MACT,SAAU,CAACF,EAAgB,CAC7B,EACMG,GAAqB,CACzB,MAAO,4IACT,EASMC,GAAU,SAASC,EAAOC,EAAKC,EAAc,CAAC,EAAG,CACrD,IAAMtE,EAAOG,GACX,CACE,MAAO,UACP,MAAAiE,EACA,IAAAC,EACA,SAAU,CAAC,CACb,EACAC,CACF,EACAtE,EAAK,SAAS,KAAK,CACjB,MAAO,SAGP,MAAO,mDACP,IAAK,2CACL,aAAc,GACd,UAAW,CACb,CAAC,EACD,IAAMuE,EAAehC,GAEnB,IACA,IACA,KACA,KACA,KACA,KACA,KACA,KACA,KACA,KACA,KAEA,iCACA,qBACA,mBACF,EAEA,OAAAvC,EAAK,SAAS,KACZ,CAgBE,MAAOkC,GACL,OACA,IACAqC,EACA,uBACA,MAAM,CACV,CACF,EACOvE,CACT,EACMwE,GAAsBL,GAAQ,KAAM,GAAG,EACvCM,GAAuBN,GAAQ,OAAQ,MAAM,EAC7CO,GAAoBP,GAAQ,IAAK,GAAG,EACpCQ,GAAc,CAClB,MAAO,SACP,MAAOpB,GACP,UAAW,CACb,EACMqB,GAAgB,CACpB,MAAO,SACP,MAAOpB,GACP,UAAW,CACb,EACMqB,GAAqB,CACzB,MAAO,SACP,MAAOpB,GACP,UAAW,CACb,EACMqB,GAAc,CAOlB,MAAO,kBACP,SAAU,CAAC,CACT,MAAO,SACP,MAAO,KACP,IAAK,aACL,QAAS,KACT,SAAU,CACRf,GACA,CACE,MAAO,KACP,IAAK,KACL,UAAW,EACX,SAAU,CAACA,EAAgB,CAC7B,CACF,CACF,CAAC,CACH,EACMgB,GAAa,CACjB,MAAO,QACP,MAAO1B,GACP,UAAW,CACb,EACM2B,GAAwB,CAC5B,MAAO,QACP,MAAO1B,GACP,UAAW,CACb,EACM2B,GAAe,CAEnB,MAAO,UAAY3B,GACnB,UAAW,CACb,EASM4B,GAAoB,SAASlF,EAAM,CACvC,OAAO,OAAO,OAAOA,EACnB,CAEE,WAAY,CAAC6D,EAAGC,IAAS,CAAEA,EAAK,KAAK,YAAcD,EAAE,CAAC,CAAG,EAEzD,SAAU,CAACA,EAAGC,IAAS,CAAMA,EAAK,KAAK,cAAgBD,EAAE,CAAC,GAAGC,EAAK,YAAY,CAAG,CACnF,CAAC,CACL,EAEIqB,GAAqB,OAAO,OAAO,CACrC,UAAW,KACX,iBAAkB/B,GAClB,SAAUC,GACV,oBAAqBC,GACrB,UAAWC,GACX,YAAaC,GACb,iBAAkBC,GAClB,eAAgBC,GAChB,QAASC,GACT,iBAAkBI,GAClB,iBAAkBC,GAClB,kBAAmBC,GACnB,mBAAoBC,GACpB,QAASC,GACT,oBAAqBK,GACrB,qBAAsBC,GACtB,kBAAmBC,GACnB,YAAaC,GACb,cAAeC,GACf,mBAAoBC,GACpB,YAAaC,GACb,WAAYC,GACZ,sBAAuBC,GACvB,aAAcC,GACd,kBAAmBC,EACrB,CAAC,EA+BD,SAASE,GAAsBzC,EAAO0C,EAAU,CAC/B1C,EAAM,MAAMA,EAAM,MAAQ,CAAC,IAC3B,KACb0C,EAAS,YAAY,CAEzB,CAMA,SAASC,GAAetF,EAAMuF,EAAS,CAEjCvF,EAAK,YAAc,SACrBA,EAAK,MAAQA,EAAK,UAClB,OAAOA,EAAK,UAEhB,CAMA,SAASwF,GAAcxF,EAAMyF,EAAQ,CAC9BA,GACAzF,EAAK,gBAOVA,EAAK,MAAQ,OAASA,EAAK,cAAc,MAAM,GAAG,EAAE,KAAK,GAAG,EAAI,sBAChEA,EAAK,cAAgBoF,GACrBpF,EAAK,SAAWA,EAAK,UAAYA,EAAK,cACtC,OAAOA,EAAK,cAKRA,EAAK,YAAc,SAAWA,EAAK,UAAY,GACrD,CAMA,SAAS0F,GAAe1F,EAAMuF,EAAS,CAChC,MAAM,QAAQvF,EAAK,OAAO,IAE/BA,EAAK,QAAUuC,GAAO,GAAGvC,EAAK,OAAO,EACvC,CAMA,SAAS2F,GAAa3F,EAAMuF,EAAS,CACnC,GAAKvF,EAAK,MACV,IAAIA,EAAK,OAASA,EAAK,IAAK,MAAM,IAAI,MAAM,0CAA0C,EAEtFA,EAAK,MAAQA,EAAK,MAClB,OAAOA,EAAK,MACd,CAMA,SAAS4F,GAAiB5F,EAAMuF,EAAS,CAEnCvF,EAAK,YAAc,SAAWA,EAAK,UAAY,EACrD,CAIA,IAAM6F,GAAiB,CAAC7F,EAAMyF,IAAW,CACvC,GAAI,CAACzF,EAAK,YAAa,OAGvB,GAAIA,EAAK,OAAQ,MAAM,IAAI,MAAM,wCAAwC,EAEzE,IAAM8F,EAAe,OAAO,OAAO,CAAC,EAAG9F,CAAI,EAC3C,OAAO,KAAKA,CAAI,EAAE,QAASO,GAAQ,CAAE,OAAOP,EAAKO,CAAG,CAAG,CAAC,EAExDP,EAAK,SAAW8F,EAAa,SAC7B9F,EAAK,MAAQkC,GAAO4D,EAAa,YAAa7D,GAAU6D,EAAa,KAAK,CAAC,EAC3E9F,EAAK,OAAS,CACZ,UAAW,EACX,SAAU,CACR,OAAO,OAAO8F,EAAc,CAAE,WAAY,EAAK,CAAC,CAClD,CACF,EACA9F,EAAK,UAAY,EAEjB,OAAO8F,EAAa,WACtB,EAGMC,GAAkB,CACtB,KACA,MACA,MACA,KACA,MACA,KACA,KACA,OACA,SACA,OACA,OACF,EAEMC,GAAwB,UAQ9B,SAASC,GAAgBC,EAAaC,EAAiBC,EAAYJ,GAAuB,CAExF,IAAMK,EAAmB,OAAO,OAAO,IAAI,EAI3C,OAAI,OAAOH,GAAgB,SACzBI,EAAYF,EAAWF,EAAY,MAAM,GAAG,CAAC,EACpC,MAAM,QAAQA,CAAW,EAClCI,EAAYF,EAAWF,CAAW,EAElC,OAAO,KAAKA,CAAW,EAAE,QAAQ,SAASE,EAAW,CAEnD,OAAO,OACLC,EACAJ,GAAgBC,EAAYE,CAAS,EAAGD,EAAiBC,CAAS,CACpE,CACF,CAAC,EAEIC,EAYP,SAASC,EAAYF,EAAWG,EAAa,CACvCJ,IACFI,EAAcA,EAAY,IAAIzF,GAAKA,EAAE,YAAY,CAAC,GAEpDyF,EAAY,QAAQ,SAASC,EAAS,CACpC,IAAMC,EAAOD,EAAQ,MAAM,GAAG,EAC9BH,EAAiBI,EAAK,CAAC,CAAC,EAAI,CAACL,EAAWM,GAAgBD,EAAK,CAAC,EAAGA,EAAK,CAAC,CAAC,CAAC,CAC3E,CAAC,CACH,CACF,CAUA,SAASC,GAAgBF,EAASG,EAAe,CAG/C,OAAIA,EACK,OAAOA,CAAa,EAGtBC,GAAcJ,CAAO,EAAI,EAAI,CACtC,CAMA,SAASI,GAAcJ,EAAS,CAC9B,OAAOT,GAAgB,SAASS,EAAQ,YAAY,CAAC,CACvD,CAYA,IAAMK,GAAmB,CAAC,EAKpBC,GAASC,GAAY,CACzB,QAAQ,MAAMA,CAAO,CACvB,EAMMC,GAAO,CAACD,KAAY1E,IAAS,CACjC,QAAQ,IAAI,SAAS0E,CAAO,GAAI,GAAG1E,CAAI,CACzC,EAMM4E,GAAa,CAACC,EAASH,IAAY,CACnCF,GAAiB,GAAGK,CAAO,IAAIH,CAAO,EAAE,IAE5C,QAAQ,IAAI,oBAAoBG,CAAO,KAAKH,CAAO,EAAE,EACrDF,GAAiB,GAAGK,CAAO,IAAIH,CAAO,EAAE,EAAI,GAC9C,EAQMI,GAAkB,IAAI,MA8B5B,SAASC,GAAgBpH,EAAMqH,EAAS,CAAE,IAAA9G,CAAI,EAAG,CAC/C,IAAI2C,EAAS,EACPoE,EAAatH,EAAKO,CAAG,EAErBgH,EAAO,CAAC,EAERC,EAAY,CAAC,EAEnB,QAASzG,EAAI,EAAGA,GAAKsG,EAAQ,OAAQtG,IACnCyG,EAAUzG,EAAImC,CAAM,EAAIoE,EAAWvG,CAAC,EACpCwG,EAAKxG,EAAImC,CAAM,EAAI,GACnBA,GAAUV,GAAiB6E,EAAQtG,EAAI,CAAC,CAAC,EAI3Cf,EAAKO,CAAG,EAAIiH,EACZxH,EAAKO,CAAG,EAAE,MAAQgH,EAClBvH,EAAKO,CAAG,EAAE,OAAS,EACrB,CAKA,SAASkH,GAAgBzH,EAAM,CAC7B,GAAK,MAAM,QAAQA,EAAK,KAAK,EAE7B,IAAIA,EAAK,MAAQA,EAAK,cAAgBA,EAAK,YACzC,MAAA8G,GAAM,oEAAoE,EACpEK,GAGR,GAAI,OAAOnH,EAAK,YAAe,UAAYA,EAAK,aAAe,KAC7D,MAAA8G,GAAM,2BAA2B,EAC3BK,GAGRC,GAAgBpH,EAAMA,EAAK,MAAO,CAAE,IAAK,YAAa,CAAC,EACvDA,EAAK,MAAQ6C,GAAuB7C,EAAK,MAAO,CAAE,SAAU,EAAG,CAAC,EAClE,CAKA,SAAS0H,GAAc1H,EAAM,CAC3B,GAAK,MAAM,QAAQA,EAAK,GAAG,EAE3B,IAAIA,EAAK,MAAQA,EAAK,YAAcA,EAAK,UACvC,MAAA8G,GAAM,8DAA8D,EAC9DK,GAGR,GAAI,OAAOnH,EAAK,UAAa,UAAYA,EAAK,WAAa,KACzD,MAAA8G,GAAM,yBAAyB,EACzBK,GAGRC,GAAgBpH,EAAMA,EAAK,IAAK,CAAE,IAAK,UAAW,CAAC,EACnDA,EAAK,IAAM6C,GAAuB7C,EAAK,IAAK,CAAE,SAAU,EAAG,CAAC,EAC9D,CAaA,SAAS2H,GAAW3H,EAAM,CACpBA,EAAK,OAAS,OAAOA,EAAK,OAAU,UAAYA,EAAK,QAAU,OACjEA,EAAK,WAAaA,EAAK,MACvB,OAAOA,EAAK,MAEhB,CAKA,SAAS4H,GAAW5H,EAAM,CACxB2H,GAAW3H,CAAI,EAEX,OAAOA,EAAK,YAAe,WAC7BA,EAAK,WAAa,CAAE,MAAOA,EAAK,UAAW,GAEzC,OAAOA,EAAK,UAAa,WAC3BA,EAAK,SAAW,CAAE,MAAOA,EAAK,QAAS,GAGzCyH,GAAgBzH,CAAI,EACpB0H,GAAc1H,CAAI,CACpB,CAoBA,SAAS6H,GAAgBC,EAAU,CAOjC,SAASC,EAAO7H,EAAO8H,EAAQ,CAC7B,OAAO,IAAI,OACTjG,GAAO7B,CAAK,EACZ,KACG4H,EAAS,iBAAmB,IAAM,KAClCA,EAAS,aAAe,IAAM,KAC9BE,EAAS,IAAM,GACpB,CACF,CAeA,MAAMC,CAAW,CACf,aAAc,CACZ,KAAK,aAAe,CAAC,EAErB,KAAK,QAAU,CAAC,EAChB,KAAK,QAAU,EACf,KAAK,SAAW,CAClB,CAGA,QAAQjG,EAAIV,EAAM,CAChBA,EAAK,SAAW,KAAK,WAErB,KAAK,aAAa,KAAK,OAAO,EAAIA,EAClC,KAAK,QAAQ,KAAK,CAACA,EAAMU,CAAE,CAAC,EAC5B,KAAK,SAAWQ,GAAiBR,CAAE,EAAI,CACzC,CAEA,SAAU,CACJ,KAAK,QAAQ,SAAW,IAG1B,KAAK,KAAO,IAAM,MAEpB,IAAMkG,EAAc,KAAK,QAAQ,IAAItG,GAAMA,EAAG,CAAC,CAAC,EAChD,KAAK,UAAYmG,EAAOlF,GAAuBqF,EAAa,CAAE,SAAU,GAAI,CAAC,EAAG,EAAI,EACpF,KAAK,UAAY,CACnB,CAGA,KAAKC,EAAG,CACN,KAAK,UAAU,UAAY,KAAK,UAChC,IAAMxF,EAAQ,KAAK,UAAU,KAAKwF,CAAC,EACnC,GAAI,CAACxF,EAAS,OAAO,KAGrB,IAAM5B,EAAI4B,EAAM,UAAU,CAACf,EAAIb,IAAMA,EAAI,GAAKa,IAAO,MAAS,EAExDwG,EAAY,KAAK,aAAarH,CAAC,EAGrC,OAAA4B,EAAM,OAAO,EAAG5B,CAAC,EAEV,OAAO,OAAO4B,EAAOyF,CAAS,CACvC,CACF,CAiCA,MAAMC,CAAoB,CACxB,aAAc,CAEZ,KAAK,MAAQ,CAAC,EAEd,KAAK,aAAe,CAAC,EACrB,KAAK,MAAQ,EAEb,KAAK,UAAY,EACjB,KAAK,WAAa,CACpB,CAGA,WAAWC,EAAO,CAChB,GAAI,KAAK,aAAaA,CAAK,EAAG,OAAO,KAAK,aAAaA,CAAK,EAE5D,IAAMC,EAAU,IAAIN,EACpB,YAAK,MAAM,MAAMK,CAAK,EAAE,QAAQ,CAAC,CAACtG,EAAIV,CAAI,IAAMiH,EAAQ,QAAQvG,EAAIV,CAAI,CAAC,EACzEiH,EAAQ,QAAQ,EAChB,KAAK,aAAaD,CAAK,EAAIC,EACpBA,CACT,CAEA,4BAA6B,CAC3B,OAAO,KAAK,aAAe,CAC7B,CAEA,aAAc,CACZ,KAAK,WAAa,CACpB,CAGA,QAAQvG,EAAIV,EAAM,CAChB,KAAK,MAAM,KAAK,CAACU,EAAIV,CAAI,CAAC,EACtBA,EAAK,OAAS,SAAS,KAAK,OAClC,CAGA,KAAK6G,EAAG,CACN,IAAMtE,EAAI,KAAK,WAAW,KAAK,UAAU,EACzCA,EAAE,UAAY,KAAK,UACnB,IAAIvD,EAASuD,EAAE,KAAKsE,CAAC,EAiCrB,GAAI,KAAK,2BAA2B,GAC9B,EAAA7H,GAAUA,EAAO,QAAU,KAAK,WAAkB,CACpD,IAAMkI,EAAK,KAAK,WAAW,CAAC,EAC5BA,EAAG,UAAY,KAAK,UAAY,EAChClI,EAASkI,EAAG,KAAKL,CAAC,CACpB,CAGF,OAAI7H,IACF,KAAK,YAAcA,EAAO,SAAW,EACjC,KAAK,aAAe,KAAK,OAE3B,KAAK,YAAY,GAIdA,CACT,CACF,CASA,SAASmI,EAAezI,EAAM,CAC5B,IAAM0I,EAAK,IAAIL,EAEf,OAAArI,EAAK,SAAS,QAAQ2I,GAAQD,EAAG,QAAQC,EAAK,MAAO,CAAE,KAAMA,EAAM,KAAM,OAAQ,CAAC,CAAC,EAE/E3I,EAAK,eACP0I,EAAG,QAAQ1I,EAAK,cAAe,CAAE,KAAM,KAAM,CAAC,EAE5CA,EAAK,SACP0I,EAAG,QAAQ1I,EAAK,QAAS,CAAE,KAAM,SAAU,CAAC,EAGvC0I,CACT,CAyCA,SAASE,EAAY5I,EAAMyF,EAAQ,CACjC,IAAMoD,EAAmC7I,EACzC,GAAIA,EAAK,WAAY,OAAO6I,EAE5B,CACEvD,GAGAK,GACAiC,GACA/B,EACF,EAAE,QAAQiD,GAAOA,EAAI9I,EAAMyF,CAAM,CAAC,EAElCqC,EAAS,mBAAmB,QAAQgB,GAAOA,EAAI9I,EAAMyF,CAAM,CAAC,EAG5DzF,EAAK,cAAgB,KAErB,CACEwF,GAGAE,GAEAE,EACF,EAAE,QAAQkD,GAAOA,EAAI9I,EAAMyF,CAAM,CAAC,EAElCzF,EAAK,WAAa,GAElB,IAAI+I,EAAiB,KACrB,OAAI,OAAO/I,EAAK,UAAa,UAAYA,EAAK,SAAS,WAIrDA,EAAK,SAAW,OAAO,OAAO,CAAC,EAAGA,EAAK,QAAQ,EAC/C+I,EAAiB/I,EAAK,SAAS,SAC/B,OAAOA,EAAK,SAAS,UAEvB+I,EAAiBA,GAAkB,MAE/B/I,EAAK,WACPA,EAAK,SAAWiG,GAAgBjG,EAAK,SAAU8H,EAAS,gBAAgB,GAG1Ee,EAAM,iBAAmBd,EAAOgB,EAAgB,EAAI,EAEhDtD,IACGzF,EAAK,QAAOA,EAAK,MAAQ,SAC9B6I,EAAM,QAAUd,EAAOc,EAAM,KAAK,EAC9B,CAAC7I,EAAK,KAAO,CAACA,EAAK,iBAAgBA,EAAK,IAAM,SAC9CA,EAAK,MAAK6I,EAAM,MAAQd,EAAOc,EAAM,GAAG,GAC5CA,EAAM,cAAgB9G,GAAO8G,EAAM,GAAG,GAAK,GACvC7I,EAAK,gBAAkByF,EAAO,gBAChCoD,EAAM,gBAAkB7I,EAAK,IAAM,IAAM,IAAMyF,EAAO,gBAGtDzF,EAAK,UAAS6I,EAAM,UAAYd,EAAuC/H,EAAK,OAAQ,GACnFA,EAAK,WAAUA,EAAK,SAAW,CAAC,GAErCA,EAAK,SAAW,CAAC,EAAE,OAAO,GAAGA,EAAK,SAAS,IAAI,SAASgJ,EAAG,CACzD,OAAOC,GAAkBD,IAAM,OAAShJ,EAAOgJ,CAAC,CAClD,CAAC,CAAC,EACFhJ,EAAK,SAAS,QAAQ,SAASgJ,EAAG,CAAEJ,EAA+BI,EAAIH,CAAK,CAAG,CAAC,EAE5E7I,EAAK,QACP4I,EAAY5I,EAAK,OAAQyF,CAAM,EAGjCoD,EAAM,QAAUJ,EAAeI,CAAK,EAC7BA,CACT,CAKA,GAHKf,EAAS,qBAAoBA,EAAS,mBAAqB,CAAC,GAG7DA,EAAS,UAAYA,EAAS,SAAS,SAAS,MAAM,EACxD,MAAM,IAAI,MAAM,2FAA2F,EAI7G,OAAAA,EAAS,iBAAmB3H,GAAU2H,EAAS,kBAAoB,CAAC,CAAC,EAE9Dc,EAA+Bd,CAAS,CACjD,CAaA,SAASoB,GAAmBlJ,EAAM,CAChC,OAAKA,EAEEA,EAAK,gBAAkBkJ,GAAmBlJ,EAAK,MAAM,EAF1C,EAGpB,CAYA,SAASiJ,GAAkBjJ,EAAM,CAU/B,OATIA,EAAK,UAAY,CAACA,EAAK,iBACzBA,EAAK,eAAiBA,EAAK,SAAS,IAAI,SAASmJ,EAAS,CACxD,OAAOhJ,GAAUH,EAAM,CAAE,SAAU,IAAK,EAAGmJ,CAAO,CACpD,CAAC,GAMCnJ,EAAK,eACAA,EAAK,eAOVkJ,GAAmBlJ,CAAI,EAClBG,GAAUH,EAAM,CAAE,OAAQA,EAAK,OAASG,GAAUH,EAAK,MAAM,EAAI,IAAK,CAAC,EAG5E,OAAO,SAASA,CAAI,EACfG,GAAUH,CAAI,EAIhBA,CACT,CAEA,IAAIkH,GAAU,SAERkC,GAAN,cAAiC,KAAM,CACrC,YAAYC,EAAQC,EAAM,CACxB,MAAMD,CAAM,EACZ,KAAK,KAAO,qBACZ,KAAK,KAAOC,CACd,CACF,EA8BMC,GAAStJ,GACTuJ,GAAUrJ,GACVsJ,GAAW,OAAO,SAAS,EAC3BC,GAAmB,EAMnBC,GAAO,SAASC,EAAM,CAG1B,IAAMC,EAAY,OAAO,OAAO,IAAI,EAE9BC,EAAU,OAAO,OAAO,IAAI,EAE5BC,EAAU,CAAC,EAIbC,EAAY,GACVC,EAAqB,sFAErBC,EAAqB,CAAE,kBAAmB,GAAM,KAAM,aAAc,SAAU,CAAC,CAAE,EAKnFhJ,EAAU,CACZ,oBAAqB,GACrB,mBAAoB,GACpB,cAAe,qBACf,iBAAkB,8BAClB,YAAa,QACb,YAAa,WACb,UAAW,KAGX,UAAWW,EACb,EAQA,SAASsI,EAAmBC,EAAc,CACxC,OAAOlJ,EAAQ,cAAc,KAAKkJ,CAAY,CAChD,CAKA,SAASC,EAAcC,EAAO,CAC5B,IAAIC,EAAUD,EAAM,UAAY,IAEhCC,GAAWD,EAAM,WAAaA,EAAM,WAAW,UAAY,GAG3D,IAAM3H,EAAQzB,EAAQ,iBAAiB,KAAKqJ,CAAO,EACnD,GAAI5H,EAAO,CACT,IAAMmF,GAAW0C,GAAY7H,EAAM,CAAC,CAAC,EACrC,OAAKmF,KACHd,GAAKiD,EAAmB,QAAQ,KAAMtH,EAAM,CAAC,CAAC,CAAC,EAC/CqE,GAAK,oDAAqDsD,CAAK,GAE1DxC,GAAWnF,EAAM,CAAC,EAAI,cAC/B,CAEA,OAAO4H,EACJ,MAAM,KAAK,EACX,KAAME,IAAWN,EAAmBM,EAAM,GAAKD,GAAYC,EAAM,CAAC,CACvE,CAuBA,SAASC,EAAUC,EAAoBC,EAAeC,EAAgB,CACpE,IAAIC,GAAO,GACPV,GAAe,GACf,OAAOQ,GAAkB,UAC3BE,GAAOH,EACPE,EAAiBD,EAAc,eAC/BR,GAAeQ,EAAc,WAG7B3D,GAAW,SAAU,qDAAqD,EAC1EA,GAAW,SAAU;AAAA,wDAAuG,EAC5HmD,GAAeO,EACfG,GAAOF,GAKLC,IAAmB,SAAaA,EAAiB,IAGrD,IAAME,GAAU,CACd,KAAAD,GACA,SAAUV,EACZ,EAGAY,GAAK,mBAAoBD,EAAO,EAIhC,IAAMzK,GAASyK,GAAQ,OACnBA,GAAQ,OACRE,EAAWF,GAAQ,SAAUA,GAAQ,KAAMF,CAAc,EAE7D,OAAAvK,GAAO,KAAOyK,GAAQ,KAEtBC,GAAK,kBAAmB1K,EAAM,EAEvBA,EACT,CAWA,SAAS2K,EAAWb,EAAcc,EAAiBL,EAAgBM,GAAc,CAC/E,IAAMC,GAAc,OAAO,OAAO,IAAI,EAQtC,SAASC,GAAYrL,EAAMsL,EAAW,CACpC,OAAOtL,EAAK,SAASsL,CAAS,CAChC,CAEA,SAASC,IAAkB,CACzB,GAAI,CAACC,GAAI,SAAU,CACjB1J,GAAQ,QAAQ2J,EAAU,EAC1B,MACF,CAEA,IAAIC,EAAY,EAChBF,GAAI,iBAAiB,UAAY,EACjC,IAAI7I,EAAQ6I,GAAI,iBAAiB,KAAKC,EAAU,EAC5CE,GAAM,GAEV,KAAOhJ,GAAO,CACZgJ,IAAOF,GAAW,UAAUC,EAAW/I,EAAM,KAAK,EAClD,IAAMiJ,GAAO9D,GAAS,iBAAmBnF,EAAM,CAAC,EAAE,YAAY,EAAIA,EAAM,CAAC,EACnEkJ,GAAOR,GAAYG,GAAKI,EAAI,EAClC,GAAIC,GAAM,CACR,GAAM,CAACC,GAAMC,EAAgB,EAAIF,GAMjC,GALA/J,GAAQ,QAAQ6J,EAAG,EACnBA,GAAM,GAENP,GAAYQ,EAAI,GAAKR,GAAYQ,EAAI,GAAK,GAAK,EAC3CR,GAAYQ,EAAI,GAAKlC,KAAkBsC,IAAaD,IACpDD,GAAK,WAAW,GAAG,EAGrBH,IAAOhJ,EAAM,CAAC,MACT,CACL,IAAMsJ,GAAWnE,GAAS,iBAAiBgE,EAAI,GAAKA,GACpDI,GAAYvJ,EAAM,CAAC,EAAGsJ,EAAQ,CAChC,CACF,MACEN,IAAOhJ,EAAM,CAAC,EAEhB+I,EAAYF,GAAI,iBAAiB,UACjC7I,EAAQ6I,GAAI,iBAAiB,KAAKC,EAAU,CAC9C,CACAE,IAAOF,GAAW,UAAUC,CAAS,EACrC5J,GAAQ,QAAQ6J,EAAG,CACrB,CAEA,SAASQ,IAAqB,CAC5B,GAAIV,KAAe,GAAI,OAEvB,IAAInL,EAAS,KAEb,GAAI,OAAOkL,GAAI,aAAgB,SAAU,CACvC,GAAI,CAAC3B,EAAU2B,GAAI,WAAW,EAAG,CAC/B1J,GAAQ,QAAQ2J,EAAU,EAC1B,MACF,CACAnL,EAAS2K,EAAWO,GAAI,YAAaC,GAAY,GAAMW,GAAcZ,GAAI,WAAW,CAAC,EACrFY,GAAcZ,GAAI,WAAW,EAAiClL,EAAO,IACvE,MACEA,EAAS+L,EAAcZ,GAAYD,GAAI,YAAY,OAASA,GAAI,YAAc,IAAI,EAOhFA,GAAI,UAAY,IAClBQ,IAAa1L,EAAO,WAEtBwB,GAAQ,iBAAiBxB,EAAO,SAAUA,EAAO,QAAQ,CAC3D,CAEA,SAASgM,IAAgB,CACnBd,GAAI,aAAe,KACrBW,GAAmB,EAEnBZ,GAAgB,EAElBE,GAAa,EACf,CAMA,SAASS,GAAY1F,EAAS/E,EAAO,CAC/B+E,IAAY,KAEhB1E,GAAQ,WAAWL,CAAK,EACxBK,GAAQ,QAAQ0E,CAAO,EACvB1E,GAAQ,SAAS,EACnB,CAMA,SAASyK,GAAe9K,EAAOkB,EAAO,CACpC,IAAI5B,GAAI,EACFyL,GAAM7J,EAAM,OAAS,EAC3B,KAAO5B,IAAKyL,IAAK,CACf,GAAI,CAAC/K,EAAM,MAAMV,EAAC,EAAG,CAAEA,KAAK,QAAU,CACtC,IAAM0L,GAAQ3E,GAAS,iBAAiBrG,EAAMV,EAAC,CAAC,GAAKU,EAAMV,EAAC,EACtDI,GAAOwB,EAAM5B,EAAC,EAChB0L,GACFP,GAAY/K,GAAMsL,EAAK,GAEvBhB,GAAatK,GACboK,GAAgB,EAChBE,GAAa,IAEf1K,IACF,CACF,CAMA,SAAS2L,GAAa1M,EAAM2C,EAAO,CACjC,OAAI3C,EAAK,OAAS,OAAOA,EAAK,OAAU,UACtC8B,GAAQ,SAASgG,GAAS,iBAAiB9H,EAAK,KAAK,GAAKA,EAAK,KAAK,EAElEA,EAAK,aAEHA,EAAK,WAAW,OAClBkM,GAAYT,GAAY3D,GAAS,iBAAiB9H,EAAK,WAAW,KAAK,GAAKA,EAAK,WAAW,KAAK,EACjGyL,GAAa,IACJzL,EAAK,WAAW,SAEzBuM,GAAevM,EAAK,WAAY2C,CAAK,EACrC8I,GAAa,KAIjBD,GAAM,OAAO,OAAOxL,EAAM,CAAE,OAAQ,CAAE,MAAOwL,EAAI,CAAE,CAAC,EAC7CA,EACT,CAQA,SAASmB,GAAU3M,EAAM2C,EAAOiK,GAAoB,CAClD,IAAIC,GAAUpK,GAAWzC,EAAK,MAAO4M,EAAkB,EAEvD,GAAIC,GAAS,CACX,GAAI7M,EAAK,QAAQ,EAAG,CAClB,IAAM8D,GAAO,IAAI/D,GAASC,CAAI,EAC9BA,EAAK,QAAQ,EAAE2C,EAAOmB,EAAI,EACtBA,GAAK,iBAAgB+I,GAAU,GACrC,CAEA,GAAIA,GAAS,CACX,KAAO7M,EAAK,YAAcA,EAAK,QAC7BA,EAAOA,EAAK,OAEd,OAAOA,CACT,CACF,CAGA,GAAIA,EAAK,eACP,OAAO2M,GAAU3M,EAAK,OAAQ2C,EAAOiK,EAAkB,CAE3D,CAOA,SAASE,GAASpK,EAAQ,CACxB,OAAI8I,GAAI,QAAQ,aAAe,GAG7BC,IAAc/I,EAAO,CAAC,EACf,IAIPqK,GAA2B,GACpB,EAEX,CAQA,SAASC,GAAarK,EAAO,CAC3B,IAAMD,EAASC,EAAM,CAAC,EAChBsK,GAAUtK,EAAM,KAEhBmB,GAAO,IAAI/D,GAASkN,EAAO,EAE3BC,GAAkB,CAACD,GAAQ,cAAeA,GAAQ,UAAU,CAAC,EACnE,QAAWE,MAAMD,GACf,GAAKC,KACLA,GAAGxK,EAAOmB,EAAI,EACVA,GAAK,gBAAgB,OAAOgJ,GAASpK,CAAM,EAGjD,OAAIuK,GAAQ,KACVxB,IAAc/I,GAEVuK,GAAQ,eACVxB,IAAc/I,GAEhB4J,GAAc,EACV,CAACW,GAAQ,aAAe,CAACA,GAAQ,eACnCxB,GAAa/I,IAGjBgK,GAAaO,GAAStK,CAAK,EACpBsK,GAAQ,YAAc,EAAIvK,EAAO,MAC1C,CAOA,SAAS0K,GAAWzK,EAAO,CACzB,IAAMD,EAASC,EAAM,CAAC,EAChBiK,GAAqB1B,EAAgB,UAAUvI,EAAM,KAAK,EAE1D0K,GAAUV,GAAUnB,GAAK7I,EAAOiK,EAAkB,EACxD,GAAI,CAACS,GAAW,OAAO5D,GAEvB,IAAM6D,GAAS9B,GACXA,GAAI,UAAYA,GAAI,SAAS,OAC/Bc,GAAc,EACdJ,GAAYxJ,EAAQ8I,GAAI,SAAS,KAAK,GAC7BA,GAAI,UAAYA,GAAI,SAAS,QACtCc,GAAc,EACdC,GAAef,GAAI,SAAU7I,CAAK,GACzB2K,GAAO,KAChB7B,IAAc/I,GAER4K,GAAO,WAAaA,GAAO,aAC/B7B,IAAc/I,GAEhB4J,GAAc,EACVgB,GAAO,aACT7B,GAAa/I,IAGjB,GACM8I,GAAI,OACN1J,GAAQ,UAAU,EAEhB,CAAC0J,GAAI,MAAQ,CAACA,GAAI,cACpBQ,IAAaR,GAAI,WAEnBA,GAAMA,GAAI,aACHA,KAAQ6B,GAAQ,QACzB,OAAIA,GAAQ,QACVX,GAAaW,GAAQ,OAAQ1K,CAAK,EAE7B2K,GAAO,UAAY,EAAI5K,EAAO,MACvC,CAEA,SAAS6K,IAAuB,CAC9B,IAAMC,EAAO,CAAC,EACd,QAASC,EAAUjC,GAAKiC,IAAY3F,GAAU2F,EAAUA,EAAQ,OAC1DA,EAAQ,OACVD,EAAK,QAAQC,EAAQ,KAAK,EAG9BD,EAAK,QAAQE,GAAQ5L,GAAQ,SAAS4L,CAAI,CAAC,CAC7C,CAGA,IAAIC,GAAY,CAAC,EAQjB,SAASC,GAAcC,EAAiBlL,EAAO,CAC7C,IAAMD,GAASC,GAASA,EAAM,CAAC,EAK/B,GAFA8I,IAAcoC,EAEVnL,IAAU,KACZ,OAAA4J,GAAc,EACP,EAOT,GAAIqB,GAAU,OAAS,SAAWhL,EAAM,OAAS,OAASgL,GAAU,QAAUhL,EAAM,OAASD,KAAW,GAAI,CAG1G,GADA+I,IAAcP,EAAgB,MAAMvI,EAAM,MAAOA,EAAM,MAAQ,CAAC,EAC5D,CAACqH,EAAW,CAEd,IAAM8D,GAAM,IAAI,MAAM,wBAAwB1D,CAAY,GAAG,EAC7D,MAAA0D,GAAI,aAAe1D,EACnB0D,GAAI,QAAUH,GAAU,KAClBG,EACR,CACA,MAAO,EACT,CAGA,GAFAH,GAAYhL,EAERA,EAAM,OAAS,QACjB,OAAOqK,GAAarK,CAAK,EACpB,GAAIA,EAAM,OAAS,WAAa,CAACkI,EAAgB,CAGtD,IAAMiD,GAAM,IAAI,MAAM,mBAAqBpL,GAAS,gBAAkB8I,GAAI,OAAS,aAAe,GAAG,EACrG,MAAAsC,GAAI,KAAOtC,GACLsC,EACR,SAAWnL,EAAM,OAAS,MAAO,CAC/B,IAAMoL,GAAYX,GAAWzK,CAAK,EAClC,GAAIoL,KAActE,GAChB,OAAOsE,EAEX,CAKA,GAAIpL,EAAM,OAAS,WAAaD,KAAW,GAEzC,MAAO,GAOT,GAAIsL,GAAa,KAAUA,GAAarL,EAAM,MAAQ,EAEpD,MADY,IAAI,MAAM,2DAA2D,EAYnF,OAAA8I,IAAc/I,GACPA,GAAO,MAChB,CAEA,IAAMoF,GAAW0C,GAAYJ,CAAY,EACzC,GAAI,CAACtC,GACH,MAAAhB,GAAMmD,EAAmB,QAAQ,KAAMG,CAAY,CAAC,EAC9C,IAAI,MAAM,sBAAwBA,EAAe,GAAG,EAG5D,IAAM6D,GAAKpG,GAAgBC,EAAQ,EAC/BxH,GAAS,GAETkL,GAAML,IAAgB8C,GAEpB7B,GAAgB,CAAC,EACjBtK,GAAU,IAAIZ,EAAQ,UAAUA,CAAO,EAC7CqM,GAAqB,EACrB,IAAI9B,GAAa,GACbO,GAAY,EACZ1D,EAAQ,EACR0F,GAAa,EACbjB,GAA2B,GAE/B,GAAI,CACF,GAAKjF,GAAS,aAyBZA,GAAS,aAAaoD,EAAiBpJ,EAAO,MAzBpB,CAG1B,IAFA0J,GAAI,QAAQ,YAAY,IAEf,CACPwC,KACIjB,GAGFA,GAA2B,GAE3BvB,GAAI,QAAQ,YAAY,EAE1BA,GAAI,QAAQ,UAAYlD,EAExB,IAAM3F,EAAQ6I,GAAI,QAAQ,KAAKN,CAAe,EAG9C,GAAI,CAACvI,EAAO,MAEZ,IAAMuL,EAAchD,EAAgB,UAAU5C,EAAO3F,EAAM,KAAK,EAC1DwL,GAAiBP,GAAcM,EAAavL,CAAK,EACvD2F,EAAQ3F,EAAM,MAAQwL,EACxB,CACAP,GAAc1C,EAAgB,UAAU5C,CAAK,CAAC,CAChD,CAIA,OAAAxG,GAAQ,SAAS,EACjBxB,GAASwB,GAAQ,OAAO,EAEjB,CACL,SAAUsI,EACV,MAAO9J,GACP,UAAA0L,GACA,QAAS,GACT,SAAUlK,GACV,KAAM0J,EACR,CACF,OAASsC,EAAK,CACZ,GAAIA,EAAI,SAAWA,EAAI,QAAQ,SAAS,SAAS,EAC/C,MAAO,CACL,SAAU1D,EACV,MAAOb,GAAO2B,CAAe,EAC7B,QAAS,GACT,UAAW,EACX,WAAY,CACV,QAAS4C,EAAI,QACb,MAAAxF,EACA,QAAS4C,EAAgB,MAAM5C,EAAQ,IAAKA,EAAQ,GAAG,EACvD,KAAMwF,EAAI,KACV,YAAaxN,EACf,EACA,SAAUwB,EACZ,EACK,GAAIkI,EACT,MAAO,CACL,SAAUI,EACV,MAAOb,GAAO2B,CAAe,EAC7B,QAAS,GACT,UAAW,EACX,YAAa4C,EACb,SAAUhM,GACV,KAAM0J,EACR,EAEA,MAAMsC,CAEV,CACF,CASA,SAASM,EAAwBtD,EAAM,CACrC,IAAMxK,EAAS,CACb,MAAOiJ,GAAOuB,CAAI,EAClB,QAAS,GACT,UAAW,EACX,KAAMZ,EACN,SAAU,IAAIhJ,EAAQ,UAAUA,CAAO,CACzC,EACA,OAAAZ,EAAO,SAAS,QAAQwK,CAAI,EACrBxK,CACT,CAgBA,SAAS+L,EAAcvB,EAAMuD,EAAgB,CAC3CA,EAAiBA,GAAkBnN,EAAQ,WAAa,OAAO,KAAK2I,CAAS,EAC7E,IAAMyE,EAAYF,EAAwBtD,CAAI,EAExCyD,GAAUF,EAAe,OAAO7D,EAAW,EAAE,OAAOgE,EAAa,EAAE,IAAI5O,IAC3EqL,EAAWrL,GAAMkL,EAAM,EAAK,CAC9B,EACAyD,GAAQ,QAAQD,CAAS,EAEzB,IAAMG,GAASF,GAAQ,KAAK,CAACG,GAAGC,KAAM,CAEpC,GAAID,GAAE,YAAcC,GAAE,UAAW,OAAOA,GAAE,UAAYD,GAAE,UAIxD,GAAIA,GAAE,UAAYC,GAAE,SAAU,CAC5B,GAAInE,GAAYkE,GAAE,QAAQ,EAAE,aAAeC,GAAE,SAC3C,MAAO,GACF,GAAInE,GAAYmE,GAAE,QAAQ,EAAE,aAAeD,GAAE,SAClD,MAAO,EAEX,CAMA,MAAO,EACT,CAAC,EAEK,CAACE,GAAMC,EAAU,EAAIJ,GAGrBnO,GAASsO,GACf,OAAAtO,GAAO,WAAauO,GAEbvO,EACT,CASA,SAASwO,EAAgBC,EAASC,EAAaC,EAAY,CACzD,IAAMnH,GAAYkH,GAAelF,EAAQkF,CAAW,GAAMC,EAE1DF,EAAQ,UAAU,IAAI,MAAM,EAC5BA,EAAQ,UAAU,IAAI,YAAYjH,EAAQ,EAAE,CAC9C,CAOA,SAASoH,EAAiBH,EAAS,CAEjC,IAAIrO,EAAO,KACLoH,EAAWuC,EAAc0E,CAAO,EAEtC,GAAI5E,EAAmBrC,CAAQ,EAAG,OAUlC,GARAkD,GAAK,0BACH,CAAE,GAAI+D,EAAS,SAAAjH,CAAS,CAAC,EAOvBiH,EAAQ,SAAS,OAAS,IACvB7N,EAAQ,sBACX,QAAQ,KAAK,+FAA+F,EAC5G,QAAQ,KAAK,2DAA2D,EACxE,QAAQ,KAAK,kCAAkC,EAC/C,QAAQ,KAAK6N,CAAO,GAElB7N,EAAQ,oBAKV,MAJY,IAAIkI,GACd,mDACA2F,EAAQ,SACV,EAKJrO,EAAOqO,EACP,IAAM5N,GAAOT,EAAK,YACZJ,GAASwH,EAAW4C,EAAUvJ,GAAM,CAAE,SAAA2G,EAAU,eAAgB,EAAK,CAAC,EAAIuE,EAAclL,EAAI,EAElG4N,EAAQ,UAAYzO,GAAO,MAC3BwO,EAAgBC,EAASjH,EAAUxH,GAAO,QAAQ,EAClDyO,EAAQ,OAAS,CACf,SAAUzO,GAAO,SAEjB,GAAIA,GAAO,UACX,UAAWA,GAAO,SACpB,EACIA,GAAO,aACTyO,EAAQ,WAAa,CACnB,SAAUzO,GAAO,WAAW,SAC5B,UAAWA,GAAO,WAAW,SAC/B,GAGF0K,GAAK,yBAA0B,CAAE,GAAI+D,EAAS,OAAAzO,GAAQ,KAAAa,EAAK,CAAC,CAC9D,CAOA,SAASgO,EAAUC,EAAa,CAC9BlO,EAAUsI,GAAQtI,EAASkO,CAAW,CACxC,CAGA,IAAMC,EAAmB,IAAM,CAC7BC,EAAa,EACbrI,GAAW,SAAU,yDAAyD,CAChF,EAGA,SAASsI,GAAyB,CAChCD,EAAa,EACbrI,GAAW,SAAU,+DAA+D,CACtF,CAEA,IAAIuI,EAAiB,GAKrB,SAASF,GAAe,CAEtB,GAAI,SAAS,aAAe,UAAW,CACrCE,EAAiB,GACjB,MACF,CAEe,SAAS,iBAAiBtO,EAAQ,WAAW,EACrD,QAAQgO,CAAgB,CACjC,CAEA,SAASO,GAAO,CAEVD,GAAgBF,EAAa,CACnC,CAGI,OAAO,OAAW,KAAe,OAAO,kBAC1C,OAAO,iBAAiB,mBAAoBG,EAAM,EAAK,EASzD,SAASC,EAAiBtF,EAAcuF,EAAoB,CAC1D,IAAIC,EAAO,KACX,GAAI,CACFA,EAAOD,EAAmB/F,CAAI,CAChC,OAASiG,GAAS,CAGhB,GAFA/I,GAAM,wDAAwD,QAAQ,KAAMsD,CAAY,CAAC,EAEpFJ,EAAqClD,GAAM+I,EAAO,MAArC,OAAMA,GAKxBD,EAAO1F,CACT,CAEK0F,EAAK,OAAMA,EAAK,KAAOxF,GAC5BP,EAAUO,CAAY,EAAIwF,EAC1BA,EAAK,cAAgBD,EAAmB,KAAK,KAAM/F,CAAI,EAEnDgG,EAAK,SACPE,GAAgBF,EAAK,QAAS,CAAE,aAAAxF,CAAa,CAAC,CAElD,CAOA,SAAS2F,GAAmB3F,EAAc,CACxC,OAAOP,EAAUO,CAAY,EAC7B,QAAW4F,KAAS,OAAO,KAAKlG,CAAO,EACjCA,EAAQkG,CAAK,IAAM5F,GACrB,OAAON,EAAQkG,CAAK,CAG1B,CAKA,SAASC,GAAgB,CACvB,OAAO,OAAO,KAAKpG,CAAS,CAC9B,CAMA,SAASW,GAAY5K,EAAM,CACzB,OAAAA,GAAQA,GAAQ,IAAI,YAAY,EACzBiK,EAAUjK,CAAI,GAAKiK,EAAUC,EAAQlK,CAAI,CAAC,CACnD,CAOA,SAASkQ,GAAgBI,EAAW,CAAE,aAAA9F,CAAa,EAAG,CAChD,OAAO8F,GAAc,WACvBA,EAAY,CAACA,CAAS,GAExBA,EAAU,QAAQF,GAAS,CAAElG,EAAQkG,EAAM,YAAY,CAAC,EAAI5F,CAAc,CAAC,CAC7E,CAMA,SAASoE,GAAc5O,EAAM,CAC3B,IAAMgQ,EAAOpF,GAAY5K,CAAI,EAC7B,OAAOgQ,GAAQ,CAACA,EAAK,iBACvB,CAOA,SAASO,GAAiBC,EAAQ,CAE5BA,EAAO,uBAAuB,GAAK,CAACA,EAAO,yBAAyB,IACtEA,EAAO,yBAAyB,EAAKvE,GAAS,CAC5CuE,EAAO,uBAAuB,EAC5B,OAAO,OAAO,CAAE,MAAOvE,EAAK,EAAG,EAAGA,CAAI,CACxC,CACF,GAEEuE,EAAO,sBAAsB,GAAK,CAACA,EAAO,wBAAwB,IACpEA,EAAO,wBAAwB,EAAKvE,GAAS,CAC3CuE,EAAO,sBAAsB,EAC3B,OAAO,OAAO,CAAE,MAAOvE,EAAK,EAAG,EAAGA,CAAI,CACxC,CACF,EAEJ,CAKA,SAASwE,GAAUD,EAAQ,CACzBD,GAAiBC,CAAM,EACvBrG,EAAQ,KAAKqG,CAAM,CACrB,CAKA,SAASE,GAAaF,EAAQ,CAC5B,IAAM9H,EAAQyB,EAAQ,QAAQqG,CAAM,EAChC9H,IAAU,IACZyB,EAAQ,OAAOzB,EAAO,CAAC,CAE3B,CAOA,SAAS0C,GAAKuF,EAAOlO,EAAM,CACzB,IAAM8K,EAAKoD,EACXxG,EAAQ,QAAQ,SAASqG,GAAQ,CAC3BA,GAAOjD,CAAE,GACXiD,GAAOjD,CAAE,EAAE9K,CAAI,CAEnB,CAAC,CACH,CAMA,SAASmO,GAAwB5O,EAAI,CACnC,OAAAqF,GAAW,SAAU,kDAAkD,EACvEA,GAAW,SAAU,kCAAkC,EAEhDiI,EAAiBtN,CAAE,CAC5B,CAGA,OAAO,OAAOgI,EAAM,CAClB,UAAAc,EACA,cAAA2B,EACA,aAAAiD,EACA,iBAAAJ,EAEA,eAAgBsB,GAChB,UAAArB,EACA,iBAAAE,EACA,uBAAAE,EACA,iBAAAG,EACA,mBAAAK,GACA,cAAAE,EACA,YAAAzF,GACA,gBAAAsF,GACA,cAAAtB,GACA,QAAAhF,GACA,UAAA6G,GACA,aAAAC,EACF,CAAC,EAED1G,EAAK,UAAY,UAAW,CAAEI,EAAY,EAAO,EACjDJ,EAAK,SAAW,UAAW,CAAEI,EAAY,EAAM,EAC/CJ,EAAK,cAAgB1C,GAErB0C,EAAK,MAAQ,CACX,OAAQ1H,GACR,UAAWD,GACX,OAAQM,GACR,SAAUH,GACV,iBAAkBD,EACpB,EAEA,QAAW5B,KAAO4E,GAEZ,OAAOA,GAAM5E,CAAG,GAAM,UAExBb,GAAWyF,GAAM5E,CAAG,CAAC,EAKzB,cAAO,OAAOqJ,EAAMzE,EAAK,EAElByE,CACT,EAGMc,GAAYf,GAAK,CAAC,CAAC,EAIzBe,GAAU,YAAc,IAAMf,GAAK,CAAC,CAAC,EAErClK,GAAO,QAAUiL,GACjBA,GAAU,YAAcA,GACxBA,GAAU,QAAUA,KCviFpB,IAAA+F,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAIC,EAAM,CAEjB,IAAMC,EAAsB,qGAYtBC,EARN,kCAIA,kjCAiBMC,EATN,oGAIA,0sDAQMC,EACN,4SAGMC,EACN,oiMAaMC,EACN,ys4CA0EMC,EACN,+wNAaMC,EACNJ,EACEC,EAA4BC,EAC5BC,EAGIE,EACN,4cAGMC,EACN,iwxBAgDMC,EACN,83DAKMC,EACN,qjBAGMC,EACN,ixIASMC,EACN,8OAGMC,EACN,0MAGMC,EACN,yOAGMC,EACN,yrBAGMC,EACN,oUAGMC,GACN,wLAGMC,EACN,k1HAQMC,GACN,yjIASMC,GACN,u6PAcMC,GACN,q+CAKMC,GACN,snBAGMC,GACN,y6BAIMC,GACN,u2BAMMC,GACN,g+CAIMC,GACN,qmCAIMC,EACN,w7UAmBMC,EACN,i7MAWMC,EACNtB,EACEC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,GACAC,EACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,EACAC,EA8CIE,GA1CN,o7oBAsCA,y0BASMC,GAAU,8IAGVC,GAAUlC,EAAK,QAAQA,EAAK,WAAW,EAGvCmC,GAAU,CACd,UAAW,SACX,MAAO,QACP,IAAK,MACL,SAAU,CAAE,CAAE,MAAO,IAAK,CAAE,CAC9B,EAGMC,GAAO,CACX,MAAO,IACP,IAAK,IACL,aAAc,GACd,WAAY,GACZ,SAAU,CACR,CACE,UAAW,SACX,MAAO,kCACT,CACF,CACF,EAGMC,GAAWrC,EAAK,QAAQA,EAAK,mBAAmB,EAGhDsC,GAAO,CACX,UAAW,OAEX,MAAO,MACP,IAAK,IACL,SAAU,CACR,SAAUrC,EACV,QAASC,EAAUC,CACrB,EACA,SAAU,CAAEkC,EAAS,CACvB,EAGME,GAAS,CACb,UAAW,SACX,MAAO,IACP,IAAK,MACL,WAAY,EACd,EAGMC,GAAW,CACf,UAAW,WACX,SAAU,CACR,CACE,MAAO,oGACP,IAAK,MACL,SAAU,mGACZ,EACA,CACE,MAAO,gKACP,SAAU,+JACZ,CACF,EACA,SAAU,CACR,CACE,MAAO,MACP,IAAK,MACL,WAAY,GACZ,SAAU,CACR,CACE,UAAW,SACX,MAAOvC,EACP,IAAK,IACL,WAAY,GACZ,eAAgB,GAChB,SAAU,CACR,SAAUA,EACV,QAAS,2BACT,QAASgC,EACX,EACA,SAAU,CACRC,GACAC,GACAC,EACF,CACF,EACAC,EACF,CACF,EACArC,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOC,CAAoB,CAAC,CAC9D,CACF,EAEA,MAAO,CACL,KAAM,gBACN,iBAAkB,GAClB,SAAU,CACR,SAAUA,EACV,QAASC,EACT,SAAUM,EACV,MAAOuB,EACP,KAAMC,GACN,QAASC,EACX,EACA,SAAU,CACRK,GACAE,GACAH,GACAE,GACAL,GACAC,GACAC,EACF,CACF,CACF,CAEAtC,GAAO,QAAUC,KCxhBjB,IAAA0C,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAQ,yBAERC,EAAW,CACf,QACA,MACA,OACA,KACA,OACA,MACA,QACA,SACA,SACA,OACA,KACA,OACA,QACA,KACA,QACA,KACF,EAEMC,EAAUJ,EAAK,QAAQ,IAAK,GAAG,EAE/BK,EAAkB,CACtB,MAAO,SACP,MAAO,gCACT,EAEMC,EAAmB,CACvB,MAAO,SACP,MAAO,gCACT,EAEMC,EAAuB,CAC3B,MAAO,SACP,MAAO,yCACT,EAEMC,EAAmB,CACvB,MAAO,SACP,MAAO,eACT,EAEMC,EAAmB,CACvB,MAAO,YACP,MAAOR,EAAM,OAAOC,EAAO,UAAU,CACvC,EAOA,MAAO,CACL,KAAM,6BACN,QAAS,mBACT,SAAUC,EACV,SAAU,CATO,CACjB,MAAO,WACP,MAAO,MACT,EAQIM,EACAL,EACAC,EACAC,EACAC,EACAC,EACAR,EAAK,kBACLA,EAAK,WACP,CACF,CACF,CAEAF,GAAO,QAAUC,KCjFjB,IAAAW,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAUC,EAAM,CACvB,IAAMC,EAAQD,EAAK,MAEbE,EAAa,CACjB,MACA,OACA,OACA,MACA,SACA,UACA,UACA,QACA,OACF,EACA,MAAO,CACL,KAAM,oBACN,SAAU,CAER,CACE,UAAW,SACX,MAAO,mDACP,UAAW,CACb,EAEA,CACE,UAAW,SACX,MAAO,UACP,UAAW,CACb,EAEA,CACE,UAAW,SACX,MAAOD,EAAM,OAAO,IAAKA,EAAM,OAAO,GAAGC,CAAU,CAAC,EACpD,IAAK,IACL,SAAUA,EACV,QAAS,KACT,UAAW,EACX,SAAU,CACR,CACE,MAAO,kBACP,UAAW,CACb,CACF,CACF,EAEA,CACE,UAAW,SAIX,MAAO,oBACP,QAAS,KACT,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,QAAS,KACT,UAAW,CACb,EAEA,CACE,UAAW,SACX,MAAO,sBACP,IAAK,IACL,QAAS,KACT,UAAW,CACb,EAEA,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,QAAS,KACT,UAAW,CACb,CACF,CACF,CACF,CAEAJ,GAAO,QAAUC,KC3FjB,IAAAI,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAaC,EAAM,CAC1B,IAAMC,EAAQD,EAAK,MACbE,EAAW,2BACXC,EAAcF,EAAM,OACxBC,EACAD,EAAM,OAAO,OAAQC,EAAU,IAAI,CACrC,EACME,EAA4B,iCAE5BC,EAAoB,CACxB,UAAW,WACX,MAAO,SACP,IAAKH,EACL,UAAW,EACb,EA6DA,MAAO,CACL,KAAM,eACN,QAAS,CAAE,IAAK,EAChB,SAAU,CACR,QA/Da,CACf,KACA,QACA,OACA,QACA,QACA,QACA,WACA,UACA,SACA,KACA,UACA,OACA,OACA,UACA,QACA,UACA,MACA,WACA,MACA,KACA,aACA,SACA,KACA,UACA,aACA,YACA,WACA,KACA,YACA,SACA,MACA,WACA,UACA,UACA,YACA,SACA,SACA,MACA,SACA,QACA,SACA,OACA,QACA,MACA,SACA,MACA,MACA,OACA,QACA,MACF,EAaI,QAZa,CACf,OACA,QACA,OACA,WACF,CAQE,EACA,SAAU,CACRF,EAAK,iBACLA,EAAK,kBACLA,EAAK,oBACLA,EAAK,qBACLA,EAAK,cACL,CACE,MAAO,CACL,YACA,MACAG,CACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,aACL,CACF,EACA,CACE,MAAO,CACL,2CACA,MACAD,CACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,aACL,CACF,EACA,CACE,UAAW,OACX,cAAe,iBACf,IAAK,IACL,SAAU,CAAE,QAAS,gBAAiB,CACxC,EACA,CACE,cAAe,WACf,IAAK,OACL,WAAY,GACZ,QAAS,KACT,SAAU,CACRF,EAAK,QAAQA,EAAK,WAAY,CAAE,UAAW,gBAAiB,CAAC,EAC7D,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAU,CACRA,EAAK,iBACLA,EAAK,kBACLA,EAAK,oBACLA,EAAK,qBACLK,CACF,CACF,EACA,CAAE,MAAOJ,EAAM,OAAO,OAAQG,CAAyB,CAAE,CAC3D,CACF,EACAJ,EAAK,YACP,EACA,QAAS,GACX,CACF,CAEAF,GAAO,QAAUC,KCxJjB,IAAAO,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAoBA,SAASC,GAAIC,EAAM,CAKjB,IAAMC,EAAa,cACbC,EAAc,YAAcD,EAC5BE,EAAqBF,EAAa,OAASA,EAAa,MAAaC,EAAc,KAGnFE,EAAmB,OAGnBC,EAAY,QAFOJ,EAAa,IAAMG,EAAmB,OAASA,EAAmB,OAAmBF,EAAc,MAE9E,IAAMC,EAAqB,IAGnEG,EAAW,4BAGXC,EAAY,eAGZC,EAAWR,EAAK,QAAQ,KAAM,GAAG,EAKjCS,EAAY,CAIhB,MAAO,YACP,IAAK,sBAGL,QAASF,EACT,SAAU,CACR,CAGE,cAAe,0BACf,WAAY,EACd,EACA,CAEE,UAAW,UACX,cAAe,sEACjB,EACA,CACE,UAAW,OACX,MAAOD,EACP,WAAY,GACZ,UAAW,CACb,CACF,CACF,EA4EA,MAAO,CACL,KAAM,MACN,iBAAkB,GAClB,SAAU,CACR,QA9Ea,CACf,QACA,OACA,MACA,SACA,MACA,QACA,MACA,UACA,WACA,MACA,SACA,QACA,SACA,SACA,YACA,KACA,WACA,UACA,OACA,KACA,OACA,MACA,SACA,UACA,MACA,MACA,MACA,eACA,QACA,WACA,aACA,KACA,SACA,UACA,UACA,OACA,QACA,OACA,SACA,YACA,OACA,UACA,OACA,KACA,YACA,OACA,OACA,KACA,YACA,WACA,YACA,KACA,QACA,MACA,UACA,QACA,QACA,UACA,SACA,OACA,QACA,OACA,MACA,QACA,SACA,UACA,OACA,KACA,MACA,UACA,KACF,EAOI,QAAS,CACP,OACA,OACF,CACF,EACA,SAAU,CACRE,EAEA,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,KACP,UAAW,CACb,CACF,CACF,EAEA,CAEE,UAAW,SACX,MAAO,KACT,EACA,CAEE,UAAW,SACX,MAAOH,EACP,UAAW,CACb,EACA,CAEE,UAAW,SACX,MAAO,IAAMC,CACf,EACA,CAEE,UAAW,QACX,MAAO,8DACP,IAAK,SACL,SAAU,eACV,aAAc,GACd,WAAY,GACZ,QAASC,CACX,EACA,CAGE,MAAO,yDACP,IAAK,sCACL,SAAU,uDAGV,YAAa,GACb,SACQ,CACEC,EACA,CAEE,UAAW,QACX,MAAO,4CACP,IAAK,eACL,aAAc,GACd,WAAY,GACZ,QAASD,CACX,EAGAE,EACA,CAEE,UAAW,OACX,MAAO,gBACP,IAAK,aACL,SAAU,SACV,aAAc,GACd,WAAY,GAEZ,WAAY,GACZ,QAASF,CAEX,CACF,CACV,EACA,CAGE,UAAW,OACX,MAAO,oBACP,IAAK,OACL,SAAU,OACV,aAAc,GACd,QAASA,CACX,EAGAE,CAOF,CACF,CACF,CAEAX,GAAO,QAAUC,KCxQjB,IAAAW,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAYC,EAAM,CACzB,IAAMC,EAAkB,CACtB,UAAW,WACX,MAAO,yHACT,EAEMC,EAAmB,CACvB,UAAW,SACX,MAAO,gBACT,EAEMC,EAAc,CAClB,UAAW,UACX,MAAO,IACP,IAAK,IACL,SAAU,CACRF,EACAC,CACF,CACF,EAEA,OAAAD,EAAgB,SAAW,CAAEE,CAAY,EACzCD,EAAiB,SAAW,CAAEC,CAAY,EAmDnC,CACL,KAAM,cACN,QAAS,CAAE,KAAM,EAEjB,SArDe,CACf,MACA,OACA,QACA,WACA,QACA,OACA,SACA,KACA,OACA,OACA,SACA,YACA,KACA,OACA,KACA,MACA,MACA,MACA,QACA,KACA,WACA,MACA,WACA,QACA,UACA,SACA,QACA,YACA,QACA,SACA,WACA,WACA,OACA,UACA,UACA,OACA,QACA,SACA,OACA,YACA,aACA,MACA,QACA,YACA,WACA,UACF,EASE,QAAS,uDAET,SAAU,CACR,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,QAAS,MACT,SAAU,CAAEH,EAAK,gBAAiB,EAClC,UAAW,CACb,EAGA,CACE,UAAW,SACX,MAAO,MACP,IAAK,KACP,EAEA,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,QAAS,MACT,SAAU,CAAEA,EAAK,gBAAiB,EAClC,UAAW,CACb,EAEAA,EAAK,oBACLA,EAAK,qBAEL,CACE,UAAW,SACX,MAAO,WACP,IAAK,KACP,EAEA,CACE,cAAe,sBACf,IAAK,KACL,QAAS,UACT,SAAU,CACR,CACE,UAAW,SACX,MAAO,eACT,CACF,CACF,EAEA,CACE,cAAe,QACf,IAAK,KACL,QAAS,UACT,SAAU,CACR,CACE,UAAW,SACX,MAAO,gBACP,SAAU,CACR,CACE,MAAO,WACP,SAAU,CACR,CACE,UAAW,SACX,MAAO,eACT,CACF,CACF,CACF,CACF,CACF,CACF,EAEAC,EACAC,EAEA,CACE,UAAW,UACX,MAAO,sBACT,EAEA,CACE,UAAW,SACX,UAAW,EACX,MAAO,oFACT,CACF,CACF,CACF,CAEAJ,GAAO,QAAUC,KCjLjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAWA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAa,CACjB,UAAW,SACX,MAAO,SACT,EACMC,EAAS,CACb,UAAW,SACX,MAAO,OACT,EACMC,EAAa,CACjB,UAAW,SACX,MAAO,+CACT,EACMC,EAAc,CAClB,UAAW,SACX,MAAO,UACT,EACA,MAAO,CACL,KAAM,gBACN,QAAS,CAAE,YAAa,EACxB,iBAAkB,GAClB,SAAU,CACRJ,EAAK,kBACL,CACE,UAAW,UACX,MAAO,OACP,IAAK,IACL,SAAU,CACRG,EACAC,EAGAJ,EAAK,QAAQA,EAAK,kBAAmB,CAAE,UAAW,CAAE,CAAC,CACvD,CACF,EACA,CACE,UAAW,YACX,MAAO,MACP,UAAW,EAGX,SAAU,CAAE,EAAG,CACb,QACA,OACA,QACA,SACA,cACA,gBACA,cACA,eACA,aACA,gBACA,aACA,UACA,SACA,SACA,aACA,YACF,CAAE,EACF,OAAQ,CACN,IAAK,IACL,UAAW,EACX,SAAU,CAAE,QAAS,uBAAwB,EAC7C,SAAU,CACR,CACE,UAAW,OACX,MAAO,OACP,IAAK,KACP,EACA,CACE,UAAW,WACX,MAAO,UACP,IAAK,KACL,SAAU,CACR,OACAC,CACF,CACF,EACAE,EACAD,EACAF,EAAK,iBACP,CACF,CACF,CACF,EACA,QAAS,IACX,CACF,CAEAF,GAAO,QAAUC,KCpGjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAYC,EAAM,CACzB,IAAMC,EAAQD,EAAK,MACbE,EAASF,EAAK,QAClBA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,EACrCG,EAAS,CACb,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAU,CACR,OACAH,EAAK,cACLE,CACF,CACF,EACME,EAAiBJ,EAAK,QAAQ,KAAM,GAAG,EACvCK,EAAiBL,EAAK,QAC1B,OACA,OACA,CAAE,SAAU,CACV,OACAI,CACF,CAAE,CACJ,EACME,EAAW,CACfF,EACAC,EACAL,EAAK,iBACP,EAEMO,EAAmB,CACvB,aACA,aACA,aACA,SACA,eACA,kEACA,kCACA,8BACA,eACA,uBACA,oBACA,oBACA,qBACA,aACF,EAEMC,EAAoB,CACxB,iBACA,gBACA,WACA,sBACA,eACA,UACA,0BACA,gBACA,eACA,kBACA,sBACA,gBACA,aACA,mBACA,cACA,cACA,0BACA,uBACA,2BACA,mBACA,oFACA,wBACF,EAEA,MAAO,CACL,KAAM,cACN,QAAS,CAAE,WAAY,EACvB,SAAU,CACR,QACE,0iBAUF,QACE,mEACF,SACE,sUAOJ,EACA,SAAU,CACRN,EACAF,EAAK,cACL,CACE,UAAW,WACX,MAAOC,EAAM,OACX,KACAA,EAAM,OAAO,GAAGO,CAAiB,EACjC,IACF,CACF,EACA,CACE,UAAW,WACX,MAAO,cACT,EACA,CACE,UAAW,UACX,MACE,8DACJ,EACA,CACE,UAAW,UACX,MAAOP,EAAM,OACX,KACAA,EAAM,OAAO,GAAGM,CAAgB,EAChC,IACF,CACF,EACA,CACE,cAAe,KACf,QAAS,WACT,SAAU,CACRP,EAAK,sBACLG,CACF,CACF,EACA,GAAGG,CACL,EACA,QAAS,iBACX,CACF,CAEAR,GAAO,QAAUC,KCpJjB,IAAAU,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAW,yBACXC,EAAW,CACf,QAAS,CACP,KACA,MACA,QACA,MACA,MACA,WACA,KACA,SACA,OACA,OACA,OACF,EACA,QAAS,CACP,YACA,cACA,QACA,eACA,WACA,MACA,UACA,OACA,KACA,cACA,MACA,iBACA,OACA,WACF,EACA,SAAU,CACR,MACA,OACA,MACA,QACA,MACA,OACA,eACA,QACA,OACA,OACA,QACA,cACA,UACA,OACA,UACA,UACA,SACA,iBACA,OACA,WACA,OACA,cACA,UACA,YACA,WACA,mBACA,MACA,QACA,UACA,MACA,OACA,UACA,WACA,MACA,SACA,eACA,UACA,kBACA,aACA,aACA,WACA,WACA,mBACA,WACA,SACA,aACA,aACA,qBACA,SACA,QACA,MACA,UACA,SACA,UACA,aACA,0BACA,iBACA,mBACA,yBACA,+BACA,SACA,OACA,QACA,QACA,eACA,gBACA,WACA,aACA,aACA,WACA,gBACA,UACA,UACA,OACA,OACA,SACA,OACA,MACA,WACA,UACA,SACA,eACA,aACA,UACA,QACA,WACA,UACA,aACA,UACA,qBACA,WACA,SACA,SACA,WACA,iBACA,MACA,QACA,MACA,MACA,OACA,MACA,cACA,MACA,SACA,QACA,wBACA,aACA,oBACA,OACA,MACA,SACA,WACA,UACA,WACA,QACA,UACA,WACA,MACA,SACA,MACA,SACA,OACA,SACA,SACA,SACA,UACA,SACA,UACA,UACA,kBACA,SACA,QACA,SACA,SACA,cACA,WACA,MACA,QACA,OACA,SACA,QACA,OACA,QACA,cACA,cACA,WACA,MACA,sBACA,MACA,OACA,YACA,aACA,cACA,QACA,QACA,UACA,QACA,UACA,QACA,sBACA,0BACA,2BACA,uBACA,oBACA,mBACA,kBACA,sBACA,gBACA,mBACA,sBACA,aACA,eACA,mBACA,iBACA,cACA,OACA,SACA,QACA,QACA,YACA,WACA,OACA,UACA,OACA,SACA,MACF,CACF,EACMC,EAAS,CACb,UAAW,SACX,MAAO,0GACT,EACMC,EAAS,CACb,UAAW,SACX,SAAU,CACR,CAAE,MAAO,iBAAkB,EAC3B,CAAE,MAAO,kBAAmB,EAC5B,CAAE,MAAOJ,EAAK,WAAY,CAC5B,EACA,UAAW,CACb,EACMK,EAAQ,CACZ,UAAW,QACX,MAAO,SACP,IAAK,MACL,SAAUH,EACV,SAAU,CAAC,CACb,EACMI,EAAkB,CACtB,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CACRN,EAAK,iBACLK,CACF,CACF,EACAA,EAAM,SAAW,CACfL,EAAK,iBACLA,EAAK,kBACLM,EACAF,EACAJ,EAAK,WACP,EACA,IAAMO,EAAkBF,EAAM,SAAS,OAAO,CAC5CL,EAAK,qBACLA,EAAK,mBACP,CAAC,EAED,MAAO,CACL,KAAM,gBACN,iBAAkB,GAClB,SAAUE,EACV,SAAU,CACRF,EAAK,iBACLA,EAAK,kBACLM,EACAN,EAAK,oBACLA,EAAK,qBACLG,EACAC,EACA,CACE,MAAO,UACP,UAAW,EACX,SAAU,CACR,CACE,MAAOH,EAAW,QAClB,YAAa,GACb,UAAW,EACX,SAAU,CACR,CACE,UAAW,OACX,MAAOA,EACP,UAAW,CACb,CACF,CACF,CACF,CACF,EACA,CACE,MAAO,IAAMD,EAAK,eAAiB,uBACnC,SAAU,SACV,SAAU,CACRA,EAAK,oBACLA,EAAK,qBACLA,EAAK,YACL,CACE,UAAW,WACX,MAAO,cAAgBC,EAAW,UAClC,YAAa,GACb,IAAK,SACL,SAAU,CACR,CACE,UAAW,SACX,SAAU,CACR,CAAE,MAAOA,CAAS,EAClB,CAAE,MAAO,SAAU,EACnB,CACE,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,SAAUC,EACV,SAAUK,CACZ,CACF,CACF,CACF,CACF,CACF,EACA,UAAW,CACb,EACA,CACE,cAAe,WACf,IAAK,KACL,WAAY,GACZ,SAAU,CACRP,EAAK,QAAQA,EAAK,WAAY,CAC5B,UAAW,iBACX,MAAOC,CACT,CAAC,EACD,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,SAAUM,CACZ,CACF,EACA,QAAS,MACX,EACA,CAAE,MAAO,QAAS,CACpB,EACA,QAAS,QACX,CACF,CAEAT,GAAO,QAAUC,KCxWjB,IAAAS,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAUC,EAAM,CACvB,IAAMC,EAAQD,EAAK,MAIbE,EAAsBF,EAAK,QAAQ,KAAM,IAAK,CAAE,SAAU,CAAE,CAAE,MAAO,MAAO,CAAE,CAAE,CAAC,EACjFG,EAAmB,qBACnBC,EAAe,kBACfC,EAAuB,WACvBC,EAAmB,cACrBH,EAAmB,IACnBF,EAAM,SAASG,CAAY,EAC3B,gBAAkBH,EAAM,SAASI,CAAoB,EACvD,IAEIE,EAAsB,CAC1B,UAAW,OACX,MAAO,oBACT,EAIMC,EAAoB,uDACpBC,EAAU,CACd,UAAW,SACX,SAAU,CACR,CACE,MAAO,cACP,IAAK,IACL,QAAS,MACT,SAAU,CAAET,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,eAAkBQ,EAAoB,MAC7C,IAAK,IACL,QAAS,GACX,EACAR,EAAK,kBAAkB,CACrB,MAAO,mCACP,IAAK,qBACP,CAAC,CACH,CACF,EAEMU,EAAU,CACd,UAAW,SACX,SAAU,CACR,CAAE,MAAO,eAAiB,EAC1B,CAAE,MAAO,uFAA2F,EACpG,CAAE,MAAO,qFAA2F,CACtG,EACA,UAAW,CACb,EAEMC,EAAe,CACnB,UAAW,OACX,MAAO,eACP,IAAK,IACL,SAAU,CAAE,QACR,wFACwC,EAC5C,SAAU,CACR,CACE,MAAO,OACP,UAAW,CACb,EACAX,EAAK,QAAQS,EAAS,CAAE,UAAW,QAAS,CAAC,EAC7C,CACE,UAAW,SACX,MAAO,OACT,EACAP,EACAF,EAAK,oBACP,CACF,EAEMY,EAAa,CACjB,UAAW,QACX,MAAOX,EAAM,SAASG,CAAY,EAAIJ,EAAK,SAC3C,UAAW,CACb,EAEMa,EAAiBZ,EAAM,SAASG,CAAY,EAAIJ,EAAK,SAAW,UAGhEc,EAAoB,CACxB,UACA,UACA,MACA,SACA,MACA,gBACA,gBACA,kBACA,OACA,SACA,QACA,QACA,OACA,QACA,QACA,WACA,YACA,WACA,QACA,UACA,gBACA,YACA,YACA,YACA,WACA,WACA,UACA,SACA,KACA,kBACA,OACA,OACA,WACA,SACA,SACA,QACA,QACA,MACA,SACA,OACA,KACA,SACA,SACA,SACA,UACA,YACA,MACA,WACA,MACA,SACA,UACA,WACA,KACA,QACA,WACA,UACA,YACA,SACA,WACA,WACA,sBACA,WACA,SACA,SACA,gBACA,iBACA,SACA,SACA,eACA,WACA,OACA,eACA,QACA,mBACA,2BACA,OACA,MACA,UACA,SACA,WACA,QACA,QACA,UACA,WACA,QACA,MACA,QACF,EAGMC,EAAiB,CACrB,OACA,OACA,WACA,WACA,UACA,SACA,QACA,MACA,OACA,QACA,OACA,UACA,WACA,SACA,QACA,QACF,EAEMC,EAAa,CACjB,MACA,WACA,UACA,mBACA,SACA,UACA,qBACA,yBACA,qBACA,QACA,aACA,SACA,YACA,mBACA,gBACA,UACA,QACA,aACA,WACA,WACA,QACA,WACA,gBACA,gBACA,OACA,UACA,iBACA,QACA,kBACA,wBACA,cACA,MACA,gBACA,cACA,eACA,qBACA,aACA,QACA,cACA,eACA,cACA,SACA,YACA,QACA,cACA,aACA,gBACA,qBACA,qBACA,gBACA,UACA,SACA,WACA,UACA,cACF,EAEMC,EAAiB,CACrB,QACA,MACA,OACA,QACA,WACA,OACA,OACA,QACA,SACA,OACA,OACA,MACA,OACA,MACA,OACA,OACA,UACA,OACA,WACA,OACA,MACA,OACA,QACA,OACA,UACA,UACA,QACA,OACA,QACA,SACA,SACA,SACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,WACA,OACA,UACA,QACA,MACA,QACA,YACA,cACA,4BACA,aACA,cACA,SACA,SACA,SACA,SACA,SACA,OACA,OACA,MACA,SACA,UACA,OACA,UACA,QACA,MACA,OACA,WACA,UACA,OACA,SACA,MACA,SACA,QACA,SACA,SACA,SACA,SACA,SACA,UACA,SACA,UACA,UACA,UACA,UACA,UACA,SACA,SACA,OACA,MACA,OACA,YACA,gBACA,UACA,UACA,WACA,QACA,UACA,UACF,EAaMC,EAAe,CACnB,KAAMH,EACN,QAASD,EACT,QAde,CACf,OACA,QACA,UACA,UACA,MACF,EASE,SANe,CAAE,SAAU,EAO3B,YAAaE,CACf,EAEMG,EAAoB,CACxB,UAAW,oBACX,UAAW,EACX,SAAU,CAER,MAAOF,CAAe,EACxB,MAAOhB,EAAM,OACX,KACA,eACA,SACA,UACA,aACA,YACAD,EAAK,SACLC,EAAM,UAAU,kBAAkB,CAAC,CACvC,EAEMmB,EAAsB,CAC1BD,EACAR,EACAJ,EACAL,EACAF,EAAK,qBACLU,EACAD,CACF,EAEMY,GAAqB,CAIzB,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,KACP,IAAK,IACP,EACA,CACE,cAAe,wBACf,IAAK,GACP,CACF,EACA,SAAUH,EACV,SAAUE,EAAoB,OAAO,CACnC,CACE,MAAO,KACP,IAAK,KACL,SAAUF,EACV,SAAUE,EAAoB,OAAO,CAAE,MAAO,CAAC,EAC/C,UAAW,CACb,CACF,CAAC,EACD,UAAW,CACb,EAEME,EAAuB,CAC3B,UAAW,WACX,MAAO,IAAMhB,EAAmB,eAAiBO,EACjD,YAAa,GACb,IAAK,QACL,WAAY,GACZ,SAAUK,EACV,QAAS,iBACT,SAAU,CACR,CACE,MAAOf,EACP,SAAUe,EACV,UAAW,CACb,EACA,CACE,MAAOL,EACP,YAAa,GACb,SAAU,CAAED,CAAW,EACvB,UAAW,CACb,EAGA,CACE,MAAO,KACP,UAAW,CACb,EAEA,CACE,MAAO,IACP,eAAgB,GAChB,SAAU,CACRH,EACAC,CACF,CACF,EAGA,CACE,UAAW,EACX,MAAO,GACT,EACA,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAUQ,EACV,UAAW,EACX,SAAU,CACRhB,EACAF,EAAK,qBACLS,EACAC,EACAH,EAEA,CACE,MAAO,KACP,IAAK,KACL,SAAUW,EACV,UAAW,EACX,SAAU,CACR,OACAhB,EACAF,EAAK,qBACLS,EACAC,EACAH,CACF,CACF,CACF,CACF,EACAA,EACAL,EACAF,EAAK,qBACLW,CACF,CACF,EAEA,MAAO,CACL,KAAM,MACN,QAAS,CACP,KACA,MACA,MACA,MACA,KACA,MACA,KACF,EACA,SAAUO,EACV,QAAS,KACT,iBAAkB,CAAE,oBAAqB,UAAW,EACpD,SAAU,CAAC,EAAE,OACXG,GACAC,EACAH,EACAC,EACA,CACET,EACA,CACE,MAAO,4MACP,IAAK,IACL,SAAUO,EACV,SAAU,CACR,OACAX,CACF,CACF,EACA,CACE,MAAOP,EAAK,SAAW,KACvB,SAAUkB,CACZ,EACA,CACE,MAAO,CAEL,wDACA,MACA,KACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,aACL,CACF,CACF,CAAC,CACL,CACF,CAUA,SAASK,GAAQvB,EAAM,CACrB,IAAMwB,EAAa,CACjB,KAAM,CACJ,UACA,OACA,OACA,QACF,EACA,SAAU,CACR,qBACA,kBACA,iBACA,iBACA,iBACA,gBACA,eACA,eACA,cACA,aACA,aACA,aACA,aACA,aACA,aACA,YACA,YACA,YACA,YACA,YACA,YACA,WACA,WACA,WACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,QACA,QACA,QACA,OACA,OACA,OACA,OACA,OACA,MACA,MACA,MACA,IACF,EACA,OAAQ,CACN,QACA,OACA,gCACA,wBACA,wBACA,uBACA,uBACA,sBACA,sBACA,qBACA,qBACA,qBACA,qBACA,qBACA,oBACA,oBACA,oBACA,oBACA,oBACA,oBACA,oBACA,oBACA,oBACA,oBACA,mBACA,mBACA,mBACA,mBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,iBACA,iBACA,iBACA,iBACA,gBACA,gBACA,gBACA,gBACA,gBACA,gBACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,eACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,SACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,MACA,MACA,MACA,MACA,MACA,MACA,MACA,MACA,MACA,MACA,MACA,MACA,KACF,EACA,QAAS,CACP,kBACA,iBACA,iBACA,iBACA,gBACA,eACA,eACA,eACA,eACA,cACA,cACA,cACA,WACA,WACA,UACA,SACA,QACA,OACA,KACF,CACF,EAEMC,EAAU1B,GAAUC,CAAI,EAExB0B,EAAyCD,EAAQ,SAEvD,OAAAC,EAAI,KAAO,CACT,GAAGA,EAAI,KACP,GAAGF,EAAW,IAChB,EACAE,EAAI,QAAU,CACZ,GAAGA,EAAI,QACP,GAAGF,EAAW,OAChB,EACAE,EAAI,SAAW,CACb,GAAGA,EAAI,SACP,GAAGF,EAAW,QAChB,EACAE,EAAI,OAASF,EAAW,OAExBC,EAAQ,KAAO,UACfA,EAAQ,QAAU,CAAE,KAAM,EAC1BA,EAAQ,WAAa,MAEdA,CACT,CAEA3B,GAAO,QAAUyB,KCx8BjB,IAAAI,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAOC,EAAM,CAGpB,IAAMC,EAAU,CAAE,SAAU,CAC1BD,EAAK,QAAQ,gBAAiB,IAAK,CACjC,UAAW,EACX,aAAc,EAChB,CAAC,EACDA,EAAK,QAAQ,OAAQ,IAAK,CAAE,UAAW,CAAE,CAAC,EAC1CA,EAAK,oBACLA,EAAK,oBACP,CAAE,EAEF,MAAO,CACL,KAAM,eACN,iBAAkB,GAClB,QAAS,CAAE,KAAM,EACjB,SAAU,CACR,SAAU,OAASA,EAAK,SACxB,KAEE,6tBAGF,SACE,y1BAkBJ,EACA,SAAU,CACR,CACE,UAAW,UACX,MAAO,4tBAkBT,EACAC,EACAD,EAAK,kBACL,CACE,UAAW,SACX,MAAO,IACP,IAAK,WACL,UAAW,CACb,EACA,CACE,UAAW,QACX,MAAO,MACP,IAAK,MACL,QAAS,MACT,UAAW,CACb,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,mBAAoB,EAC7B,CACE,MAAO,eAAgB,EACzB,CACE,MAAO,WAAY,EACrB,CACE,MAAO,SAAU,CACrB,EACA,UAAW,CACb,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,uCAAwC,EACjD,CACE,MAAO,+BAAgC,EACzC,CACE,MAAO,UAAW,CACtB,EACA,UAAW,CACb,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCvHjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAQD,EAAK,MAQbE,EAAcD,EAAM,OAAO,YAAaA,EAAM,SAAS,kBAAkB,EAAG,iBAAiB,EAC7FE,EAAe,mBACfC,EAAe,CACnB,UAAW,SACX,MAAO,kCACT,EACMC,EAAoB,CACxB,MAAO,KACP,SAAU,CACR,CACE,UAAW,UACX,MAAO,sBACP,QAAS,IACX,CACF,CACF,EACMC,EAAwBN,EAAK,QAAQK,EAAmB,CAC5D,MAAO,KACP,IAAK,IACP,CAAC,EACKE,EAAwBP,EAAK,QAAQA,EAAK,iBAAkB,CAAE,UAAW,QAAS,CAAC,EACnFQ,EAAyBR,EAAK,QAAQA,EAAK,kBAAmB,CAAE,UAAW,QAAS,CAAC,EACrFS,EAAgB,CACpB,eAAgB,GAChB,QAAS,IACT,UAAW,EACX,SAAU,CACR,CACE,UAAW,OACX,MAAON,EACP,UAAW,CACb,EACA,CACE,MAAO,OACP,UAAW,EACX,SAAU,CACR,CACE,UAAW,SACX,WAAY,GACZ,SAAU,CACR,CACE,MAAO,IACP,IAAK,IACL,SAAU,CAAEC,CAAa,CAC3B,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CAAEA,CAAa,CAC3B,EACA,CAAE,MAAO,cAAe,CAC1B,CACF,CACF,CACF,CACF,CACF,EACA,MAAO,CACL,KAAM,YACN,QAAS,CACP,OACA,QACA,MACA,OACA,MACA,MACA,MACA,QACA,MACA,KACF,EACA,iBAAkB,GAClB,aAAc,GACd,SAAU,CACR,CACE,UAAW,OACX,MAAO,UACP,IAAK,IACL,UAAW,GACX,SAAU,CACRC,EACAG,EACAD,EACAD,EACA,CACE,MAAO,KACP,IAAK,KACL,SAAU,CACR,CACE,UAAW,OACX,MAAO,UACP,IAAK,IACL,SAAU,CACRD,EACAC,EACAE,EACAD,CACF,CACF,CACF,CACF,CACF,CACF,EACAP,EAAK,QACH,OACA,MACA,CAAE,UAAW,EAAG,CAClB,EACA,CACE,MAAO,cACP,IAAK,QACL,UAAW,EACb,EACAI,EAEA,CACE,UAAW,OACX,IAAK,MACL,SAAU,CACR,CACE,MAAO,SACP,UAAW,GACX,SAAU,CACRI,CACF,CACF,EACA,CACE,MAAO,mBACT,CACF,CAEF,EACA,CACE,UAAW,MAMX,MAAO,iBACP,IAAK,IACL,SAAU,CAAE,KAAM,OAAQ,EAC1B,SAAU,CAAEC,CAAc,EAC1B,OAAQ,CACN,IAAK,YACL,UAAW,GACX,YAAa,CACX,MACA,KACF,CACF,CACF,EACA,CACE,UAAW,MAEX,MAAO,kBACP,IAAK,IACL,SAAU,CAAE,KAAM,QAAS,EAC3B,SAAU,CAAEA,CAAc,EAC1B,OAAQ,CACN,IAAK,aACL,UAAW,GACX,YAAa,CACX,aACA,aACA,KACF,CACF,CACF,EAEA,CACE,UAAW,MACX,MAAO,SACT,EAEA,CACE,UAAW,MACX,MAAOR,EAAM,OACX,IACAA,EAAM,UAAUA,EAAM,OACpBC,EAIAD,EAAM,OAAO,MAAO,IAAK,IAAI,CAC/B,CAAC,CACH,EACA,IAAK,OACL,SAAU,CACR,CACE,UAAW,OACX,MAAOC,EACP,UAAW,EACX,OAAQO,CACV,CACF,CACF,EAEA,CACE,UAAW,MACX,MAAOR,EAAM,OACX,MACAA,EAAM,UAAUA,EAAM,OACpBC,EAAa,GACf,CAAC,CACH,EACA,SAAU,CACR,CACE,UAAW,OACX,MAAOA,EACP,UAAW,CACb,EACA,CACE,MAAO,IACP,UAAW,EACX,WAAY,EACd,CACF,CACF,CACF,CACF,CACF,CAEAJ,GAAO,QAAUC,KChPjB,IAAAW,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAASC,EAAM,CACtB,IAAMC,EAAQD,EAAK,MACbE,EAAkB,CACtB,MAAO,iBACP,UAAW,EACb,EACMC,EAAqB,CAEzB,CAAE,MAAO,SAAU,EAInB,CAAE,MAAO,uBAAwB,EACjC,CAAE,MAAO,oBAAqB,EAC9B,CAAE,MAAO,oBAAqB,EAG9B,CAAE,MAAO,qBAAsB,CACjC,EACMC,EAAS,CAEb,CACE,UAAW,SACX,MAAO,qBACT,EAEA,CACE,UAAW,SACX,MAAOH,EAAM,OACX,OACA,oCACA,+BACA,MACF,EACA,UAAW,CACb,EAEA,CACE,UAAW,SAEX,MAAO,8BACT,EAEA,CACE,UAAW,SAEX,MAAO,8BACT,CACF,EACMI,EAAW,CAEf,CACE,UAAW,WACX,MAAO,mBACT,EAEA,CACE,UAAW,WACX,MAAOJ,EAAM,OACX,KACA,kCACA,6BACA,IACF,EACA,UAAW,CACb,EAEA,CACE,UAAW,WAEX,MAAO,4BACT,EAEA,CACE,UAAW,WAEX,MAAO,4BACT,EAEA,CACE,UAAW,WAEX,MAAO,iBACP,IAAK,aAEL,SAAU,CACR,CACE,MAAO,WACP,UAAW,CACb,CACF,EACA,UAAW,CACb,CACF,EACMK,EAAa,CACjB,UAAW,SACX,MAAO,6CACP,UAAW,EACb,EACMC,EAAc,CAClB,UAAW,SACX,MAAO,gCACT,EAEA,MAAO,CACL,KAAM,WACN,QAAS,CAAE,MAAO,EAClB,SAAU,CAERP,EAAK,QACH,YACA,YAIA,CAAE,UAAW,EAAG,CAClB,EAEAA,EAAK,QACH,MACA,IACA,CAAE,UAAW,CAAE,CACjB,EAEA,CACE,UAAW,QACX,MAAO,YACT,EAEA,CACE,MAAO,iBACP,IAAK,kBACL,UAAW,EACb,EAEA,CACE,UAAW,UACX,UAAW,GACX,SAAU,CACR,CAAE,MAAO,6BAAgC,EACzC,CAAE,MAAO,sCAAuC,CAClD,CACF,EAEA,CACE,UAAW,OACX,MAAO,SACP,IAAK,MACL,WAAY,GACZ,UAAW,EACb,EAEA,CACE,UAAW,OACX,MAAO,cACP,UAAW,CACb,EAEA,CACE,UAAW,QACX,MAAO,YACP,IAAK,YACL,UAAW,EACb,EAEA,CACE,UAAW,OACX,MAAO,mBACP,IAAK,mBACL,UAAW,EACb,EAEA,CACE,MAAO,cACP,IAAK,cACL,SAAU,CACR,CACE,MAAO,IACP,IAAK,IACL,YAAa,MACb,UAAW,CACb,CACF,EACA,UAAW,EACb,EAEAO,EACAD,EACA,GAAGH,EACH,GAAGC,EACH,GAAGC,EAGH,CACE,UAAW,SACX,SAAU,CACR,CAAE,MAAO,SAAU,EACnB,CAAE,MAAO,OAAQ,CACnB,CACF,EAEA,CACE,UAAW,OACX,MAAO,OACP,IAAK,cACP,EAEA,CACE,UAAW,OACX,MAAO,oBACP,UAAW,CACb,EAEA,CACE,UAAW,OACX,MAAO,UACP,IAAK,IACL,UAAW,CACb,EACAH,EAEA,CACE,MAAO,8DACP,YAAa,GACb,SAAU,CACR,CACE,MAAO,kBACP,UAAW,CACb,EACA,CACE,UAAW,OACX,MAAO,MACP,IAAK,UACL,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAO,MACP,IAAK,MACL,aAAc,GACd,WAAY,GACZ,UAAW,CACb,CACF,EACA,UAAW,EACb,CACF,CACF,CACF,CAEAJ,GAAO,QAAUC,KCpQjB,IAAAS,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAQC,EAAM,CACrB,IAAMC,EAAQD,EAAK,MACbE,EAAW,CACf,QACA,eACA,MACA,WACA,QACA,UACA,OACA,UACA,SACA,OACA,KACA,QACA,MACA,OACA,QACA,OACA,QACA,WACA,UACA,YACA,SACA,SACA,QACA,SACA,OACA,OACA,OACA,UACA,aACA,QACA,YACA,MACA,QACA,aACA,OACA,QACA,WACA,OACA,SACA,QACA,UACA,UACA,SACA,SACA,MACA,OACA,SACA,WACA,SACA,aACA,WACA,kBACA,UACA,aACA,QACA,iBACA,oBACA,uBACA,aACA,SACA,SACA,YACA,oBACA,UACA,gBACA,0BACA,mCACA,UACA,UACA,UACA,QACA,OACA,aACA,oBACF,EACMC,EAAY,CAChB,MACA,MACA,OACA,MACF,EAEA,MAAO,CACL,KAAM,UACN,SAAUD,EACV,QAAS,QACT,SAAU,CACRF,EAAK,QACH,SACA,OACA,CACE,UAAW,EACX,SAAU,CACR,CAEE,MAAO,OACP,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAO,YACT,CACF,CACF,CACF,EACAA,EAAK,oBACLA,EAAK,qBACLA,EAAK,iBACLA,EAAK,kBACL,CACE,UAAW,QACX,cAAe,SACf,IAAK,QACL,WAAY,GACZ,QAAS,YACT,SAAU,CACR,CAAE,cAAe,uFAAwF,EACzGA,EAAK,sBACL,CACE,MAAO,WACP,IAAK,OACL,SAAUE,EAAS,OAAOC,CAAS,EACnC,WAAY,EACd,CACF,CACF,EACA,CACE,UAAW,QACX,cAAe,kBACf,IAAK,QACL,WAAY,GACZ,UAAW,EACX,SAAU,kBACV,QAAS,WACT,SAAU,CACR,CAAE,cAAe,oBAAqB,EACtCH,EAAK,qBACP,CACF,EACA,CAEE,cAAe,kDACf,IAAK,MACL,WAAY,GACZ,QAAS,UACT,SAAU,CACR,CACE,MAAOC,EAAM,OAAOD,EAAK,oBAAqB,OAAO,EACrD,YAAa,GACb,SAAU,CAAEA,EAAK,qBAAsB,CACzC,CACF,CACF,EACA,CACE,MAAO,MACP,YAAa,GACb,IAAK,OACL,UAAW,EACX,WAAY,GACZ,SAAUE,EACV,QAAS,UACT,SAAU,CACR,CACE,MAAOD,EAAM,OAAOD,EAAK,oBAAqB,OAAO,EACrD,SAAUE,EAAS,OAAOC,CAAS,EACnC,UAAW,CACb,EACAH,EAAK,iBACP,CACF,EACA,CAEE,cAAe,YACf,UAAW,CACb,EACA,CAEE,UAAW,WACX,MAAO,2DACP,YAAa,GACb,IAAK,QACL,SAAUE,EACV,WAAY,GACZ,SAAU,CACR,CACE,MAAOD,EAAM,OAAOD,EAAK,oBAAqB,OAAO,EACrD,YAAa,GACb,UAAW,EACX,SAAU,CAAEA,EAAK,qBAAsB,CACzC,EACA,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,UAAW,EACX,SAAUE,EACV,SAAU,CACRF,EAAK,iBACLA,EAAK,kBACLA,EAAK,cACLA,EAAK,oBACP,CACF,EACAA,EAAK,oBACLA,EAAK,oBACP,CACF,EACAA,EAAK,cACL,CAEE,UAAW,OACX,MAAO,YACT,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCrOjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAWC,EAAM,CACxB,IAAMC,EAAkB,CAAE,MAAO,WAAY,EAE7C,MAAO,CACL,KAAM,aACN,iBAAkB,GAClB,QAAS,CAAE,KAAM,EACjB,SAAU,CACR,QAAS,uKACT,QAAS,wBACT,SAAU,2CACZ,EACA,SAAU,CACRA,EACAD,EAAK,QAAQA,EAAK,kBAAmB,CAAE,SAAU,CAAEC,CAAgB,CAAE,CAAC,EACtED,EAAK,QAAQ,IAAK,IAAK,CAAE,UAAW,CAAE,CAAC,EACvCA,EAAK,qBACL,CACE,UAAW,SACX,MAAOA,EAAK,UACZ,UAAW,CACb,EACA,CAIE,UAAW,WACX,MAAO,oBACT,EACA,CACE,UAAW,WACX,MAAO,oBAET,EACA,CAIE,UAAW,QACX,SAAU,CACR,CAAE,MAAO,mBAAoB,EAC7B,CACE,MAAO,mBAGP,UAAW,CACb,CACF,CACF,EACA,CACE,UAAW,OACX,MAAO,aACP,IAAK,IACL,UAAW,CACb,EACA,CACE,UAAW,WACX,MAAO,gBACT,EACA,CAEE,MAAO,QAAS,CACpB,CACF,CACF,CAEAF,GAAO,QAAUC,KC1EjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAW,4OAMXC,EAAa,CACjB,YACA,WACA,WACA,aACA,UACA,eACA,aACA,wBACA,SACA,SACA,eACA,WACA,UACA,iBACF,EAEMC,EAAU,qCAEVC,EACE,86JAEFC,EAAU,CAAE,SAAU,CAC1BL,EAAK,QAAQ,IAAK,IAAK,CAAE,UAAW,CAAE,CAAC,EACvCA,EAAK,QAAQ,MAAO,KAAK,EACzBA,EAAK,QAAQ,kBAAmB,eAAe,CACjD,CAAE,EAEIM,EAAW,CAAE,MAAO,eAAgB,EAEpCC,EAAS,CACb,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,KACP,UAAW,CACb,CACF,CACF,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,KACP,UAAW,CACb,CACF,CACF,CACF,CACF,EAEMC,EAAS,CAAE,SAAU,CACzBR,EAAK,mBACLA,EAAK,aACP,CAAE,EAEIS,EAAe,CACnB,UAAW,OACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,QAASP,CAAW,EAChC,SAAU,CACR,CACE,MAAO,OACP,UAAW,CACb,EACA,CACE,cAAe,UACf,SAAU,CAAE,QAAS,SAAU,EAC/B,IAAK,IACL,SAAU,CACRK,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,KACP,UAAW,CACb,CACF,CACF,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,KACP,UAAW,CACb,CACF,CACF,CACF,CACF,CACF,CACF,EACAA,EACAF,CACF,CACF,EAEMK,EAAW,CACf,UAAW,SAKX,MAAO,aACT,EAEMC,EAAW,CACf,cAAe,OACf,IAAK,IACL,QAAS,YACT,SAAU,CACRX,EAAK,QAAQA,EAAK,sBAAuB,CAAE,UAAW,gBAAiB,CAAC,EACxE,CACE,UAAW,SACX,MAAO,MACP,IAAK,MACL,SAAU,CACRM,EACAC,EACAC,CACF,CACF,CACF,CACF,EAEA,MAAO,CACL,KAAM,SACN,iBAAkB,GAClB,QAAS,OACT,SAAU,CACR,QAASP,EACT,SAAUG,EACV,QAASD,CACX,EACA,SAAU,CACRE,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,CACF,CACF,CACF,CAEAb,GAAO,QAAUC,KCjLjB,IAAAa,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAOC,EAAM,CACpB,MAAO,CACL,KAAM,eACN,iBAAkB,GAClB,SAAU,CACR,SAAU,OAASA,EAAK,SACxB,QAEE,mgBAOF,SAEE,6xBAWF,KACE,oHAEJ,EACA,SAAU,CACRA,EAAK,qBACLA,EAAK,QACH,IACA,IACA,CAAE,UAAW,CAAE,CACjB,EACAA,EAAK,cACLA,EAAK,mBACL,CACE,UAAW,SACX,MAAO,+BACT,EACAA,EAAK,kBACL,CACE,UAAW,SACX,MAAO,IACP,IAAK,WACL,QAAS,aACX,EACA,CACE,UAAW,SACX,MAAO,mBACT,EACA,CACE,UAAW,OACX,MAAO,IACP,IAAK,GACP,EACA,CACE,UAAW,QACX,MAAO,SACT,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC7EjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAW,CACf,UAAW,WACX,SAAU,CACR,CAAE,MAAO,oBAAqB,EAC9B,CAAE,MAAO,aAAc,CACzB,CACF,EACMC,EAAW,8FACXC,EAAS,CACb,UAAW,SACX,SAAU,CAAEH,EAAK,gBAAiB,EAClC,SAAU,CACR,CACE,MAAO,cACP,IAAK,MACL,UAAW,EACb,EACA,CACE,MAAO,cACP,IAAK,MACL,UAAW,EACb,EACA,CACE,MAAO,YACP,IAAK,IACL,UAAW,EACb,EACA,CACE,MAAO,YACP,IAAK,IACL,UAAW,EACb,EACA,CACE,MAAO,UACP,IAAK,GACP,EACA,CACE,MAAO,UACP,IAAK,GACP,EACAA,EAAK,iBACLA,EAAK,iBACP,CACF,EACA,MAAO,CACL,KAAM,MACN,SAAU,CAAE,QAASE,CAAS,EAC9B,SAAU,CACRD,EACAE,EACAH,EAAK,YACLA,EAAK,kBACLA,EAAK,WACP,CACF,CACF,CAEAF,GAAO,QAAUC,KClEjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAWD,EAAK,oBAmIhBE,EAAW,CACf,QAxGsB,CACtB,WACA,KACA,MACA,MACA,QACA,aACA,KACA,QACA,OACA,QACA,gBACA,QACA,SACA,SACA,SACA,QACA,WACA,QACA,eACA,WACA,cACA,OACA,UACA,MACA,KACA,OACA,OACA,eACA,SACA,UACA,QACA,UACA,YACA,YACA,aACA,cACA,eACA,gBACA,QACA,MACA,gBACA,kBACA,oBACA,mBACA,YACA,OACA,eACA,QACA,OACA,KACA,aACA,KACA,QACA,mBACA,YACA,WACA,KACA,OACA,OACA,QACA,QACA,MACA,YACA,MACA,OACA,UACA,YACA,iBACA,QACA,QACA,kBACA,QACA,UACA,YACA,SACA,WACA,iBACA,QACA,SACA,UACA,SACA,SACA,UACA,SACA,MACA,QACA,SACA,OACA,QACA,MACA,WACA,WACA,YACA,YACA,mBACA,QACA,iBACA,OACA,QACA,OACF,EAIE,SApIwB,CACxB,UACA,UACA,OACA,OACA,YACA,OACA,SACA,OACA,OACA,MACA,QACA,OACA,OACA,QACA,MACA,cACA,KACF,EAmHE,QAjHuB,CACvB,UACA,QACA,OACA,MACF,CA6GA,EAEMC,EAAmB,CACvB,SAAU,CACR,CAAE,MAAO,CACP,uBACAF,EACA,6BACAA,CACF,CAAE,EACF,CAAE,MAAO,CACP,WACAA,CACF,CAAE,CACJ,EACA,MAAO,CACL,EAAG,cACH,EAAG,uBACL,EACA,SAAUC,CACZ,EAEA,MAAO,CACL,KAAM,MACN,QAAS,CAAE,KAAM,EACjB,SAAUA,EACV,SAAU,CACRF,EAAK,oBACLA,EAAK,qBACLA,EAAK,iBACLA,EAAK,kBACLA,EAAK,cACL,CACE,UAAW,OACX,MAAO,IACP,IAAK,GACP,EACAG,CACF,CACF,CACF,CAEAL,GAAO,QAAUC,KC3LjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAM,CAAC,EACPC,EAAa,CACjB,MAAO,OACP,IAAK,KACL,SAAU,CACR,OACA,CACE,MAAO,KACP,SAAU,CAAED,CAAI,CAClB,CACF,CACF,EACA,OAAO,OAAOA,EAAK,CACjB,UAAW,WACX,SAAU,CACR,CAAE,MAAOD,EAAM,OAAO,qBAGpB,qBAAqB,CAAE,EACzBE,CACF,CACF,CAAC,EAED,IAAMC,EAAQ,CACZ,UAAW,QACX,MAAO,OACP,IAAK,KACL,SAAU,CAAEJ,EAAK,gBAAiB,CACpC,EACMK,EAAW,CACf,MAAO,iBACP,OAAQ,CAAE,SAAU,CAClBL,EAAK,kBAAkB,CACrB,MAAO,QACP,IAAK,QACL,UAAW,QACb,CAAC,CACH,CAAE,CACJ,EACMM,EAAe,CACnB,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CACRN,EAAK,iBACLE,EACAE,CACF,CACF,EACAA,EAAM,SAAS,KAAKE,CAAY,EAChC,IAAMC,EAAgB,CACpB,UAAW,GACX,MAAO,KAET,EACMC,EAAc,CAClB,UAAW,SACX,MAAO,IACP,IAAK,GACP,EACMC,EAAa,CACjB,MAAO,UACP,IAAK,OACL,SAAU,CACR,CACE,MAAO,gBACP,UAAW,QACb,EACAT,EAAK,YACLE,CACF,CACF,EACMQ,EAAiB,CACrB,OACA,OACA,MACA,KACA,MACA,MACA,OACA,OACA,MACF,EACMC,EAAgBX,EAAK,QAAQ,CACjC,OAAQ,IAAIU,EAAe,KAAK,GAAG,CAAC,IACpC,UAAW,EACb,CAAC,EACKE,EAAW,CACf,UAAW,WACX,MAAO,4BACP,YAAa,GACb,SAAU,CAAEZ,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAO,YAAa,CAAC,CAAE,EACnE,UAAW,CACb,EAEMa,EAAW,CACf,KACA,OACA,OACA,OACA,KACA,MACA,QACA,QACA,KACA,KACA,OACA,OACA,OACA,WACA,QACF,EAEMC,EAAW,CACf,OACA,OACF,EAGMC,EAAY,CAAE,MAAO,gBAAiB,EAGtCC,EAAkB,CACtB,QACA,KACA,WACA,OACA,OACA,OACA,SACA,UACA,OACA,MACA,WACA,SACA,QACA,OACA,QACA,OACA,QACA,OACF,EAEMC,EAAiB,CACrB,QACA,OACA,UACA,SACA,UACA,UACA,OACA,SACA,OACA,MACA,QACA,SACA,UACA,SACA,OACA,YACA,SACA,OACA,UACA,SACA,SACF,EAEMC,EAAgB,CACpB,WACA,KACA,UACA,MACA,MACA,QACA,QACA,gBACA,WACA,UACA,eACA,YACA,aACA,YACA,WACA,UACA,aACA,OACA,UACA,SACA,SACA,SACA,UACA,KACA,KACA,QACA,YACA,SACA,QACA,UACA,UACA,OACA,OACA,QACA,MACA,SACA,OACA,QACA,QACA,SACA,SACA,QACA,SACA,SACA,OACA,UACA,SACA,aACA,SACA,UACA,WACA,QACA,OACA,SACA,QACA,QACA,WACA,UACA,OACA,MACA,WACA,aACA,QACA,OACA,cACA,UACA,SACA,MACF,EAEMC,EAAiB,CACrB,QACA,QACA,QACA,QACA,KACA,KACA,KACA,MACA,YACA,KACA,KACA,QACA,SACA,QACA,SACA,KACA,WACA,KACA,QACA,QACA,OACA,QACA,WACA,OACA,QACA,SACA,SACA,MACA,QACA,OACA,SACA,MACA,SACA,MACA,OACA,OACA,OACA,SACA,KACA,SACA,KACA,QACA,MACA,KACA,UACA,YACA,YACA,YACA,YACA,OACA,OACA,QACA,MACA,MACA,OACA,KACA,QACA,WACA,OACA,KACA,OACA,WACA,SACA,OACA,UACA,KACA,OACA,MACA,OACA,SAEA,SACA,SACA,KACA,OACA,UACA,OACA,QACA,QACA,UACA,QACA,WACA,SACA,MACA,WACA,SACA,MACA,QACA,OACA,SACA,OACA,MACA,OACA,UAEA,MACA,QACA,SACA,SACA,QACA,MACA,SACA,KACF,EAEA,MAAO,CACL,KAAM,OACN,QAAS,CAAE,IAAK,EAChB,SAAU,CACR,SAAU,wBACV,QAASN,EACT,QAASC,EACT,SAAU,CACR,GAAGE,EACH,GAAGC,EAEH,MACA,QACA,GAAGC,EACH,GAAGC,CACL,CACF,EACA,SAAU,CACRR,EACAX,EAAK,QAAQ,EACbY,EACAH,EACAT,EAAK,kBACLK,EACAU,EACAT,EACAC,EACAC,EACAN,CACF,CACF,CACF,CAEAJ,GAAO,QAAUC,KCpYjB,IAAAqB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAMC,EAAM,CAqLnB,MAAO,CACL,KAAM,QACN,iBAAkB,GAClB,QAAS,KAET,SAAU,CACR,SAAU,4BACV,QA3La,CACf,MACA,MACA,MACA,MACA,SACA,OACA,WACA,WACA,OACA,QACA,OACA,QACA,QACA,UACA,OACA,SACA,QACA,QACA,MACA,QACA,MACA,SACA,OACA,MACA,OACA,SACA,MACA,MACA,MACA,OACA,QACA,SACA,SACA,SACA,SACA,QACA,MACA,MACA,SACA,MACA,OACA,OACA,MACA,UACA,WACA,MACA,MACA,QACA,QACA,SACA,MACA,MACA,QACA,MACA,QACA,QACA,MACA,QACA,MACA,MACA,WACA,OACA,OACA,KACA,OACA,SACA,SACA,MACA,QACA,SACA,SACA,QACA,MACA,MACA,QACA,SACA,MACA,KACA,MACA,OACA,OACA,QACA,MACA,MACA,OACA,QACA,OACA,MACA,SACA,MACA,MACA,SACA,QACA,OACA,QACA,OACA,QACA,OACA,OACA,OACA,MACA,OACA,MACA,OACA,QACA,MACA,OACA,KACA,KACA,MACA,OACA,QACA,OACA,SACA,OACA,MACA,QACA,UACA,QACA,OACA,OACA,QACA,OACA,MACA,QACA,SACA,OACA,SACA,MACA,YACA,OACA,MACA,QACA,UACA,UACA,SACA,WACA,SACA,QACA,MACA,OACA,MACA,OACA,SACA,MACA,QACA,MACA,QACA,SACA,MACA,MACA,OACA,QACA,OACA,OACA,UACA,OACA,SACA,MACA,MACA,QACA,QACA,QACA,OACA,KACA,MACA,MACA,SACA,UACA,OACA,OACA,QACA,OACA,QACA,SACA,QACA,KACF,CAUE,EACA,SAAU,CACRA,EAAK,kBACLA,EAAK,QAAQ,MAAO,IAAK,CAAE,UAAW,EAAG,CAAC,EAC1CA,EAAK,QAAQ,IAAM,IAAK,CAAE,UAAW,CAAE,CAAC,EACxC,CAEE,UAAW,SACX,MAAO,WACP,UAAW,EACb,EACA,CAEE,UAAW,SACX,MAAO,sCACP,UAAW,CACb,EACA,CAEE,UAAW,SACX,MAAO,yBACT,EACA,CAEE,UAAW,SACX,MAAO,mBACT,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCpOjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAIC,EAAM,CACjB,MAAO,CACL,KAAM,wBACN,SAAU,CAER,CACE,UAAW,YACX,MAAO,IACP,IAAK,GACP,EAEA,CACE,MAAO,MACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EAEAA,EAAK,oBACLA,EAAK,qBACLA,EAAK,iBACLA,EAAK,iBACP,CACF,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCrCjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAUC,EAAM,CACvB,IAAMC,EAAU,CACd,UAAW,UACX,MAAO,QACP,UAAW,CACb,EACA,MAAO,CACL,KAAM,YACN,QAAS,CAAE,IAAK,EAChB,SAAU,CACRD,EAAK,QACH,wBACA,uBACA,CACE,SAAU,CACR,CACE,MAAO,4BACP,UAAW,CACb,CACF,EACA,UAAW,GACX,UAAW,CACb,CACF,EACA,CACE,UAAW,QACX,MAAO,WACP,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAO,SACP,UAAW,CACb,EACA,CAIE,MAAO,cACP,SAAU,CAAEC,CAAQ,CACtB,EACAA,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KCrDjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAEC,EAAM,CACf,IAAMC,EAAQD,EAAK,MAIbE,EAAsBF,EAAK,QAAQ,KAAM,IAAK,CAAE,SAAU,CAAE,CAAE,MAAO,MAAO,CAAE,CAAE,CAAC,EACjFG,EAAmB,qBACnBC,EAAe,kBACfC,EAAuB,WACvBC,EAAmB,IACrBH,EAAmB,IACnBF,EAAM,SAASG,CAAY,EAC3B,gBAAkBH,EAAM,SAASI,CAAoB,EACvD,IAGIE,EAAQ,CACZ,UAAW,OACX,SAAU,CACR,CAAE,MAAO,oBAAqB,EAC9B,CAAE,MAAO,uBAAwB,CACnC,CAEF,EAIMC,EAAoB,uDACpBC,EAAU,CACd,UAAW,SACX,SAAU,CACR,CACE,MAAO,cACP,IAAK,IACL,QAAS,MACT,SAAU,CAAET,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,eAAkBQ,EAAoB,MAC7C,IAAK,IACL,QAAS,GACX,EACAR,EAAK,kBAAkB,CACrB,MAAO,mCACP,IAAK,qBACP,CAAC,CACH,CACF,EAEMU,EAAU,CACd,UAAW,SACX,SAAU,CACR,CAAE,MAAO,eAAiB,EAC1B,CAAE,MAAO,uFAA2F,EACpG,CAAE,MAAO,qFAA2F,CACtG,EACA,UAAW,CACb,EAEMC,EAAe,CACnB,UAAW,OACX,MAAO,eACP,IAAK,IACL,SAAU,CAAE,QACR,wFACwC,EAC5C,SAAU,CACR,CACE,MAAO,OACP,UAAW,CACb,EACAX,EAAK,QAAQS,EAAS,CAAE,UAAW,QAAS,CAAC,EAC7C,CACE,UAAW,SACX,MAAO,OACT,EACAP,EACAF,EAAK,oBACP,CACF,EAEMY,EAAa,CACjB,UAAW,QACX,MAAOX,EAAM,SAASG,CAAY,EAAIJ,EAAK,SAC3C,UAAW,CACb,EAEMa,EAAiBZ,EAAM,SAASG,CAAY,EAAIJ,EAAK,SAAW,UAsEhEc,EAAW,CACf,QArEiB,CACjB,MACA,OACA,QACA,OACA,WACA,UACA,KACA,OACA,OACA,SACA,MACA,UACA,OACA,KACA,SACA,WACA,WACA,SACA,SACA,SACA,SACA,UACA,QACA,WACA,QACA,WACA,WACA,UACA,WACA,YACA,iBACA,gBAEA,UACA,UACA,WACA,gBACA,eAEA,SACF,EA6BE,KA3Bc,CACd,QACA,SACA,SACA,WACA,MACA,QACA,OACA,OACA,OACA,QACA,WACA,aACA,aACA,aACA,cAEA,QACA,SAEA,UACA,OACA,WACF,EAKE,QAAS,kBAET,SAAU,kzBASZ,EAEMC,EAAsB,CAC1BJ,EACAJ,EACAL,EACAF,EAAK,qBACLU,EACAD,CACF,EAEMO,EAAqB,CAIzB,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,KACP,IAAK,IACP,EACA,CACE,cAAe,wBACf,IAAK,GACP,CACF,EACA,SAAUF,EACV,SAAUC,EAAoB,OAAO,CACnC,CACE,MAAO,KACP,IAAK,KACL,SAAUD,EACV,SAAUC,EAAoB,OAAO,CAAE,MAAO,CAAC,EAC/C,UAAW,CACb,CACF,CAAC,EACD,UAAW,CACb,EAEME,EAAuB,CAC3B,MAAO,IAAMX,EAAmB,eAAiBO,EACjD,YAAa,GACb,IAAK,QACL,WAAY,GACZ,SAAUC,EACV,QAAS,iBACT,SAAU,CACR,CACE,MAAOX,EACP,SAAUW,EACV,UAAW,CACb,EACA,CACE,MAAOD,EACP,YAAa,GACb,SAAU,CAAEb,EAAK,QAAQY,EAAY,CAAE,UAAW,gBAAiB,CAAC,CAAE,EACtE,UAAW,CACb,EAGA,CACE,UAAW,EACX,MAAO,GACT,EACA,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAUE,EACV,UAAW,EACX,SAAU,CACRZ,EACAF,EAAK,qBACLS,EACAC,EACAH,EAEA,CACE,MAAO,KACP,IAAK,KACL,SAAUO,EACV,UAAW,EACX,SAAU,CACR,OACAZ,EACAF,EAAK,qBACLS,EACAC,EACAH,CACF,CACF,CACF,CACF,EACAA,EACAL,EACAF,EAAK,qBACLW,CACF,CACF,EAEA,MAAO,CACL,KAAM,IACN,QAAS,CAAE,GAAI,EACf,SAAUG,EAGV,kBAAmB,GACnB,QAAS,KACT,SAAU,CAAC,EAAE,OACXE,EACAC,EACAF,EACA,CACEJ,EACA,CACE,MAAOX,EAAK,SAAW,KACvB,SAAUc,CACZ,EACA,CACE,UAAW,QACX,cAAe,0BACf,IAAK,WACL,SAAU,CACR,CAAE,cAAe,oBAAqB,EACtCd,EAAK,UACP,CACF,CACF,CAAC,EACH,QAAS,CACP,aAAcW,EACd,QAASF,EACT,SAAUK,CACZ,CACF,CACF,CAEAhB,GAAO,QAAUC,KC7TjB,IAAAmB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAQD,EAAK,MACbE,EAAW,CACf,MACA,MACA,KACA,MACA,KACA,MACA,MACA,cACA,QACA,OACA,KACA,SACA,OACA,MACA,OACA,MACA,QACA,KACA,KACA,SACA,OACA,KACA,QACA,QACA,OACA,KACF,EACMC,EAAW,aACXC,EAAgB,CACpBJ,EAAK,oBACLA,EAAK,QACH,KACA,KACA,CAAE,UAAW,CAAE,CACjB,EACAA,EAAK,QACH,OACA,OACA,CAAE,UAAW,EAAG,CAClB,CACF,EACMK,EAAS,CACb,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,IAAK,CAAE,CAC9B,EACMC,EAAc,CAClB,UAAW,SACX,MAAO,SACT,EACMC,EAAO,CACX,UAAW,SACX,MAAO,4BACP,UAAW,CACb,EACMC,EAAsB,CAC1B,UAAW,SACX,MAAO,IACP,IAAK,GACP,EAEMC,EAAY,CAChB,MAAO,CACL,YACA,MACA,kBACA,KACF,EACA,MAAO,CACL,EAAG,UACH,EAAG,gBACL,EACA,SAAU,CACR,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAUP,EACV,SAAU,CACRG,EACAC,EACAN,EAAK,WACP,CACF,EACA,GAAGI,CACL,CACF,EAEMM,EAAe,CACnB,QACA,OACA,SACA,WACA,WACA,UACA,YACA,OACA,OACF,EACMC,EAAS,CACb,MAAO,CACL,SACA,MACAV,EAAM,OAAO,GAAGS,CAAY,EAC5B,MACA,MACA,eACA,KACA,GACF,EACA,UAAW,EACX,MAAO,CACL,EAAG,UACH,EAAG,OACH,EAAG,SACH,EAAG,OACL,CACF,EAQA,MAAO,CACL,KAAM,OACN,iBAAkB,GAClB,SAAU,CACR,QAASR,EACT,QAASC,CACX,EACA,QAAS,OACT,SAAU,CAdK,CACf,MAAO,cACP,MAAO,YACP,UAAW,CACb,EAYIE,EACAC,EACAC,EACAC,EACAR,EAAK,YACLW,EACAF,CACF,CACF,CACF,CAEAX,GAAO,QAAUC,KC9JjB,IAAAa,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAUC,EAAM,CACvB,IAAMC,EAAW,CACf,SACA,OACA,YACA,QACA,QACA,SACA,QACA,QACA,aACA,UACA,KACA,KACA,KACA,KACA,OACA,OACA,OACF,EACMC,EAAQ,CACZ,OACA,OACA,OACA,QACA,QACA,QACA,QACA,SACA,SACA,SACA,UACA,UACA,OACA,OACA,aACA,YACA,aACA,MACF,EACMC,EAAW,CACf,OACA,OACF,EACMC,EAAmB,CACvB,SAAU,CACR,CAAE,MAAO,CACP,0BACA,MACAJ,EAAK,QACP,CAAE,EACF,CAAE,MAAO,CACP,UACA,QACAA,EAAK,SACL,OACF,CAAE,CACJ,EACA,MAAO,CACL,EAAG,UACH,EAAG,aACL,CACF,EACA,MAAO,CACL,KAAM,mBACN,QAAS,CAAE,OAAQ,EACnB,SAAU,CACR,QAASC,EACT,KAAMC,EACN,QAASC,CACX,EACA,SAAU,CACRH,EAAK,kBACLA,EAAK,YACLA,EAAK,kBACL,CACE,UAAW,OACX,MAAO,iBACP,QAAS,IACX,EACA,CACE,UAAW,SACX,MAAO,QACT,EACAI,CACF,CACF,CACF,CAEAN,GAAO,QAAUC,KClGjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAOC,EAAM,CAEpB,IAAMC,EAAW,CACf,WACA,SACA,UACA,SACA,QACA,QACA,YACA,SACA,QACA,QACA,SACA,OACA,WACA,MACA,KACA,UACA,YACA,YACA,KACA,MACA,SACA,QACA,WACA,QACA,SACA,UACA,KACA,OACA,SACA,OACA,MACA,QACA,MACA,QACA,UACA,OACA,MACA,OACA,QACA,QACA,KACA,SACA,UACF,EAEMC,EAAwB,CAC5B,SACA,WACA,SACA,UACA,SACA,WACA,OACA,SACA,aACA,QACA,SACA,aACA,mBACA,OACF,EAEMC,EAAgB,CACpB,MACA,KACA,UACA,MACA,SACA,QACF,EACMC,EAAQ,CACZ,UAAW,QACX,aAAc,GACd,WAAY,GACZ,MAAO,KACP,IAAK,KACL,SAAUH,EACV,UAAW,EACb,EACMI,EAAc,CAClB,CAEE,UAAW,SACX,MAAO,MACP,IAAK,MACL,UAAW,EACb,EACA,CAEE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAED,CAAM,CACpB,EACA,CAEE,UAAW,SACX,MAAO,IACP,IAAK,GACP,EACA,CAEE,UAAW,SACX,MAAO,gFACP,UAAW,CACb,CACF,EACA,OAAAA,EAAM,SAAWC,EAEV,CACL,KAAM,SACN,SAAU,CACR,QAASJ,EAAS,OAAOC,CAAqB,EAC9C,KAAMC,CACR,EACA,QAAS,yBACT,SAAU,CACRH,EAAK,oBACLA,EAAK,QAAQ,OAAQ,OAAQ,CAAE,SAAU,CAAE,MAAO,CAAE,CAAC,EACrD,CAEE,UAAW,OACX,MAAO,yBACT,CACF,EAAE,OAAOK,CAAW,CACtB,CACF,CAEAP,GAAO,QAAUC,KC1IjB,IAAAO,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAMC,EAAM,CAiCnB,MAAO,CACL,KAAM,QACN,QAAS,CACP,MACA,KACF,EACA,SAAU,CACR,QAvCa,CACf,KACA,MACA,KACA,OACA,QACA,OACA,KACA,QACA,WACA,YACA,iBACA,aACA,SACA,SACA,OACA,SACA,YACA,KACA,UACA,OACA,SACA,UACA,SACA,QACA,UACA,UACA,SACA,QACA,SACA,QACF,EASI,SACE,qBACF,QACE,YACJ,EACA,SAAU,CACRA,EAAK,oBACLA,EAAK,qBACLA,EAAK,iBACLA,EAAK,kBACLA,EAAK,cACL,CACE,MAAO,4CAA6C,CACxD,CACF,CACF,CAEAF,GAAO,QAAUC,KClEjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAQC,EAAM,CACrB,IAAMC,EAAc,uBACdC,EAAY,QAAUD,EAAc,KAAOA,EAAc,aACzDE,EAAU,6FACVC,EAAW,CACf,SAAUF,EACV,SAEEC,EAAU,2+EA4Bd,EAEME,EAAS,CACb,MAAOH,EACP,UAAW,CACb,EACMI,EAAS,CACb,MAAO,SACP,UAAW,EACX,SAAU,CACR,CAAE,MAAO,0BAA2B,EACpC,CAAE,MAAO,gBAAiB,EAC1B,CAAE,MAAO,oCAAqC,EAC9C,CAAE,MAAO,uBAAwB,EACjC,CAAE,MAAO,mEAAoE,EAC7E,CAAE,MAAO,wBAAyB,CACpC,CACF,EACMC,EAAY,CAChB,MAAO,YACP,SAAU,CACR,CAAE,MAAO,qBAAsB,EAC/B,CAAE,MAAO,mBAAoB,EAC7B,CAAE,MAAO,iDAAkD,EAC3D,CACE,MAAO,OACP,UAAW,CACb,CACF,CACF,EACMC,EAAQ,CACZ,MAAO,QACP,MAAO,KACP,IAAK,IACL,SAAU,CAAER,EAAK,gBAAiB,CACpC,EACMS,EAAST,EAAK,QAAQA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,EAC/DU,EAAQ,CACZ,MAAO,cACP,MAAO,IACP,UAAW,CACb,EACMC,EAAUX,EAAK,QACnB,IACA,IACA,CAAE,UAAW,CAAE,CACjB,EACMY,EAAU,CACd,UAAW,UACX,MAAO,sBACT,EACMC,EAAa,CACjB,MAAO,YAAcX,EAAY,QACjC,IAAK,WACL,UAAW,CACb,EACMY,EAAM,CACV,UAAW,SACX,MAAO,WAAaZ,CACtB,EACMa,EAAO,CACX,MAAO,MACP,IAAK,KACP,EACMC,EAAO,CACX,eAAgB,GAChB,UAAW,CACb,EACMC,EAAO,CACX,SAAUb,EACV,UAAW,OACX,MAAOF,EACP,UAAW,EACX,OAAQc,CACV,EACME,EAAmB,CACvBR,EACAK,EACAR,EACAC,EACAC,EACAE,EACAG,EACAD,EACAP,EACAM,EACAP,CACF,EAEMc,EAAS,CACb,cAAehB,EACf,SAAU,CACR,SAAUD,EACV,QAASC,CACX,EACA,IAAK,gCACL,SAAU,CACR,CACE,UAAW,QACX,MAAOD,EACP,UAAW,EACX,WAAY,GAEZ,WAAY,EACd,CACF,EAAE,OAAOgB,CAAgB,CAC3B,EAEA,OAAAH,EAAK,SAAW,CACdI,EACAF,EACAD,CACF,EACAA,EAAK,SAAWE,EAChBL,EAAW,SAAWK,EAEf,CACL,KAAM,UACN,QAAS,CACP,MACA,KACF,EACA,QAAS,KACT,SAAU,CACRR,EACAK,EACAR,EACAC,EACAC,EACAE,EACAG,EACAD,EACAP,EACAM,CACF,CACF,CACF,CAEAd,GAAO,QAAUC,KCvLjB,IAAAqB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAYC,EAAM,CACzB,MAAO,CACL,KAAM,eACN,SAAU,CACR,CACE,UAAW,cACX,MAAO,sBACP,OAAQ,CACN,IAAK,IACL,YAAa,SACf,CACF,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC1BjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAMC,EAAM,CACnB,MAAO,CACL,KAAM,QACN,QAAS,CAAE,UAAW,EACtB,iBAAkB,GAClB,SAAU,CAAE,QAER,soEAgC2F,EAC/F,SAAU,CACR,CACE,UAAW,WACX,MAAO,OACP,IAAK,IACP,EACAA,EAAK,QAAQ,QAAS,IAAI,EAC1BA,EAAK,kBACLA,EAAK,kBACLA,EAAK,WACP,CACF,CACF,CAEAF,GAAO,QAAUC,KC9DjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,KAAMC,GAAW,CACf,KACA,KACA,KACA,KACA,MACA,QACA,UACA,MACA,MACA,WACA,KACA,SACA,OACA,OACA,QACA,QACA,aACA,OACA,QACA,OACA,UACA,MACA,SACA,WACA,SACA,SACA,MACA,QACA,QACA,QAIA,WACA,QACA,QACA,SACA,SACA,OACA,SACA,SACF,EACMC,GAAW,CACf,OACA,QACA,OACA,YACA,MACA,UACF,EAGMC,GAAQ,CAEZ,SACA,WACA,UACA,SAEA,OACA,OACA,SACA,SAEA,SACA,SAEA,QACA,eACA,eACA,YACA,aACA,oBACA,aACA,aACA,cACA,cACA,gBACA,iBAEA,MACA,MACA,UACA,UAEA,cACA,oBACA,UACA,WACA,OAEA,UACA,YACA,oBACA,gBAEA,UACA,QAEA,OAEA,aACF,EAEMC,GAAc,CAClB,QACA,YACA,gBACA,aACA,iBACA,cACA,YACA,UACF,EAEMC,GAAmB,CACvB,cACA,aACA,gBACA,eAEA,UACA,UAEA,OACA,WACA,QACA,aACA,WACA,YACA,qBACA,YACA,qBACA,SACA,UACF,EAEMC,GAAY,CAAC,EAAE,OACnBD,GACAF,GACAC,EACF,EAYA,SAASG,GAAaC,EAAM,CAC1B,IAAMC,EAAmB,CACvB,MACA,OACF,EACMC,EAAkB,CACtB,MACA,KACA,KACA,KACF,EACMC,EAAkB,CACtB,OACA,SACA,QACA,OACA,KACA,OACA,MACA,KACA,KACA,OACA,KACF,EACMC,EAAqB,CACzB,MACA,QACA,MACA,WACA,QACF,EACMC,EAAaC,GAChBC,GAAO,CAACD,EAAK,SAASC,CAAE,EACrBC,EAAa,CACjB,QAASf,GAAS,OAAOU,CAAe,EAAE,OAAOE,EAAUD,CAAkB,CAAC,EAC9E,QAASV,GAAS,OAAOQ,CAAe,EACxC,SAAUJ,GAAU,OAAOG,CAAgB,CAC7C,EACMQ,EAAc,2BACdC,EAAQ,CACZ,UAAW,QACX,MAAO,MACP,IAAK,KACL,SAAUF,CACZ,EACMG,EAAc,CAClBX,EAAK,mBACLA,EAAK,QAAQA,EAAK,cAAe,CAAE,OAAQ,CACzC,IAAK,WACL,UAAW,CACb,CAAE,CAAC,EACH,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,MACP,IAAK,MACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,MACP,IAAK,MACL,SAAU,CACRA,EAAK,iBACLU,CACF,CACF,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACRV,EAAK,iBACLU,CACF,CACF,CACF,CACF,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,MACP,IAAK,MACL,SAAU,CACRA,EACAV,EAAK,iBACP,CACF,EACA,CACE,MAAO,sBACP,UAAW,CACb,EACA,CAGE,MAAO,0CAA2C,CACtD,CACF,EACA,CAAE,MAAO,IAAMS,CACf,EACA,CACE,YAAa,aACb,aAAc,GACd,WAAY,GACZ,SAAU,CACR,CACE,MAAO,MACP,IAAK,KACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,CACF,EACAC,EAAM,SAAWC,EAEjB,IAAMC,EAAQZ,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOS,CAAY,CAAC,EAC5DI,EAAqB,0BACrBC,EAAS,CACb,UAAW,SACX,MAAO,YACP,YAAa,GAGb,SAAU,CACR,CACE,MAAO,KACP,IAAK,KACL,SAAUN,EACV,SAAU,CAAE,MAAO,EAAE,OAAOG,CAAW,CACzC,CACF,CACF,EAEMI,EAAmB,CACvB,SAAU,CACR,CAAE,MAAO,CACP,WACAN,EACA,gBACAA,CACF,CAAE,EACF,CAAE,MAAO,CACP,WACAA,CACF,CAAE,CACJ,EACA,MAAO,CACL,EAAG,cACH,EAAG,uBACL,EACA,SAAUD,CACZ,EAEA,MAAO,CACL,KAAM,eACN,QAAS,CACP,SACA,OACA,MACF,EACA,SAAUA,EACV,QAAS,OACT,SAAU,CACR,GAAGG,EACHX,EAAK,QAAQ,MAAO,KAAK,EACzBA,EAAK,kBACL,CACE,UAAW,WACX,MAAO,QAAUS,EAAc,YAAcI,EAC7C,IAAK,QACL,YAAa,GACb,SAAU,CACRD,EACAE,CACF,CACF,EACA,CAEE,MAAO,aACP,UAAW,EACX,SAAU,CACR,CACE,UAAW,WACX,MAAOD,EACP,IAAK,QACL,YAAa,GACb,SAAU,CAAEC,CAAO,CACrB,CACF,CACF,EACAC,EACA,CACE,MAAON,EAAc,IACrB,IAAK,IACL,YAAa,GACb,UAAW,GACX,UAAW,CACb,CACF,CACF,CACF,CAEAjB,GAAO,QAAUO,KC5WjB,IAAAiB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CA8ZjB,MAAO,CACL,KAAM,MACN,SAAU,CACR,QAhaa,CACf,MACA,KACA,KACA,QACA,OACA,MACA,SACA,UACA,MACA,MACA,SACA,MACA,KACA,KACA,KACA,MACA,QACA,MACA,OACA,SACA,MACA,OACA,OACA,QACA,QACA,OACA,QACA,QACA,MACA,QACA,WACA,MACA,YACA,cACA,QACA,OACA,SACA,YACA,OACA,YACA,YACA,KACA,QACA,QACA,UACA,QACA,WACA,YACA,aACA,cACA,aACA,WACA,UACA,aACA,cACA,WACA,SACA,aACA,eACA,UACA,YACA,eACA,MACA,UACA,UACA,aACA,UACA,eACA,YACA,SACA,OACA,QACA,MACA,WACA,OACA,UACA,cACA,eACA,WACA,SACA,YACA,SACA,UACA,aACA,OACA,QACA,SACA,OACA,WACA,QACA,MACA,OACA,WACA,aACA,gBACA,SACA,OACA,OACA,UACA,QACA,UACA,OACA,OACA,SACA,QACA,aACA,aACA,QACA,WACA,KACA,YACA,WACA,SACA,UACA,YACA,QACA,OACA,UACA,SACA,UACA,WACA,YACA,QACA,SACA,YACA,kBACA,WACA,OACA,QACA,MACA,YACA,UACA,OACA,WACA,QACA,SACA,OACA,KACA,OACA,SACA,UACA,cACA,WACA,OACA,WACA,WACA,aACA,cACA,SACA,OACA,WACA,UACA,YACA,aACA,aACA,OACA,QACA,UACA,cACA,UACA,QACA,WACA,UACA,cACA,QACA,cACA,MACA,MACA,OACA,MACA,SACA,YACA,WACA,WACA,SACA,SACA,UACA,WACA,QACA,UACA,UACA,UACA,QACA,OACA,QACA,OACA,SACA,QACA,SACA,SACA,SACA,cACA,aACA,gBACA,gBACA,UACA,WACA,MACA,SACA,OACA,QACA,SACA,OACA,aACA,WACA,YACA,WACA,QACA,SACA,SACA,OACA,OACA,UACA,OACA,UACA,cACA,OACA,cACA,QACA,YACA,OACA,UACA,YACA,SACA,WACA,YACA,QACA,WACA,QACA,WACA,YACA,UACA,UACA,aACA,QACA,MACF,EAoLI,SAnLc,CAChB,WACA,SACA,QACA,QACA,QACA,KACA,SACA,aACA,KACA,OACA,cACA,aACA,SACA,SACA,SACA,KACA,OACA,UACA,MACA,MACA,SACA,iBACA,kBACA,QACA,YACA,QACA,UACA,UACA,aACA,YACA,cACA,aACA,gBACA,MACA,aACA,QACA,SACA,YACA,YACA,WACA,cACA,aACA,eACA,SACA,KACA,SACA,SACA,SACA,cACA,QACA,QACA,eACA,YACA,gBACA,QACA,SACA,UACA,aACA,aACA,QACA,OACA,WACA,SACA,WACA,WACA,SACA,eACA,SACA,OACA,QACA,eACA,UACA,SACA,UACA,OACA,QACA,iBACA,oBACA,QACA,aACA,MACA,OACA,UACA,aACA,aACA,eACA,QACA,UACA,WACA,MACA,QACA,KACA,YACA,YACA,cACA,QACA,gBACA,SACA,YACA,YACA,kBACA,UACA,SACA,SACA,OACA,OACA,MACA,MACA,OACA,iBACA,MACA,QACA,QACA,OACA,UACA,OACA,WACA,QACA,QACA,QACA,SACA,MACA,SACA,cACA,WACA,SACA,SACA,UACA,SACA,WACA,UACA,gBACA,QACA,OACA,gBACA,SACA,MACA,qBACA,iBACA,iBACA,kBACA,sBACA,SACA,mBACA,QACA,SACA,cACA,QACA,aACA,QACA,aACA,cACA,QACA,QACA,QACA,MACA,OACA,WACA,SACA,QACA,OACA,UACA,MACA,eACA,UACA,MACA,QACA,SACA,QACA,QACA,QACA,aACA,MACF,CAME,EACA,SAAU,CACRA,EAAK,kBACLA,EAAK,QAAQ,SAAU,QAAQ,EAC/BA,EAAK,cACL,CACE,UAAW,OACX,aAAc,GACd,MAAO,UACP,IAAK,MACP,EACA,CACE,MAAO,OAAQ,CACnB,CACF,CACF,CAEAF,GAAO,QAAUC,KC5bjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CAqEjB,MAAO,CACL,KAAM,yBACN,iBAAkB,GAClB,QAAS,CAAE,KAAM,EACjB,SAjDA,gbAkDA,SAAU,CAzDI,CACd,UAAW,SACX,MAAO,8BACP,UAAW,CACb,EApBgB,CACd,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,KACP,UAAW,CACb,CACF,CACF,CACF,CACF,EA8DIA,EAAK,oBACLA,EAAK,qBACL,CACE,UAAW,UACX,MAAO,IACP,IAAK,IACL,UAAW,CACb,EACA,CACE,UAAW,WACX,MAAO,4BACT,EACA,CACE,UAAW,WACX,MAAO,iBACT,EACA,CACE,UAAW,WACX,MAAO,sBACT,EACA,CACE,UAAW,SACX,MAAO,mBACT,EACA,CACE,UAAW,UACX,MAAO,8BACT,EAGA,CACE,MAAO,SACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,YAAa,KACf,EACA,CACE,MAAO,4BACP,IAAK,IACL,aAAc,GACd,WAAY,GACZ,YAAa,YACf,EACA,CAEE,MAAO,aACP,IAAK,QACL,YAAa,KACf,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC3IjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAQD,EAAK,MAIbE,EAAsBF,EAAK,QAAQ,KAAM,IAAK,CAAE,SAAU,CAAE,CAAE,MAAO,MAAO,CAAE,CAAE,CAAC,EACjFG,EAAmB,qBACnBC,EAAe,kBACfC,EAAuB,WACvBC,EAAmB,cACrBH,EAAmB,IACnBF,EAAM,SAASG,CAAY,EAC3B,gBAAkBH,EAAM,SAASI,CAAoB,EACvD,IAEIE,EAAsB,CAC1B,UAAW,OACX,MAAO,oBACT,EAIMC,EAAoB,uDACpBC,EAAU,CACd,UAAW,SACX,SAAU,CACR,CACE,MAAO,cACP,IAAK,IACL,QAAS,MACT,SAAU,CAAET,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,eAAkBQ,EAAoB,MAC7C,IAAK,IACL,QAAS,GACX,EACAR,EAAK,kBAAkB,CACrB,MAAO,mCACP,IAAK,qBACP,CAAC,CACH,CACF,EAEMU,EAAU,CACd,UAAW,SACX,SAAU,CACR,CAAE,MAAO,eAAiB,EAC1B,CAAE,MAAO,uFAA2F,EACpG,CAAE,MAAO,qFAA2F,CACtG,EACA,UAAW,CACb,EAEMC,EAAe,CACnB,UAAW,OACX,MAAO,eACP,IAAK,IACL,SAAU,CAAE,QACR,wFACwC,EAC5C,SAAU,CACR,CACE,MAAO,OACP,UAAW,CACb,EACAX,EAAK,QAAQS,EAAS,CAAE,UAAW,QAAS,CAAC,EAC7C,CACE,UAAW,SACX,MAAO,OACT,EACAP,EACAF,EAAK,oBACP,CACF,EAEMY,EAAa,CACjB,UAAW,QACX,MAAOX,EAAM,SAASG,CAAY,EAAIJ,EAAK,SAC3C,UAAW,CACb,EAEMa,EAAiBZ,EAAM,SAASG,CAAY,EAAIJ,EAAK,SAAW,UAGhEc,EAAoB,CACxB,UACA,UACA,MACA,SACA,MACA,gBACA,gBACA,kBACA,OACA,SACA,QACA,QACA,OACA,QACA,QACA,WACA,YACA,WACA,QACA,UACA,gBACA,YACA,YACA,YACA,WACA,WACA,UACA,SACA,KACA,kBACA,OACA,OACA,WACA,SACA,SACA,QACA,QACA,MACA,SACA,OACA,KACA,SACA,SACA,SACA,UACA,YACA,MACA,WACA,MACA,SACA,UACA,WACA,KACA,QACA,WACA,UACA,YACA,SACA,WACA,WACA,sBACA,WACA,SACA,SACA,gBACA,iBACA,SACA,SACA,eACA,WACA,OACA,eACA,QACA,mBACA,2BACA,OACA,MACA,UACA,SACA,WACA,QACA,QACA,UACA,WACA,QACA,MACA,QACF,EAGMC,EAAiB,CACrB,OACA,OACA,WACA,WACA,UACA,SACA,QACA,MACA,OACA,QACA,OACA,UACA,WACA,SACA,QACA,QACF,EAEMC,EAAa,CACjB,MACA,WACA,UACA,mBACA,SACA,UACA,qBACA,yBACA,qBACA,QACA,aACA,SACA,YACA,mBACA,gBACA,UACA,QACA,aACA,WACA,WACA,QACA,WACA,gBACA,gBACA,OACA,UACA,iBACA,QACA,kBACA,wBACA,cACA,MACA,gBACA,cACA,eACA,qBACA,aACA,QACA,cACA,eACA,cACA,SACA,YACA,QACA,cACA,aACA,gBACA,qBACA,qBACA,gBACA,UACA,SACA,WACA,UACA,cACF,EAEMC,EAAiB,CACrB,QACA,MACA,OACA,QACA,WACA,OACA,OACA,QACA,SACA,OACA,OACA,MACA,OACA,MACA,OACA,OACA,UACA,OACA,WACA,OACA,MACA,OACA,QACA,OACA,UACA,UACA,QACA,OACA,QACA,SACA,SACA,SACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,WACA,OACA,UACA,QACA,MACA,QACA,YACA,cACA,4BACA,aACA,cACA,SACA,SACA,SACA,SACA,SACA,OACA,OACA,MACA,SACA,UACA,OACA,UACA,QACA,MACA,OACA,WACA,UACA,OACA,SACA,MACA,SACA,QACA,SACA,SACA,SACA,SACA,SACA,UACA,SACA,UACA,UACA,UACA,UACA,UACA,SACA,SACA,OACA,MACA,OACA,YACA,gBACA,UACA,UACA,WACA,QACA,UACA,UACF,EAaMC,EAAe,CACnB,KAAMH,EACN,QAASD,EACT,QAde,CACf,OACA,QACA,UACA,UACA,MACF,EASE,SANe,CAAE,SAAU,EAO3B,YAAaE,CACf,EAEMG,EAAoB,CACxB,UAAW,oBACX,UAAW,EACX,SAAU,CAER,MAAOF,CAAe,EACxB,MAAOhB,EAAM,OACX,KACA,eACA,SACA,UACA,aACA,YACAD,EAAK,SACLC,EAAM,UAAU,kBAAkB,CAAC,CACvC,EAEMmB,EAAsB,CAC1BD,EACAR,EACAJ,EACAL,EACAF,EAAK,qBACLU,EACAD,CACF,EAEMY,GAAqB,CAIzB,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,KACP,IAAK,IACP,EACA,CACE,cAAe,wBACf,IAAK,GACP,CACF,EACA,SAAUH,EACV,SAAUE,EAAoB,OAAO,CACnC,CACE,MAAO,KACP,IAAK,KACL,SAAUF,EACV,SAAUE,EAAoB,OAAO,CAAE,MAAO,CAAC,EAC/C,UAAW,CACb,CACF,CAAC,EACD,UAAW,CACb,EAEME,EAAuB,CAC3B,UAAW,WACX,MAAO,IAAMhB,EAAmB,eAAiBO,EACjD,YAAa,GACb,IAAK,QACL,WAAY,GACZ,SAAUK,EACV,QAAS,iBACT,SAAU,CACR,CACE,MAAOf,EACP,SAAUe,EACV,UAAW,CACb,EACA,CACE,MAAOL,EACP,YAAa,GACb,SAAU,CAAED,CAAW,EACvB,UAAW,CACb,EAGA,CACE,MAAO,KACP,UAAW,CACb,EAEA,CACE,MAAO,IACP,eAAgB,GAChB,SAAU,CACRH,EACAC,CACF,CACF,EAGA,CACE,UAAW,EACX,MAAO,GACT,EACA,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAUQ,EACV,UAAW,EACX,SAAU,CACRhB,EACAF,EAAK,qBACLS,EACAC,EACAH,EAEA,CACE,MAAO,KACP,IAAK,KACL,SAAUW,EACV,UAAW,EACX,SAAU,CACR,OACAhB,EACAF,EAAK,qBACLS,EACAC,EACAH,CACF,CACF,CACF,CACF,EACAA,EACAL,EACAF,EAAK,qBACLW,CACF,CACF,EAEA,MAAO,CACL,KAAM,MACN,QAAS,CACP,KACA,MACA,MACA,MACA,KACA,MACA,KACF,EACA,SAAUO,EACV,QAAS,KACT,iBAAkB,CAAE,oBAAqB,UAAW,EACpD,SAAU,CAAC,EAAE,OACXG,GACAC,EACAH,EACAC,EACA,CACET,EACA,CACE,MAAO,4MACP,IAAK,IACL,SAAUO,EACV,SAAU,CACR,OACAX,CACF,CACF,EACA,CACE,MAAOP,EAAK,SAAW,KACvB,SAAUkB,CACZ,EACA,CACE,MAAO,CAEL,wDACA,MACA,KACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,aACL,CACF,CACF,CAAC,CACL,CACF,CAEApB,GAAO,QAAUC,KCvjBjB,IAAAwB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAMC,EAAM,CACnB,IAAMC,EAAY,yBACZC,EAAW,qHAGXC,EAAgB,oCAChBC,EAAW,wDACXC,EAAY,yIAGZC,EAAQ,gBACRC,EAAW,4EAEjB,MAAO,CACL,KAAM,QACN,QAAS,CACP,MACA,MACF,EACA,iBAAkB,GAClB,SAAU,CACR,QAASH,EAAW,IAAMC,EAAY,IAAMC,EAC5C,QAASC,CACX,EACA,SAAU,CACRP,EAAK,kBACL,CACE,cAAe,OACf,OAAQ,CACN,IAAK,mBACL,OAAQ,CACN,UAAW,QACX,IAAK,uBACP,CACF,CACF,EACA,CACE,cAAeC,EACf,OAAQ,CACN,UAAW,QACX,IAAK,wBACL,OAAQ,CAAE,IAAK,0BAA2B,CAC5C,CACF,EACA,CACE,MAAO,OAASC,EAAS,MAAM,GAAG,EAAE,KAAK,GAAG,EAAI,QAChD,SAAUA,EACV,OAAQ,CACN,UAAW,QACX,IAAK,mBACP,CACF,EACA,CACE,cAAeC,EACf,OAAQ,CACN,UAAW,QACX,IAAK,kBACP,CACF,EACAH,EAAK,kBACL,CACE,UAAW,OACX,MAAO,sCACP,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAO,+BACP,UAAW,CACb,EACA,CACE,UAAW,UACX,MAAO,qBACP,UAAW,CACb,EACA,CACE,UAAW,OACX,MAAO,wBACP,UAAW,CACb,EACA,CACE,UAAW,MACX,MAAO,MACP,IAAK,MACL,UAAW,CACb,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCnGjB,IAAAS,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAQC,EAAM,CACrB,IAAMC,EAAa,4BACbC,EAAe,gBACfC,EAAmB,sBACnBC,EAAoB,gHACpBC,EAAkB,iCAClBC,EAAmB,CACvB,SAAUH,EACV,QACE,yYAIF,QAAS,gBACX,EACMI,EAAQ,CACZ,UAAW,QACX,MAAO,MACP,IAAK,KACL,SAAUD,CACZ,EAEME,EAAW,CAGf,UAAW,WACX,MAAO,4DACT,EACMC,EAAY,CAChB,UAAW,oBACX,SAAU,CACR,CACE,MAAO,SACP,IAAK,QACP,EACA,CACE,MAAO,OACP,IAAK,MACP,CACF,EACA,SAAUH,CACZ,EAEA,SAASI,EAAeC,EAAOC,EAAK,CAClC,IACIC,EAAW,CACT,CACE,MAAOF,EACP,IAAKC,CACP,CACF,EACJ,OAAAC,EAAS,CAAC,EAAE,SAAWA,EAChBA,CACT,CACA,IAAMC,EAAS,CACb,UAAW,SACX,SAAU,CACRd,EAAK,iBACLO,CACF,EACA,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,aACP,IAAK,MACL,SAAUG,EAAe,MAAO,KAAK,CACvC,EACA,CACE,MAAO,aACP,IAAK,MACL,SAAUA,EAAe,MAAO,KAAK,CACvC,EACA,CACE,MAAO,aACP,IAAK,KACL,SAAUA,EAAe,KAAM,IAAI,CACrC,EACA,CACE,MAAO,WACP,IAAK,IACL,SAAUA,EAAe,IAAK,GAAG,CACnC,EACA,CACE,MAAO,aACP,IAAK,KACP,EACA,CACE,MAAO,UACP,IAAK,UACP,CACF,EACA,UAAW,CACb,EACMK,EAAW,CACf,UAAW,SACX,SAAU,CACR,CACE,MAAO,QACP,IAAK,MACL,SAAUL,EAAe,MAAO,KAAK,CACvC,EACA,CACE,MAAO,QACP,IAAK,MACL,SAAUA,EAAe,MAAO,KAAK,CACvC,EACA,CACE,MAAO,QACP,IAAK,KACL,SAAUA,EAAe,KAAM,IAAI,CACrC,EACA,CACE,MAAO,MACP,IAAK,IACL,SAAUA,EAAe,IAAK,GAAG,CACnC,EACA,CACE,MAAO,QACP,IAAK,KACP,EACA,CACE,MAAO,YACP,IAAK,UACP,CACF,EACA,UAAW,CACb,EACMM,EAAS,CACb,MAAO,YAAchB,EAAK,eAAiB,2DAC3C,SAAU,yCACV,SAAU,CACR,CACE,UAAW,SACX,SAAU,CACRA,EAAK,iBACLO,CACF,EACA,SAAU,CACR,CACE,MAAO,WACP,UAAW,CACb,EACA,CACE,MAAO,WACP,IAAK,SACP,CACF,CACF,CACF,EACA,UAAW,CACb,EACMU,EAAU,CACd,UAAW,SACX,SAAU,CACRjB,EAAK,iBACLO,CACF,EACA,SAAU,CACR,CACE,MAAO,QACP,IAAK,MACL,SAAUG,EAAe,MAAO,KAAK,CACvC,EACA,CACE,MAAO,QACP,IAAK,MACL,SAAUA,EAAe,MAAO,KAAK,CACvC,EACA,CACE,MAAO,QACP,IAAK,KACL,SAAUA,EAAe,KAAM,IAAI,CACrC,EACA,CACE,MAAO,MACP,IAAK,IACL,SAAUA,EAAe,IAAK,GAAG,CACnC,EACA,CACE,MAAO,QACP,IAAK,KACP,CACF,EACA,UAAW,CACb,EACMQ,EAAY,CAChB,UAAW,OACX,MAAO,OACP,IAAK,MACL,SAAU,CAAElB,EAAK,QAAQA,EAAK,kBAAmB,CAAE,UAAW,QAAS,CAAC,CAAE,CAC5E,EACMmB,EAA2B,CAC/BV,EACAK,EACAC,EACAE,EACAD,EACAE,EACAV,EACAR,EAAK,kBACL,CACE,UAAW,QACX,cAAe,sBACf,IAAK,MACL,QAAS,IACT,SAAU,CACRA,EAAK,kBACLA,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOK,CAAgB,CAAC,EACxD,CACE,MAAO,GAAI,CACf,CACF,EACA,CACE,UAAW,QACX,cAAe,iBACf,IAAK,MACL,QAAS,IACT,SAAU,CACRL,EAAK,kBACLA,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOK,CAAgB,CAAC,CAC1D,CACF,EACA,CACE,cAAe,aACf,IAAK,MACL,QAAS,IACT,SAAU,CACRL,EAAK,kBACLA,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOK,CAAgB,CAAC,CAC1D,EACA,UAAW,CACb,EACA,CACE,UAAW,WACX,cAAe,MACf,IAAK,OACL,SAAU,CACRL,EAAK,QAAQA,EAAK,WAAY,CAC5B,MAAOI,EACP,WAAY,EACd,CAAC,CACH,CACF,EACA,CACE,UAAW,WACX,cAAe,YACf,IAAK,OACL,SAAU,CACRJ,EAAK,QAAQA,EAAK,WAAY,CAC5B,MAAOI,EACP,WAAY,EACd,CAAC,CACH,EACA,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAOJ,EAAK,oBAAsB,YAClC,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAO,IACP,SAAU,CACRc,EACA,CAAE,MAAOV,CAAkB,CAC7B,EACA,UAAW,CACb,EACA,CACE,UAAW,SACX,SAAU,CACR,CAAE,MAAO,gBAAkBH,CAAW,EACtC,CAAE,MAAO,iBAAmBA,CAAW,EACvC,CAAE,MAAO,uBAAyBA,CAAW,EAC7C,CAAE,MAAO,sEAAwEC,EAAe,OAAQ,EACxG,CAAE,MAAO,sBAAwBD,CAAW,CAC9C,EACA,UAAW,CACb,CACF,EACA,OAAAM,EAAM,SAAWY,EACjBV,EAAU,SAAWU,EAAyB,MAAM,CAAC,EAE9C,CACL,KAAM,UACN,QAAS,CAAE,IAAK,EAChB,SAAUb,EACV,SAAUa,CACZ,CACF,CAEArB,GAAO,QAAUC,KCtTjB,IAAAqB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAoB,CACxB,OACA,OACA,OACA,UACA,WACA,SACA,UACA,OACA,QACA,MACA,OACA,OACA,QACA,SACA,QACA,QACA,SACA,QACA,OACA,QACF,EACMC,EAAqB,CACzB,SACA,UACA,YACA,SACA,WACA,YACA,WACA,QACA,SACA,WACA,SACA,UACA,MACA,SACA,SACF,EACMC,EAAmB,CACvB,UACA,QACA,OACA,MACF,EACMC,EAAkB,CACtB,WACA,KACA,OACA,QACA,OACA,QACA,QACA,QACA,WACA,KACA,OACA,QACA,WACA,SACA,UACA,QACA,MACA,UACA,OACA,KACA,WACA,KACA,YACA,WACA,KACA,OACA,YACA,MACA,WACA,MACA,WACA,SACA,UACA,YACA,SACA,WACA,SACA,MACA,SACA,SACA,SACA,SACA,aACA,SACA,SACA,SACA,OACA,QACA,MACA,SACA,YACA,SACA,QACA,UACA,OACA,WACA,OACF,EACMC,EAAsB,CAC1B,MACA,QACA,MACA,YACA,QACA,QACA,KACA,aACA,SACA,OACA,MACA,SACA,QACA,OACA,OACA,OACA,MACA,SACA,MACA,UACA,KACA,KACA,UACA,UACA,SACA,SACA,MACA,YACA,UACA,MACA,OACA,QACA,OACA,OACF,EAEMC,EAAW,CACf,QAASF,EAAgB,OAAOC,CAAmB,EACnD,SAAUJ,EACV,QAASE,CACX,EACMI,EAAaP,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAO,oBAAqB,CAAC,EAC1EQ,EAAU,CACd,UAAW,SACX,SAAU,CACR,CAAE,MAAO,eAAiB,EAC1B,CAAE,MAAO,iEAAqE,EAC9E,CAAE,MAAO,qFAA2F,CACtG,EACA,UAAW,CACb,EACMC,EAAkB,CACtB,UAAW,SACX,MAAO,KACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,IAAK,CAAE,CAC9B,EACMC,EAAwBV,EAAK,QAAQS,EAAiB,CAAE,QAAS,IAAK,CAAC,EACvEE,EAAQ,CACZ,UAAW,QACX,MAAO,KACP,IAAK,KACL,SAAUL,CACZ,EACMM,EAAcZ,EAAK,QAAQW,EAAO,CAAE,QAAS,IAAK,CAAC,EACnDE,EAAsB,CAC1B,UAAW,SACX,MAAO,MACP,IAAK,IACL,QAAS,KACT,SAAU,CACR,CAAE,MAAO,MAAO,EAChB,CAAE,MAAO,MAAO,EAChBb,EAAK,iBACLY,CACF,CACF,EACME,EAA+B,CACnC,UAAW,SACX,MAAO,OACP,IAAK,IACL,SAAU,CACR,CAAE,MAAO,MAAO,EAChB,CAAE,MAAO,MAAO,EAChB,CAAE,MAAO,IAAK,EACdH,CACF,CACF,EACMI,EAAqCf,EAAK,QAAQc,EAA8B,CACpF,QAAS,KACT,SAAU,CACR,CAAE,MAAO,MAAO,EAChB,CAAE,MAAO,MAAO,EAChB,CAAE,MAAO,IAAK,EACdF,CACF,CACF,CAAC,EACDD,EAAM,SAAW,CACfG,EACAD,EACAJ,EACAT,EAAK,iBACLA,EAAK,kBACLQ,EACAR,EAAK,oBACP,EACAY,EAAY,SAAW,CACrBG,EACAF,EACAH,EACAV,EAAK,iBACLA,EAAK,kBACLQ,EACAR,EAAK,QAAQA,EAAK,qBAAsB,CAAE,QAAS,IAAK,CAAC,CAC3D,EACA,IAAMgB,EAAS,CAAE,SAAU,CACzBF,EACAD,EACAJ,EACAT,EAAK,iBACLA,EAAK,iBACP,CAAE,EAEIiB,EAAmB,CACvB,MAAO,IACP,IAAK,IACL,SAAU,CACR,CAAE,cAAe,QAAS,EAC1BV,CACF,CACF,EACMW,EAAgBlB,EAAK,SAAW,KAAOA,EAAK,SAAW,aAAeA,EAAK,SAAW,iBACtFmB,EAAgB,CAGpB,MAAO,IAAMnB,EAAK,SAClB,UAAW,CACb,EAEA,MAAO,CACL,KAAM,KACN,QAAS,CACP,KACA,IACF,EACA,SAAUM,EACV,QAAS,KACT,SAAU,CACRN,EAAK,QACH,MACA,IACA,CACE,YAAa,GACb,SAAU,CACR,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,MACP,UAAW,CACb,EACA,CAAE,MAAO,UAAW,EACpB,CACE,MAAO,MACP,IAAK,GACP,CACF,CACF,CACF,CACF,CACF,EACAA,EAAK,oBACLA,EAAK,qBACL,CACE,UAAW,OACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,QAAS,qFAAsF,CAC7G,EACAgB,EACAR,EACA,CACE,cAAe,kBACf,UAAW,EACX,IAAK,QACL,QAAS,UACT,SAAU,CACR,CAAE,cAAe,aAAc,EAC/BD,EACAU,EACAjB,EAAK,oBACLA,EAAK,oBACP,CACF,EACA,CACE,cAAe,YACf,UAAW,EACX,IAAK,QACL,QAAS,SACT,SAAU,CACRO,EACAP,EAAK,oBACLA,EAAK,oBACP,CACF,EACA,CACE,cAAe,SACf,UAAW,EACX,IAAK,QACL,QAAS,SACT,SAAU,CACRO,EACAU,EACAjB,EAAK,oBACLA,EAAK,oBACP,CACF,EACA,CAEE,UAAW,OACX,MAAO,oBACP,aAAc,GACd,IAAK,MACL,WAAY,GACZ,SAAU,CACR,CACE,UAAW,SACX,MAAO,IACP,IAAK,GACP,CACF,CACF,EACA,CAGE,cAAe,8BACf,UAAW,CACb,EACA,CACE,UAAW,WACX,MAAO,IAAMkB,EAAgB,SAAWlB,EAAK,SAAW,wBACxD,YAAa,GACb,IAAK,WACL,WAAY,GACZ,SAAUM,EACV,SAAU,CAER,CACE,cAAeJ,EAAmB,KAAK,GAAG,EAC1C,UAAW,CACb,EACA,CACE,MAAOF,EAAK,SAAW,wBACvB,YAAa,GACb,SAAU,CACRA,EAAK,WACLiB,CACF,EACA,UAAW,CACb,EACA,CAAE,MAAO,MAAO,EAChB,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,SAAUX,EACV,UAAW,EACX,SAAU,CACRU,EACAR,EACAR,EAAK,oBACP,CACF,EACAA,EAAK,oBACLA,EAAK,oBACP,CACF,EACAmB,CACF,CACF,CACF,CAEArB,GAAO,QAAUC,KC/YjB,IAAAqB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAIC,EAAM,CAuBjB,MAAO,CACL,KAAM,MACN,iBAAkB,GAClB,SAAU,CACR,SAAU,yBACV,QA3Ba,CACf,WACA,YACA,cACA,cACA,WACA,cACA,kBACA,YACA,UACA,eACA,YACA,aACA,eACA,aACA,UACA,aACA,YACA,gBACA,gBACA,YACF,CAOE,EACA,SAAU,CACR,CACE,UAAW,SACX,MAAO,IACP,IAAK,GACP,EACA,CACE,UAAW,YACX,MAAO,WACP,IAAK,IACL,WAAY,EACd,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCxDjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,KAAMC,GAASC,IACN,CACL,UAAW,CACT,MAAO,OACP,MAAO,YACT,EACA,cAAeA,EAAK,qBACpB,SAAU,CACR,MAAO,SACP,MAAO,iDACT,EACA,kBAAmB,CACjB,UAAW,WACX,MAAO,cACT,EACA,wBAAyB,CACvB,MAAO,gBACP,MAAO,KACP,IAAK,KACL,QAAS,IACT,SAAU,CACRA,EAAK,iBACLA,EAAK,iBACP,CACF,EACA,gBAAiB,CACf,MAAO,SACP,MAAOA,EAAK,UAAY,kGASxB,UAAW,CACb,EACA,aAAc,CACZ,UAAW,OACX,MAAO,0BACT,CACF,GAGIC,GAAO,CACX,IACA,OACA,UACA,UACA,QACA,QACA,IACA,aACA,OACA,SACA,SACA,UACA,OACA,OACA,KACA,MACA,UACA,MACA,MACA,KACA,KACA,KACA,WACA,aACA,SACA,SACA,OACA,KACA,KACA,KACA,KACA,KACA,KACA,SACA,SACA,OACA,IACA,SACA,MACA,QACA,MACA,MACA,QACA,SACA,KACA,OACA,OACA,OACA,MACA,SACA,KACA,IACA,IACA,QACA,OACA,UACA,OACA,SACA,UACA,MACA,QACA,QACA,KACA,WACA,QACA,KACA,QACA,OACA,KACA,KACA,MACA,OACF,EAEMC,GAAiB,CACrB,YACA,cACA,eACA,QACA,cACA,cACA,sBACA,gBACA,eACA,eACA,gBACA,OACA,SACA,QACA,kBACA,aACA,cACA,iBACA,kBACA,UACA,uBACA,mBACA,yBACA,+BACA,aACA,OACA,YACA,SACA,QAEA,YACA,YACA,aACA,YACF,EAGMC,GAAiB,CACrB,SACA,WACA,QACA,UACA,UACA,UACA,UACA,MACA,WACA,OACA,QACA,UACA,QACA,cACA,gBACA,aACA,SACA,QACA,gBACA,eACA,MACA,OACA,eACA,QACA,gBACA,WACA,UACA,KACA,OACA,aACA,eACA,OACA,OACA,aACA,MACA,YACA,UACA,iBACA,eACA,mBACA,cACA,aACA,eACA,WACA,eACA,OACA,oBACA,YACA,aACA,WACA,QACA,OACA,QACA,SACA,gBACA,eACA,QACA,UACA,OACF,EAGMC,GAAkB,CACtB,QACA,WACA,SACA,MACA,aACA,eACA,aACA,gBACA,SACA,OACA,cACA,YACA,UACA,gBACF,EAEMC,GAAa,CACjB,gBACA,cACA,aACA,MACA,YACA,kBACA,sBACA,qBACA,sBACA,4BACA,iBACA,uBACA,4BACA,sBACA,aACA,wBACA,wBACA,kBACA,mBACA,mBACA,oBACA,sBACA,oBACA,kBACA,aACA,SACA,eACA,qBACA,mBACA,yBACA,yBACA,yBACA,qBACA,2BACA,2BACA,2BACA,qBACA,qBACA,gBACA,sBACA,4BACA,6BACA,sBACA,sBACA,kBACA,eACA,eACA,sBACA,sBACA,qBACA,sBACA,qBACA,gBACA,sBACA,oBACA,0BACA,0BACA,0BACA,sBACA,4BACA,4BACA,4BACA,sBACA,sBACA,cACA,oBACA,oBACA,oBACA,gBACA,eACA,qBACA,qBACA,qBACA,iBACA,eACA,aACA,mBACA,yBACA,0BACA,mBACA,mBACA,eACA,SACA,uBACA,aACA,aACA,cACA,eACA,eACA,eACA,cACA,QACA,OACA,YACA,YACA,QACA,eACA,cACA,aACA,cACA,oBACA,oBACA,oBACA,cACA,eACA,UACA,UACA,UACA,qBACA,oBACA,gBACA,MACA,YACA,aACA,SACA,YACA,UACA,cACA,SACA,OACA,aACA,iBACA,YACA,YACA,cACA,YACA,QACA,OACA,OACA,eACA,cACA,wBACA,eACA,yBACA,YACA,mBACA,iBACA,eACA,aACA,iBACA,eACA,oBACA,0BACA,yBACA,uBACA,wBACA,0BACA,cACA,MACA,6BACA,OACA,YACA,oBACA,iBACA,iBACA,cACA,kBACA,oBACA,WACA,WACA,eACA,iBACA,gBACA,sBACA,wBACA,qBACA,sBACA,SACA,UACA,OACA,oBACA,kBACA,mBACA,WACA,cACA,YACA,kBACA,OACA,iBACA,aACA,cACA,aACA,mBACA,sBACA,kBACA,SACA,eACA,mBACA,qBACA,gBACA,gBACA,oBACA,sBACA,cACA,eACA,aACA,QACA,OACA,cACA,mBACA,qBACA,qBACA,oBACA,qBACA,oBACA,YACA,iBACA,aACA,YACA,cACA,gBACA,cACA,YACA,YACA,iBACA,aACA,kBACA,YACA,iBACA,aACA,kBACA,YACA,iBACA,WACA,YACA,WACA,YACA,SACA,OACA,SACA,aACA,kBACA,UACA,QACA,UACA,UACA,gBACA,iBACA,gBACA,gBACA,WACA,gBACA,aACA,aACA,UACA,gBACA,oBACA,sBACA,iBACA,iBACA,qBACA,uBACA,eACA,gBACA,cACA,mBACA,oBACA,oBACA,QACA,cACA,eACA,cACA,qBACA,iBACA,WACA,SACA,SACA,OACA,aACA,cACA,QACA,UACA,gBACA,sBACA,0BACA,4BACA,uBACA,uBACA,2BACA,6BACA,qBACA,sBACA,oBACA,iBACA,uBACA,2BACA,6BACA,wBACA,wBACA,4BACA,8BACA,sBACA,uBACA,qBACA,oBACA,mBACA,mBACA,kBACA,mBACA,kBACA,wBACA,eACA,gBACA,QACA,WACA,MACA,WACA,eACA,aACA,iBACA,kBACA,uBACA,kBACA,wBACA,uBACA,wBACA,gBACA,sBACA,yBACA,sBACA,cACA,eACA,mBACA,gBACA,iBACA,cACA,iBACA,0BACA,MACA,YACA,gBACA,mBACA,kBACA,aACA,mBACA,sBACA,sBACA,6BACA,eACA,iBACA,aACA,gBACA,iBACA,eACA,cACA,cACA,aACA,eACA,eACA,cACA,SACA,QACA,cACA,aACA,eACA,YACA,eACA,SAGF,EAAE,QAAQ,EASV,SAASC,GAAIN,EAAM,CACjB,IAAMO,EAAQP,EAAK,MACbQ,EAAQT,GAAMC,CAAI,EAClBS,EAAgB,CAAE,MAAO,8BAA+B,EACxDC,EAAe,kBACfC,EAAiB,oBACjBC,EAAW,0BACXC,EAAU,CACdb,EAAK,iBACLA,EAAK,iBACP,EAEA,MAAO,CACL,KAAM,MACN,iBAAkB,GAClB,QAAS,UACT,SAAU,CAAE,iBAAkB,SAAU,EACxC,iBAAkB,CAGhB,iBAAkB,cAAe,EACnC,SAAU,CACRQ,EAAM,cACNC,EAGAD,EAAM,gBACN,CACE,UAAW,cACX,MAAO,kBACP,UAAW,CACb,EACA,CACE,UAAW,iBACX,MAAO,MAAQI,EACf,UAAW,CACb,EACAJ,EAAM,wBACN,CACE,UAAW,kBACX,SAAU,CACR,CAAE,MAAO,KAAOL,GAAe,KAAK,GAAG,EAAI,GAAI,EAC/C,CAAE,MAAO,SAAWC,GAAgB,KAAK,GAAG,EAAI,GAAI,CACtD,CACF,EAOAI,EAAM,aACN,CACE,UAAW,YACX,MAAO,OAASH,GAAW,KAAK,GAAG,EAAI,MACzC,EAEA,CACE,MAAO,IACP,IAAK,QACL,SAAU,CACRG,EAAM,cACNA,EAAM,SACNA,EAAM,UACNA,EAAM,gBACN,GAAGK,EAIH,CACE,MAAO,mBACP,IAAK,KACL,UAAW,EACX,SAAU,CAAE,SAAU,cAAe,EACrC,SAAU,CACR,GAAGA,EACH,CACE,UAAW,SAGX,MAAO,OACP,eAAgB,GAChB,WAAY,EACd,CACF,CACF,EACAL,EAAM,iBACR,CACF,EACA,CACE,MAAOD,EAAM,UAAU,GAAG,EAC1B,IAAK,OACL,UAAW,EACX,QAAS,IACT,SAAU,CACR,CACE,UAAW,UACX,MAAOI,CACT,EACA,CACE,MAAO,KACP,eAAgB,GAChB,WAAY,GACZ,UAAW,EACX,SAAU,CACR,SAAU,UACV,QAASD,EACT,UAAWR,GAAe,KAAK,GAAG,CACpC,EACA,SAAU,CACR,CACE,MAAO,eACP,UAAW,WACb,EACA,GAAGW,EACHL,EAAM,eACR,CACF,CACF,CACF,EACA,CACE,UAAW,eACX,MAAO,OAASP,GAAK,KAAK,GAAG,EAAI,MACnC,CACF,CACF,CACF,CAEAH,GAAO,QAAUQ,KChuBjB,IAAAQ,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CA0BA,SAASC,GAAEC,EAAM,CAMf,IAAMC,EAAa,CACjB,SAAUD,EAAK,oBACf,QACE,6mBAQF,SACE,2KAGF,QACE,iBACJ,EAOME,EAAqB,mBACrBC,EAA2B,0CAC3BC,EAAoB,cACpBC,EAAwB,uDACxBC,EAAyB,QAAUD,EAEnCE,EAAsB,aAAeJ,EAA2B,IAChEK,EAAmB,IAAML,EAA2B,YAAcI,EAAsB,YAClEJ,EAA2B,OAC/BD,EAAqBK,EAAsB,KAE7DE,EAAuB,UACXJ,EAAwB,MAAQA,EAAwB,QAC/CA,EACV,aAAeF,EAA2B,IAErDO,EAAa,IACbR,EAAqB,IACrBE,EAAoB,IACnBE,EACH,IAEEK,EAAW,IACXF,EAAuB,IACvBD,EACF,IAOEI,EAAqB,wGAcrBC,EAAiB,CACrB,UAAW,SACX,MAAO,MAAQH,EAAa,uBAC5B,UAAW,CACb,EAMMI,EAAe,CACnB,UAAW,SACX,MAAO,OACDH,EAAW,wBACXD,EAAa,gBAEnB,UAAW,CACb,EAOMK,EAAmB,CACvB,UAAW,SACX,MAAO,KAAQH,EAAqB,MACpC,IAAK,IACL,QAAS,GACX,EAiBMI,EAAgB,CACpB,UAAW,SACX,MAAO,IACP,SAAU,CAbc,CACxB,MAAOJ,EACP,UAAW,CACb,CAUgC,EAC9B,IAAK,SACP,EAOMK,EAAkC,CACtC,UAAW,SACX,MAAO,QACP,IAAK,UACL,UAAW,CACb,EAOMC,EAAkC,CACtC,UAAW,SACX,MAAO,IACP,IAAK,SACP,EAOMC,EAAoB,CACxB,UAAW,SACX,MAAO,iCACP,UAAW,EACb,EAOMC,EAAsB,CAC1B,UAAW,SACX,MAAO,QACP,IAAK,MACP,EAOMC,EAAkB,CACtB,UAAW,OACX,MAAO,MACP,IAAK,IACL,UAAW,CACb,EAOMC,GAAgC,CACpC,UAAW,OACX,MAAO,UACP,IAAK,IACL,UAAW,CACb,EAOMC,EAAmB,CACvB,UAAW,UACX,MAAO,yBACT,EAOMC,GAAyBxB,EAAK,QAClC,SACA,SACA,CACE,SAAU,CAAE,MAAO,EACnB,UAAW,EACb,CACF,EAEA,MAAO,CACL,KAAM,IACN,SAAUC,EACV,SAAU,CACRD,EAAK,oBACLA,EAAK,qBACLwB,GACAL,EACAH,EACAC,EACAC,EACAE,EACAN,EACAD,EACAE,EACAM,EACAC,GACAC,CACF,CACF,CACF,CAEAzB,GAAO,QAAUC,KC9QjB,IAAA0B,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAASC,EAAM,CACtB,IAAMC,EAAQD,EAAK,MACbE,EAAc,CAClB,MAAO,gBACP,IAAK,IACL,YAAa,MACb,UAAW,CACb,EACMC,EAAkB,CACtB,MAAO,cACP,IAAK,GACP,EACMC,EAAO,CACX,UAAW,OACX,SAAU,CAER,CAAE,MAAO,+BAAgC,EACzC,CAAE,MAAO,+BAAgC,EAEzC,CACE,MAAO,MACP,IAAK,WACP,EACA,CACE,MAAO,MACP,IAAK,WACP,EACA,CAAE,MAAO,OAAQ,EACjB,CACE,MAAO,kBAGP,SAAU,CACR,CACE,MAAO,cACP,IAAK,QACP,CACF,EACA,UAAW,CACb,CACF,CACF,EACMC,EAAO,CACX,UAAW,SACX,MAAO,kCACP,IAAK,OACL,WAAY,EACd,EACMC,EAAiB,CACrB,MAAO,eACP,YAAa,GACb,SAAU,CACR,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,EACd,EACA,CACE,UAAW,OACX,MAAO,OACP,IAAK,IACL,aAAc,EAChB,CACF,CACF,EACMC,EAAa,0BACbC,EAAO,CACX,SAAU,CAGR,CACE,MAAO,iBACP,UAAW,CACb,EAEA,CACE,MAAO,gEACP,UAAW,CACb,EACA,CACE,MAAOP,EAAM,OAAO,YAAaM,EAAY,YAAY,EACzD,UAAW,CACb,EAEA,CACE,MAAO,wBACP,UAAW,CACb,EAEA,CACE,MAAO,iBACP,UAAW,CACb,CACF,EACA,YAAa,GACb,SAAU,CACR,CAEE,MAAO,UAAW,EACpB,CACE,UAAW,SACX,UAAW,EACX,MAAO,MACP,IAAK,MACL,aAAc,GACd,UAAW,EACb,EACA,CACE,UAAW,OACX,UAAW,EACX,MAAO,SACP,IAAK,MACL,aAAc,GACd,WAAY,EACd,EACA,CACE,UAAW,SACX,UAAW,EACX,MAAO,SACP,IAAK,MACL,aAAc,GACd,WAAY,EACd,CACF,CACF,EACME,EAAO,CACX,UAAW,SACX,SAAU,CAAC,EACX,SAAU,CACR,CACE,MAAO,aACP,IAAK,MACP,EACA,CACE,MAAO,cACP,IAAK,OACP,CACF,CACF,EACMC,EAAS,CACb,UAAW,WACX,SAAU,CAAC,EACX,SAAU,CACR,CACE,MAAO,cACP,IAAK,IACP,EACA,CACE,MAAO,aACP,IAAK,IACL,UAAW,CACb,CACF,CACF,EAKMC,EAAsBX,EAAK,QAAQS,EAAM,CAAE,SAAU,CAAC,CAAE,CAAC,EACzDG,EAAsBZ,EAAK,QAAQU,EAAQ,CAAE,SAAU,CAAC,CAAE,CAAC,EACjED,EAAK,SAAS,KAAKG,CAAmB,EACtCF,EAAO,SAAS,KAAKC,CAAmB,EAExC,IAAIE,EAAc,CAChBX,EACAM,CACF,EAEA,OACEC,EACAC,EACAC,EACAC,CACF,EAAE,QAAQE,GAAK,CACbA,EAAE,SAAWA,EAAE,SAAS,OAAOD,CAAW,CAC5C,CAAC,EAEDA,EAAcA,EAAY,OAAOJ,EAAMC,CAAM,EA+BtC,CACL,KAAM,WACN,QAAS,CACP,KACA,SACA,KACF,EACA,SAAU,CApCG,CACb,UAAW,UACX,SAAU,CACR,CACE,MAAO,UACP,IAAK,IACL,SAAUG,CACZ,EACA,CACE,MAAO,uBACP,SAAU,CACR,CAAE,MAAO,SAAU,EACnB,CACE,MAAO,IACP,IAAK,MACL,SAAUA,CACZ,CACF,CACF,CACF,CACF,EAkBIX,EACAG,EACAI,EACAC,EAnBe,CACjB,UAAW,QACX,MAAO,SACP,SAAUG,EACV,IAAK,GACP,EAgBIT,EACAD,EACAK,EACAF,CACF,CACF,CACF,CAEAR,GAAO,QAAUC,KChPjB,IAAAgB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQ,CACZ,UAAW,QACX,SAAU,CAAE,CAAE,MAAO,kBAAmB,CAAE,CAC5C,EAEMC,EAAe,CACnB,UAAW,QACX,SAAU,CACR,CACE,MAAO,OACP,IAAK,IACP,CACF,EACA,SAAU,mCACZ,EAEMC,EAAS,CACb,UAAW,SACX,SAAU,CACR,CACE,MAAO,OACP,IAAK,KACP,EACA,CACE,MAAO,OACP,IAAK,KACP,EACA,CACE,MAAO,KACP,IAAK,IACL,QAAS,KACX,EACA,CACE,MAAO,KACP,IAAK,IACL,QAAS,KACX,EACA,CACE,MAAO,MACP,IAAK,MACL,SAAU,CACRH,EAAK,iBACLC,EACAC,CACF,CACF,EACA,CACE,MAAO,MACP,IAAK,MACL,SAAU,CACRF,EAAK,iBACLC,EACAC,CACF,CACF,EACA,CACE,MAAO,IACP,IAAK,IACL,QAAS,MACT,SAAU,CACRF,EAAK,iBACLC,EACAC,CACF,CACF,EACA,CACE,MAAO,IACP,IAAK,IACL,QAAS,MACT,SAAU,CACRF,EAAK,iBACLC,EACAC,CACF,CACF,CACF,CACF,EACAA,EAAa,SAAW,CACtBF,EAAK,cACLG,CACF,EAEA,IAAMC,EAAiB,CAErB,aACA,WACA,WACA,WACA,WACA,WACA,OACA,MACA,QACA,SACA,UACA,SACA,MACA,YACA,SACA,eACA,aACA,SACA,OACA,MACA,OACA,SACA,MACA,MAEA,UACA,aACF,EACMC,EAA0BD,EAAe,IAAKE,GAAM,GAAGA,CAAC,GAAG,EA2FjE,MAAO,CACL,KAAM,OACN,SAtBe,CACf,QAtEqB,CACrB,WACA,KACA,SACA,QACA,QACA,OACA,QACA,OACA,QACA,QACA,QACA,WACA,YACA,UACA,WACA,KACA,UACA,OACA,OACA,SACA,UACA,YACA,WACA,UACA,QACA,QACA,UACA,MACA,WACA,MACA,OACA,KACA,aACA,SACA,KACA,YACA,KACA,OACA,UACA,QACA,MACA,OACA,KACA,WACA,OACA,WACA,UACA,SACA,SACA,MACA,OACA,SACA,QACA,SACA,OACA,OACA,QACA,OACA,MACA,UACA,MACA,OACA,OACA,QACA,OACA,OACF,EAIE,SACEF,EACG,OAAOC,CAAuB,EAC9B,OAAO,CAEN,QACA,OACA,UACA,QAEA,WACA,gBACA,mBACA,QACF,CAAC,EACL,SAAU,0BACZ,EAKE,SAAU,CACRF,EACAH,EAAK,QACH,eACA,OACA,CACE,YAAa,WACb,UAAW,CACb,CACF,EACAA,EAAK,QACH,WACA,IAAK,CAAE,SAAU,CACf,CACE,YAAa,WACb,MAAO,IACP,IAAK,IACL,UAAW,CACb,CACF,CAAE,CACJ,EACAA,EAAK,oBACLA,EAAK,qBACL,CACE,UAAW,QACX,cAAe,kBACf,IAAK,KACL,WAAY,GACZ,SAAU,CACR,CAAE,cAAe,oBAAqB,EACtCA,EAAK,qBACP,CACF,EACAA,EAAK,cACL,CACE,UAAW,OACX,MAAO,YACT,EACA,CAAE,MAAO,IACT,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCrQjB,IAAAQ,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAMA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAW,CACf,UACA,WACA,OACA,MACA,QACA,SACA,WACA,MACA,MACA,QACA,MACA,OACA,QACA,OACA,QACA,MACA,SACA,QACA,WACA,MACA,YACA,KACA,UACA,SACA,OACA,QACA,YACA,KACA,OACA,UACA,WACA,MACA,MACA,MACA,iBACA,eACA,SACA,UACA,MACA,MACA,YACA,UACA,KACA,WACA,OACA,OACA,WACA,MACA,MACA,WACA,SACA,OACA,QACA,SACA,KACA,SACA,SACA,QACA,aACA,QACA,UACA,UACA,OACA,OACA,iBACA,SACA,UACA,MACA,KACA,OACA,QACA,KACA,SACA,YACA,KACA,MACA,SACA,QACA,WACA,cACA,OACA,SACA,OACA,iBACA,UACA,YACA,YACA,WACA,cACA,WACA,KACA,KACA,WACA,QACA,YACA,YACA,QACA,WACA,UACA,OACA,aACA,eACA,WACA,aACA,gBACA,UACA,SACA,QACA,UACA,UACA,SACA,aACA,YACA,WACA,QACA,OACA,YACA,WACA,eACA,aACA,YACA,gBACA,YACA,aACA,SACA,YACA,SACF,EACMC,EAAgB,CACpBF,EAAK,oBACLA,EAAK,QAAQ,KAAM,KAAM,CAAE,UAAW,CAAE,CAAC,EACzCA,EAAK,QAAQ,OAAQ,OAAQ,CAAE,UAAW,EAAG,CAAC,CAChD,EACMG,EAAY,CAChB,UAAW,OACX,SAAU,CACR,CACE,MAAO,OACP,IAAK,IACP,EACA,CACE,MAAO,SACP,IAAK,MACP,CACF,CACF,EACMC,EAAS,CACb,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,IAAK,CAAE,CAC9B,EACMC,EAAS,CACb,UAAW,SACX,UAAW,EAEX,SAAU,CACR,CAEE,MAAO,iBAAkB,EAC3B,CAEE,MAAO,SAAU,EACnB,CAEE,MAAO,QAAS,CACpB,CACF,EACMC,EAAc,CAClB,UAAW,SACX,MAAO,SACT,EACMC,EAAQ,CACZ,MAAOP,EAAK,SAAW,wBACvB,YAAa,GACb,SAAU,CAAEA,EAAK,UAAW,CAC9B,EACMQ,EAAW,CACf,UAAW,WACX,cAAe,4CACf,IAAK,OACL,SAAU,qDACV,SAAU,CACRR,EAAK,WACL,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAUC,EACV,SAAU,CACRG,EACAE,EACAH,CACF,EAAE,OAAOD,CAAa,CACxB,EACAC,CACF,EAAE,OAAOD,CAAa,CACxB,EACA,MAAO,CACL,KAAM,SACN,QAAS,CACP,MACA,MACA,MACA,QACF,EACA,iBAAkB,GAClB,SAAUD,EACV,QAAS,2BACT,SAAU,CACRG,EACAE,EACAN,EAAK,YACLK,EACAE,EACAC,EACAL,CACF,EAAE,OAAOD,CAAa,CACxB,CACF,CAEAJ,GAAO,QAAUC,KCrOjB,IAAAU,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACnB,MAAO,CACL,KAAM,OACN,QAAS,CAAE,OAAQ,EACnB,SAAU,CACR,CACE,UAAW,OACX,UAAW,GACX,MAAOC,EAAM,OACX,+BACA,8BACA,sBACF,CACF,EACA,CACE,UAAW,UACX,SAAU,CACR,CACE,MAAOA,EAAM,OACX,UACA,SACA,QACA,QACA,UACA,SACA,aACF,EACA,IAAK,GACP,EACA,CAAE,MAAO,UAAW,CACtB,CACF,EACA,CACE,UAAW,WACX,MAAO,MACP,IAAK,GACP,EACA,CACE,UAAW,WACX,MAAO,KACP,IAAK,GACP,EACA,CACE,UAAW,WACX,MAAO,KACP,IAAK,GACP,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KC7DjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAWA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAS,CACb,MAAO,gBACP,SAAU,CAAE,KACR,0kBAO2B,EAC/B,SAAU,CACRD,EAAK,kBACLA,EAAK,gBACP,CACF,EAEA,MAAO,CACL,KAAM,SACN,QAAS,CAAE,OAAQ,EACnB,iBAAkB,GAClB,YAAa,MACb,SAAU,CACRA,EAAK,QAAQ,sBAAuB,wBAAwB,EAC5DA,EAAK,QAAQ,MAAO,KAAK,EACzB,CACE,UAAW,eACX,MAAO,MACP,IAAK,MACL,SAAU,CACR,CACE,UAAW,OACX,MAAO,MACP,SAAU,CAAE,KACR,+lBAQa,EACjB,OAAQ,CACN,eAAgB,GAChB,SAAU,WACV,SAAU,CAAEC,CAAO,EACnB,UAAW,CACb,CACF,CACF,CACF,EACA,CACE,UAAW,oBACX,MAAO,OACP,IAAK,OACL,SAAU,CAAEA,CAAO,CACrB,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KC1EjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CAyCjB,MAAO,CACL,KAAM,WACN,QAAS,CACP,OACA,MACF,EACA,SA9Ce,CACf,KACA,IACA,OACA,QACA,MACA,MACA,UACA,MACA,OACA,QACA,QACA,MACA,QACA,SACA,KACA,MACA,WACA,MACA,KACA,MACA,KACA,QACA,KACA,OACA,QACA,aACA,MACA,QACA,KACA,MACA,MACA,MACA,QACA,KACA,OACA,OACA,OACA,KACF,EAQE,SAAU,CACRA,EAAK,QAAQ,IAAK,IAAK,CAAE,UAAW,CAAE,CAAC,EACvC,CACE,UAAW,OACX,MAAO,oCACT,EAEA,CACE,UAAW,SACX,MAAO,6mCACT,EAEA,CACE,UAAW,SACX,MAAO,6FACT,EACAA,EAAK,QAAQA,EAAK,YAAa,CAAE,MAAO,cAAe,CAAC,CAC1D,CACF,CACF,CAEAF,GAAO,QAAUC,KC7EjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAWC,EAAM,CAWxB,MAAO,CACL,KAAM,aACN,QAAS,CAAE,QAAS,EACpB,iBAAkB,GAClB,SAde,CACf,OACA,aACA,SACA,MACA,MACA,OACA,UACA,YACF,EAME,SAAU,CACRA,EAAK,kBACLA,EAAK,iBACLA,EAAK,kBACLA,EAAK,YACL,CACE,cAAe,qEACf,OAAQ,CACN,IAAK,SACL,YAAa,MACf,CACF,CACF,EACA,QAAS,IACX,CACF,CAEAF,GAAO,QAAUC,KC3CjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAUD,EAAK,QACnB,cAAe,IACf,CAAE,UAAW,EAAG,CAClB,EAqHA,MAAO,CACL,KAAM,mBACN,QAAS,CACP,MACA,KACF,EACA,iBAAkB,GAClB,QAAS,OACT,SAAU,CACR,QAxHa,CACf,KACA,OACA,OACA,MACA,KACA,KACA,OACA,OACA,MACA,QACA,aACA,UACA,MACA,MACA,MACA,MACA,MACA,KACF,EAsGI,SArGc,CAChB,MACA,MACA,OACA,OACA,OACA,MACA,OACA,OACA,OACA,OACA,MACA,QACA,KACA,MACA,OACA,WACA,WACA,MACA,QACA,OACA,SACA,QACA,KACA,SACA,QACA,QACA,KACA,OACA,QACA,SACA,UACA,MACA,MACA,QACA,OACA,UACA,UACA,OACA,MACA,WACA,WACA,SACA,QACA,KACA,OACA,UACA,SACA,QACA,WACA,OACA,OACA,QACA,KACA,QACA,OACA,OACA,OACA,OACA,QACA,QACA,OACA,QACA,QACA,KACA,UACA,MACA,SACA,UACA,UACA,QACA,QACA,OACA,QACA,QACA,OACA,QACA,OACA,OACA,MACA,SACA,MAEA,OACA,MACA,WACA,WACA,QACA,MACA,KACF,CAYE,EACA,SAAU,CACR,CACE,UAAW,WACX,MAAO,0BACT,EACA,CACE,UAAW,WACX,MAvIQ,CACZ,UAAW,SACX,MAAO,mDACP,UAAW,CACb,EAmImB,MACb,IAAK,WACL,SAAU,CACRA,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAO,mDAAoD,CAAC,EAC5FC,CACF,CACF,EACA,CACE,UAAW,SACX,MAAO,UACP,UAAW,CACb,EACAA,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KCrKjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAASC,EAAM,CAwBtB,MAAO,CACL,SAAU,WACV,SAAU,CACR,CACE,UAAW,UACX,MAAO,YACP,IAAK,KACL,WAAY,GACZ,UAAW,EACb,EACA,CACE,UAAW,WACX,MAAO,qCACP,IAAK,KACL,WAAY,GACZ,QAAS,aACT,UAAW,EACb,EACA,CACE,UAAW,WACX,MAAO,UACP,IAAK,KACL,WAAY,EACd,EA9CoB,CACtB,UAAW,SACX,MAAO,IACP,IAAK,GACP,EACsB,CACpB,UAAW,SACX,MAAO,IACP,IAAK,GACP,EAC0B,CACxB,UAAW,SACX,MAAO,eACP,IAAK,KACL,UAAW,CACb,EAC2B,CACzB,UAAW,SACX,MAAO,cACP,IAAK,SACL,UAAW,CACb,EA8BIA,EAAK,iBACP,CACF,CACF,CAEAF,GAAO,QAAUC,KCjEjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAU,CACd,UAAW,SACX,SAAU,CACRD,EAAK,QAAQA,EAAK,kBAAmB,CAAE,MAAO,eAAgB,CAAC,EAC/D,CACE,MAAO,aACP,IAAK,IACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,UACP,IAAK,IACL,QAAS,GACX,CACF,CACF,EAEME,EAAU,CACd,UAAW,SACX,SAAU,CACR,CAAE,MAAO,gDAAiD,EAC1D,CAAE,MAAOF,EAAK,WAAY,CAC5B,EACA,UAAW,CACb,EAEMG,EAAe,CACnB,UAAW,OACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,QAAS,8CAA+C,EACpE,SAAU,CACR,CACE,MAAO,OACP,UAAW,CACb,EACA,CACE,cAAe,UACf,IAAK,IACL,SAAU,CAAE,QAAS,SAAU,EAC/B,SAAU,CACRH,EAAK,QAAQC,EAAS,CAAE,UAAW,QAAS,CAAC,EAC7C,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,QAAS,KACX,CACF,CACF,EACAA,EACAD,EAAK,oBACLA,EAAK,oBACP,CACF,EAEMI,EAAY,CAChB,UAAW,WACX,MAAO,cACT,EAEMC,EAAU,CACd,UAAW,UACX,MAAO,mBACT,EAEMC,EAAQ,CACZ,UAAW,SACX,MAAO,8BACT,EAEMC,EAAgB,CACpB,UAAW,SACX,UAAW,EACX,MAAO,IACP,IAAK,IACL,SAAU,CACRL,EACAE,CACF,CACF,EAEMI,EAAO,CACX,UAAW,cACX,MAAO,kCACP,UAAW,EACb,EAEMC,EAAY,CAChB,UAAW,cACX,MAAO,eACP,UAAW,EACb,EAIMC,EAAgB,CACpB,MAAO,qBACP,UAAW,EACX,MAAO,MACT,EACMC,EAAO,CACX,UAAW,EACX,MAAO,CACL,gBACA,MACA,GACF,EACA,MAAO,CACL,EAAG,OACH,EAAG,UACL,CACF,EAEMC,EAAO,CACX,MAAO,cACP,UAAW,EAEX,MAAO,WACT,EAEA,MAAO,CACL,KAAM,cACN,SAAU,CACRH,EACAL,EACAC,EACAC,EACAE,EACAG,EACAD,EACAH,EACAP,EAAK,oBACLA,EAAK,qBACLE,EACAD,EACAE,EACAS,EACA,CACE,MAAOZ,EAAK,SAAW,KACvB,SAAU,EACZ,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC5JjB,IAAAc,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAsB,iDAC5B,MAAO,CACL,KAAM,OACN,QAAS,CAAE,KAAM,EACjB,iBAAkB,GAClB,YAAa,MACb,SAAU,CACR,CACE,UAAW,eACX,MAAO,UACP,IAAK,KACL,QAAS,IACT,SAAU,CACR,CACE,UAAW,OACX,MAAO,eACP,OAAQ,CACN,eAAgB,GAChB,UAAW,EACX,SAAU,CAAED,EAAK,iBAAkB,CACrC,CACF,CACF,CACF,EACA,CACE,UAAW,oBACX,MAAO,KACP,IAAK,KACL,QAAS,IACT,SAAUC,CACZ,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KC9CjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAcD,EAAK,QAAQ,OAAQ,MAAM,EAEzCE,EAAkB,CACtB,UAAW,YACX,MAAO,mCACT,EAOMC,EAAe,CACnB,MAAO,IACP,IAAK,OACL,SAAU,CACRF,EATwB,CAC1B,UAAW,OACX,MAAO,QACT,EAQI,CAEE,UAAW,SACX,SAAU,CACRD,EAAK,iBACLA,EAAK,kBACL,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,CACF,CACF,EAEA,MAAO,CACL,KAAM,4BACN,QAAS,KACT,SAAU,CACRC,EACAC,EACAC,CACF,CACF,CACF,CAEAL,GAAO,QAAUC,KCpDjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAQD,EAAK,MACbE,EAAkB,kCAClBC,EAAmB,mFAuCnBC,EAAM,CACV,SAAUF,EACV,QAxCe,CACf,QACA,QACA,MACA,OACA,QACA,OACA,YACA,WACA,KACA,OACA,MACA,KACA,MACA,KACA,SACA,KACA,MACA,KACA,QACA,QACA,UACA,UACA,UACA,SACA,MACA,SACA,UACA,mBACA,MACA,OACA,QACF,EASE,QARe,CACf,QACA,MACA,MACF,CAKA,EACMG,EAAQ,CACZ,UAAW,QACX,MAAO,MACP,IAAK,KACL,SAAUD,CACZ,EACME,EAAS,CACb,UAAW,SACX,MAAO,uGACP,UAAW,CACb,EAQMC,EAAmB,CACvB,MAHiB,WAIjB,MAAO,cACP,UAAW,CACb,EACMC,EAAmB,aACnBC,EAAwB,CAC5B,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,KACP,IAAK,IACP,EACA,CACE,MAAO,KACP,IAAK,IACP,EACA,CACE,MAAO,KACP,IAAK,IACP,EACA,CACE,MAAO,KACP,IAAK,IACP,EACA,CACE,MAAO,KACP,IAAK,IACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,EACMC,EAAkBC,IACf,CACL,MAAO,cACP,MAAOV,EAAM,OAAO,KAAMU,CAAG,EAC7B,UAAW,CACb,GAEIC,EAAkB,CACtB,UAAW,SACX,MAAO,YAAmBJ,EAAmB,IAC7C,SAAUC,EAAsB,IAAII,GAAKb,EAAK,QAAQa,EACpD,CAAE,SAAU,CACVH,EAAeG,EAAE,GAAG,EACpBN,EACAF,CACF,CAAE,CACJ,CAAC,CACH,EAEMS,EAAe,CACnB,UAAW,SACX,MAAO,YAAmBN,EAAmB,IAC7C,SAAUC,EAAsB,IAAII,GAAKb,EAAK,QAAQa,EACpD,CAAE,SAAU,CAAEH,EAAeG,EAAE,GAAG,CAAE,CAAE,CACxC,CAAC,CACH,EAEME,EAAc,CAClB,UAAW,QACX,SAAU,CACR,CACE,MAAO,QAAeP,EAAmB,IACzC,SAAUC,EAAsB,IAAII,GAAKb,EAAK,QAAQa,EACpD,CACE,IAAKZ,EAAM,OAAOY,EAAE,IAAK,gBAAgB,EACzC,SAAU,CACRH,EAAeG,EAAE,GAAG,EACpBN,EACAF,CACF,CACF,CACF,CAAC,CACH,EACA,CACE,MAAO,QAAeG,EAAmB,IACzC,SAAUC,EAAsB,IAAII,GAAKb,EAAK,QAAQa,EACpD,CACE,IAAKZ,EAAM,OAAOY,EAAE,IAAK,gBAAgB,EACzC,SAAU,CAAEH,EAAeG,EAAE,GAAG,CAAE,CACpC,CAAC,CACH,CACF,CACF,CACF,EAEMG,EAAS,CACb,UAAW,SACX,SAAU,CACRhB,EAAK,iBACLK,CACF,EACA,SAAU,CACR,CACE,MAAO,MACP,IAAK,KACP,EACA,CACE,MAAO,MACP,IAAK,KACP,EACA,CACE,MAAO,QACP,IAAK,MACL,SAAU,CAAC,CACb,EACA,CACE,MAAO,MACP,IAAK,IACL,SAAU,CAAC,CACb,EACA,CACE,MAAO,QACP,IAAK,MACL,SAAU,CAAC,CACb,EACA,CACE,MAAO,MACP,IAAK,IACL,SAAU,CAAC,CACb,EACA,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,EACMY,EAAW,CACf,UAAW,WACX,cAAe,8BACf,IAAK,OACL,SAAU,CACRjB,EAAK,QAAQA,EAAK,WAAY,CAC5B,MAAOE,EACP,WAAY,EACd,CAAC,CACH,CACF,EACMgB,EAAQlB,EAAK,QAAQiB,EAAU,CACnC,UAAW,QACX,cAAe,0CACf,IAAK,YACP,CAAC,EACKE,EAA0B,CAC9BH,EACAD,EACAD,EACAF,EACAZ,EAAK,kBACLkB,EACAD,EACA,CAAE,MAAO,IAAK,EACd,CACE,UAAW,SACX,MAAO,cACP,SAAU,CACRD,EACA,CAAE,MAAOb,CAAiB,CAC5B,EACA,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAOD,EAAkB,SACzB,UAAW,CACb,EACA,CACE,UAAW,cACX,MAAO,yBACP,UAAW,CACb,EACAI,EACA,CACE,UAAW,WACX,MAAO,4BACT,CAEF,EACA,OAAAD,EAAM,SAAWc,EAEV,CACL,KAAM,SACN,QAAS,CACP,KACA,KACF,EACA,SAAUf,EACV,SAAUe,CACZ,CACF,CAEArB,GAAO,QAAUC,KCtRjB,IAAAqB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAU,CAAE,SAAU,CAC1BD,EAAK,QAAQ,KAAM,GAAG,EACtBA,EAAK,QACH,MACA,MACA,CAAE,SAAU,CAAE,MAAO,CAAE,CACzB,CACF,CAAE,EAEIE,EAAc,CAClB,UAAW,OACX,MAAO,kBACP,UAAW,CACb,EAEMC,EAAO,CACX,MAAO,MACP,IAAK,MACL,QAAS,IACT,SAAU,CACR,CACE,UAAW,OACX,MAAO,wCACT,EACAF,CACF,CACF,EAEMG,EAAS,CACb,MAAO,KACP,IAAK,KACL,SAAUD,EAAK,QACjB,EAEME,EAAY,CAChB,UAAW,SACX,MAAO,UACP,IAAK,IACL,QAAS,GACX,EA0BA,MAAO,CACL,KAAM,MACN,SA1Be,CACf,MACA,KACA,KACA,OACA,OACA,OACA,KACA,QACA,SACA,SACA,WACA,OACA,QACA,KACA,QACA,SACA,SACA,OACA,SACA,UACA,cACF,EAKE,SAAU,CAIR,CACE,cAAe,qBACf,IAAK,WACL,SAAU,yDACV,SAAU,CACRF,EACAF,CACF,EACA,QAAS,UACX,EACA,CACE,MAAO,SACP,IAAK,IACL,SAAU,qBACV,SAAU,CACRE,EACAF,CACF,EACA,QAAS,UACX,EACA,CACE,MAAO,OACP,IAAK,IACL,SAAU,aACV,SAAU,CACRC,EACAC,EACAC,EACAH,CACF,CACF,EACA,CACE,cAAe,sBACf,IAAK,IACL,SAAU,CACRD,EAAK,cACLC,CACF,CACF,EACA,CACE,MAAO,OACP,IAAK,IACL,SAAU,OACV,SAAU,CAAEA,CAAQ,CACtB,EAGAI,EACAL,EAAK,kBACLA,EAAK,cACLE,EACAF,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAO,gBAAkB,CAAC,EAC1DC,EAEA,CACE,MAAO,OAAQ,CACnB,EACA,QAAS,GACX,CACF,CAEAH,GAAO,QAAUC,KC9IjB,IAAAO,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAiB,qFAEjBC,EAAgBF,EAAM,OAC1B,uBAEA,4BACF,EAEMG,EAA+BH,EAAM,OAAOE,EAAe,UAAU,EAarEE,EAAgB,CACpB,oBAAqB,CACnB,WACA,WACA,cACF,EACA,oBAAqB,CACnB,OACA,OACF,EACA,QAAS,CACP,QACA,MACA,QACA,QACA,QACA,OACA,QACA,UACA,KACA,OACA,QACA,MACA,MACA,SACA,MACA,KACA,KACA,SACA,OACA,MACA,KACA,OACA,UACA,SACA,QACA,SACA,OACA,QACA,SACA,QACA,OACA,QACA,QACA,GAtDe,CACjB,UACA,SACA,UACA,SACA,UACA,YACA,QACA,OACF,CA8CE,EACA,SAAU,CACR,OACA,SACA,gBACA,cACA,cACA,gBACA,mBACA,iBACF,EACA,QAAS,CACP,OACA,QACA,KACF,CACF,EACMC,EAAY,CAChB,UAAW,SACX,MAAO,YACT,EACMC,EAAa,CACjB,MAAO,KACP,IAAK,GACP,EACMC,EAAgB,CACpBR,EAAK,QACH,IACA,IACA,CAAE,SAAU,CAAEM,CAAU,CAAE,CAC5B,EACAN,EAAK,QACH,UACA,QACA,CACE,SAAU,CAAEM,CAAU,EACtB,UAAW,EACb,CACF,EACAN,EAAK,QAAQ,WAAYA,EAAK,gBAAgB,CAChD,EACMS,EAAQ,CACZ,UAAW,QACX,MAAO,MACP,IAAK,KACL,SAAUJ,CACZ,EACMK,EAAS,CACb,UAAW,SACX,SAAU,CACRV,EAAK,iBACLS,CACF,EACA,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,cACP,IAAK,IACP,EACA,CACE,MAAO,cACP,IAAK,IACP,EACA,CACE,MAAO,cACP,IAAK,IACP,EACA,CACE,MAAO,aACP,IAAK,GACP,EACA,CACE,MAAO,cACP,IAAK,IACP,EACA,CACE,MAAO,aACP,IAAK,GACP,EACA,CACE,MAAO,aACP,IAAK,GACP,EACA,CACE,MAAO,cACP,IAAK,IACP,EAGA,CAAE,MAAO,iBAAkB,EAC3B,CAAE,MAAO,2BAA4B,EACrC,CAAE,MAAO,iCAAkC,EAC3C,CAAE,MAAO,yDAA0D,EACnE,CAAE,MAAO,yBAA0B,EACnC,CAAE,MAAO,WAAY,EAErB,CAGE,MAAOR,EAAM,OACX,YACAA,EAAM,UAAU,0CAA0C,CAC5D,EACA,SAAU,CACRD,EAAK,kBAAkB,CACrB,MAAO,QACP,IAAK,QACL,SAAU,CACRA,EAAK,iBACLS,CACF,CACF,CAAC,CACH,CACF,CACF,CACF,EAKME,EAAU,oBACVC,EAAS,kBACTC,EAAS,CACb,UAAW,SACX,UAAW,EACX,SAAU,CAER,CAAE,MAAO,OAAOF,CAAO,SAASC,CAAM,iBAAiBA,CAAM,YAAa,EAI1E,CAAE,MAAO,gCAAiC,EAC1C,CAAE,MAAO,gCAAiC,EAC1C,CAAE,MAAO,gCAAiC,EAC1C,CAAE,MAAO,4CAA6C,EAGtD,CAAE,MAAO,uBAAwB,CACnC,CACF,EAEME,EAAS,CACb,SAAU,CACR,CACE,MAAO,MACT,EACA,CACE,UAAW,SACX,MAAO,KACP,IAAK,SACL,aAAc,GACd,WAAY,GACZ,SAAUT,CACZ,CACF,CACF,EA2EMU,EAAwB,CAC5BL,EA/DuB,CACvB,SAAU,CACR,CACE,MAAO,CACL,WACAN,EACA,UACAA,CACF,CACF,EACA,CACE,MAAO,CACL,sBACAA,CACF,CACF,CACF,EACA,MAAO,CACL,EAAG,cACH,EAAG,uBACL,EACA,SAAUC,CACZ,EAjCuB,CACrB,MAAO,CACL,sBACAD,CACF,EACA,MAAO,CACL,EAAG,aACL,EACA,SAAUC,CACZ,EA8CwB,CACtB,UAAW,EACX,MAAO,CACLD,EACA,YACF,EACA,MAAO,CACL,EAAG,aACL,CACF,EA7B4B,CAC1B,UAAW,EACX,MAAO,sBACP,UAAW,mBACb,EA4BwB,CACtB,UAAW,EACX,MAAOD,EACP,MAAO,aACT,EA9B0B,CACxB,MAAO,CACL,MAAO,MACPD,CACF,EACA,MAAO,CACL,EAAG,UACH,EAAG,gBACL,EACA,SAAU,CACRY,CACF,CACF,EA4BE,CAEE,MAAOd,EAAK,SAAW,IAAK,EAC9B,CACE,UAAW,SACX,MAAOA,EAAK,oBAAsB,YAClC,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAO,WACP,SAAU,CACRU,EACA,CAAE,MAAOR,CAAe,CAC1B,EACA,UAAW,CACb,EACAW,EACA,CAGE,UAAW,WACX,MAAO,4DACT,EACA,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,UAAW,EACX,SAAUR,CACZ,EACA,CACE,MAAO,IAAML,EAAK,eAAiB,eACnC,SAAU,SACV,SAAU,CACR,CACE,UAAW,SACX,SAAU,CACRA,EAAK,iBACLS,CACF,EACA,QAAS,KACT,SAAU,CACR,CACE,MAAO,IACP,IAAK,SACP,EACA,CACE,MAAO,OACP,IAAK,UACP,EACA,CACE,MAAO,QACP,IAAK,WACP,EACA,CACE,MAAO,MACP,IAAK,SACP,EACA,CACE,MAAO,QACP,IAAK,WACP,CACF,CACF,CACF,EAAE,OAAOF,EAAYC,CAAa,EAClC,UAAW,CACb,CACF,EAAE,OAAOD,EAAYC,CAAa,EAElCC,EAAM,SAAWM,EACjBD,EAAO,SAAWC,EAIlB,IAAMC,GAAgB,QAEhBC,EAAiB,kCACjBC,GAAa,iDAEbC,GAAc,CAClB,CACE,MAAO,SACP,OAAQ,CACN,IAAK,IACL,SAAUJ,CACZ,CACF,EACA,CACE,UAAW,cACX,MAAO,KAAOC,GAAgB,IAAMC,EAAiB,IAAMC,GAAa,WACxE,OAAQ,CACN,IAAK,IACL,SAAUb,EACV,SAAUU,CACZ,CACF,CACF,EAEA,OAAAP,EAAc,QAAQD,CAAU,EAEzB,CACL,KAAM,OACN,QAAS,CACP,KACA,UACA,UACA,OACA,KACF,EACA,SAAUF,EACV,QAAS,OACT,SAAU,CAAEL,EAAK,QAAQ,CAAE,OAAQ,MAAO,CAAC,CAAE,EAC1C,OAAOmB,EAAW,EAClB,OAAOX,CAAa,EACpB,OAAOO,CAAqB,CACjC,CACF,CAEAjB,GAAO,QAAUC,KC/bjB,IAAAqB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAWA,SAASC,GAAIC,EAAM,CACjB,MAAO,CACL,KAAM,MACN,YAAa,MACb,SAAU,CACRA,EAAK,QAAQ,MAAO,IAAI,EACxB,CACE,MAAO,WACP,IAAK,UACL,YAAa,OACb,aAAc,GACd,WAAY,EACd,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC5BjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAWC,EAAM,CACxB,IAAMC,EAAQD,EAAK,MACnB,MAAO,CACL,KAAM,cACN,SAAU,CACR,SACE,wBACF,QACE,6IAEJ,EACA,SAAU,CACR,CACE,UAAW,cACX,MAAO,YACP,UAAW,EACb,EACAA,EAAK,QAAQ,IAAK,GAAG,EACrB,CACE,UAAW,SACX,MAAO,gGACP,UAAW,CACb,EACAA,EAAK,iBACLA,EAAK,kBACL,CAAE,MAAOC,EAAM,OACb,UACA,aACA,iBACF,CAAE,EACF,CAAE,MAAO,IAAK,EACd,CAAE,MAAO,IAAK,EACd,CAAE,MAAO,GAAI,EACb,CACE,MAAO,2EACP,UAAW,CACb,EACA,CACE,MAAO,sBACP,UAAW,CACb,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KCrDjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAgB,uBAChBC,EAAmB,IAAMD,EAAgB,IAAMA,EAAgB,IAAMA,EAAgB,IACrFE,EAAkB,CACtB,QACE,2IAEF,QACE,YACJ,EAEMC,EAAUJ,EAAK,QAAQ,IAAK,GAAG,EAC/BK,EAAS,CACb,UAAW,SACX,MAAO,gGACP,UAAW,CACb,EACMC,EAAY,CAAE,MAAO,UAAYL,EAAgB,OAAQ,EACzDM,EAAgB,CACpB,MAAOL,EAAmB,MAC1B,IAAK,MACL,YAAa,GACb,UAAW,EACX,SAAU,CACR,CACE,MAAOA,EACP,UAAW,CACb,EACA,CACE,MAAO,MACP,IAAK,MACL,eAAgB,GAChB,UAAW,GACX,UAAW,CAEb,CACF,CACF,EACMM,EAAQ,CACZ,MAAO,KACP,IAAK,KACL,UAAW,CAEb,EACMC,EAAO,CACX,MAAO,4BACP,UAAW,CACb,EACMC,EAAO,CACX,MAAO,qBACP,UAAW,CACb,EACMC,EAAgB,CACpB,MAAO,IAAMX,EAAK,oBAClB,UAAW,EACX,YAAa,GACb,SAAU,CACR,CACE,MAAO,IAAMA,EAAK,oBAClB,UAAW,CACb,EACA,CACE,MAAO,KACP,IAAK,KACL,UAAW,CAEb,CACF,CACF,EAEMY,EAAmB,CACvB,cAAe,0BACf,IAAK,MACL,SAAUT,CACZ,EACAS,EAAiB,SAAW,CAC1BR,EACAE,EACAN,EAAK,QAAQA,EAAK,iBAAkB,CAAE,UAAW,EAAG,CAAC,EACrDY,EACAL,EACAP,EAAK,kBACLK,EACAG,EACAC,EACAC,EACAC,CACF,EAEA,IAAME,EAAc,CAClBT,EACAE,EACAM,EACAL,EACAP,EAAK,kBACLK,EACAG,EACAC,EACAC,EACAC,CACF,EACAJ,EAAc,SAAS,CAAC,EAAE,SAAWM,EACrCL,EAAM,SAAWK,EACjBF,EAAc,SAAS,CAAC,EAAE,SAAWE,EAErC,IAAMC,EAAa,CACjB,UACA,UACA,SACA,UACA,SACA,UACA,UACA,aACA,OACA,OACA,UACA,WACA,eACA,WACA,UACA,QACA,SACA,QACA,aACA,YACA,OACF,EAEMC,EAAS,CACb,UAAW,SACX,MAAO,MACP,IAAK,MACL,SAAUF,CACZ,EACA,MAAO,CACL,KAAM,SACN,QAAS,CAAE,KAAM,EACjB,SAAUV,EACV,QAAS,4CACT,SAAU,CACR,CACE,UAAW,WACX,MAAO,IAAMF,EAAgB,UAC7B,IAAK,KACL,YAAa,GACb,QAAS,yBACT,SAAU,CACRc,EACAf,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOC,CAAc,CAAC,CACxD,EACA,OAAQ,CACN,IAAK,QACL,SAAUE,EACV,SAAUU,CACZ,CACF,EACAT,EACA,CACE,MAAO,KACP,IAAK,MACL,UAAW,EACX,WAAY,GACZ,YAAa,GACb,SAAU,CACR,SAAU,IAAMJ,EAAK,SACrB,QAASc,EAAW,IAAI,GAAK,GAAG,CAAC,MAAM,EAAE,KAAK,GAAG,CACnD,EACA,SAAU,CAAEC,CAAO,CACrB,EACAV,EACAL,EAAK,kBACLW,EACAF,EACAC,EACAF,EACA,CAAE,MAAO,KAAM,CACjB,CACF,CACF,CAEAV,GAAO,QAAUC,KC9LjB,IAAAiB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAMC,EAAM,CAkenB,MAAO,CACL,KAAM,iBACN,QAAS,CACP,OACA,KACF,EACA,iBAAkB,GAClB,SAAU,CACR,SAAU,kBACV,SAzec,CAChB,MACA,UACA,WACA,OACA,QACA,OACA,QACA,YACA,UACA,YACA,WACA,MACA,SACA,QACA,MACA,OACA,QACA,OACA,QACA,QACA,SACA,UACA,WACA,YACA,aACA,WACA,OACA,UACA,UACA,UACA,UACA,WACA,YACA,UACA,WACA,UACA,UACA,UACA,YACA,aACA,mBACA,YACA,SACA,YACA,QACA,YACA,SACA,OACA,UACA,eACA,kBACA,OACA,OACA,UACA,SACA,UACA,aACA,gBACA,YACA,eACA,aACA,SACA,QACA,OACA,SACA,UACA,SACA,UACA,UACA,SACA,cACA,aACA,kBACA,eACA,UACA,SACA,MACA,OACA,MACA,OACA,QACA,SACA,aACA,UACA,WACA,YACA,WACA,aACA,UACA,UACA,UACA,QACA,eACA,eACA,YACA,MACA,OACA,gBACA,aACA,qBACA,mBACA,UACA,eACA,YACA,UACA,WACA,OACA,UACA,YACA,WACA,MACA,OACA,UACA,KACA,OACA,SACA,UACA,MACA,UACA,UACA,UACA,UACA,UACA,QACA,QACA,OACA,OACA,OACA,OACA,SACA,WACA,WACA,WACA,SACA,UACA,OACA,WACA,OACA,QACA,QACA,SACA,YACA,UACA,MACA,cACA,OACA,eACA,aACA,cACA,OACA,QACA,MACA,aACA,YACA,OACA,aACA,UACA,SACA,QACA,YACA,YACA,OACA,QACA,QACA,WACA,OACA,SACA,YACA,QACA,QACA,aACA,gBACA,WACA,eACA,uBACA,2BACA,oBACA,kBACA,cACA,YACA,SACA,QACA,KACA,aACA,QACA,aACA,YACA,YACA,WACA,UACA,kBACA,QACA,MACA,UACA,SACA,eACA,SACA,UACA,UACA,UACA,UACA,UACA,OACA,YACA,eACA,cACA,KACA,UACA,OACA,MACA,QACA,YACA,aACA,cACA,QACA,SACA,QACA,QACA,SACA,QACA,QACA,OACA,UACA,SACA,UACA,YACA,SACA,QACA,SACA,QACA,SACA,SACA,QACA,QACA,QACA,QACA,WACA,OACA,MACA,YACA,UACA,OACA,MACA,UACA,QACA,UACA,SACA,YACA,YACA,OACA,YACA,WACA,QACA,QACA,SACA,cACA,aACA,QACA,MACA,OACA,QACA,MACA,OACA,QACA,MACA,OACA,SACA,KACA,MACA,QACA,SACA,SACA,eACA,cACA,cACA,SACA,QACA,QACA,MACA,OACA,SACA,UACA,YACA,SACA,MACA,QACA,MACA,SACA,OACA,SACA,WACA,OACA,QACA,MACA,OACA,YACA,YACA,QACA,SACA,cACA,QACA,IACA,KACA,gBACA,eACA,cACA,mBACA,UACA,YACA,WACA,UACA,WACA,cACA,YACA,aACA,WACA,MACA,MACA,OACA,MACA,cACA,UACA,UACA,UACA,MACA,YACA,YACA,YACA,YACA,SACA,KACA,YACA,UACA,iBACA,iBACA,aACA,kBACA,kBACA,cACA,SACA,eACA,MACA,WACA,KACA,MACA,eACA,UACA,QACA,OACA,QACA,YACA,WACA,OACA,UACA,SACA,KACA,WACA,eACA,eACA,WACA,UACA,OACA,cACA,WACA,UACA,OACA,OACA,WACA,cACA,UACA,WACA,OACA,QACA,SACA,QACA,QACA,YACA,UACA,MACA,OACA,MACA,MACA,MACA,SACA,UACA,MACA,OACA,SACA,YACA,QACA,SACA,OACA,MACA,OACA,OACA,SACA,MACA,QACA,QACA,cACA,OACA,SACA,cACA,QACA,UACA,UACA,SACA,SACA,UACA,QACA,aACA,WACA,MACA,QACA,SACA,aACA,QACA,WACA,WACA,UACA,SACA,MACA,IACA,MACA,OACA,UACA,aACA,aACA,SACA,YACA,YACA,QACA,OACA,WACA,OACA,YACA,QACA,WACA,OACA,QACA,YACA,QACA,OACA,WACA,SACA,QACA,SACA,QACA,OACA,UACA,UACA,QACA,QACA,MACA,QACA,QACA,OACA,OACA,QACA,MACA,UACA,aACA,UACA,UACA,UACA,eACA,UACA,eACA,OACA,OACA,MACA,OACA,WACA,QACA,YACA,WACA,SACA,OACF,CAWE,EACA,SAAU,CACR,CAEE,MAAO,KACP,IAAK,OACL,UAAW,GACX,QAAS,IACT,UAAW,EACb,EAEA,CAEE,UAAW,SACX,MAAO,oBACP,IAAK,QACL,WAAY,GACZ,UAAW,CACb,EACA,CAEE,UAAW,SACX,MAAO,8BACP,UAAW,CACb,EACAA,EAAK,iBACLA,EAAK,kBACL,CACE,UAAW,SACX,MAAOA,EAAK,UAAY,OACxB,UAAW,CACb,EAEAA,EAAK,QAAQ,QAAS,KACpB,CACE,aAAc,GACd,WAAY,GACZ,QAAS,IACX,CAAC,CACL,CACF,CACF,CAEAF,GAAO,QAAUC,KC/hBjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAMA,SAASC,GAAIC,EAAM,CACjB,MAAO,CACL,KAAM,MACN,SAAU,CACR,CACE,MAAO,mBACP,IAAK,iBACL,WAAY,GACZ,YAAa,GACb,UAAW,GACX,SAAU,CACR,CACE,MAAO,sBACP,IAAK,uBACL,UAAW,GACX,YAAa,GACb,UAAW,MACb,EACA,CACE,MAAO,IACP,IAAK,mBACL,WAAY,GACZ,aAAc,GACd,UAAW,QACb,CACF,CACF,CACF,EACA,iBAAkB,EACpB,CACF,CAEAF,GAAO,QAAUC,KCtCjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAO,CACX,UAAW,SACX,MAAO,4BACT,EAEMC,EAAS,CACb,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,EAQMC,EAAS,CACb,UAAW,WACX,cAAe,MACf,IAAK,cACL,WAAY,GACZ,SAAU,CAXC,CACX,UAAW,QACX,UAAW,EACX,MAAO,gFACT,CAOmB,CACnB,EAEA,MAAO,CACL,KAAM,OACN,SAAU,CACR,QAAS,CACP,OACA,QACA,MACA,OACA,OACA,KACA,OACA,SACA,KACA,MACA,MACA,QACA,MACA,QACA,YACA,SACA,OACA,QACA,MACF,EACA,QAAS,CACP,OACA,OACF,CACF,EACA,SAAU,CACRH,EAAK,oBACLA,EAAK,qBACLC,EACAC,EACAC,EACAH,EAAK,aACP,CACF,CACF,CAEAF,GAAO,QAAUC,KC9EjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAQC,EAAM,CACrB,IAAMC,EAAQD,EAAK,MACbE,EAAS,CACb,UAAW,SACX,MAAO,MACP,IAAK,KACP,EAEMC,EAAU,CAAE,SAAU,CAC1BH,EAAK,QAAQ,IAAK,IAAK,CAAE,UAAW,CAAE,CAAC,EAEvCA,EAAK,QAAQ,QAAS,IAAK,CAAE,UAAW,CAAE,CAAC,EAC3CA,EAAK,QAAQ,MAAO,IAAK,CAAE,UAAW,CAAE,CAAC,CAC3C,CAAE,EAGII,EAAyB,gBACzBC,EAAsB,kBACtBC,EAAS,CACb,UAAW,SACX,SAAU,CACR,CAAE,MAAOL,EAAM,OAAO,QAAS,UAAWI,EAAqBD,CAAsB,CAAE,EACvF,CAAE,MAAOH,EAAM,OAAO,QAASI,EAAqBD,CAAsB,CAAE,EAC5E,CAAE,MAAOH,EAAM,OAAO,QAASI,EAAqBD,CAAsB,CAAE,CAC9E,EACA,UAAW,CACb,EAEMG,EAAe,CACnB,UAAW,WACX,cAAe,8BACf,QAAS,WACT,SAAU,CACRP,EAAK,sBACLE,CACF,CACF,EAEMM,EAAS,CACb,UAAW,SACX,UAAW,EACX,SAAU,CACRR,EAAK,iBACLA,EAAK,iBACP,CACF,EA2eA,MAAO,CACL,KAAM,UACN,iBAAkB,GAClB,QAAS,CACP,MACA,KACF,EACA,SAAU,CACR,QAjfa,CACf,OACA,KACA,aACA,QACA,SACA,QACA,UACA,OACA,YACA,QACA,YACA,OACA,UACA,YACA,YACA,eACA,MACA,QACA,QACA,KACA,SACA,YACA,OACA,WACA,UACA,SACA,OACA,OACA,QACA,WACA,eACA,SACA,gBACA,WACA,UACA,QACA,OACA,QACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,OACA,MACA,SACA,SACA,OACA,SACA,QACA,SACA,QACA,OACA,MACA,OACA,YACA,SACA,OACA,QACA,UACA,SACA,SACA,MACA,OACA,aACA,SACA,cACA,OACA,WACA,SACA,QACA,QACA,OACA,cACA,UACA,cACA,cACA,QACA,OACA,UACA,QACA,QACA,cACA,SACA,kBACA,OACA,YACA,WACA,WACA,UACA,SACA,gBACA,QACA,WACA,UACA,QACA,aACA,QACA,YACA,OACA,OACA,QACA,UACA,SACA,cACA,gBACA,WACA,WACA,YACA,YACA,YACA,iBACA,kBACA,kBACA,kBACA,gBACA,iBACA,iBACA,iBACA,aACA,aACA,UACA,WACA,gBACA,kBACA,mBACA,wBACA,SACA,SACA,aACA,gBACA,aACA,oBACA,mBACA,iBACA,gBACA,QACA,WACA,eACA,cACA,QACA,WACA,kBACA,yBACA,aACA,oBACA,aACA,aACA,aACA,uBACA,cACA,kBACA,kBACA,iCACA,0BACA,0BACA,UACA,aACA,YACA,MACA,WACA,SACA,QACA,YACA,MACA,UACA,MACA,YACA,YACA,WACA,UACA,WACA,YACA,OACA,SACA,UACA,OACA,YACA,UACA,UACA,cACA,YACA,iBACA,YACA,WACA,cACA,OACA,SACA,YACA,SACA,SACA,WACA,UACA,SACA,KACA,MACA,SACA,cACA,MACF,EAwSI,QAvSa,CACf,UACA,QACF,EAqSI,SApSc,CAChB,OACA,SACA,QACA,QACA,QACA,QACA,OACA,OACA,OACA,OACA,OACA,OACA,QACA,OACA,QACA,QACA,QACA,SACA,OACA,QACA,OACA,OACA,OACA,OACA,SACA,QACA,QACA,OACA,QACA,QACA,OACA,QACA,QACA,OACA,QACA,QACA,OACA,OACA,QACA,SACA,OACA,QACA,OACA,OACA,OACA,OACA,OACA,SACA,QACA,QACA,QACA,QACA,QACA,SACA,QACA,QACA,QACA,QACA,QACA,SACA,SACA,SACA,OACA,QACA,SACA,SACA,QACA,SACA,QACA,OACA,QACA,QACA,QACA,SACA,SACA,SACA,OACA,QACA,OACA,OACA,QACA,OACA,SACA,QACA,SACA,OACA,SACA,QACA,QACA,OACA,QACA,QACA,OACA,QACA,QACA,OACA,QACA,MACA,OACA,QACA,OACA,QACA,OACA,OACA,QACA,OACA,QACA,QACA,MACA,OACA,MACA,QACA,QACA,MACA,MACA,QACA,MACA,MACA,OACA,OACA,MACA,OACA,OACA,MACA,OACA,QACA,QACA,MACA,MACA,MACA,MACA,MACA,MACA,UACA,WACA,aACA,UACA,UACA,MACA,YACA,MACA,aACA,WACA,QACA,UACA,QACA,SACA,gBACA,SACA,cACA,UACA,UACA,WACA,QACA,WACA,OACA,OACA,QACA,QACA,QACA,OACA,MACA,QACA,SACA,SACA,WACA,SACA,cACA,SACA,SACA,QACA,cACA,SACA,SACA,SACA,SACA,UACA,OACA,UACA,UACA,QACA,gBACA,cACA,QACA,SACA,UACA,YACA,QACA,OACA,oBACA,qBACA,eACA,QACA,OACA,UACA,SACA,MACA,eACA,OACA,YACA,OACA,SACA,SACA,SACA,QACA,SACA,WACA,OACA,QACA,QACA,WACA,yBACA,cACA,uBACA,2BACA,gBACA,kBACA,iCACA,0BACA,0BACA,gBACA,aACA,WACA,qBACA,eACA,kBACA,QACA,QACA,QACA,YACA,YACA,YACA,YACA,YACA,YACA,MACA,OACA,cACA,QACA,YACA,QACA,QACA,gBACA,aACA,uBACA,QACA,SACA,eACA,aACA,MACA,MACA,MACA,MACA,UACA,UACA,UACA,OACA,OACA,UACA,cACA,WACA,WACA,QACA,QACA,aACA,SACA,SACA,SACA,SACA,SACA,SACA,aACA,OACA,SACA,OACA,eACA,SACA,SACA,SACA,WACF,CAYE,EACA,QAAS,OACT,SAAU,CACRQ,EACAD,EAGA,CACE,MAAO,cACP,UAAW,CACb,EACAJ,EACAG,CACF,CACF,CACF,CAEAR,GAAO,QAAUC,KC5jBjB,IAAAU,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAIA,SAASC,GAAOC,EAAO,CACrB,OAAO,IAAI,OAAOA,EAAM,QAAQ,wBAAyB,MAAM,EAAG,GAAG,CACvE,CAMA,SAASC,GAAOC,EAAI,CAClB,OAAKA,EACD,OAAOA,GAAO,SAAiBA,EAE5BA,EAAG,OAHM,IAIlB,CAMA,SAASC,GAAUD,EAAI,CACrB,OAAOE,GAAO,MAAOF,EAAI,GAAG,CAC9B,CAMA,SAASE,MAAUC,EAAM,CAEvB,OADeA,EAAK,IAAKC,GAAML,GAAOK,CAAC,CAAC,EAAE,KAAK,EAAE,CAEnD,CAMA,SAASC,GAAqBF,EAAM,CAClC,IAAMG,EAAOH,EAAKA,EAAK,OAAS,CAAC,EAEjC,OAAI,OAAOG,GAAS,UAAYA,EAAK,cAAgB,QACnDH,EAAK,OAAOA,EAAK,OAAS,EAAG,CAAC,EACvBG,GAEA,CAAC,CAEZ,CAWA,SAASC,MAAUJ,EAAM,CAMvB,MAHe,KADFE,GAAqBF,CAAI,EAE5B,QAAU,GAAK,MACrBA,EAAK,IAAKC,GAAML,GAAOK,CAAC,CAAC,EAAE,KAAK,GAAG,EAAI,GAE7C,CAWA,SAASI,GAAOC,EAAM,CACpB,IAAMC,EAAW,CACf,WACA,MACA,KACA,SACA,OACA,QACA,QACA,UACA,WACA,KACA,OACA,WACA,SACA,OACA,OACA,MACA,YACA,SAEA,UACA,QACA,MACA,MACA,WACA,SACA,KACA,KACA,UACA,SACA,YACA,WACA,OACA,MACA,QACA,SACA,SACA,UACA,YACA,MAGA,KACA,OACA,KACA,WACA,UACA,SACA,MACA,SACA,SACA,SACA,OACA,KAEA,MACA,OACA,SACA,MACA,MACA,OACA,OACA,QACA,OACA,OACF,EAEMC,EAAoB,CAExB,MAAO,UACP,MAAO,oCACT,EAEMC,EAAwB,CAC5B,KACA,OACA,QACA,OACA,SACA,QACA,IACA,IACA,IACA,OACA,OACA,OACA,MACF,EAEMC,EAAW,CACf,OACA,QACA,OACA,OACA,OACA,KACA,QACA,WACA,YACA,MACA,MACF,EAEMC,EAAsB,CAC1B,WACA,uBACA,iBACF,EAIMC,EAAc,CAElB,OACA,OACA,QACA,OACA,QACA,QACA,QACA,SACA,SACA,MACA,OACA,QACA,SACA,YACA,aACA,UACA,QACA,SACA,UACA,SACA,OACA,SACA,OACA,SAEA,SACA,UACA,OACA,QACA,MACA,QACA,MACA,QACA,YACA,MACA,SACA,UAEA,QACF,EA2CMC,EAAe,CACnB,QAASN,EACT,QAASG,EACT,SA5Ce,CAKf,MACA,MACA,QACA,UACA,OACA,eACA,MACA,MACA,OACA,SACA,SACA,YACA,SACA,UACA,aACA,YACA,KACA,MACA,MACA,SACA,OACA,QACA,MACA,QACA,WACA,SACA,UACA,UACA,UACA,WACA,UACA,WACA,WACA,WACF,EAME,oBAAqBC,CACvB,EAQMG,EAAU,CACd,SAAU,CALVR,EAAK,QAAQ,aAAc,OAAQ,CACjC,SAAU,CAAC,MAAM,CACnB,CAAC,EAKCA,EAAK,mBACP,CACF,EAGMS,EAAgB,mBAEhBC,EAAoB,CACxB,MAAO,WACP,MAAO,KACP,IAAK,IACP,EAGMC,EAA+B,WAC/BC,EAAsB,CAC1B,MAAO,SACP,SAAU,CAER,CAAE,MAAOnB,GAAOkB,EAA8B,SAAS,CAAE,EAEzD,CAAE,MAAOlB,GAAOkB,EAA8BX,EAAK,mBAAmB,CAAE,CAC1E,EACA,UAAW,CACb,EAEMa,EAAmB,SAAS,CAAE,aAAAC,CAAa,EAAG,CAElD,IAAIC,EACAD,EACFC,EAAmB,kBAEnBA,EAAmB,iBACrB,IAAMC,GAAiB,MAAM,KAAKD,CAAgB,EAC5CE,GAAmBxB,GAAO,IAAK,GAAGuB,GAAe,IAAI5B,EAAM,EAAG,GAAG,EAEjE8B,GAA0BpB,GAAOmB,GAAkB,IAAI,EAEvDE,GAAqC1B,GAAOyB,GAAyB1B,GAAU0B,EAAuB,CAAC,EACvGE,GAAuBtB,GAC3BL,GAAO0B,GAAoCD,GAAyB,GAAG,EACvEzB,GAAOwB,GAAkB,GAAG,CAC9B,EACA,MAAO,CACL,MAAO,WACP,MAAOnB,GAELsB,GAGA,OACA,MACA,KACA,KACA,MACA,IAAI,EACN,UAAW,CACb,CACF,EAEMC,EAAWR,EAAiB,CAAE,aAAc,EAAK,CAAC,EAElDS,EAAyBT,EAAiB,CAAE,aAAc,EAAM,CAAC,EAEjEU,EAAyB,SAASC,EAAQC,EAAa,CAC3D,MAAO,CACL,MAAOhC,GACL+B,EACAhC,GACEC,GACE,MACAK,GACE,KACA,IACA,KACA,IACA,KACA,KACA,KACR,CAAC,CAAC,CAAC,EACH,WAAY2B,EAMZ,IAAKjC,GACHM,GACE,KACA,GAAG,CAAC,EACR,UAAW,EAEX,SAAUE,EAAK,QAAQO,EAAc,CAAE,KAAMD,CAAY,CAAC,EAC1D,SAAU,CACRE,EACAI,EACAZ,EAAK,QAAQU,EAAmB,CAAE,MAAO,IAAK,CAAC,EAC/CY,CACF,CACF,CACF,EAEMI,EAAkBH,EAAuB,IAAK,UAAU,EACxDI,EAAsCJ,EAAuB,SAAU,SAAS,EAGhFK,EAAmB,CACvB,MAAO,CACL,UACA,OACA,MACAnB,CACF,EACA,WAAY,CACV,EAAG,UACH,EAAG,aACL,EACA,IAAKjB,GAAU,QAAQ,EACvB,SAAUe,EACV,SAAU,CACRC,EACAR,EAAK,QAAQU,EAAmB,CAAE,MAAO,IAAK,CAAC,EAC/CE,EACA,CAEE,MAAO,WACP,MAAO,KACT,EACAc,CACF,CACF,EAEMG,EAAyB,CAE7B,MAAO,yBAEP,MAAO,sBACT,EAEMC,GAAe,CAEnB,MAAO,CACL,OACArC,GAAO,IAAKK,GAAO,GAAGK,CAAqB,CAAC,EAC5C,IACF,EACA,WAAY,CAAE,EAAG,MAAO,EACxB,IAAKX,GAAU,MAAM,CACvB,EAIMuC,EAAS,CACb,SAAU,CACR/B,EAAK,mBACLA,EAAK,aACP,CACF,EAMMgC,GAAgB,CACpB,MAAO,SACP,MAAO,IACP,IAAK,IACL,SAAU,CACRhC,EAAK,gBACP,CACF,EAEMiC,GAAkB,CACtB,MAAO,SACP,MAAO,KACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,IACT,EACAjC,EAAK,gBACP,CACF,EAEMkC,GAAuB,CAC3B,MAAO,SACP,MAAO,MACP,IAAK,MACL,UAAW,CACb,EACMC,GAAQ,CACZ,MAAO,QACP,MAAO,KACP,IAAK,KACL,SAAU5B,CACZ,EAEM6B,GAAsB,CAC1B,MAAO,SACP,MAAO,MACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,MACT,EACA,CACE,MAAO,MACT,EACApC,EAAK,iBACLmC,EACF,CACF,EAEME,GAA+B,CACnC,MAAO,SACP,MAAO,aACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,MACT,EACA,CACE,MAAO,MACT,EACA,CACE,MAAO,IACT,EACArC,EAAK,iBACLmC,EACF,CACF,EAEMG,GAAoC,CACxC,MAAO,SACP,MAAO,QACP,IAAK,MACL,SAAU,CACR,CACE,MAAO,MACT,EACA,CACE,MAAO,MACT,EACAH,EACF,EACA,UAAW,CACb,EAEMI,GAAe,CACnB,MAAO,SACP,MAAO9C,GACL,IACAK,GACE,SACA,4DACF,EACA,GACF,CACF,EAIA,OAAAqC,GAAM,SAAW,CACfE,GACAD,GACAH,GACAD,GACAO,GACArC,EACAM,EACAE,EACAgB,EACAG,EACAC,GACAC,EACAnB,EACAS,CACF,EAaO,CACL,KAAM,KACN,QAAS,CACP,KACA,IACF,EACA,SAAUd,EACV,QAAS,OACT,iBAAkB,CAChB,yBAA0B,SAC5B,EACA,SAAU,CACRL,EAxBW,CACb,SAAU,CACRoC,GACAD,GACAD,GACAF,GACAD,GACAD,GACAO,EACF,CACF,EAgBI/B,EACAE,EACAkB,EACA,CAGE,MAAO,OACP,MAAO,MACP,IAAK,MACL,UAAW,EACX,SAAU,CACRlB,EAEAwB,GACAD,GACAD,GACAO,GACAR,CACF,CACF,EACAJ,EACAD,EACAG,EACAC,GACAC,EACAnB,EACAS,CACF,CACF,CACF,CAEAlC,GAAO,QAAUY,KCjnBjB,IAAAyC,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAW,CACf,QACE,oVAKF,QACE,aACF,SACE,q3BAcJ,EACMC,EAAS,CACb,UAAW,SACX,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,EACd,EACMC,EAAU,CACd,UAAW,SACX,SAAU,CACR,CAAE,MAAO,YAAa,EACtB,CAAE,MAAO,IAAK,CAChB,CACF,EACMC,EAAO,CACX,UAAW,UACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,EACA,QAAS,MACT,SAAU,CAAEL,EAAK,gBAAiB,CACpC,EACMM,EAAa,CACjB,MAAO,IACP,IAAK,IACL,SAAUJ,EACV,SAAU,CACRG,EACAL,EAAK,oBACLA,EAAK,qBACLA,EAAK,kBACLA,EAAK,iBACLA,EAAK,aACP,CACF,EACMO,EAAe,uCACfC,EAAW,CACf,MAAO,2CACP,aAAc,GACd,IAAK,IACL,eAAgB,GAChB,SAAU,CACRH,EACAC,EACA,CACE,UAAW,UAEX,MAAOL,EAAM,OACXM,EAEAN,EAAM,iBAAiBA,EAAM,OAAO,OAAQM,CAAY,CAAC,CAC3D,EACA,UAAW,CACb,CACF,CACF,EAEA,MAAO,CACL,KAAM,OACN,QAAS,CAAE,KAAM,EACjB,iBAAkB,GAClB,SAAUL,EACV,SAAU,CACRF,EAAK,QAAQ,YAAa,YAAY,EACtC,CACE,UAAW,OACX,MAAO,gBACP,IAAK,IACL,YAAa,GACb,SAAU,CACR,CACE,UAAW,UACX,MAAO,eACT,CACF,CACF,EACAA,EAAK,QAAQ,OAAQ,GAAG,EACxBA,EAAK,oBACLA,EAAK,qBACLA,EAAK,kBACLA,EAAK,iBAEL,CACE,cACE,qFAEF,IAAK,IACL,SAAU,CACRA,EAAK,QAAQ,OAAQ,GAAG,EACxBA,EAAK,oBACLA,EAAK,qBACLA,EAAK,kBACLA,EAAK,iBACLM,EACAE,CACF,CACF,EACA,CACE,cAAe,QACf,IAAK,IACL,YAAa,GACb,SAAU,CACR,CACE,cAAe,QACf,IAAK,IACL,SAAU,CAAEA,CAAS,CACvB,EACAR,EAAK,QAAQ,OAAQ,GAAG,EACxBA,EAAK,oBACLA,EAAK,qBACLA,EAAK,kBACLA,EAAK,iBACLA,EAAK,aAEP,CACF,EAEA,CACE,UAAW,WACX,MAAO,iCACP,YAAa,GACb,SAAU,CACR,CACE,UAAW,QACX,MAAO,aACT,EACAG,EACAC,CACF,CACF,EACAJ,EAAK,cACLI,CACF,CACF,CACF,CAEAN,GAAO,QAAUC,KCpLjB,IAAAU,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAMC,EAAM,CACnB,IAAMC,EAAW,CACf,QAAS,0vBAUT,SAAU,40SAqFV,QAAS,4dAKX,EAEMC,EAAkBF,EAAK,QAAQ,IAAK,GAAG,EAEvCG,EACN,CACE,UAAW,OACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,QAAS,2HAA4H,EACjJ,SAAU,CACR,CACE,MAAO,OACP,UAAW,CACb,EACA,CACE,cAAe,UACf,IAAK,IACL,SAAU,CAAE,QAAS,SAAU,EAC/B,SAAU,CACR,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,QAAS,KACX,CACF,CACF,EACAH,EAAK,oBACLA,EAAK,qBACLE,CACF,CACF,EAEME,EACN,CACE,MAAO,cACP,IAAK,KACL,SAAU,SACV,SAAU,CACR,CACE,UAAW,OACX,MAAOJ,EAAK,oBACZ,UAAW,CACb,CACF,CACF,EAGMK,EAAe,CACnB,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,eAAgB,GAChB,UAAW,EACX,SAAU,CACR,CACE,UAAW,UACX,MAAO,QACT,EACAL,EAAK,cACLA,EAAK,qBACLE,EACAE,CACF,CACF,CACF,EAEME,EACN,CACE,UAAW,QACX,MAAON,EAAK,oBACZ,UAAW,CACb,EAEMO,EAAa,SAASC,EAAeC,EAAKC,EAAU,CACxD,IAAMC,EAAOX,EAAK,QAChB,CACE,UAAW,WACX,cAAeQ,EACf,IAAKC,EACL,WAAY,GACZ,SAAU,CAAC,EAAE,OAAOJ,CAAY,CAClC,EACAK,GAAY,CAAC,CACf,EACA,OAAAC,EAAK,SAAS,KAAKL,CAAY,EAC/BK,EAAK,SAAS,KAAKX,EAAK,aAAa,EACrCW,EAAK,SAAS,KAAKX,EAAK,oBAAoB,EAC5CW,EAAK,SAAS,KAAKT,CAAe,EAC3BS,CACT,EAEMC,EACN,CACE,UAAW,WACX,MAAO,OAASX,EAAS,SAAS,MAAM,GAAG,EAAE,KAAK,GAAG,EAAI,MAC3D,EAEMY,EACN,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAEb,EAAK,gBAAiB,EAClC,UAAW,CACb,EAEMc,EACN,CAEE,MAAOd,EAAK,oBAAsB,UAClC,YAAa,GACb,SAAUC,EACV,UAAW,EACX,SAAU,CACR,CAAE,cAAeA,EAAS,OAAQ,EAClCW,EACA,CACE,UAAW,WACX,MAAOZ,EAAK,oBACZ,UAAW,CACb,CACF,CACF,EAEMe,EACN,CAEE,MAAO,KACP,IAAK,KACL,UAAW,EACX,SAAU,CACR,SAAUd,EAAS,SACnB,QAASA,EAAS,OACpB,EACA,SAAU,CACRD,EAAK,cACLA,EAAK,qBACLE,EACAU,EACAE,EACAD,EACA,MACF,CACF,EAEA,OAAAC,EAAa,SAAS,KAAKC,CAAmB,EAEvC,CACL,KAAM,QACN,QAAS,CAAE,KAAM,EACjB,iBAAkB,GAClB,SAAUd,EACV,QAAS,uBACT,SAAU,CACRD,EAAK,cACLA,EAAK,oBACLA,EAAK,qBACLE,EACAW,EACAV,EACA,CACE,UAAW,UACX,MAAO,uEACT,EACAI,EAAW,eAAgB,GAAG,EAC9BA,EAAW,KAAM,GAAG,EACpB,CACE,cAAe,gBACf,IAAK,IAEL,UAAW,EACX,SAAU,CACRP,EAAK,qBACLE,EACAa,CACF,CACF,EACA,CAEE,SAAU,CACR,CAAE,MAAOf,EAAK,oBAAsB,MAAQA,EAAK,mBAAoB,EACrE,CAAE,MAAOA,EAAK,oBAAsB,OAAQ,CAC9C,EACA,UAAW,CACb,EACAc,EACAV,CACF,CACF,CACF,CAEAN,GAAO,QAAUC,KCjTjB,IAAAiB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAMC,EAAM,CACnB,IAAMC,EAAiB,oBACjBC,EAAiB,IACjBC,EAAiB,CACrB,SAAUF,EACV,QAAS,2FAEX,EACMG,EAAc,CAClB,UAAW,OACX,MAAO,eACT,EACMC,EAASL,EAAK,QAAQA,EAAK,cAAe,CAAE,MAAO,uCAAyCA,EAAK,WAAY,CAAC,EAC9GM,EAAa,CACjBN,EAAK,oBACLA,EAAK,qBACLA,EAAK,QAAQ,KAAM,IAAI,EACvBK,EACAL,EAAK,QAAQA,EAAK,iBAAkB,CAAE,QAAS,IAAK,CAAC,EACrDA,EAAK,QAAQA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,EACtD,CACE,UAAW,OACX,MAAO,yBACT,EACA,CACE,UAAW,OACX,MAAO,yBACT,EACA,CACE,UAAW,OACX,MAAO,YACP,IAAK,QACP,EACA,CACE,UAAW,OACX,MAAO,qBACT,EACA,CACE,UAAW,WACX,MAAO,6DACP,SAAU,CAAEK,CAAO,EACnB,IAAK,KACP,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,OACL,QAAS,KACX,CACF,CACF,CACF,EAEA,MAAO,CACL,KAAM,oBACN,QAAS,CAAE,IAAK,EAGhB,iBAAkB,GAClB,SAAUF,EACV,SAAU,CACR,CACE,UAAW,OACX,MAAOD,CACT,EACAE,CACF,EAAE,OAAOE,CAAU,CACrB,CACF,CAEAR,GAAO,QAAUC,KC/EjB,IAAAQ,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAQC,EAAM,CACrB,MAAO,CACL,KAAM,UACN,QAAS,CAAE,SAAU,EACrB,SAAU,kIACV,SAAU,CACR,CACE,UAAW,SACX,MAAO,MACP,UAAW,CACb,EACA,CACE,UAAW,OACX,MAAO,WACT,EACA,CACE,MAAO,MACP,IAAK,WACL,SAAU,CACR,CACE,UAAW,SACX,MAAO,OACT,CACF,CACF,EACA,CACE,UAAW,WACX,MAAO,IACP,IAAK,GACP,EACAA,EAAK,kBACL,CACE,UAAW,SACX,MAAO,MACP,IAAK,KACP,EACAA,EAAK,iBACP,CACF,CACF,CAEAF,GAAO,QAAUC,KChDjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CAClB,MAAO,CACL,KAAM,OACN,SAAU,CACR,QAEE,igCAaF,KACE,wwCAeF,SAEE,ynLAkEF,QAAS,YACX,EACA,QAAS,IACT,SAAU,CACRA,EAAK,oBACLA,EAAK,qBACLA,EAAK,cACL,CACE,UAAW,OACX,MAAO,IACP,IAAK,GACP,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC/HjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CAmuFjB,MAAO,CACL,KAAM,MACN,iBAAkB,GAClB,SAAU,CACR,QAtuFa,CACf,aACA,SACA,UACA,MACA,QACA,QACA,OACA,cACA,WACA,UACA,SACA,MACA,KACA,OACA,MACA,OACA,OACA,MACA,WACA,YACA,KACA,MACA,MACA,KACA,SACA,SACA,SACA,OACA,QACA,MACA,QACA,OACA,KACF,EAqsFI,SApsFc,CAChB,MACA,wBACA,oBACA,6BACA,uBACA,sBACA,wBACA,2BACA,+BACA,4BACA,oBACA,2BACA,qBACA,mBACA,yBACA,oBACA,6BACA,mBACA,gCACA,2CACA,gCACA,mBACA,qBACA,cACA,aACA,wBACA,2BACA,wBACA,YACA,oBACA,yBACA,wBACA,6BACA,2BACA,WACA,0BACA,YACA,YACA,YACA,kBACA,sBACA,mBACA,YACA,2BACA,kCACA,6BACA,iCACA,SACA,SACA,SACA,UACA,aACA,eACA,eACA,eACA,kBACA,eACA,eACA,kBACA,kBACA,YACA,aACA,eACA,aACA,kBACA,iBACA,oBACA,4BACA,0BACA,sBACA,0BACA,cACA,uBACA,2BACA,uBACA,uBACA,wBACA,qBACA,qBACA,yBACA,kCACA,0BACA,uBACA,uBACA,uBACA,sBACA,sBACA,sBACA,sBACA,yBACA,kCACA,yBACA,eACA,0BACA,0BACA,wBACA,2BACA,0BACA,0BACA,wBACA,iBACA,2BACA,0BACA,iBACA,wBACA,mBACA,4BACA,mBACA,uBACA,uBACA,qBACA,kBACA,mBACA,0BACA,6BACA,0BACA,iCACA,8BACA,8BACA,0BACA,oBACA,mBACA,yBACA,kBACA,oBACA,oBACA,yBACA,2BACA,mBACA,mBACA,sBACA,sBACA,oBACA,mBACA,qBACA,qBACA,0BACA,0BACA,wBACA,mBACA,uBACA,gCACA,wBACA,iCACA,qBACA,oBACA,gCACA,iCACA,wBACA,yBACA,iBACA,mBACA,uBACA,mBACA,wBACA,yBACA,iCACA,8BACA,eACA,wBACA,uBACA,gBACA,gBACA,wBACA,2BACA,yBACA,4BACA,uBACA,2BACA,uBACA,cACA,iCACA,gBACA,mCACA,uCACA,gBACA,gBACA,cACA,qBACA,uBACA,kBACA,qBACA,kBACA,cACA,oBACA,kBACA,sBACA,aACA,cACA,cACA,cACA,gBACA,cACA,oBACA,kBACA,cACA,qBACA,cACA,gBACA,cACA,eACA,eACA,gBACA,qBACA,iBACA,oBACA,0BACA,qBACA,wBACA,sBACA,2BACA,wBACA,2BACA,2BACA,yBACA,sBACA,0BACA,0BACA,yBACA,wBACA,oBACA,oBACA,0BACA,qBACA,wBACA,sBACA,2BACA,wBACA,yBACA,sBACA,sBACA,uBACA,wBACA,yBACA,OACA,SACA,MACA,QACA,gBACA,oBACA,mBACA,uBACA,mBACA,mBACA,sBACA,qBACA,qBACA,qBACA,kBACA,oBACA,oBACA,mBACA,mBACA,wBACA,oBACA,yBACA,iBACA,sBACA,kBACA,uBACA,sBACA,2BACA,iBACA,kBACA,gBACA,gBACA,uBACA,kBACA,kBACA,mBACA,iBACA,iBACA,wBACA,mBACA,MACA,UACA,UACA,UACA,WACA,oBACA,wBACA,oBACA,uBACA,wBACA,eACA,mBACA,uBACA,gBACA,qBACA,oBACA,eACA,uBACA,gBACA,wBACA,kBACA,0BACA,iBACA,kBACA,0BACA,oBACA,gBACA,mBACA,gBACA,iBACA,eACA,gBACA,kBACA,iBACA,kBACA,gBACA,gBACA,gBACA,iBACA,mBACA,kBACA,mBACA,oBACA,eACA,mBACA,sBACA,iBACA,iBACA,OACA,cACA,sBACA,WACA,oBACA,oBACA,oBACA,wBACA,4BACA,oCACA,qCACA,8BACA,qBACA,qBACA,iBACA,wBACA,iBACA,wBACA,mBACA,oBACA,mBACA,oBACA,oBACA,yBACA,wBACA,qBACA,0BACA,2BACA,4BACA,oBACA,sBACA,sBACA,oBACA,gBACA,2BACA,2BACA,uBACA,2BACA,4BACA,4BACA,qBACA,oBACA,cACA,iBACA,4BACA,4BACA,yBACA,yBACA,aACA,kBACA,sBACA,2BACA,wBACA,cACA,cACA,oBACA,qBACA,aACA,mBACA,eACA,qBACA,sBACA,yBACA,wBACA,qBACA,aACA,iBACA,iBACA,kBACA,oBACA,wBACA,gBACA,oBACA,iBACA,iBACA,4BACA,8BACA,0BACA,oBACA,iBACA,yBACA,YACA,kBACA,mBACA,kBACA,wBACA,yBACA,YACA,aACA,mBACA,oBACA,uBACA,+BACA,qBACA,iBACA,uBACA,wBACA,iBACA,uBACA,2BACA,wBACA,4BACA,qBACA,YACA,iBACA,sBACA,gCACA,sBACA,0BACA,4BACA,iBACA,8BACA,kBACA,gBACA,kBACA,oBACA,wBACA,kBACA,gBACA,0BACA,yBACA,qBACA,cACA,kBACA,sBACA,mBACA,uBACA,kBACA,wBACA,4BACA,oBACA,wBACA,eACA,mBACA,uBACA,oBACA,wBACA,yBACA,6BACA,qBACA,yBACA,YACA,kBACA,mBACA,gBACA,sBACA,uBACA,4BACA,kCACA,mCACA,wBACA,8BACA,+BACA,qBACA,YACA,eACA,gBACA,sBACA,uBACA,cACA,oBACA,qBACA,sBACA,4BACA,6BACA,YACA,cACA,mBACA,0BACA,qBACA,gBACA,eACA,iBACA,kBACA,cACA,uBACA,wBACA,uBACA,uBACA,kBACA,mBACA,kBACA,kBACA,iBACA,mBACA,wBACA,+BACA,0BACA,eACA,iBACA,cACA,mBACA,0BACA,qBACA,kBACA,eACA,4BACA,uBACA,uBACA,uBACA,kBACA,kBACA,gBACA,gBACA,cACA,gBACA,eACA,iBACA,iBACA,kBACA,gBACA,qBACA,qBACA,iBACA,uBACA,sBACA,eACA,kBACA,cACA,kBACA,eACA,eACA,gBACA,aACA,kBACA,iBACA,eACA,cACA,gBACA,gBACA,iBACA,eACA,gBACA,oBACA,mBACA,mBACA,uBACA,oBACA,cACA,iBACA,sBACA,qBACA,qBACA,4BACA,qBACA,4BACA,aACA,cACA,eACA,kBACA,8BACA,oBACA,mBACA,qBACA,yBACA,yBACA,2BACA,sBACA,oBACA,uBACA,uBACA,4BACA,mBACA,mBACA,oBACA,iBACA,gBACA,kBACA,mBACA,mBACA,iBACA,mBACA,gBACA,gBACA,gBACA,gBACA,iBACA,mBACA,iBACA,gBACA,kBACA,mBACA,iBACA,eACA,gBACA,gBACA,gBACA,eACA,iBACA,OACA,OACA,eACA,sBACA,sBACA,2BACA,kBACA,gBACA,uBACA,aACA,MACA,gBACA,kBACA,gBACA,uBACA,4BACA,kBACA,yBACA,gBACA,4BACA,iBACA,kBACA,wBACA,uCACA,oCACA,uBACA,kBACA,mBACA,kBACA,iBACA,gBACA,oBACA,qBACA,mBACA,gBACA,gBACA,sBACA,YACA,cACA,cACA,kBACA,kBACA,iBACA,cACA,kBACA,gBACA,iBACA,wBACA,6BACA,sBACA,uBACA,sBACA,wBACA,mBACA,uBACA,yBACA,oBACA,sBACA,eACA,iBACA,eACA,gBACA,gBACA,QACA,WACA,qBACA,yBACA,kBACA,sBACA,cACA,cACA,gBACA,iBACA,oBACA,kBACA,gBACA,gBACA,gBACA,mBACA,eACA,eACA,sBACA,0BACA,sBACA,yBACA,OACA,WACA,iBACA,YACA,mBACA,eACA,YACA,mBACA,iBACA,qBACA,qBACA,uBACA,+BACA,gCACA,uBACA,uBACA,4BACA,+BACA,0BACA,2BACA,uBACA,uBACA,4BACA,+BACA,oBACA,qBACA,wBACA,8BACA,0BACA,wBACA,oBACA,sBACA,kCACA,8BACA,4BACA,wBACA,0BACA,+BACA,kCACA,6BACA,2BACA,0BACA,wBACA,2BACA,8BACA,yBACA,uBACA,sBACA,oBACA,cACA,oBACA,kBACA,oBACA,wBACA,oBACA,wBACA,aACA,mBACA,YACA,aACA,mBACA,0BACA,wBACA,uBACA,sBACA,oBACA,yBACA,8BACA,wBACA,iCACA,wBACA,6BACA,2BACA,4BACA,mBACA,cACA,yBACA,gBACA,qBACA,yBACA,wBACA,4BACA,sBACA,0BACA,sBACA,0BACA,uBACA,2BACA,yBACA,6BACA,yBACA,6BACA,qBACA,yBACA,oBACA,wBACA,oBACA,wBACA,gBACA,sBACA,uBACA,gBACA,iBACA,0BACA,wBACA,uBACA,sBACA,oBACA,wBACA,iCACA,2BACA,4BACA,mBACA,cACA,yBACA,gBACA,qBACA,yBACA,wBACA,4BACA,sBACA,0BACA,sBACA,0BACA,uBACA,2BACA,yBACA,6BACA,yBACA,6BACA,qBACA,yBACA,oBACA,wBACA,oBACA,wBACA,gBACA,sBACA,uBACA,gBACA,kBACA,iBACA,kBACA,WACA,gBACA,mBACA,eACA,cACA,eACA,cACA,yBACA,sBACA,uBACA,kBACA,aACA,YACA,iBACA,iBACA,WACA,uBACA,gBACA,kBACA,qBACA,qBACA,iBACA,mBACA,wBACA,0BACA,2BACA,2BACA,kBACA,gBACA,kBACA,wBACA,wBACA,0BACA,4BACA,6BACA,6BACA,mBACA,kBACA,gBACA,oBACA,kBACA,mBACA,kBACA,iBACA,sBACA,oBACA,yBACA,QACA,WACA,UACA,gBACA,WACA,UACA,cACA,WACA,WACA,YACA,YACA,SACA,aACA,SACA,UACA,YACA,YACA,eACA,UACA,UACA,cACA,cACA,iBACA,wBACA,yBACA,0BACA,iBACA,mBACA,uBACA,qBACA,uBACA,mBACA,uBACA,qBACA,0BACA,wBACA,wBACA,0BACA,qBACA,yBACA,yBACA,0BACA,0BACA,2BACA,0BACA,6BACA,6BACA,8BACA,0BACA,6BACA,6BACA,8BACA,+BACA,+BACA,8BACA,8BACA,8BACA,0BACA,yBACA,yBACA,0BACA,2BACA,2BACA,0BACA,0BACA,0BACA,eACA,cACA,gBACA,0BACA,qBACA,eACA,yBACA,gBACA,yBACA,kBACA,0BACA,yBACA,yBACA,mBACA,eACA,wBACA,iBACA,yBACA,uBACA,mBACA,wBACA,oBACA,mBACA,cACA,cACA,qBACA,eACA,8BACA,6BACA,0BACA,qBACA,mBACA,wBACA,oBACA,eACA,qBACA,qBACA,qBACA,sBACA,sBACA,uBACA,sBACA,yBACA,yBACA,yBACA,sBACA,yBACA,yBACA,0BACA,qBACA,0BACA,qBACA,0BACA,qBACA,qBACA,iBACA,sBACA,iBACA,sBACA,mBACA,mBACA,oBACA,oBACA,qBACA,oBACA,uBACA,uBACA,wBACA,wBACA,yBACA,mBACA,wBACA,mBACA,wBACA,oBACA,qBACA,eACA,oBACA,eACA,oBACA,uBACA,wBACA,uBACA,uBACA,eACA,UACA,UACA,cACA,cACA,OACA,KACA,WACA,QACA,OACA,OACA,iBACA,iBACA,kBACA,kBACA,mBACA,mBACA,eACA,wBACA,sBACA,gCACA,sCACA,0CACA,aACA,kBACA,aACA,qBACA,wBACA,wBACA,mBACA,oBACA,mBACA,mBACA,0BACA,MACA,WACA,qBACA,kBACA,OACA,SACA,cACA,eACA,MACA,aACA,aACA,qBACA,6BACA,8BACA,cACA,mBACA,iBACA,kBACA,oBACA,mBACA,qBACA,mBACA,qBACA,cACA,YACA,qBACA,YACA,mBACA,wBACA,wBACA,oBACA,qBACA,0BACA,iBACA,kBACA,eACA,mBACA,eACA,qBACA,iBACA,wBACA,iBACA,wBACA,oBACA,2BACA,wBACA,oBACA,2BACA,kBACA,sBACA,wBACA,4BACA,wBACA,4BACA,kBACA,kBACA,yBACA,sBACA,mBACA,mBACA,uBACA,qBACA,sBACA,gBACA,mBACA,kBACA,kBACA,oBACA,wBACA,qBACA,mBACA,oBACA,qBACA,qBACA,kBACA,wBACA,mBACA,oBACA,qBACA,MACA,gBACA,cACA,kBACA,gBACA,0BACA,eACA,sBACA,sBACA,kBACA,mBACA,qBACA,qBACA,sBACA,uBACA,2BACA,sBACA,sBACA,sBACA,uBACA,uBACA,wBACA,8BACA,+BACA,6BACA,+BACA,oBACA,qBACA,2BACA,oBACA,sBACA,yBACA,qBACA,qBACA,wBACA,oBACA,uBACA,qBACA,mBACA,mBACA,mBACA,kBACA,kBACA,mBACA,mBACA,mBACA,sBACA,sBACA,sBACA,oBACA,oBACA,oBACA,uBACA,uBACA,uBACA,mBACA,kBACA,oBACA,sBACA,mBACA,oBACA,iBACA,wBACA,kBACA,kBACA,iBACA,kBACA,mBACA,iBACA,WACA,iBACA,cACA,cACA,oBACA,oBACA,cACA,oBACA,iBACA,WACA,cACA,YACA,kBACA,gBACA,kBACA,gBACA,kBACA,uBACA,mBACA,mBACA,qBACA,iBACA,gBACA,aACA,aACA,oBACA,cACA,eACA,eACA,cACA,kBACA,gBACA,qBACA,aACA,aACA,gCACA,sBACA,wBACA,4BACA,8BACA,uBACA,qBACA,4BACA,uBACA,2BACA,yBACA,yBACA,sCACA,4BACA,gCACA,kCACA,mCACA,sCACA,8BACA,iCACA,+BACA,gCACA,qCACA,oCACA,kCACA,6BACA,sBACA,uBACA,0BACA,uBACA,gCACA,6BACA,gCACA,4BACA,0BACA,iCACA,8BACA,gCACA,4BACA,0BACA,4BACA,6BACA,0BACA,yBACA,0BACA,0BACA,qCACA,wCACA,sCACA,wBACA,4BACA,+BACA,4BACA,qCACA,+BACA,qCACA,mCACA,iCACA,8BACA,mCACA,+BACA,6BACA,gCACA,+BACA,gCACA,6BACA,qCACA,mCACA,sCACA,sCACA,kCACA,qCACA,kCACA,mCACA,mCACA,+BACA,+BACA,8BACA,iCACA,sCACA,+BACA,+BACA,6BACA,qCACA,mCACA,iCACA,8BACA,uBACA,yBACA,sBACA,uBACA,0BACA,uBACA,uBACA,2BACA,wBACA,kCACA,6BACA,cACA,aACA,gBACA,gBACA,kBACA,iBACA,oBACA,kBACA,qBACA,oBACA,kBACA,mBACA,iBACA,mBACA,QACA,MACA,iCACA,oCACA,mCACA,0BACA,WACA,SACA,kBACA,eACA,kBACA,YACA,YACA,OACA,sBACA,yBACA,wBACA,WACA,cACA,iBACA,cACA,kBACA,gBACA,oBACA,YACA,iBACA,qBACA,oBACA,sBACA,YACA,gBACA,eACA,4BACA,6BACA,kBACA,kBACA,sBACA,gBACA,wBACA,oBACA,iBACA,QACA,cACA,mBACA,iBACA,gBACA,kBACA,YACA,sBACA,mBACA,iBACA,0BACA,kBACA,2BACA,qBACA,qBACA,eACA,aACA,uBACA,6BACA,uBACA,6BACA,4BACA,kCACA,wBACA,oBACA,qBACA,qBACA,aACA,eACA,qBACA,gBACA,sBACA,OACA,MACA,2BACA,yBACA,kCACA,6BACA,+BACA,gCACA,0BACA,yBACA,yBACA,6BACA,+BACA,6BACA,0BACA,0BACA,yBACA,yBACA,0BACA,0BACA,8BACA,sBACA,sBACA,0BACA,oBACA,qBACA,oBACA,qBACA,aACA,0BACA,gBACA,wBACA,6BACA,gBACA,mBACA,gBACA,eACA,qBACA,yBACA,uBACA,wBACA,sBACA,oBACA,kBACA,oBACA,mBACA,wBACA,qBACA,iBACA,iBACA,mBACA,qBACA,qBACA,eACA,kBACA,wBACA,iBACA,cACA,oBACA,+BACA,wBACA,4BACA,oBACA,mBACA,MACA,OACA,yBACA,iCACA,+BACA,8BACA,4BACA,0BACA,2BACA,8BACA,gCACA,wBACA,oCACA,oBACA,oBACA,uBACA,kBACA,mBACA,kBACA,mBACA,wBACA,wBACA,mBACA,yBACA,uBACA,wBACA,0BACA,uBACA,qBACA,4BACA,8BACA,0BACA,oBACA,qCACA,iCACA,6BACA,2BACA,gCACA,0BACA,wBACA,qCACA,wBACA,wBACA,0BACA,uBACA,qBACA,oBACA,wBACA,6BACA,gCACA,8BACA,iCACA,qBACA,kCACA,iCACA,qCACA,iCACA,iCACA,mCACA,mCACA,4CACA,4CACA,oCACA,2CACA,8CACA,wCACA,kCACA,iCACA,uBACA,6BACA,iCACA,6BACA,0BACA,2BACA,gCACA,8BACA,+BACA,2BACA,6BACA,qBACA,4BACA,gCACA,yBACA,2BACA,sBACA,SACA,iBACA,qBACA,iBACA,cACA,eACA,gBACA,gBACA,gBACA,yBACA,gBACA,oBACA,gBACA,gBACA,iBACA,uBACA,eACA,gBACA,aACA,gBACA,iBACA,qBACA,qBACA,eACA,eACA,mBACA,eACA,oBACA,iBACA,qBACA,wBACA,iBACA,eACA,4BACA,qBACA,sBACA,oBACA,mBACA,uBACA,uBACA,iBACA,eACA,oBACA,qBACA,yBACA,MACA,qBACA,2BACA,0BACA,kBACA,oBACA,uBACA,oBACA,iBACA,gBACA,iBACA,kBACA,kBACA,iBACA,gBACA,iBACA,kBACA,kBACA,gBACA,cACA,uBACA,8BACA,8BACA,oBACA,0BACA,qBACA,mBACA,0BACA,yBACA,sBACA,oBACA,gBACA,gBACA,cACA,uBACA,0BACA,mBACA,kBACA,YACA,YACA,eACA,iBACA,kBACA,kBACA,oBACA,sBACA,6BACA,wBACA,gBACA,SACA,iBACA,WACA,eACA,gBACA,yBACA,sBACA,sBACA,2BACA,wBACA,8BACA,wBACA,yBACA,sBACA,4BACA,8BACA,yBACA,sBACA,cACA,eACA,eACA,gBACA,uBACA,2BACA,mCACA,uCACA,uBACA,aACA,gBACA,gBACA,gBACA,gBACA,0BACA,2BACA,2BACA,2BACA,6BACA,gCACA,6BACA,8BACA,sBACA,uBACA,oBACA,gBACA,yBACA,oBACA,gBACA,kBACA,qBACA,gBACA,kBACA,gBACA,kBACA,iBACA,sBACA,mBACA,iBACA,iBACA,iBACA,kBACA,iBACA,sBACA,mBACA,iBACA,iBACA,iBACA,kBACA,qBACA,mBACA,mBACA,0BACA,qBACA,6BACA,oCACA,kCACA,6BACA,4BACA,mCACA,mCACA,iCACA,oCACA,uCACA,6CACA,iCACA,sCACA,6BACA,2BACA,kCACA,8BACA,sBACA,qBACA,wCACA,4BACA,yBACA,+BACA,oCACA,oCACA,uCACA,kCACA,uCACA,kBACA,mBACA,wBACA,kBACA,iBACA,gBACA,gBACA,qBACA,mBACA,oBACA,oBACA,wBACA,oBACA,2BACA,mBACA,eACA,eACA,gBACA,mBACA,qBACA,qBACA,mBACA,qBACA,mBACA,oBACA,oBACA,wBACA,wBACA,uBACA,wBACA,uBACA,sBACA,uBACA,kBACA,0BACA,0BACA,2BACA,2BACA,iCACA,6BACA,kCACA,2BACA,gCACA,2BACA,iCACA,kCACA,sBACA,6BACA,4BACA,kCACA,iCACA,2BACA,uCACA,iCACA,sBACA,6BACA,WACF,EAs5BI,QAr5Ba,CACf,MACA,QACA,QACA,kBACA,eACA,OACA,WACF,EA84BI,OA54BY,CACd,eACA,iBACA,iBACA,sBACA,kBACA,qBACA,iBACA,gBACA,qBACA,aACA,gBACA,kBACA,iBACA,gBACA,cACA,cACA,kBACA,mBACA,iBACA,eACA,kBACA,qBACA,+BACA,iCACA,oCACA,kCACA,2BACA,+BACA,uBACA,yBACA,+BACA,wBACA,iCACA,+BACA,2BACA,mCACA,sBACA,yCACA,mCACA,aACA,eACA,aACA,aACA,eACA,eACA,cACA,eACA,cACA,iBACA,gBACA,WACA,kCACA,0CACA,iCACA,yCACA,gCACA,wCACA,qBACA,aACA,mBACA,mBACA,eACA,SACA,aACA,gBACA,gBACA,iBACA,oBACA,oBACA,qBACA,mBACA,mBACA,oBACA,SACA,YACA,SACA,eACA,mBACA,eACA,gBACA,cACA,UACA,iBACA,eACA,kBACA,aACA,oBACA,wBACA,gBACA,iBACA,wBACA,gBACA,kBACA,wBACA,cACA,aACA,aACA,aACA,cACA,eACA,sBACA,cACA,qBACA,iBACA,qBACA,oBACA,aACA,aACA,YACA,kBACA,uBACA,oBACA,gBACA,sBACA,cACA,aACA,aACA,aACA,YACA,iBACA,cACA,cACA,SACA,UACA,SACA,WACA,YACA,SACA,UACA,SACA,WACA,WACA,SACA,UACA,WACA,WACA,QACA,WACA,SACA,UACA,WACA,iBACA,gBACA,kBACA,uBACA,eACA,oBACA,gBACA,mBACA,cACA,WACA,UACA,WACA,aACA,UACA,eACA,eACA,UACA,cACA,eACA,aACA,eACA,aACA,aACA,iBACA,wBACA,iBACA,kBACA,kBACA,yBACA,oBACA,qBACA,qBACA,yBACA,2BACA,qBACA,gBACA,oBACA,4BACA,mBACA,2BACA,YACA,cACA,eACA,eACA,cACA,mBACA,gBACA,gBACA,WACA,aACA,eACA,cACA,WACA,UACA,UACA,WACA,aACA,UACA,WACA,UAEA,WACA,mBACA,cACA,aACA,kBACA,eACA,YACA,aACA,UACA,gBACA,cACA,eACA,cACA,iBACA,cACA,gBACA,aACA,wBACA,sBACA,wBACA,sBACA,mBACA,uBACA,sBACA,uBACA,yBACA,wBACA,0BACA,sBACA,iBACA,+BACA,6BACA,+BACA,6BACA,0BACA,8BACA,6BACA,8BACA,gCACA,+BACA,iCACA,6BACA,wBACA,wBACA,uBACA,yBACA,0BACA,yBACA,2BACA,yBACA,wBACA,0BACA,SACA,eACA,aACA,uBACA,uBACA,uBACA,uBACA,uBACA,uBACA,uBACA,uBACA,oBACA,oBACA,qBACA,kBACA,uBACA,uBACA,uBACA,uBACA,uBACA,uBACA,uBACA,uBACA,oBACA,oBACA,qBACA,kBACA,cACA,cACA,gBACA,iBACA,gBACA,kBACA,mBACA,kBACA,oBACA,WACA,iBACA,iBACA,sBACA,oBACA,eACA,oBACA,mBACA,WACA,aACA,kBACA,iBACA,mBACA,cACA,gBACA,UACA,gBACA,cACA,iBACA,aACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,YACA,YACA,YACA,YACA,YACA,YACA,aACA,YACA,YACA,eACA,YACA,UACA,YACA,cACA,WACA,aACA,SACA,cACA,mBACA,+BACA,0BACA,2BACA,kCACA,8BACA,gBACA,yBACA,UACA,SACA,YACA,YACA,YACA,YACA,WACA,WACA,WACA,WACA,UACA,UACA,UACA,UACA,YACA,eACA,gBACA,eACA,gBACA,WACA,YACA,YACA,gBACA,eACA,iBACA,iBACA,kBACA,iBACA,mBACA,aACA,gBACA,eACA,uBACA,qBACA,wBACA,uBACA,yBACA,2BACA,uBACA,mBACA,kBACA,aACA,gCACA,0BACA,+BACA,2BACA,yBACA,wBACA,qBACA,0BACA,mBACA,uBACA,qBACA,qBACA,sBACA,uBACA,qBACA,sBACA,iBACA,mBACA,iBACA,mBACA,iBACA,sBACA,eACA,8BACA,4BACA,8BACA,kCACA,0BACA,wBACA,2BACA,6BACA,eACA,kBACA,kBACA,mBACA,oBACA,qBACA,eACA,0BACA,kCACA,gBACA,kBACA,QACA,oBACA,cACA,eACA,SACA,UACA,YACA,UACA,WACA,iBACA,UACA,SACA,iCACA,sCACA,qCACA,yCACA,2BACA,qBACA,qBACA,uBACA,oBACA,0BACA,oCACA,aACA,mBACA,mBACA,SACA,aACA,UACA,SACA,WACA,YACA,SACA,SACA,YACA,YACA,aACA,WACA,UACA,aACA,SACA,UACA,WACA,gBACA,aACA,cACA,aACA,aACA,QACA,kBACA,eACA,aACA,eACA,aACA,cACA,uBACA,sBACA,sBACA,mBACA,wBACA,mCACA,wBACA,+BACA,0BACA,uBACA,0BACA,uBACA,uBACA,uBACA,uBACA,kBACA,yBACA,0BACA,sBACA,qBACA,qBACA,8BACA,sBACA,uBACA,4BACA,6BACA,uBACA,wBACA,wBACA,yBACA,6BACA,6BACA,4BACA,kBACA,wBACA,8BACA,kCACA,+BACA,gCACA,kCACA,mCACA,kCACA,gCACA,iCACA,4BACA,2BACA,2BACA,4BACA,4BACA,yBACA,0BACA,2BACA,gCACA,gCACA,KACA,cACA,eACA,eACA,iBACA,kBACA,mBACA,oBACA,uBACA,kBACA,mBACA,mBACA,gBACA,qBACA,kBACA,iBACA,gBACA,qBACA,iBACA,gBACA,iBACA,gBACA,iBACA,gBACA,iBACA,kBACA,kBACA,gBACA,iCACA,8BACA,YACA,iBACA,YACA,WACA,YACA,kBACA,cACA,cACA,iBACA,eACA,iBACA,WACA,UACA,YACA,yBACA,0BACA,qBACA,oBACA,qBACA,sBACA,wBACA,qBACA,mBACA,mBACA,yBACA,sBACA,oBACA,wBACA,+BACA,6BACA,kBACA,sBACA,6BACA,wBACA,yBACA,mBACA,sBACA,kDACA,0DACA,oDACA,sDACA,wBACA,qCACA,oCACA,+BACA,kCACA,0BACA,yBACA,4BACA,qBACA,iCACA,kCACA,8BACA,gCACA,qCACA,yBACA,8BACA,8BACA,yBACA,wBACA,oBACA,qBACA,qBACA,qBACA,qBACA,qBACA,qBACA,wBACA,4BACA,2BACA,qBACA,sBACA,qBACA,mBACA,sBACA,wBACA,qBACA,sBACA,uBACA,wBACA,yBACA,SACA,SACA,YACA,eACA,aACA,aACA,YACA,YACA,UACA,SACA,WACA,YACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,QACA,SACA,SACA,SACA,UACA,YACA,UACA,cACA,UACA,YACA,cACA,WACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,cACA,YACA,WACA,iBACA,UACA,cACA,YACA,WACA,YACA,WACA,WACA,cACA,SACA,OACF,EA0MI,oBAzMuB,CACzB,QACA,sBACA,WACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,aACA,aACA,aACA,aACA,aACA,aACA,iBACA,oBACA,aACA,mBACA,oBACA,uBACA,wBACA,cACA,YACA,aACA,WACA,iBACA,gBACA,iBACA,gBACA,gBACA,cACA,eACA,iBACA,gBACA,iBACA,eACA,kBACA,eACA,gBACA,aACA,aACA,QACA,YACA,aACA,aACA,iBACA,eACA,aACA,eACA,eACA,aACA,MACA,WACA,WACA,oBACA,UACA,oBACA,eACA,gBACA,uBACA,oBACA,UACA,oBACA,SACA,SACA,WACA,OACA,cACA,cACA,cACA,cACA,eACA,cACA,eACA,eACA,iBACA,cACA,eACA,oBACA,mBACA,kBACA,QACA,QACA,aACA,eACA,mBACA,UACA,UACA,eACA,aACA,YACA,UACA,aACA,iBACA,aACA,mBACA,gBACA,wBACA,aACA,aACA,aACA,aACA,sBACA,uBACA,aACA,mBACA,mBACA,uBACA,kBACA,kBACA,YACA,YACA,cACA,qBACA,cACA,gBACA,qBACA,wBACA,wBACA,WACA,iBACA,yBACA,iBACA,yBACA,eACA,eACA,YACA,cACA,cACA,oBACA,OACA,eACA,aACA,cACA,YACA,kBACA,aACA,aACA,QACA,OACA,cACA,aACA,aACA,QACA,QACA,gBACA,eACA,eACA,iBACA,iBACA,iBACA,iBACA,gBACA,oBACA,mBACA,iBACA,aACA,cACA,eACA,eACA,eACA,aACA,cACA,aACA,cACA,kBACA,eACA,eACA,cACA,aACA,aACA,aACA,aACA,aACA,aACA,UACA,SACA,gBACA,oBACA,YACA,SACA,MACA,YACA,SACA,KACF,CAWE,EACA,SAAU,CACRA,EAAK,oBACLA,EAAK,qBACLA,EAAK,iBACLA,EAAK,kBACLA,EAAK,aACP,CACF,CACF,CAEAF,GAAO,QAAUC,KC/vFjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAGC,EAAM,CAyEhB,IAAMC,EAAW,CACf,QA5BU,CACV,QACA,OACA,OACA,QACA,WACA,UACA,QACA,OACA,cACA,MACA,OACA,KACA,OACA,KACA,SACA,YACA,MACA,UACA,QACA,SACA,SACA,SACA,SACA,OACA,KACF,EAGE,KAnDY,CACZ,OACA,OACA,YACA,aACA,QACA,UACA,UACA,OACA,QACA,QACA,QACA,SACA,QACA,SACA,SACA,SACA,MACA,OACA,UACA,MACF,EA+BE,QA3Ee,CACf,OACA,QACA,OACA,KACF,EAuEE,SAtEgB,CAChB,SACA,MACA,QACA,UACA,OACA,OACA,MACA,OACA,MACA,QACA,QACA,UACA,OACA,UACA,QACF,CAuDA,EACA,MAAO,CACL,KAAM,KACN,QAAS,CAAE,QAAS,EACpB,SAAUA,EACV,QAAS,KACT,SAAU,CACRD,EAAK,oBACLA,EAAK,qBACL,CACE,UAAW,SACX,SAAU,CACRA,EAAK,kBACLA,EAAK,iBACL,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAOA,EAAK,YAAc,MAC1B,UAAW,CACb,EACAA,EAAK,aACP,CACF,EACA,CAAE,MAAO,IACT,EACA,CACE,UAAW,WACX,cAAe,OACf,IAAK,cACL,WAAY,GACZ,SAAU,CACRA,EAAK,WACL,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,WAAY,GACZ,SAAUC,EACV,QAAS,MACX,CACF,CACF,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KC5IjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAKC,EAAM,CAkDlB,MAAO,CACL,KAAM,OACN,SAAU,CACR,QApDa,CACf,UACA,SACA,QACA,SACA,SACA,WACA,QACA,SACA,MACA,MACA,QACA,MACA,UACA,QACA,KACA,OACA,OACA,QACA,OACA,QACA,WACA,UACA,eACA,OACA,OACA,SACA,SACA,KACA,OACA,OACA,YACA,MACA,QACA,UACA,QACA,QACA,WACA,mBACA,kBACA,SACA,aACA,MACA,MACA,SACA,OACA,OACF,EAMI,QAAS,CACP,OACA,QACA,MACF,CACF,EACA,SAAU,CACRA,EAAK,kBACLA,EAAK,kBACLA,EAAK,cACL,CACE,UAAW,OACX,MAAO,YACT,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC/EjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAOC,EAAM,CAqKpB,MAAO,CACL,KAAM,SACN,iBAAkB,GAClB,SAvKe,CACf,OACA,UACA,cACA,cACA,YACA,cACA,iBACA,eACA,eACA,aACA,cACA,SACA,OACA,OACA,UACA,UACA,SACA,YACA,iBACA,WACA,UACA,sBACA,sBACA,QACA,UACA,SACA,UACA,UACA,QACA,UACA,MACA,MACA,WACA,QACA,OACA,QACA,WACA,UACA,KACA,OACA,UACA,QACA,UACA,MACA,KACA,aACA,aACA,SACA,MACA,UACA,YACA,SACA,SACA,SACA,SACA,eACA,QACA,SACA,YACA,MACA,WACA,QACA,WACA,UACA,SACA,QACA,OACA,QACA,OACA,OACA,YACA,aACA,WACA,OACA,UACA,OACA,OACA,QACA,SACA,QACA,MACA,YACA,OACA,QACA,OACA,UACA,UACA,OACA,WACA,MACA,MACA,SACA,SACA,aACA,OACA,UACA,YACA,QACA,MACA,OACA,OACA,WACA,WACA,WACA,QACA,OACA,UACA,UACA,QACA,SACA,QACA,SACA,UACA,OACA,YACA,SACA,UACA,YACA,gBACA,SACA,OACA,YACA,QACA,WACA,iBACA,kBACA,iBACA,YACA,YACA,OACA,OACA,MACA,QACA,WACA,QACA,UACA,OACA,QACA,OACA,YACA,YACA,UACA,cACA,QACA,OACA,OACA,gBACA,OACA,SACA,QACA,YACA,SACA,WACA,OACA,gBACA,kBACA,aACA,aACA,aACA,mBACA,QACA,WACF,EAKE,SAAU,CACRA,EAAK,oBACLA,EAAK,qBACLA,EAAK,iBACLA,EAAK,kBACLA,EAAK,YACLA,EAAK,WAEP,CACF,CACF,CAEAF,GAAO,QAAUC,KC5LjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAQC,EAAM,CACrB,IAAMC,EAAQD,EAAK,MACbE,EAAW,yBACjB,MAAO,CACL,KAAM,UACN,QAAS,CAAE,KAAM,EACjB,iBAAkB,GAClB,kBAAmB,GACnB,SAAU,CACR,QAAS,CACP,QACA,WACA,eACA,OACA,QACA,SACA,YACA,YACA,QACA,SACA,WACA,OACA,IACF,EACA,QAAS,CACP,OACA,QACA,MACF,CACF,EACA,SAAU,CACRF,EAAK,kBACLA,EAAK,kBACLA,EAAK,YACL,CACE,MAAO,cACP,MAAO,SACP,UAAW,CACb,EACA,CACE,MAAO,cACP,MAAO,4BACP,UAAW,CACb,EACA,CACE,MAAO,WACP,MAAO,KACP,IAAK,KACL,WAAY,GACZ,UAAW,CACb,EACA,CACE,MAAO,OACP,MAAO,OACP,WAAY,EACd,EACA,CACE,MAAO,SACP,MAAOC,EAAM,OAAOC,EAAUD,EAAM,UAAU,MAAM,CAAC,EACrD,UAAW,CACb,CACF,EACA,QAAS,CACP,QACA,OACF,CACF,CACF,CAEAH,GAAO,QAAUC,KC7EjB,IAAAI,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAASA,EAAUC,EAAM,CAAC,EAAG,CACpC,OAAAA,EAAI,SAAWD,EACRC,CACT,CAEA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAQD,EAAK,MACbE,EAAW,iBACXC,EAAUN,GAAS,CACvBG,EAAK,oBACLA,EAAK,qBACLA,EAAK,QACH,UACA,OACA,CACE,UAAW,EACX,SAAU,CACR,CAEE,MAAO,OACP,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAO,YACT,CACF,CACF,CACF,CACF,CAAC,EACKI,EAAS,CACb,UAAW,SACX,MAAO,iBACP,SAAU,CAAEJ,EAAK,gBAAiB,CACpC,EACMK,EAASR,GAAS,CACtBG,EAAK,mBACLA,EAAK,aACP,CAAC,EACKM,EAAST,GAAS,CACtB,CACE,MAAO,MACP,IAAK,KACP,EACA,CACE,MAAO,MACP,IAAK,KACP,EACA,CACE,MAAO,OACP,IAAK,OACL,UAAW,EACb,EACAG,EAAK,iBACLA,EAAK,iBACP,EACA,CAAE,UAAW,QAAS,CACtB,EAEMO,EAAmB,CACvB,MAAO,CACL,kDACA,MACAP,EAAK,mBACP,EACA,MAAO,CACL,EAAG,UACH,EAAG,aACL,CACF,EAuDA,MAAO,CACL,KAAM,SACN,SAAU,CACR,oBAAqB,aACrB,QAAS,kBACT,KA3DU,CACZ,OACA,QACA,OACA,MACA,OACA,UACA,QACA,SACA,MACF,EAkDI,QAjDa,CAEf,MACA,KACA,KACA,SACA,QAEA,WACA,SACA,WACA,YACA,SACA,UACA,YACA,eACA,QACA,QACA,YACA,OACA,KACA,OACA,MACA,QACA,SACA,OACA,QACA,UACA,WACA,QACA,SACA,MACA,QACA,UACA,aACA,UACA,MACA,SACA,UACA,SACA,YACF,CASE,EACA,SAAU,CACRA,EAAK,QAAQ,CACX,OAAQ,SACR,UAAW,EACb,CAAC,EACDG,EACAG,EACAF,EACAC,EACAE,EACA,CACE,UAAW,OACX,MAAO,aACP,UAAW,CACb,EACA,CAEE,UAAW,OACX,MAAOL,EAAW,SAClB,UAAW,CACb,EACA,CAGE,MAAO,KACP,IAAK,IACL,UAAW,EACX,SAAU,CACRC,EACAG,EACAF,EACAC,EACA,MACF,CACF,EACA,CAEE,UAAW,SACX,MAAO,SAAYJ,EAAM,UAAUC,EAAW,GAAG,EACjD,aAAc,GACd,IAAKA,EAAW,IAChB,UAAW,CACb,CACF,EACA,QAAS,OACX,CACF,CAEAN,GAAO,QAAUG,KC3LjB,IAAAS,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAKC,EAAM,CAClB,MAAO,CACL,KAAM,OACN,iBAAkB,GAClB,SAAU,CACR,CACE,UAAW,OACX,MAAO,gEACP,UAAW,EACb,EAEAA,EAAK,QACH,wBACA,KACA,CAAE,UAAW,CAAE,CACjB,EACA,CACE,MAAO,qBACP,IAAK,IACL,YAAa,OACb,aAAc,GACd,WAAY,EACd,EACA,CACE,UAAW,MACX,MAAO,SACP,SAAU,CACR,CACE,UAAW,eACX,MAAO,MACT,EACA,CACE,UAAW,cACX,MAAO,UACT,EACA,CACE,UAAW,iBACX,MAAO,YACT,EACA,CACE,MAAO,QACP,IAAK,QACL,SAAU,CACR,CACE,MAAO,cACP,IAAK,QACL,YAAa,GACb,eAAgB,GAChB,SAAU,CACR,CACE,UAAW,OACX,MAAO,OACT,EACAA,EAAK,iBACLA,EAAK,kBACL,CACE,MAAO,OACP,UAAW,CACb,CACF,CACF,CACF,CACF,EACA,CACE,MAAO,UACP,IAAK,UACL,WAAY,GACZ,SAAU,CACR,CACE,MAAO,YACP,IAAK,OACL,YAAa,GACb,eAAgB,GAChB,SAAU,CACR,CACE,UAAW,OACX,MAAO,OACP,UAAW,CACb,EACAA,EAAK,iBACLA,EAAK,kBACL,CACE,MAAO,OACP,UAAW,CACb,CACF,CACF,CACF,CACF,CACF,CACF,EACA,CAAE,MAAO,eAAgB,EACzB,CACE,MAAO,MACP,IAAK,KACL,YAAa,OACb,aAAc,GACd,WAAY,EACd,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KChHjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAWC,EAAM,CACxB,IAAMC,EAAQD,EAAK,MACbE,EAAY,CAChB,SAAU,WACV,SAAU,CACR,SACA,WACA,aACA,YACA,SACA,WACA,OACA,UACA,MACA,OACA,KACA,KACA,QACA,UACA,MACA,MACA,SACA,MACA,SACA,UACA,eACA,SACA,WACA,WACA,UACA,SACA,OACA,OACA,OACF,CACF,EAEMC,EAAW,CACf,SAAU,WACV,QAAS,CACP,OACA,QACA,YACA,MACF,CACF,EAMMC,EAAyB,aACzBC,EAAyB,aACzBC,EAA0B,kBAC1BC,EAAiB,wCACjBC,EAAuB,UACvBC,EAASR,EAAM,OACnBG,EACAC,EACAC,EACAC,CACF,EAEMG,EAAmBT,EAAM,OAC7BA,EAAM,SAAS,YAAY,EAC3BQ,EACAR,EAAM,iBAAiBA,EAAM,OAC3BO,EACAC,CACF,CAAC,CACH,EAGME,EAAmBV,EAAM,OAC7B,IACAK,EAAyB,IACzBC,EACA,QACF,EAEMK,EAAiC,CAAE,MAAOF,CAAiB,EAE3DG,EAAmBb,EAAK,QAAQY,EAAgC,CAAE,SAAUT,CAAS,CAAC,EAEtFW,EAAiB,CACrB,MAAO,KACP,IAAK,IAEP,EAEMC,EAAO,CAEX,UAAW,OACX,MAAOJ,EACP,UAAW,EACX,OAAQ,CACN,MAAO,IACP,IAAK,IACL,OAAQ,CAAE,SAAU,CAClBX,EAAK,YACLA,EAAK,kBACLA,EAAK,iBACLa,EACAC,CACF,CAAE,CACJ,CACF,EAEME,EAAe,CAEnB,MAAO,UACP,SAAU,CAAE,QAAS,IAAK,EAC1B,IAAK,KACL,SAAU,CACR,CAEE,MAAO,KAAM,CACjB,CACF,EAEMC,EAAoB,CACxB,SAAU,CACRjB,EAAK,YACLA,EAAK,kBACLA,EAAK,iBACLgB,EACAD,EACAF,EACAC,CACF,EACA,UAAW,EAIb,EAEMI,EAA0BlB,EAAK,QAAQY,EAAgC,CAC3E,UAAW,OACX,SAAUV,EACV,OAAQF,EAAK,QAAQiB,EAAmB,CAAE,IAAK,IAAK,CAAC,CACvD,CAAC,EAEDH,EAAe,SAAW,CAAEI,CAAwB,EAEpD,IAAMC,EAAkCnB,EAAK,QAAQY,EAAgC,CACnF,SAAUV,EACV,UAAW,OACX,OAAQF,EAAK,QAAQiB,EAAmB,CAAE,IAAK,MAAO,CAAC,CACzD,CAAC,EAEKG,EAAkCpB,EAAK,QAAQY,EAAgC,CACnF,SAAUV,EACV,UAAW,MACb,CAAC,EAEKmB,EAA0BrB,EAAK,QAAQY,EAAgC,CAC3E,UAAW,OACX,SAAUV,EACV,OAAQF,EAAK,QAAQiB,EAAmB,CAAE,IAAK,MAAO,CAAC,CACzD,CAAC,EAWD,MAAO,CACL,KAAM,aACN,QAAS,CACP,MACA,WACA,kBACA,UACF,EACA,iBAAkB,GAClB,YAAa,MACb,SAAU,CAnBsC,CAChD,MAAO,SACP,KAAM,EACR,EACyD,CACvD,MAAO,eACP,KAAM,EACR,EAeIjB,EAAK,QAAQ,UAAW,QAAQ,EAChCA,EAAK,QAAQ,QAAS,MAAM,EAC5B,CAEE,UAAW,eACX,MAAO,iBACP,IAAK,WACL,SAAU,CAAEmB,CAAgC,EAC5C,OAAQ,CACN,IAAK,aACL,UAAW,GACX,YAAa,KACf,CACF,EACA,CAEE,UAAW,eACX,MAAO,aACP,IAAK,WACL,SAAU,CAAEC,CAAgC,CAC9C,EACA,CAEE,UAAW,eACX,MAAO,QACP,IAAK,OACL,SAAU,CAAED,CAAgC,CAC9C,EACA,CACE,UAAW,eACX,MAAO,mBACP,IAAK,OACL,SAAU,MACZ,EACA,CACE,UAAW,eACX,MAAO,kBACP,IAAK,OACL,SAAU,SACZ,EACA,CAEE,UAAW,eACX,MAAO,SACP,IAAK,OACL,SAAU,CAAEC,CAAgC,CAC9C,EACA,CAEE,UAAW,oBACX,MAAO,SACP,IAAK,SACL,SAAU,CAAEC,CAAwB,CACtC,EACA,CAEE,UAAW,oBACX,MAAO,OACP,IAAK,OACL,SAAU,CAAEA,CAAwB,CACtC,CACF,CACF,CACF,CAEAvB,GAAO,QAAUC,KCjQjB,IAAAuB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAQC,EAAM,CACrB,IAAMC,EAAU,CAAE,SAAU,CAC1BD,EAAK,QAAQ,KAAM,GAAG,EACtBA,EAAK,QACH,MACA,MACA,CAAE,SAAU,CAAE,MAAO,CAAE,CACzB,CACF,CAAE,EAEIE,EAAS,CACb,UAAW,OACX,MAAO,OACP,IAAK,MACP,EAEMC,EAAe,CACnB,UAAW,OACX,MAAO,KACP,IAAK,GACP,EAEMC,EAAc,CAClB,UAAW,OACX,MAAO,kBACP,UAAW,CACb,EAEMC,EAAO,CACX,MAAO,MACP,IAAK,MACL,QAAS,IACT,SAAU,CACRH,EACAC,EACA,CACE,UAAW,OACX,MAAO,wCACT,EACAH,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAO,eAAiB,CAAC,EACzDC,CACF,CACF,EAEMK,EAAS,CACb,MAAO,KACP,IAAK,KACL,SAAUD,EAAK,QACjB,EAUME,EAAgB,aAChBC,EAAY,mBACZC,EAAe,YACfC,EAAc,aAEdC,EAAS,CACb,UAAW,SACX,UAAW,EACX,SAAU,CAER,CAAE,MAAO,OAAOJ,CAAa,SAASA,CAAa,iBAAsBA,CAAa,QAAS,EAE/F,CAAE,MAAO,cAAcC,CAAS,SAASA,CAAS,iBAAsBD,CAAa,QAAS,EAE9F,CAAE,MAAO,YAAYG,CAAW,MAAO,EAEvC,CAAE,MAAO,YAAYD,CAAY,MAAO,CAC1C,CACF,EAEA,MAAO,CACL,KAAM,UACN,QAAS,CAAE,IAAK,EAChB,SACE,wOAIF,SAAU,CAER,CACE,cAAe,SACf,IAAK,QACL,SAAU,eACV,SAAU,CACRJ,EACAJ,CACF,EACA,QAAS,UACX,EACA,CACE,MAAO,eACP,IAAK,IACL,SAAU,6BACV,SAAU,CACRI,EACAJ,CACF,EACA,QAAS,UACX,EACA,CACE,UAAW,QACX,MAAO,8BACP,IAAK,QACL,SAAU,8BACV,SAAU,CACRG,EACAC,EACAJ,CACF,CACF,EACA,CACE,UAAW,QACX,MAAO,0BACP,IAAK,IACL,SAAU,oCACV,SAAU,CACRC,EACAE,EACAC,EACAC,EACAL,CACF,CACF,EACA,CACE,cAAe,UACf,IAAK,IACL,SAAU,CACRG,EACAC,EACAJ,CACF,CACF,EACA,CACE,cAAe,sBACf,IAAK,IACL,SAAU,CACRD,EAAK,cACLC,CACF,CACF,EACA,CACE,MAAO,gBACP,IAAK,IACL,SAAU,uEAEV,SAAU,CACRG,EACAJ,EAAK,kBACLC,CACF,CACF,EACA,CACE,UAAW,OACX,MAAO,kCACP,IAAK,GACP,EAEAC,EACAC,EAKA,CACE,MAAO,SACP,MAAO,aACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,cACP,MAAO,KACT,CACF,CACF,EACAH,EAAK,kBACLW,EACAP,EACAJ,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAO,gBAAkB,CAAC,EAC1DC,EACA,CACE,MAAO,OAAQ,CACnB,CACF,CACF,CAEAH,GAAO,QAAUC,KC1MjB,IAAAa,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CAIlB,MAAO,CACL,KAAM,OACN,QAAS,CAAE,IAAK,EAChB,SAAU,CACR,QAAS,8OANY,4CAUrB,SACE,aACF,QACE,mBACJ,EACA,SAAU,CACR,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CACRA,EAAK,iBACL,CACE,UAAW,QACX,MAAO,SACP,IAAK,KACP,EACA,CACE,UAAW,QACX,MAAO,MACP,IAAK,MACP,CACF,CACF,EACAA,EAAK,kBACLA,EAAK,oBACLA,EAAK,qBACLA,EAAK,cACL,CACE,UAAW,OACX,MAAO,KACP,IAAK,GACP,EACA,CACE,UAAW,OACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,QAAS,0BAA2B,CAClD,EACA,CACE,UAAW,OACX,MAAO,SACP,IAAK,sBACL,aAAc,GACd,WAAY,GACZ,UAAW,CACb,EACA,CACE,UAAW,OACX,MAAO,SACP,IAAK,MACL,aAAc,GACd,WAAY,EACd,EACA,CACE,UAAW,OACX,MAAO,QACP,IAAK,MACL,aAAc,GACd,WAAY,EACd,EACA,CACE,UAAW,QACX,cAAe,OACf,IAAK,MACL,SAAU,CAAEA,EAAK,UAAW,CAC9B,EACA,CACE,UAAW,QACX,cAAe,WACf,IAAK,SACL,SAAU,CACR,CACE,UAAW,OACX,MAAO,MACP,IAAK,MACL,aAAc,GACd,WAAY,EACd,EACA,CACE,UAAW,OACX,MAAO,SACP,IAAK,MACL,aAAc,GACd,WAAY,EACd,EACA,CACE,UAAW,OACX,MAAO,OACP,IAAK,MACL,aAAc,GACd,WAAY,EACd,EACAA,EAAK,UACP,EACA,SAAU,CAAE,QAAS,kBAAmB,CAC1C,EACA,CACE,UAAW,QACX,MAAO,yBACP,IAAK,SACL,WAAY,GACZ,SAAU,kBACV,SAAU,CACR,CACE,UAAW,UACX,MAAO,4BACP,SAAU,qBACV,SAAU,CACR,CACE,UAAW,OACX,MAAOA,EAAK,SACZ,UAAW,CACb,CACF,CACF,EACAA,EAAK,UACP,CACF,EACA,CACE,UAAW,WACX,cAAe,WACf,IAAK,MACL,WAAY,GACZ,QAAS,MACT,SAAU,CAAEA,EAAK,UAAW,CAC9B,CACF,EACA,QAAS,KACX,CACF,CAEAF,GAAO,QAAUC,KCxJjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAIC,EAAM,CACjB,MAAO,CACL,KAAM,MACN,iBAAkB,GAClB,SAAU,CACR,SAAU,UACV,QAAS,0/EACX,EACA,SAAU,CACRA,EAAK,oBACLA,EAAK,qBACLA,EAAK,kBACLA,EAAK,iBAEL,CAEE,UAAW,SACX,MAAO,MACP,IAAK,MACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EAEAA,EAAK,QAAQ,IAAK,IAAK,CAAE,UAAW,CAAE,CAAC,EAEvC,CAEE,UAAW,OACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,QAAS,iNAAkN,EACvO,SAAU,CACRA,EAAK,QAAQA,EAAK,kBAAmB,CAAE,UAAW,QAAS,CAAC,EAC5DA,EAAK,YACLA,EAAK,cACLA,EAAK,oBACLA,EAAK,oBACP,CACF,EAEA,CAEE,UAAW,SACX,MAAO,cACT,EAEAA,EAAK,YACLA,EAAK,aACP,CACF,CACF,CAEAF,GAAO,QAAUC,KC1DjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAU,uBACVC,EAAc,wBACdC,EAAS,CACb,UAAW,YACX,MAAOH,EAAM,OAAO,IAAKE,EAAa,YAAY,EAClD,OAAQ,CAAE,SAAU,CAClB,CACE,UAAW,cACX,MAAO,KACP,UAAW,EACX,OAAQ,CACN,IAAK,IACL,UAAW,CACb,CACF,CACF,CAAE,CACJ,EACME,EAAmB,CACvBD,EACA,CACE,MAAO,SACP,OAAQ,CACN,YAAa,CAAC,EACd,eAAgB,EAClB,CACF,CACF,EAEA,MAAO,CACL,KAAM,OACN,QAAS,CAAE,OAAQ,EACnB,QAAS,KACT,SAAU,CAER,CACE,MAAO,OAASF,EAAU,WAC1B,IAAK,IACL,SAAU,CACR,CACE,UAAW,OACX,MAAOA,CACT,EACA,CACE,UAAW,SACX,MAAO,cACT,CACF,EACA,OAAQ,CACN,IAAK,OACL,QAAS,KACT,SAAUG,CACZ,CACF,EAEA,CACE,MAAO,oBAAsBH,EAAU,KACvC,IAAK,IACL,SAAU,CACR,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,aAAc,GACd,WAAY,EACd,EACA,CACE,UAAW,OACX,MAAOA,CACT,EACA,CACE,UAAW,UACX,MAAO,QACT,CACF,EACA,OAAQ,CACN,IAAK,OACL,QAAS,KACT,SAAUG,CACZ,CACF,EAEAL,EAAK,QAAQI,EAAQ,CAAE,UAAW,CAAE,CAAC,CACvC,CACF,CACF,CAEAN,GAAO,QAAUC,KChGjB,IAAAO,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAGC,EAAM,CAChB,IAAMC,EAAc,wBACdC,EAAY,IAAMD,EAAc,KAAOA,EAAc,WACrDE,EAAW,CACf,SAAUD,EACV,SAEE,kkEA6BJ,EAEME,EAAmB,sBAEnBC,EAAS,CACb,MAAOH,EACP,UAAW,CACb,EACMI,EAAS,CACb,UAAW,SACX,MAAOF,EACP,UAAW,CACb,EACMG,EAASP,EAAK,QAAQA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,EAC/DQ,EAAUR,EAAK,QACnB,IACA,IACA,CAAE,UAAW,CAAE,CACjB,EACMS,EAAU,CACd,UAAW,UACX,MAAO,iCACT,EACMC,EAAa,CACjB,MAAO,WACP,IAAK,WACL,UAAW,CACb,EACMC,EAAO,CACX,UAAW,UACX,MAAO,MAAQT,CACjB,EACMU,EAAWZ,EAAK,QAAQ,SAAU,KAAK,EACvCa,EAAM,CACV,UAAW,SACX,MAAO,WAAaX,CACtB,EACMY,EAAO,CACX,MAAO,MACP,IAAK,KACP,EACMC,EAAO,CACX,eAAgB,GAChB,UAAW,CACb,EACMC,EAAO,CACX,UAAW,OACX,UAAW,EACX,SAAUb,EACV,MAAOD,EACP,OAAQa,CACV,EACME,EAAmB,CACvBH,EACAP,EACAI,EACAC,EACAJ,EACAK,EACAH,EACAJ,EACAG,EACAJ,CACF,EAEA,OAAAS,EAAK,SAAW,CACdd,EAAK,QAAQ,UAAW,EAAE,EAC1BgB,EACAD,CACF,EACAA,EAAK,SAAWE,EAChBP,EAAW,SAAWO,EAEf,CACL,KAAM,KACN,QAAS,CAAE,QAAS,EACpB,QAAS,KACT,SAAU,CACRjB,EAAK,QAAQ,EACbc,EACAP,EACAI,EACAC,EACAJ,EACAK,EACAH,EACAJ,EACAG,CACF,CACF,CACF,CAEAX,GAAO,QAAUC,KCxIjB,IAAAmB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAQC,EAAM,CACrB,IAAMC,EAAgB,MAChBC,EAAc,MACpB,MAAO,CACL,KAAM,WACN,QAAS,CAAE,IAAK,EAChB,iBAAkB,GAClB,SAAU,CAER,QAEE,kJAOiB,EACrB,SAAU,CACR,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,UAAW,EACX,SAAU,CACR,CACE,UAAW,QACX,MAAOD,EACP,IAAKC,CACP,CACF,CACF,EACA,CACE,UAAW,UACX,MAAO,8CACP,IAAK,GACP,EACA,CAGE,MAAO,mEACP,IAAK,IACL,SAAU,CACR,CAEE,MAAO,UACP,IAAK,KACP,CACF,CACF,EACA,CACE,UAAW,UACX,MAAOD,EACP,IAAKC,EACL,SAAU,CAAE,MAAO,CACrB,CACF,CACF,CACF,CAEAJ,GAAO,QAAUC,KCpEjB,IAAAI,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAQD,EAAK,MACbE,EAAU,CACd,UAAW,SACX,UAAW,EACX,SAAU,CACR,CAAE,MAAO,sBAAuB,EAChC,CAAE,MAAOF,EAAK,SAAU,CAC1B,CACF,EACMG,EAAWH,EAAK,QAAQ,EAC9BG,EAAS,SAAW,CAClB,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,EACA,IAAMC,EAAY,CAChB,UAAW,WACX,SAAU,CACR,CAAE,MAAO,mBAAoB,EAC7B,CAAE,MAAO,aAAc,CACzB,CACF,EACMC,EAAW,CACf,UAAW,UACX,MAAO,8BACT,EACMC,EAAU,CACd,UAAW,SACX,SAAU,CAAEN,EAAK,gBAAiB,EAClC,SAAU,CACR,CACE,MAAO,MACP,IAAK,MACL,UAAW,EACb,EACA,CACE,MAAO,MACP,IAAK,MACL,UAAW,EACb,EACA,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,EACMO,EAAQ,CACZ,MAAO,KACP,IAAK,KACL,SAAU,CACRJ,EACAE,EACAD,EACAE,EACAJ,EACA,MACF,EACA,UAAW,CACb,EAEMM,EAAW,iBACXC,EAA0B,gBAC1BC,EAA0B,UAC1BC,EAAUV,EAAM,OACpBO,EAAUC,EAAyBC,CACrC,EACME,EAAaX,EAAM,OACvBU,EAAS,eAAgBA,EAAS,KAClCV,EAAM,UAAU,eAAe,CACjC,EAEA,MAAO,CACL,KAAM,iBACN,QAAS,CAAE,MAAO,EAClB,iBAAkB,GAClB,QAAS,KACT,SAAU,CACRE,EACA,CACE,UAAW,UACX,MAAO,MACP,IAAK,KACP,EACA,CACE,MAAOS,EACP,UAAW,OACX,OAAQ,CACN,IAAK,IACL,SAAU,CACRT,EACAI,EACAF,EACAD,EACAE,EACAJ,CACF,CACF,CACF,CACF,CACF,CACF,CAEAJ,GAAO,QAAUC,KCxHjB,IAAAc,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAQD,EAAK,MACbE,EAAS,CACb,UAAW,SACX,MAAO,MACP,IAAK,KACP,EAGMC,EAAyB,gBACzBC,EAAsB,kBACtBC,EAAS,CACb,UAAW,SACX,SAAU,CACR,CAAE,MAAOJ,EAAM,OAAO,QAAS,UAAWG,EAAqBD,CAAsB,CAAE,EACvF,CAAE,MAAOF,EAAM,OAAO,QAASG,EAAqBD,CAAsB,CAAE,EAC5E,CAAE,MAAOF,EAAM,OAAO,QAASG,EAAqBD,CAAsB,CAAE,CAC9E,EACA,UAAW,CACb,EAgDA,MAAO,CACL,KAAM,SACN,iBAAkB,GAClB,SAjDiB,CACjB,QAAS,iBACT,QAAS,o6DAuBT,SAAU,m+DAoBZ,EAKE,QAAS,OACT,SAAU,CACRH,EAAK,QAAQA,EAAK,iBAAkB,CAClC,UAAW,SACX,UAAW,CACb,CAAC,EACDA,EAAK,QAAQA,EAAK,kBAAmB,CACnC,UAAW,SACX,UAAW,CACb,CAAC,EACD,CACE,UAAW,WACX,cAAe,8BACf,QAAS,WACT,SAAU,CACRA,EAAK,sBACLE,CACF,CACF,EACAF,EAAK,QAAQ,IAAK,IAAK,CAAE,UAAW,CAAE,CAAC,EACvCA,EAAK,QAAQ,YAAa,UAAW,CAAE,UAAW,EAAG,CAAC,EACtDK,CACF,CACF,CACF,CAEAP,GAAO,QAAUC,KC1GjB,IAAAO,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAKC,EAAM,CAElB,IAAMC,EAAsB,sGAGtBC,EAAyB,qGAGzBC,EACJ,kaAIIC,EACJ,wq/BAwwBIC,EAAiB,iDAGjBC,EACJ,mGAGIC,EACJ,mLAIIC,EACJ,sJAIIC,EACJ,uuBAuBIC,EAA0B,+CAG1BC,EACJ,wDAGIC,EACJ,sIASIC,EACJ,yDAGIC,EACJ,qUAWIC,EACJ,ydAeIC,EACJ,shBA+BIC,EACJ,kFAKIC,EACJ,ugDAoEIC,EACJ,kfAoBIC,EACJ,otBAqBIC,EACJ,oFAKIC,EACJ,yFAMIC,GACJ,8IAMIC,EACJ,s1LAoNIC,GAAmB,uCAGnBC,GACJ,6nBAqBIC,GACJ,mKAOIC,GACJ,ymCAgCIC,GACJ,mFAOIC,GACJ,+eAoBIC,GACJ,kyDA+EIC,GACJ,yEAKIC,EACJ,oQAcIC,EACJ,qHAUIC,EACJ,kGAKIC,GACJ,2JAYIC,GACJ,oCAGIC,GACJ,yMAQIC,GACJ,qIAWIC,GACJpC,EACEC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,GACAC,EACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,EACAC,EACAC,EACAC,GACAC,GACAC,GACAC,GAGEE,GAAe,yBAGfC,GACJ,mGAOIC,GAAe,iBAGfC,GAAa,kBAGbC,GACJ,yEAOIC,GAAiC,wBAGjCC,GAAmB,0CAGnBC,GAAyB,qCAGzBC,GAAc,0BAGdC,GACJ,kIAeIC,GAAmB,wBAGnBC,GAAoB,gCAGpBC,GACJ,mGAYIC,GACJ,sYAoCIC,GACJ,wEASIC,GAAe,iCAGfC,GACJ,6dA4BIC,GAAgB,2CAGhBC,GAAkB,iDAGlBC,EAAkB,0CAGlBC,GAAgB,uBAGhBC,GAAmB,+BAGnBC,EAAyB,mBAGzBC,EACJ,2uBAgDIC,GAAyB,wBAGzBC,GAAyB,+CAGzBC,GAAqB,iCAGrBC,GAAyB,qBAGzBC,GAA4B,yCAG5BC,GAA4B,6BAG5BC,GAAwB,0BAGxBC,GACJ,gFAGIC,GAAyB,0CAGzBC,GAAc,yDAGdC,GAAqB,uCAGrBC,GAA0B,2BAG1BC,GAAuB,kCAGvBC,GACJ,4FAUIC,GACJ,4GAWIC,GAAiB,6BAGjBC,GAAiB,0BAGjBC,GACJ,oEAQIC,GAAa,yCAGbC,GAAa,4BAGbC,GACJ,gDAGIC,GACJ,6rCAoDIC,GAAY,kCAGZC,GAAW,+BAGXC,GAAY,yCAGZC,GAAY,sCAGZC,GAAiB,+BAGjBC,GACJ,oEASIC,GAA2B,oCAG3BC,GACJ,+KAaIC,GACJ,gDAGIC,GACJ,kDAGIC,GACJ,kHAYIC,GAAqB,6BAGrBC,GACJ,0HAaIC,GAAsB,+BAGtBC,GAAc,oCAGdC,GACJ,qDAGIC,GAAc,0BAGdC,GAAiB,uCAGjBC,GAAqB,uBAGrBC,GAAmB,8BAGnBC,GAAmB,uBAGnBC,GACJ,qWAuBIC,GAAmB,8CAGnBC,GAAiB,yCAGjBC,GACJ,qHAWIC,GACJ,iFAQIC,GACJ,yCAGIC,GAAY,gCAGZC,GACJ,yDAGIC,GACJ,+CAGIC,GACJ,gPAoBIC,GACJ,uDAGIC,GACJ,gPAoBIC,GACJ,sEAQIC,GACJ,oEAOIC,GAAkB,+BAGlBC,GACJ,oIAcIC,GACJ,sgBAoCIC,GAAkB,yBAGlBC,GAAiB,mBAGjBC,GACJ,8DAQIC,GACJ,yCAGIC,GACJxF,GACEC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,EACAC,GACAC,GACAC,EACAC,EACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GACAC,GAGEE,GACJ,s/lBAkbIC,GACJ,+nBA+CIC,GACJ,qrHAyPIC,GAAU7F,GAAYyF,GAGtBK,GAAQH,GAGRI,GAAU,uBAGVC,GAAU,CACd,UAAW,SACX,MAAOxI,EAAK,UACZ,UAAW,CACb,EAGMyI,GAAU,CACd,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,EAGMC,GAAU,CACd,UAAW,SACX,MAAO,4DACP,UAAW,CACb,EAGMC,GAAyB,CAC7B,UAAW,UACX,MAAO,KACP,IAAK,IACL,UAAW,EACX,SAAU,CACR3I,EAAK,mBACL0I,EACF,CACF,EAGME,GAA0B,CAC9B,UAAW,UACX,MAAO,OACP,IAAK,OACL,UAAW,EACX,SAAU,CACR5I,EAAK,mBACL0I,EACF,CACF,EAGMG,GAAW,CAAE,SAAU,CAC3BF,GACAC,EACF,CAAE,EAGIE,GAAW,CACf,SAAU7I,EACV,QAASE,EACT,SAAUkI,GACV,MAAOC,GACP,QAASC,EACX,EAGMQ,GAAU,CACd,MAAO,UAAY/I,EAAK,oBACxB,SAAU8I,GACV,UAAW,CACb,EAGME,GAAQ,CACZ,UAAW,OACX,MAAO,YAAcZ,GAAW,KAAK,EAAE,QAAQ,MAAO,GAAG,EAAI,IAC7D,IAAK,WACL,WAAY,EACd,EAGMa,GAAY,CAChB,UAAW,WACX,SAAUH,GACV,MAAO7I,EACP,UAAW,EACX,SAAU,CACR+I,GACAD,EACF,CACF,EAGMG,GAAiBhJ,EAAyB,MAgChD,MAAO,CACL,KAAM,OACN,iBAAkB,GAClB,SAAU4I,GACV,QAAS,0BACT,SAAU,CAtBM,CAChB,UAAW,WACX,MAAOI,GACP,IAAK,OACL,YAAa,GACb,SAAUJ,GACV,QAAS,yBACT,SAAU,CApBO,CACjB,UAAW,QACX,SAAU,CACR,SAAU7I,EACV,SAAUiI,EACZ,EACA,MAAOgB,GACP,IAAK,MACL,YAAa,GACb,WAAY,EACd,EAYIH,GACAE,GACAR,GACAD,GACAK,EACF,CACF,EASIG,GACAD,GACAE,GACAR,GACAD,GACAK,EACF,CACF,CACF,CAEA/I,GAAO,QAAUC,KCpoGjB,IAAAoJ,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CACA,IAAIC,GAAgB,kBAChBC,GAAO,OAAOD,EAAa,IAC3BE,GAAY,8BACZC,GAAU,CACZ,UAAW,SACX,SAAU,CAGR,CAAE,MAAO,QAAQH,EAAa,MAAMC,EAAI,YAAYA,EAAI,eACzCD,EAAa,aAAc,EAE1C,CAAE,MAAO,OAAOA,EAAa,MAAMC,EAAI,8BAA+B,EACtE,CAAE,MAAO,IAAIA,EAAI,aAAc,EAC/B,CAAE,MAAO,OAAOD,EAAa,YAAa,EAG1C,CAAE,MAAO,aAAaE,EAAS,UAAUA,EAAS,SAASA,EAAS,eACrDF,EAAa,aAAc,EAG1C,CAAE,MAAO,gCAAiC,EAG1C,CAAE,MAAO,YAAYE,EAAS,WAAY,EAG1C,CAAE,MAAO,wBAAyB,EAGlC,CAAE,MAAO,+BAAgC,CAC3C,EACA,UAAW,CACb,EAoBA,SAASE,GAAWC,EAAIC,EAAcC,EAAO,CAC3C,OAAIA,IAAU,GAAW,GAElBF,EAAG,QAAQC,EAAc,GACvBF,GAAWC,EAAIC,EAAcC,EAAQ,CAAC,CAC9C,CACH,CAGA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAgB,iDAChBC,EAAmBD,EACrBP,GAAW,OAASO,EAAgB,kBAAoBA,EAAgB,WAAY,OAAQ,CAAC,EAoE3FE,EAAW,CACf,QApEoB,CACpB,eACA,WACA,UACA,MACA,SACA,KACA,SACA,MACA,QACA,WACA,UACA,YACA,SACA,SACA,QACA,OACA,OACA,OACA,QACA,YACA,QACA,aACA,WACA,OACA,SACA,UACA,UACA,SACA,MACA,SACA,WACA,SACA,YACA,SACA,UACA,SACA,WACA,UACA,KACA,SACA,QACA,SACF,EA0BE,QAnBe,CACf,QACA,OACA,MACF,EAgBE,KAdY,CACZ,OACA,UACA,OACA,QACA,MACA,OACA,QACA,QACF,EAME,SA1BgB,CAChB,QACA,MACF,CAwBA,EAEMC,EAAa,CACjB,UAAW,OACX,MAAO,IAAMH,EACb,SAAU,CACR,CACE,MAAO,KACP,IAAK,KACL,SAAU,CAAE,MAAO,CACrB,CACF,CACF,EACMI,EAAS,CACb,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAUF,EACV,UAAW,EACX,SAAU,CAAEJ,EAAK,oBAAqB,EACtC,WAAY,EACd,EAEA,MAAO,CACL,KAAM,OACN,QAAS,CAAE,KAAM,EACjB,SAAUI,EACV,QAAS,QACT,SAAU,CACRJ,EAAK,QACH,UACA,OACA,CACE,UAAW,EACX,SAAU,CACR,CAEE,MAAO,OACP,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAO,YACT,CACF,CACF,CACF,EAEA,CACE,MAAO,wBACP,SAAU,SACV,UAAW,CACb,EACAA,EAAK,oBACLA,EAAK,qBACL,CACE,MAAO,MACP,IAAK,MACL,UAAW,SACX,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACAA,EAAK,iBACLA,EAAK,kBACL,CACE,MAAO,CACL,oDACA,MACAE,CACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,aACL,CACF,EACA,CAEE,MAAO,aACP,MAAO,SACT,EACA,CACE,MAAO,CACLD,EAAM,OAAO,WAAYC,CAAa,EACtC,MACAA,EACA,MACA,QACF,EACA,UAAW,CACT,EAAG,OACH,EAAG,WACH,EAAG,UACL,CACF,EACA,CACE,MAAO,CACL,SACA,MACAA,CACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,aACL,EACA,SAAU,CACRI,EACAN,EAAK,oBACLA,EAAK,oBACP,CACF,EACA,CAGE,cAAe,wBACf,UAAW,CACb,EACA,CACE,MAAO,CACL,MAAQG,EAAmB,QAC3BH,EAAK,oBACL,WACF,EACA,UAAW,CAAE,EAAG,gBAAiB,EACjC,SAAUI,EACV,SAAU,CACR,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAUA,EACV,UAAW,EACX,SAAU,CACRC,EACAL,EAAK,iBACLA,EAAK,kBACLN,GACAM,EAAK,oBACP,CACF,EACAA,EAAK,oBACLA,EAAK,oBACP,CACF,EACAN,GACAW,CACF,CACF,CACF,CAEAf,GAAO,QAAUS,KC/RjB,IAAAQ,GAAAC,EAAA,CAAAC,GAAAC,KAAA,KAAMC,GAAW,2BACXC,GAAW,CACf,KACA,KACA,KACA,KACA,MACA,QACA,UACA,MACA,MACA,WACA,KACA,SACA,OACA,OACA,QACA,QACA,aACA,OACA,QACA,OACA,UACA,MACA,SACA,WACA,SACA,SACA,MACA,QACA,QACA,QAIA,WACA,QACA,QACA,SACA,SACA,OACA,SACA,SACF,EACMC,GAAW,CACf,OACA,QACA,OACA,YACA,MACA,UACF,EAGMC,GAAQ,CAEZ,SACA,WACA,UACA,SAEA,OACA,OACA,SACA,SAEA,SACA,SAEA,QACA,eACA,eACA,YACA,aACA,oBACA,aACA,aACA,cACA,cACA,gBACA,iBAEA,MACA,MACA,UACA,UAEA,cACA,oBACA,UACA,WACA,OAEA,UACA,YACA,oBACA,gBAEA,UACA,QAEA,OAEA,aACF,EAEMC,GAAc,CAClB,QACA,YACA,gBACA,aACA,iBACA,cACA,YACA,UACF,EAEMC,GAAmB,CACvB,cACA,aACA,gBACA,eAEA,UACA,UAEA,OACA,WACA,QACA,aACA,WACA,YACA,qBACA,YACA,qBACA,SACA,UACF,EAEMC,GAAqB,CACzB,YACA,OACA,QACA,UACA,SACA,WACA,eACA,iBACA,SACA,QACF,EAEMC,GAAY,CAAC,EAAE,OACnBF,GACAF,GACAC,EACF,EAUA,SAASI,GAAWC,EAAM,CACxB,IAAMC,EAAQD,EAAK,MAQbE,EAAgB,CAACC,EAAO,CAAE,MAAAC,CAAM,IAAM,CAC1C,IAAMC,GAAM,KAAOF,EAAM,CAAC,EAAE,MAAM,CAAC,EAEnC,OADYA,EAAM,MAAM,QAAQE,GAAKD,CAAK,IAC3B,EACjB,EAEME,EAAaf,GACbgB,EAAW,CACf,MAAO,KACP,IAAK,KACP,EAEMC,EAAmB,4BACnBC,EAAU,CACd,MAAO,sBACP,IAAK,4BAKL,kBAAmB,CAACN,EAAOO,IAAa,CACtC,IAAMC,GAAkBR,EAAM,CAAC,EAAE,OAASA,EAAM,MAC1CS,GAAWT,EAAM,MAAMQ,EAAe,EAC5C,GAIEC,KAAa,KAGbA,KAAa,IACX,CACFF,EAAS,YAAY,EACrB,MACF,CAIIE,KAAa,MAGVV,EAAcC,EAAO,CAAE,MAAOQ,EAAgB,CAAC,GAClDD,EAAS,YAAY,GAOzB,IAAIG,GACEC,GAAaX,EAAM,MAAM,UAAUQ,EAAe,EAIxD,GAAKE,GAAIC,GAAW,MAAM,OAAO,EAAI,CACnCJ,EAAS,YAAY,EACrB,MACF,CAKA,IAAKG,GAAIC,GAAW,MAAM,gBAAgB,IACpCD,GAAE,QAAU,EAAG,CACjBH,EAAS,YAAY,EAErB,MACF,CAEJ,CACF,EACMK,EAAa,CACjB,SAAUxB,GACV,QAASC,GACT,QAASC,GACT,SAAUK,GACV,oBAAqBD,EACvB,EAGMmB,EAAgB,kBAChBC,EAAO,OAAOD,CAAa,IAG3BE,EAAiB,sCACjBC,EAAS,CACb,UAAW,SACX,SAAU,CAER,CAAE,MAAO,QAAQD,CAAc,MAAMD,CAAI,YAAYA,CAAI,eAC1CD,CAAa,MAAO,EACnC,CAAE,MAAO,OAAOE,CAAc,SAASD,CAAI,eAAeA,CAAI,MAAO,EAGrE,CAAE,MAAO,4BAA6B,EAGtC,CAAE,MAAO,0CAA2C,EACpD,CAAE,MAAO,8BAA+B,EACxC,CAAE,MAAO,8BAA+B,EAIxC,CAAE,MAAO,iBAAkB,CAC7B,EACA,UAAW,CACb,EAEMG,EAAQ,CACZ,UAAW,QACX,MAAO,SACP,IAAK,MACL,SAAUL,EACV,SAAU,CAAC,CACb,EACMM,EAAgB,CACpB,MAAO,QACP,IAAK,GACL,OAAQ,CACN,IAAK,IACL,UAAW,GACX,SAAU,CACRrB,EAAK,iBACLoB,CACF,EACA,YAAa,KACf,CACF,EACME,EAAe,CACnB,MAAO,OACP,IAAK,GACL,OAAQ,CACN,IAAK,IACL,UAAW,GACX,SAAU,CACRtB,EAAK,iBACLoB,CACF,EACA,YAAa,KACf,CACF,EACMG,EAAmB,CACvB,MAAO,OACP,IAAK,GACL,OAAQ,CACN,IAAK,IACL,UAAW,GACX,SAAU,CACRvB,EAAK,iBACLoB,CACF,EACA,YAAa,SACf,CACF,EACMI,EAAkB,CACtB,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CACRxB,EAAK,iBACLoB,CACF,CACF,EAwCMK,EAAU,CACd,UAAW,UACX,SAAU,CAzCUzB,EAAK,QACzB,eACA,OACA,CACE,UAAW,EACX,SAAU,CACR,CACE,MAAO,iBACP,UAAW,EACX,SAAU,CACR,CACE,UAAW,SACX,MAAO,YACT,EACA,CACE,UAAW,OACX,MAAO,MACP,IAAK,MACL,WAAY,GACZ,aAAc,GACd,UAAW,CACb,EACA,CACE,UAAW,WACX,MAAOM,EAAa,gBACpB,WAAY,GACZ,UAAW,CACb,EAGA,CACE,MAAO,cACP,UAAW,CACb,CACF,CACF,CACF,CACF,CACF,EAKIN,EAAK,qBACLA,EAAK,mBACP,CACF,EACM0B,EAAkB,CACtB1B,EAAK,iBACLA,EAAK,kBACLqB,EACAC,EACAC,EACAC,EAEA,CAAE,MAAO,OAAQ,EACjBL,CAIF,EACAC,EAAM,SAAWM,EACd,OAAO,CAGN,MAAO,KACP,IAAK,KACL,SAAUX,EACV,SAAU,CACR,MACF,EAAE,OAAOW,CAAe,CAC1B,CAAC,EACH,IAAMC,EAAqB,CAAC,EAAE,OAAOF,EAASL,EAAM,QAAQ,EACtDQ,EAAkBD,EAAmB,OAAO,CAEhD,CACE,MAAO,KACP,IAAK,KACL,SAAUZ,EACV,SAAU,CAAC,MAAM,EAAE,OAAOY,CAAkB,CAC9C,CACF,CAAC,EACKE,EAAS,CACb,UAAW,SACX,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,SAAUd,EACV,SAAUa,CACZ,EAGME,GAAmB,CACvB,SAAU,CAER,CACE,MAAO,CACL,QACA,MACAxB,EACA,MACA,UACA,MACAL,EAAM,OAAOK,EAAY,IAAKL,EAAM,OAAO,KAAMK,CAAU,EAAG,IAAI,CACpE,EACA,MAAO,CACL,EAAG,UACH,EAAG,cACH,EAAG,UACH,EAAG,uBACL,CACF,EAEA,CACE,MAAO,CACL,QACA,MACAA,CACF,EACA,MAAO,CACL,EAAG,UACH,EAAG,aACL,CACF,CAEF,CACF,EAEMyB,EAAkB,CACtB,UAAW,EACX,MACA9B,EAAM,OAEJ,SAEA,iCAEA,6CAEA,kDAKF,EACA,UAAW,cACX,SAAU,CACR,EAAG,CAED,GAAGP,GACH,GAAGC,EACL,CACF,CACF,EAEMqC,GAAa,CACjB,MAAO,aACP,UAAW,OACX,UAAW,GACX,MAAO,8BACT,EAEMC,GAAsB,CAC1B,SAAU,CACR,CACE,MAAO,CACL,WACA,MACA3B,EACA,WACF,CACF,EAEA,CACE,MAAO,CACL,WACA,WACF,CACF,CACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,gBACL,EACA,MAAO,WACP,SAAU,CAAEuB,CAAO,EACnB,QAAS,GACX,EAEMK,GAAsB,CAC1B,UAAW,EACX,MAAO,sBACP,UAAW,mBACb,EAEA,SAASC,GAAOC,EAAM,CACpB,OAAOnC,EAAM,OAAO,MAAOmC,EAAK,KAAK,GAAG,EAAG,GAAG,CAChD,CAEA,IAAMC,GAAgB,CACpB,MAAOpC,EAAM,OACX,KACAkC,GAAO,CACL,GAAGvC,GACH,QACA,QACF,CAAC,EACDU,EAAYL,EAAM,UAAU,IAAI,CAAC,EACnC,UAAW,iBACX,UAAW,CACb,EAEMqC,GAAkB,CACtB,MAAOrC,EAAM,OAAO,KAAMA,EAAM,UAC9BA,EAAM,OAAOK,EAAY,oBAAoB,CAC/C,CAAC,EACD,IAAKA,EACL,aAAc,GACd,SAAU,YACV,UAAW,WACX,UAAW,CACb,EAEMiC,GAAmB,CACvB,MAAO,CACL,UACA,MACAjC,EACA,QACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,gBACL,EACA,SAAU,CACR,CACE,MAAO,MACT,EACAuB,CACF,CACF,EAEMW,GAAkB,2DAMbxC,EAAK,oBAAsB,UAEhCyC,EAAoB,CACxB,MAAO,CACL,gBAAiB,MACjBnC,EAAY,MACZ,OACA,cACAL,EAAM,UAAUuC,EAAe,CACjC,EACA,SAAU,QACV,UAAW,CACT,EAAG,UACH,EAAG,gBACL,EACA,SAAU,CACRX,CACF,CACF,EAEA,MAAO,CACL,KAAM,aACN,QAAS,CAAC,KAAM,MAAO,MAAO,KAAK,EACnC,SAAUd,EAEV,QAAS,CAAE,gBAAAa,EAAiB,gBAAAG,CAAgB,EAC5C,QAAS,eACT,SAAU,CACR/B,EAAK,QAAQ,CACX,MAAO,UACP,OAAQ,OACR,UAAW,CACb,CAAC,EACDgC,GACAhC,EAAK,iBACLA,EAAK,kBACLqB,EACAC,EACAC,EACAC,EACAC,EAEA,CAAE,MAAO,OAAQ,EACjBN,EACAY,EACA,CACE,UAAW,OACX,MAAOzB,EAAaL,EAAM,UAAU,GAAG,EACvC,UAAW,CACb,EACAwC,EACA,CACE,MAAO,IAAMzC,EAAK,eAAiB,kCACnC,SAAU,oBACV,UAAW,EACX,SAAU,CACRyB,EACAzB,EAAK,YACL,CACE,UAAW,WAIX,MAAOwC,GACP,YAAa,GACb,IAAK,SACL,SAAU,CACR,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAOxC,EAAK,oBACZ,UAAW,CACb,EACA,CACE,UAAW,KACX,MAAO,UACP,KAAM,EACR,EACA,CACE,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,SAAUe,EACV,SAAUa,CACZ,CACF,CACF,CACF,CACF,EACA,CACE,MAAO,IACP,UAAW,CACb,EACA,CACE,MAAO,MACP,UAAW,CACb,EACA,CACE,SAAU,CACR,CAAE,MAAOrB,EAAS,MAAO,IAAKA,EAAS,GAAI,EAC3C,CAAE,MAAOC,CAAiB,EAC1B,CACE,MAAOC,EAAQ,MAGf,WAAYA,EAAQ,kBACpB,IAAKA,EAAQ,GACf,CACF,EACA,YAAa,MACb,SAAU,CACR,CACE,MAAOA,EAAQ,MACf,IAAKA,EAAQ,IACb,KAAM,GACN,SAAU,CAAC,MAAM,CACnB,CACF,CACF,CACF,CACF,EACAwB,GACA,CAGE,cAAe,2BACjB,EACA,CAIE,MAAO,kBAAoBjC,EAAK,oBAC9B,gEAOF,YAAY,GACZ,MAAO,WACP,SAAU,CACR6B,EACA7B,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOM,EAAY,UAAW,gBAAiB,CAAC,CAClF,CACF,EAEA,CACE,MAAO,SACP,UAAW,CACb,EACAgC,GAIA,CACE,MAAO,MAAQhC,EACf,UAAW,CACb,EACA,CACE,MAAO,CAAE,wBAAyB,EAClC,UAAW,CAAE,EAAG,gBAAiB,EACjC,SAAU,CAAEuB,CAAO,CACrB,EACAQ,GACAH,GACAJ,GACAS,GACA,CACE,MAAO,QACT,CACF,CACF,CACF,CAEAjD,GAAO,QAAUS,KC5vBjB,IAAA2C,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAASC,EAAM,CAYtB,IAAMC,EAAc,CAClB,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAU,CAfE,CACZ,MAAO,YACP,YAAa,GACb,UAAW,EACX,SAAU,CACR,CACE,UAAW,OACX,MAAO,QACT,CACF,CACF,CAKoB,EAClB,UAAW,CACb,EACMC,EAAY,CAChB,UAAW,WACX,MAAO,YACP,UAAW,CACb,EACMC,EAAO,CACX,UAAW,SACX,MAAO,sBACT,EACMC,EAAiB,CACrB,UAAW,SACX,MAAO,cACT,EACA,MAAO,CACL,KAAM,YACN,QAAS,CAAE,aAAc,EACzB,SAAU,CACR,SAAU,UACV,QAAS,sVAIT,QAAS,YACX,EACA,SAAU,CACRJ,EAAK,kBACLA,EAAK,kBACLI,EACAF,EACAC,EACAF,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KC9DjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAY,CAChB,UAAW,OACX,MAAO,8BACP,UAAW,IACb,EACMC,EAAc,CAClB,MAAO,YACP,UAAW,cACX,UAAW,CACb,EACMC,EAAW,CACf,OACA,QACA,MACF,EAMMC,EAAgB,CACpB,MAAO,UACP,cAAeD,EAAS,KAAK,GAAG,CAClC,EAEA,MAAO,CACL,KAAM,OACN,SAAS,CACP,QAASA,CACX,EACA,SAAU,CACRF,EACAC,EACAF,EAAK,kBACLI,EACAJ,EAAK,cACLA,EAAK,oBACLA,EAAK,oBACP,EACA,QAAS,KACX,CACF,CAEAF,GAAO,QAAUC,KCpDjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAMC,EAAM,CAOnB,IAAMC,EAAmB,uDAoTnBC,EAAW,CACf,SAAUD,EACV,QA1SmB,CACnB,aACA,QACA,QACA,QACA,QACA,QACA,WACA,KACA,OACA,SACA,MACA,SACA,QACA,UACA,MACA,WACA,SACA,KACA,SACA,KACA,MACA,MACA,QACA,QACA,SACA,QACA,SACA,OACA,MACA,QACA,QACA,OACF,EA0QE,QAzPmB,CACnB,OACA,SACA,aACA,aACA,MACA,MACA,QACA,QACA,QACA,gBACA,YACA,YACA,MACA,QACA,QACA,QACA,eACA,YACA,YACA,gBACA,eACA,uBACA,qBACA,cACA,UACA,YACA,UACA,QACA,KACA,UACA,UACA,KACA,SACA,QACA,SACA,OACA,QACA,SACA,QACF,EAkNE,SAjMoB,CACpB,gBACA,kBACA,eACA,eACA,kBACA,gBACA,qBACA,iBACA,gBACA,cACA,iBACA,oBACA,mBACA,iBACA,MACA,gBACA,QACA,iBACA,WACA,SACA,WACA,YACA,SACA,YACA,OACA,cACA,oBACA,iBACA,mBACA,QACA,UACA,SACA,UACA,OACA,OACA,YACA,QACA,YACA,MACA,QACA,UACA,aACA,aACA,aACA,qBACA,YACA,aACA,SACA,UACA,WACA,UACA,SACA,QACA,aACA,SACA,aACA,UACA,QACA,WACA,WACA,WACA,aACA,cACA,gBACA,cACA,OACA,oBACA,OACA,cACA,cACA,WACA,OACA,iBACA,YACA,qBACA,OACA,UACA,UACA,UACA,WACA,YACA,OACA,KACA,WACA,YACA,WACA,SACA,iBACA,cACA,aACA,eACA,YACA,MACA,SACA,QACA,QACA,QACA,OACA,UACA,qBACA,wBACA,aACA,WACA,WACA,iBACA,gBACA,YACA,OACA,SACA,SACA,cACA,UACA,mBACA,SACA,SACA,aACA,UACA,SACA,eACA,mBACA,gBACA,OACA,mBACA,oBACA,OACA,yBACA,MACA,YACA,WACA,QACA,sBACA,OACA,gBACA,MACA,QACA,aACA,eACA,oBACA,MACA,SACA,OACA,qBACA,YACA,eACA,eACA,gBACA,kBACA,gBACA,SACA,mBACA,WACA,YACA,qBACA,SACA,cACA,OACA,sBACA,OACA,cACA,QACA,QACA,OACA,YACA,UACA,OACA,UACA,SACA,SACA,SACA,QACA,mBACA,oBACA,gBACA,gBACA,QACA,WACA,YACA,WACA,MACA,SACA,aACA,WACA,SACA,gBACA,cACA,SACF,CAOA,EAGME,EAAU,CACd,SAAUD,EACV,QAAS,KACX,EAGME,EAAS,CACb,UAAW,SAQX,MAAO,qIACP,UAAW,CACb,EAEMC,EAAO,CACX,UAAW,SACX,MAAO,4BACT,EAEMC,EAAgB,CACpB,UAAW,QACX,MAAO,OACP,IAAK,KACL,SAAUJ,CACZ,EAEMK,EAAwB,CAC5B,UAAW,WACX,MAAO,MAAQN,CACjB,EAGMO,EAAS,CACb,UAAW,SACX,SAAU,CACRR,EAAK,iBACLM,EACAC,CACF,EACA,SAAU,CACR,CACE,MAAO,SACP,IAAK,SACL,UAAW,EACb,EACA,CACE,MAAO,OACP,IAAK,MACP,CACF,CACF,EAEME,EAAU,CACd,UAAW,SACX,SAAU,CACRT,EAAK,iBACLM,EACAC,CACF,EACA,MAAO,IACP,IAAK,GACP,EAEMG,EAAY,CAChB,UAAW,OACX,MAAO,IAAMT,CACf,EAEMU,EAAU,CACd,UAAW,UACX,SAAU,CACR,CACE,MAAO,KACP,IAAK,KACL,UAAW,EACb,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,EAEA,OAAAR,EAAQ,KAAO,QACfA,EAAQ,SAAW,CACjBC,EACAC,EACAG,EACAC,EACAC,EACAC,EACAX,EAAK,kBACL,CACE,UAAW,UACX,MACE,6DACJ,EACA,CAAE,MAAO,IAAK,CAChB,EACAM,EAAc,SAAWH,EAAQ,SAE1BA,CACT,CAEAL,GAAO,QAAUC,KCxbjB,IAAAa,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAwBA,SAASC,GAAUC,EAAM,CACvB,MAAO,CACL,KAAM,aACN,SAAU,CACR,CACE,UAAW,cACX,MAAO,UACP,UAAW,GACX,OAAQ,CAGN,IAAK,cACL,YAAa,OACf,CACF,CACF,EAMA,QAAS,CAAE,WAAY,CACzB,CACF,CAEAF,GAAO,QAAUC,KCjDjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CACA,IAAIC,GAAgB,kBAChBC,GAAO,OAAOD,EAAa,IAC3BE,GAAY,8BACZC,GAAU,CACZ,UAAW,SACX,SAAU,CAGR,CAAE,MAAO,QAAQH,EAAa,MAAMC,EAAI,YAAYA,EAAI,eACzCD,EAAa,aAAc,EAE1C,CAAE,MAAO,OAAOA,EAAa,MAAMC,EAAI,8BAA+B,EACtE,CAAE,MAAO,IAAIA,EAAI,aAAc,EAC/B,CAAE,MAAO,OAAOD,EAAa,YAAa,EAG1C,CAAE,MAAO,aAAaE,EAAS,UAAUA,EAAS,SAASA,EAAS,eACrDF,EAAa,aAAc,EAG1C,CAAE,MAAO,gCAAiC,EAG1C,CAAE,MAAO,YAAYE,EAAS,WAAY,EAG1C,CAAE,MAAO,wBAAyB,EAGlC,CAAE,MAAO,+BAAgC,CAC3C,EACA,UAAW,CACb,EAUA,SAASE,GAAOC,EAAM,CACpB,IAAMC,EAAW,CACf,QACE,wYAKF,SACE,kEACF,QACE,iBACJ,EACMC,EAAsB,CAC1B,UAAW,UACX,MAAO,mCACP,OAAQ,CAAE,SAAU,CAClB,CACE,UAAW,SACX,MAAO,MACT,CACF,CAAE,CACJ,EACMC,EAAQ,CACZ,UAAW,SACX,MAAOH,EAAK,oBAAsB,GACpC,EAGMI,EAAQ,CACZ,UAAW,QACX,MAAO,OACP,IAAK,KACL,SAAU,CAAEJ,EAAK,aAAc,CACjC,EACMK,EAAW,CACf,UAAW,WACX,MAAO,MAAQL,EAAK,mBACtB,EACMM,EAAS,CACb,UAAW,SACX,SAAU,CACR,CACE,MAAO,MACP,IAAK,cACL,SAAU,CACRD,EACAD,CACF,CACF,EAIA,CACE,MAAO,IACP,IAAK,IACL,QAAS,KACT,SAAU,CAAEJ,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,IACP,IAAK,IACL,QAAS,KACT,SAAU,CACRA,EAAK,iBACLK,EACAD,CACF,CACF,CACF,CACF,EACAA,EAAM,SAAS,KAAKE,CAAM,EAE1B,IAAMC,EAAsB,CAC1B,UAAW,OACX,MAAO,gFAAkFP,EAAK,oBAAsB,IACtH,EACMQ,EAAa,CACjB,UAAW,OACX,MAAO,IAAMR,EAAK,oBAClB,SAAU,CACR,CACE,MAAO,KACP,IAAK,KACL,SAAU,CACRA,EAAK,QAAQM,EAAQ,CAAE,UAAW,QAAS,CAAC,EAC5C,MACF,CACF,CACF,CACF,EAKMG,EAAqBX,GACrBY,EAAwBV,EAAK,QACjC,OAAQ,OACR,CAAE,SAAU,CAAEA,EAAK,oBAAqB,CAAE,CAC5C,EACMW,EAAoB,CAAE,SAAU,CACpC,CACE,UAAW,OACX,MAAOX,EAAK,mBACd,EACA,CACE,MAAO,KACP,IAAK,KACL,SAAU,CAAC,CACb,CACF,CAAE,EACIY,EAAqBD,EAC3B,OAAAC,EAAmB,SAAS,CAAC,EAAE,SAAW,CAAED,CAAkB,EAC9DA,EAAkB,SAAS,CAAC,EAAE,SAAW,CAAEC,CAAmB,EAEvD,CACL,KAAM,SACN,QAAS,CACP,KACA,KACF,EACA,SAAUX,EACV,SAAU,CACRD,EAAK,QACH,UACA,OACA,CACE,UAAW,EACX,SAAU,CACR,CACE,UAAW,SACX,MAAO,YACT,CACF,CACF,CACF,EACAA,EAAK,oBACLU,EACAR,EACAC,EACAI,EACAC,EACA,CACE,UAAW,WACX,cAAe,MACf,IAAK,QACL,YAAa,GACb,WAAY,GACZ,SAAUP,EACV,UAAW,EACX,SAAU,CACR,CACE,MAAOD,EAAK,oBAAsB,UAClC,YAAa,GACb,UAAW,EACX,SAAU,CAAEA,EAAK,qBAAsB,CACzC,EACA,CACE,UAAW,OACX,MAAO,IACP,IAAK,IACL,SAAU,UACV,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,WAAY,GACZ,SAAUC,EACV,UAAW,EACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,SACL,eAAgB,GAChB,SAAU,CACRU,EACAX,EAAK,oBACLU,CACF,EACA,UAAW,CACb,EACAV,EAAK,oBACLU,EACAH,EACAC,EACAF,EACAN,EAAK,aACP,CACF,EACAU,CACF,CACF,EACA,CACE,MAAO,CACL,wBACA,MACAV,EAAK,mBACP,EACA,WAAY,CACV,EAAG,aACL,EACA,SAAU,wBACV,IAAK,WACL,WAAY,GACZ,QAAS,qBACT,SAAU,CACR,CAAE,cAAe,+CAAgD,EACjEA,EAAK,sBACL,CACE,UAAW,OACX,MAAO,IACP,IAAK,IACL,aAAc,GACd,WAAY,GACZ,UAAW,CACb,EACA,CACE,UAAW,OACX,MAAO,UACP,IAAK,eACL,aAAc,GACd,UAAW,EACb,EACAO,EACAC,CACF,CACF,EACAF,EACA,CACE,UAAW,OACX,MAAO,kBACP,IAAK,IACL,QAAS;AAAA,CACX,EACAG,CACF,CACF,CACF,CAEAf,GAAO,QAAUK,KC5RjB,IAAAc,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAMC,EAAM,CACnB,IAAMC,EAAiB,mBACjBC,EAAiB,yBACjBC,EAAiB,WACjBC,EAAiB,CACrB,SAAUH,EAAiB,WAC3B,QACE,uGAEF,SACE,yMAGF,QACE,yhCAiBJ,EACMI,EAAeL,EAAK,QACxB,OACA,MACA,CAAE,UAAW,CAAE,CACjB,EACMM,EAAkB,CACtB,UAAW,OACX,MAAO,kBACP,OAAQ,CACN,IAAK,mBACL,UAAW,GACX,SAAU,CAAED,CAAa,CAC3B,CACF,EACME,EAAc,CAClB,UAAW,OACX,MAAO,iBAAmBL,CAC5B,EACMM,EAAmB,CACvB,UAAW,SACX,MAAO,IAAOP,EAAiB,GACjC,EACMQ,EAAa,CACjBT,EAAK,oBACLA,EAAK,qBACLA,EAAK,QAAQA,EAAK,cAAe,CAAE,MAAOA,EAAK,YAAc,sBAAuB,CAAC,EACrFA,EAAK,QAAQA,EAAK,iBAAkB,CAAE,QAAS,IAAK,CAAC,EACrDA,EAAK,QAAQA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,EACtD,CACE,UAAW,SACX,MAAO,IACP,IAAK,GACP,EACA,CACE,SAAU,CACR,CAAE,MAAO,OAASC,CAAe,EACjC,CACE,MAAO,IACP,IAAK,OACL,QAAS,KACX,CACF,CAAE,EACJ,CACE,UAAW,OACX,MAAO,SACP,IAAKA,EACL,QAAS,KACX,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,gBAAkBA,EACzB,UAAW,CACb,EACA,CAAE,MAAO,aAAc,CACzB,CACF,EACA,CACE,MAAO,aACP,UAAW,EACX,SAAU,CAAEO,CAAiB,CAC/B,EACA,CACE,UAAW,QACX,cAAe,SACf,UAAW,GACX,IAAK,SACL,SAAU,CAAER,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOC,EAAiB,wBAAyB,CAAC,CAAE,CAClG,CACF,EACA,MAAO,CACL,KAAM,QACN,QAAS,CACP,KACA,aACF,EACA,iBAAkB,GAClB,SAAUG,EACV,SAAU,CACR,CACE,UAAW,OACX,MAAOD,EACP,UAAW,EACX,OAAQ,CACN,IAAK,OAASD,EACd,UAAW,GACX,UAAW,EACX,SAAU,CAAEG,CAAa,CAC3B,CACF,EACAC,EACAC,EACA,CACE,UAAW,OACX,MAAO,wBACP,OAAQ,CACN,IAAK,4BACL,SAAUH,EACV,SAAU,CACR,CACE,UAAW,OACX,MAAOD,EACP,UAAW,EACX,OAAQ,CACN,IAAK,mBAAqBD,EAC1B,UAAW,GACX,SAAU,CAAEG,CAAa,CAC3B,CACF,EACAC,EACAC,CACF,EAAE,OAAOE,CAAU,CACrB,CACF,EACA,CACE,UAAW,OACX,MAAO,MACP,UAAW,CACb,EACA,CACE,UAAW,OACX,MAAO,MACP,IAAK,UACL,UAAW,EACb,CACF,EAAE,OAAOA,CAAU,CACrB,CACF,CAEAX,GAAO,QAAUC,KCzKjB,IAAAW,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAMC,EAAM,CAEnB,IAAMC,EADQD,EAAK,MACe,OAAO,GAAG,CAC1C,8CACA,0CACA,mCACA,6CACA,yBACA,uBACA,gCACA,uBACA,8DACA,mDACA,wBACA,gBACA,yDACA,UACA,2DACA,8EACA,sEACA,yEACA,4EACA,uDACF,EAAE,IAAIE,IAAQA,GAAO,iBAAiB,CAAC,EACjCC,EAAW,IAAI,OAAO,CAI1B,wDAIA,+CAKA,iCAEA,uBACA,kBACA,kBACA,kBACA,sBACA,aACF,EAAE,IAAIC,IAAWA,GAAU,gBAAgB,EAAE,KAAK,GAAG,CAAC,EAChDC,EAAc,CAClB,CAAE,MAAO,YAAa,EACtB,CAAE,MAAO,aAAc,CACzB,EACMC,EAAwB,CAC5B,CAAE,MAAO,kBAAmB,EAC5B,CAAE,MAAO,kBAAmB,EAC5B,CAAE,MAAO,kBAAmB,EAC5B,CAAE,MAAO,kBAAmB,EAC5B,CAAE,MAAO,kBAAmB,EAC5B,CAAE,MAAO,sBAAuB,CAClC,EACMC,EAAmB,CACvB,UAAW,UACX,MAAO,KACP,UAAW,EACX,SAAU,CACR,CACE,WAAY,GACZ,MAAON,CACT,EACA,CACE,WAAY,GACZ,MAAOE,CACT,EACA,CACE,WAAY,GACZ,SAAUG,CACZ,EACA,CACE,WAAY,GACZ,UAAW,EACX,SAAUD,CACZ,CACF,CACF,EACMG,EAAc,CAClB,UAAW,SACX,UAAW,EACX,MAAO,OACT,EACMC,EAAoB,CAExB,SAAUH,CAAsB,EAC5BI,EAAkB,CACtB,UAAW,WACX,UAAW,EACX,MAAO,QACT,EACMC,EAAgB,CACpB,UAAW,OACX,MAAO,2BACP,IAAK,IACL,UAAW,EACb,EACMC,EAAUZ,EAAK,QACnB,IACA,IACA,CAAE,UAAW,CAAE,CACjB,EACMa,EAA0B,CAC9BN,EACAC,EACAC,EACAC,EACAC,EACAC,CACF,EACME,EAA0B,CAC9B,MAAO,KACP,IAAK,KACL,UAAW,EACX,SAAU,CACR,OACA,GAAGD,CACL,CACF,EACME,EAAkBf,EAAK,QAC3Bc,EACA,CACE,UAAW,EACX,WAAY,GACZ,SAAU,CACRA,EACA,GAAGD,CACL,CACF,CACF,EACMG,EAAoB,CACxB,MAAO,KACP,IAAK,KACL,WAAY,GACZ,UAAW,EACX,SAAU,CACRF,EACA,GAAGD,CACL,CACF,EACMI,EAAgB,CACpB,MAAO,MACP,UAAW,CACb,EACMC,EAAa,CAAEH,CAAgB,EAC/BI,EAAa,CAAEH,CAAkB,EACjCI,EAAoB,SAASC,GAAKC,GAAa,CACnD,MAAO,CACL,SAAU,CAAEL,CAAc,EAC1B,OAAQ,CACN,UAAW,EACX,SAAUI,GACV,OAAQC,EACV,CACF,CACF,EACMC,EAAS,SAASC,GAAQF,GAAa,CAC3C,MAAO,CACL,MAAO,OAASE,GAAS,kBACzB,SAAU,CACR,SAAU,cACV,QAAS,KAAOA,EAClB,EACA,UAAW,EACX,SAAU,CAAEP,CAAc,EAC1B,OAAQK,EACV,CACF,EACMG,EAAY,SAASC,GAASJ,GAAa,CAC/C,OAAOtB,EAAK,QACV,CACE,MAAO,sCAA0C0B,GAAU,OAC3D,SAAU,CACR,SAAU,cACV,QAAS,SACX,EACA,UAAW,CACb,EACAN,EAAkBF,EAAYI,EAAW,CAC3C,CACF,EACMK,EAA2B,CAACC,GAAY,WACrC5B,EAAK,kBAAkB,CAC5B,UAAW4B,GACX,MAAO,YACP,IAAK,YACL,aAAc,GACd,WAAY,GACZ,WAAY,EACd,CAAC,EAEGC,GAAyB,SAASH,GAAS,CAC/C,MAAO,CACL,UAAW,SACX,IAAK,gBAAkBA,GAAU,MACnC,CACF,EAEMI,EAA4B,CAACF,GAAY,YACtC,CACL,UAAW,EACX,MAAO,KACP,OAAQ,CACN,WAAY,GACZ,SAAU,CACR,CACE,UAAWA,GACX,IAAK,SACL,WAAY,GACZ,SAAU,CACR,CACE,MAAO,KACP,IAAK,KACL,UAAW,EACX,SAAU,CAAE,MAAO,CACrB,CACF,CACF,CACF,CACF,CACF,GAEIG,GAAW,CACf,GAAG,CACD,OACA,WACF,EAAE,IAAIP,IAAUD,EAAOC,GAAQ,CAAE,SAAU,CAAEG,EAAyB,CAAE,CAAE,CAAC,CAAC,EAC5EJ,EAAO,OAAQH,EAAkBF,EAAY,CAAE,SAAU,CAAES,EAAyB,CAAE,CAAE,CAAC,CAAC,EAC1FJ,EAAO,aAAcH,EAAkBF,EAAY,CAAE,SAAU,CAC7DY,EAA0B,EAC1BH,EAAyB,CAC3B,CAAE,CAAC,CAAC,EACJJ,EAAO,MAAO,CAAE,SAAU,CACxBO,EAA0B,MAAM,EAChCA,EAA0B,MAAM,CAClC,CAAE,CAAC,EACHP,EAAO,WAAY,CAAE,SAAU,CAAEO,EAA0B,MAAM,CAAE,CAAE,CAAC,EACtEP,EAAO,OAAQH,EAAkBD,EAAY,CAAE,SAAU,CAAEW,EAA0B,MAAM,CAAE,CAAE,CAAC,CAAC,EACjG,GAAG,CAAC,EAAE,OAAO,GAAG,CACd,GACA,KACF,EAAE,IAAIE,IAAU,CACdP,EAAU,WAAaO,GAAQH,GAAuB,WAAaG,EAAM,CAAC,EAC1EP,EAAU,eAAiBO,GAAQZ,EAAkBF,EAAYW,GAAuB,eAAiBG,EAAM,CAAC,CAAC,EACjH,GAAG,CACD,GACA,IACA,GACF,EAAE,IAAIC,IACJR,EAAUQ,GAAS,WAAaD,GAAQZ,EAAkBD,EAAYU,GAAuBI,GAAS,WAAaD,EAAM,CAAC,CAAC,CAC7H,CACF,CAAC,CAAC,EACFP,EAAU,SAAUL,EAAkBD,EAAYC,EAAkBF,EAAYW,GAAuB,QAAQ,CAAC,CAAC,CAAC,CACpH,EAEA,MAAO,CACL,KAAM,QACN,QAAS,CAAE,KAAM,EACjB,SAAU,CACR,GAAGE,GACH,GAAGlB,CACL,CACF,CACF,CAEAf,GAAO,QAAUC,KCrRjB,IAAAmC,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CAClB,MAAO,CACL,KAAM,OACN,SAAU,CACR,CACE,UAAW,YACX,MAAO,WACP,UAAW,EACb,EACA,CACE,UAAW,YACX,MAAO,YACT,EACA,CACE,UAAW,UACX,MAAO,IACT,EACAA,EAAK,iBACP,CACF,CACF,CAEAF,GAAO,QAAUC,KC9BjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAMA,SAASC,GAAKC,EAAM,CAClB,MAAO,CACL,KAAM,OACN,SAAU,CACR,CACE,UAAW,WACX,MAAO,qBACP,IAAK,MACL,YAAa,GACb,WAAY,GACZ,SAAU,CACR,CACE,UAAW,UACX,MAAO,IACT,EACA,CACE,UAAW,QACX,MAAO,wBACT,EACA,CACE,UAAW,SACX,MAAO,MACP,IAAK,MACL,WAAY,GACZ,SAAU,CACR,CACE,UAAW,SACX,MAAO,IACP,IAAK,GACP,EACA,CACE,UAAW,WACX,MAAO,wBACT,CACF,CACF,CACF,CACF,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KChDjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,KAAMC,GAASC,IACN,CACL,UAAW,CACT,MAAO,OACP,MAAO,YACT,EACA,cAAeA,EAAK,qBACpB,SAAU,CACR,MAAO,SACP,MAAO,iDACT,EACA,kBAAmB,CACjB,UAAW,WACX,MAAO,cACT,EACA,wBAAyB,CACvB,MAAO,gBACP,MAAO,KACP,IAAK,KACL,QAAS,IACT,SAAU,CACRA,EAAK,iBACLA,EAAK,iBACP,CACF,EACA,gBAAiB,CACf,MAAO,SACP,MAAOA,EAAK,UAAY,kGASxB,UAAW,CACb,EACA,aAAc,CACZ,UAAW,OACX,MAAO,0BACT,CACF,GAGIC,GAAO,CACX,IACA,OACA,UACA,UACA,QACA,QACA,IACA,aACA,OACA,SACA,SACA,UACA,OACA,OACA,KACA,MACA,UACA,MACA,MACA,KACA,KACA,KACA,WACA,aACA,SACA,SACA,OACA,KACA,KACA,KACA,KACA,KACA,KACA,SACA,SACA,OACA,IACA,SACA,MACA,QACA,MACA,MACA,QACA,SACA,KACA,OACA,OACA,OACA,MACA,SACA,KACA,IACA,IACA,QACA,OACA,UACA,OACA,SACA,UACA,MACA,QACA,QACA,KACA,WACA,QACA,KACA,QACA,OACA,KACA,KACA,MACA,OACF,EAEMC,GAAiB,CACrB,YACA,cACA,eACA,QACA,cACA,cACA,sBACA,gBACA,eACA,eACA,gBACA,OACA,SACA,QACA,kBACA,aACA,cACA,iBACA,kBACA,UACA,uBACA,mBACA,yBACA,+BACA,aACA,OACA,YACA,SACA,QAEA,YACA,YACA,aACA,YACF,EAGMC,GAAiB,CACrB,SACA,WACA,QACA,UACA,UACA,UACA,UACA,MACA,WACA,OACA,QACA,UACA,QACA,cACA,gBACA,aACA,SACA,QACA,gBACA,eACA,MACA,OACA,eACA,QACA,gBACA,WACA,UACA,KACA,OACA,aACA,eACA,OACA,OACA,aACA,MACA,YACA,UACA,iBACA,eACA,mBACA,cACA,aACA,eACA,WACA,eACA,OACA,oBACA,YACA,aACA,WACA,QACA,OACA,QACA,SACA,gBACA,eACA,QACA,UACA,OACF,EAGMC,GAAkB,CACtB,QACA,WACA,SACA,MACA,aACA,eACA,aACA,gBACA,SACA,OACA,cACA,YACA,UACA,gBACF,EAEMC,GAAa,CACjB,gBACA,cACA,aACA,MACA,YACA,kBACA,sBACA,qBACA,sBACA,4BACA,iBACA,uBACA,4BACA,sBACA,aACA,wBACA,wBACA,kBACA,mBACA,mBACA,oBACA,sBACA,oBACA,kBACA,aACA,SACA,eACA,qBACA,mBACA,yBACA,yBACA,yBACA,qBACA,2BACA,2BACA,2BACA,qBACA,qBACA,gBACA,sBACA,4BACA,6BACA,sBACA,sBACA,kBACA,eACA,eACA,sBACA,sBACA,qBACA,sBACA,qBACA,gBACA,sBACA,oBACA,0BACA,0BACA,0BACA,sBACA,4BACA,4BACA,4BACA,sBACA,sBACA,cACA,oBACA,oBACA,oBACA,gBACA,eACA,qBACA,qBACA,qBACA,iBACA,eACA,aACA,mBACA,yBACA,0BACA,mBACA,mBACA,eACA,SACA,uBACA,aACA,aACA,cACA,eACA,eACA,eACA,cACA,QACA,OACA,YACA,YACA,QACA,eACA,cACA,aACA,cACA,oBACA,oBACA,oBACA,cACA,eACA,UACA,UACA,UACA,qBACA,oBACA,gBACA,MACA,YACA,aACA,SACA,YACA,UACA,cACA,SACA,OACA,aACA,iBACA,YACA,YACA,cACA,YACA,QACA,OACA,OACA,eACA,cACA,wBACA,eACA,yBACA,YACA,mBACA,iBACA,eACA,aACA,iBACA,eACA,oBACA,0BACA,yBACA,uBACA,wBACA,0BACA,cACA,MACA,6BACA,OACA,YACA,oBACA,iBACA,iBACA,cACA,kBACA,oBACA,WACA,WACA,eACA,iBACA,gBACA,sBACA,wBACA,qBACA,sBACA,SACA,UACA,OACA,oBACA,kBACA,mBACA,WACA,cACA,YACA,kBACA,OACA,iBACA,aACA,cACA,aACA,mBACA,sBACA,kBACA,SACA,eACA,mBACA,qBACA,gBACA,gBACA,oBACA,sBACA,cACA,eACA,aACA,QACA,OACA,cACA,mBACA,qBACA,qBACA,oBACA,qBACA,oBACA,YACA,iBACA,aACA,YACA,cACA,gBACA,cACA,YACA,YACA,iBACA,aACA,kBACA,YACA,iBACA,aACA,kBACA,YACA,iBACA,WACA,YACA,WACA,YACA,SACA,OACA,SACA,aACA,kBACA,UACA,QACA,UACA,UACA,gBACA,iBACA,gBACA,gBACA,WACA,gBACA,aACA,aACA,UACA,gBACA,oBACA,sBACA,iBACA,iBACA,qBACA,uBACA,eACA,gBACA,cACA,mBACA,oBACA,oBACA,QACA,cACA,eACA,cACA,qBACA,iBACA,WACA,SACA,SACA,OACA,aACA,cACA,QACA,UACA,gBACA,sBACA,0BACA,4BACA,uBACA,uBACA,2BACA,6BACA,qBACA,sBACA,oBACA,iBACA,uBACA,2BACA,6BACA,wBACA,wBACA,4BACA,8BACA,sBACA,uBACA,qBACA,oBACA,mBACA,mBACA,kBACA,mBACA,kBACA,wBACA,eACA,gBACA,QACA,WACA,MACA,WACA,eACA,aACA,iBACA,kBACA,uBACA,kBACA,wBACA,uBACA,wBACA,gBACA,sBACA,yBACA,sBACA,cACA,eACA,mBACA,gBACA,iBACA,cACA,iBACA,0BACA,MACA,YACA,gBACA,mBACA,kBACA,aACA,mBACA,sBACA,sBACA,6BACA,eACA,iBACA,aACA,gBACA,iBACA,eACA,cACA,cACA,aACA,eACA,eACA,cACA,SACA,QACA,cACA,aACA,eACA,YACA,eACA,SAGF,EAAE,QAAQ,EAGJC,GAAmBH,GAAe,OAAOC,EAAe,EAW9D,SAASG,GAAKP,EAAM,CAClB,IAAMQ,EAAQT,GAAMC,CAAI,EAClBS,EAAqBH,GAErBI,EAAe,kBACfC,EAAW,UACXC,EAAkB,IAAMD,EAAW,QAAUA,EAAW,OAIxDE,EAAQ,CAAC,EAASC,EAAc,CAAC,EAEjCC,EAAc,SAASC,EAAG,CAC9B,MAAO,CAEL,UAAW,SACX,MAAO,KAAOA,EAAI,MAAQA,CAC5B,CACF,EAEMC,EAAa,SAASC,EAAMC,EAAOC,EAAW,CAClD,MAAO,CACL,UAAWF,EACX,MAAOC,EACP,UAAWC,CACb,CACF,EAEMC,EAAc,CAClB,SAAU,UACV,QAASX,EACT,UAAWR,GAAe,KAAK,GAAG,CACpC,EAEMoB,EAAc,CAElB,MAAO,MACP,IAAK,MACL,SAAUR,EACV,SAAUO,EACV,UAAW,CACb,EAGAP,EAAY,KACVd,EAAK,oBACLA,EAAK,qBACLe,EAAY,GAAG,EACfA,EAAY,GAAG,EACfP,EAAM,gBACN,CACE,MAAO,oBACP,OAAQ,CACN,UAAW,SACX,IAAK,WACL,WAAY,EACd,CACF,EACAA,EAAM,SACNc,EACAL,EAAW,WAAY,MAAQN,EAAU,EAAE,EAC3CM,EAAW,WAAY,OAASN,EAAW,KAAK,EAChDM,EAAW,WAAY,YAAY,EACnC,CACE,UAAW,YACX,MAAON,EAAW,QAClB,IAAK,IACL,YAAa,GACb,WAAY,EACd,EACAH,EAAM,UACN,CAAE,cAAe,SAAU,EAC3BA,EAAM,iBACR,EAEA,IAAMe,EAAsBT,EAAY,OAAO,CAC7C,MAAO,KACP,IAAK,KACL,SAAUD,CACZ,CAAC,EAEKW,EAAmB,CACvB,cAAe,OACf,eAAgB,GAChB,SAAU,CAAE,CAAE,cAAe,SAAU,CAAE,EAAE,OAAOV,CAAW,CAC/D,EAIMW,EAAY,CAChB,MAAOb,EAAkB,QACzB,YAAa,GACb,IAAK,OACL,UAAW,EACX,SAAU,CACR,CAAE,MAAO,qBAAsB,EAC/BJ,EAAM,aACN,CACE,UAAW,YACX,MAAO,OAASH,GAAW,KAAK,GAAG,EAAI,OACvC,IAAK,QACL,OAAQ,CACN,eAAgB,GAChB,QAAS,QACT,UAAW,EACX,SAAUS,CACZ,CACF,CACF,CACF,EAEMY,EAAe,CACnB,UAAW,UACX,MAAO,2GACP,OAAQ,CACN,IAAK,QACL,SAAUL,EACV,UAAW,GACX,SAAUP,EACV,UAAW,CACb,CACF,EAGMa,EAAgB,CACpB,UAAW,WACX,SAAU,CAKR,CACE,MAAO,IAAMhB,EAAW,QACxB,UAAW,EACb,EACA,CAAE,MAAO,IAAMA,CAAS,CAC1B,EACA,OAAQ,CACN,IAAK,OACL,UAAW,GACX,SAAUY,CACZ,CACF,EAEMK,EAAgB,CAIpB,SAAU,CACR,CACE,MAAO,eACP,IAAK,OACP,EACA,CACE,MAAOhB,EACP,IAAK,IACP,CACF,EACA,YAAa,GACb,UAAW,GACX,QAAS,UACT,UAAW,EACX,SAAU,CACRZ,EAAK,oBACLA,EAAK,qBACLwB,EACAP,EAAW,UAAW,QAAQ,EAC9BA,EAAW,WAAY,OAASN,EAAW,KAAK,EAEhD,CACE,MAAO,OAASV,GAAK,KAAK,GAAG,EAAI,OACjC,UAAW,cACb,EACAO,EAAM,gBACNS,EAAW,eAAgBL,EAAiB,CAAC,EAC7CK,EAAW,cAAe,IAAML,CAAe,EAC/CK,EAAW,iBAAkB,MAAQL,EAAiB,CAAC,EACvDK,EAAW,eAAgB,IAAK,CAAC,EACjCT,EAAM,wBACN,CACE,UAAW,kBACX,MAAO,KAAOL,GAAe,KAAK,GAAG,EAAI,GAC3C,EACA,CACE,UAAW,kBACX,MAAO,SAAWC,GAAgB,KAAK,GAAG,EAAI,GAChD,EACA,CACE,MAAO,KACP,IAAK,KACL,UAAW,EACX,SAAUmB,CACZ,EACA,CAAE,MAAO,YAAa,EACtBf,EAAM,iBACR,CACF,EAEMqB,EAAuB,CAC3B,MAAOlB,EAAW,SAAcF,EAAmB,KAAK,GAAG,CAAC,IAC5D,YAAa,GACb,SAAU,CAAEmB,CAAc,CAC5B,EAEA,OAAAf,EAAM,KACJb,EAAK,oBACLA,EAAK,qBACL0B,EACAC,EACAE,EACAJ,EACAG,EACAJ,EACAhB,EAAM,iBACR,EAEO,CACL,KAAM,OACN,iBAAkB,GAClB,QAAS,aACT,SAAUK,CACZ,CACF,CAEAf,GAAO,QAAUS,KCr0BjB,IAAAuB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAgB,sDAChBC,EAAS,cACTC,EAAwB,qEACxBC,EAAU,CACd,UAAW,UACX,MAAO,kBACT,EACMC,EAAS,CACb,UAAW,SACX,SAAU,CACR,CACE,MAAOF,EACP,UAAW,CACb,EACA,CAAE,MAAO,wBAAyB,EAClC,CAAE,MAAO,wBAAyB,EAClC,CAAE,MAAO,oCAAqC,EAC9C,CACE,MAAO,YAAcA,EAAwB,KAAOA,EACpD,IAAK,KACP,CACF,CACF,EACMG,EAASN,EAAK,QAAQA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,EAC/DO,EAAUP,EAAK,QACnB,IAAK,IACL,CAAE,UAAW,CAAE,CACjB,EACMQ,EAAW,CACf,MAAO,MACP,IAAK,KACP,EACMC,EAAU,CACd,UAAW,SACX,MAAO,OAASR,CAClB,EACMS,EAAQ,CACZ,MAAOT,EACP,UAAW,CACb,EACMU,EAAM,CAAE,MAAOT,CAAO,EAYtBU,EAAS,CACb,SAAU,CACRP,EACAC,EACAE,EACAC,EAhBgB,CAClB,MAAO,MACP,IAAK,MACL,SAAU,CACR,OACAL,EACAE,EACAD,EACAK,CACF,CACF,EAQIA,CACF,EACA,SAAU,CACR,CACE,MAAO,UACP,IAAK,KACP,EACA,CACE,MAAO,YACP,IAAK,MACL,SAAU,CAAE,KAAM,OAAQ,CAC5B,EACA,CAAE,MAAO,IAAOR,CAAO,CACzB,CACF,EACMW,EAAc,CAAE,SAAU,CAC9B,CAAE,MAAO,IAAOZ,CAAc,EAC9B,CAAE,MAAO,KAAQA,EAAgB,MAAQA,EAAgB,IAAK,CAChE,CAAE,EACIa,EAAO,CACX,MAAO,UACP,IAAK,KACP,EACMC,EAAO,CACX,eAAgB,GAChB,UAAW,CACb,EACA,OAAAD,EAAK,SAAW,CACd,CACE,UAAW,OACX,SAAU,CACR,CACE,MAAOb,EACP,UAAW,CACb,EACA,CAAE,MAAOC,CAAO,CAClB,CACF,EACAa,CACF,EACAA,EAAK,SAAW,CACdH,EACAC,EACAC,EACAV,EACAC,EACAC,EACAC,EACAC,EACAC,EACAE,EACAD,CACF,EAEO,CACL,KAAM,OACN,QAAS,KACT,SAAU,CACRL,EACAL,EAAK,QAAQ,EACbI,EACAE,EACAC,EACAK,EACAC,EACAC,EACAJ,CACF,CACF,CACF,CAEAZ,GAAO,QAAUC,KC1IjB,IAAAiB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAeC,EAAM,CAC5B,IAAMC,EAAW,CACf,UAAW,WACX,SAAU,CACR,CAAE,MAAO,qDAAsD,EAC/D,CAAE,MAAO,YAAa,CACxB,EACA,UAAW,CACb,EACMC,EAAgB,CACpBF,EAAK,qBACLA,EAAK,kBACLA,EAAK,QAAQ,KAAM,GAAG,EACtBA,EAAK,QAAQ,SAAU,GAAG,CAC5B,EACMG,EAASH,EAAK,QAAQA,EAAK,WAAY,CAAE,SAAU,CACvD,CAAE,MAAO,+BAAgC,EACzC,CAAE,MAAO,kBAAmB,CAC9B,CAAE,CAAC,EACGI,EAASJ,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAO,0BAA2B,CAAC,EAClF,MAAO,CACL,KAAM,WACN,iBAAkB,GAClB,SAAU,CACR,QACE,4/BAYF,QACE,gfAMF,SACE,k4KAoDJ,EACA,SAAU,CACRC,EACA,CACE,UAAW,UACX,MAAO,gBACT,EACA,CACE,UAAW,WACX,cAAe,WACf,IAAK,IACL,SAAU,CACRA,EACAG,EACAJ,EAAK,iBACLA,EAAK,kBACLA,EAAK,mBACLA,EAAK,cACLG,CACF,CACF,EACA,CACE,UAAW,WACX,MAAO,aACP,IAAK,IACL,SAAU,MACV,SAAU,CACRC,EACAD,CACF,EACA,UAAW,CACb,EACA,CACE,cAAe,aACf,IAAK,IACL,SAAU,CACRF,EACAG,EACAJ,EAAK,iBACLA,EAAK,kBACLA,EAAK,mBACLA,EAAK,cACLG,CACF,CACF,EACA,CACE,UAAW,OACX,SAAU,CACR,CACE,MAAO,wBACP,UAAW,EACb,EACA,CAAE,MAAO,MAAO,EAChB,CAAE,MAAO,MAAO,CAClB,CACF,EACAH,EAAK,iBACLA,EAAK,kBACLA,EAAK,mBACLA,EAAK,cACLG,CACF,EAAE,OAAOD,CAAa,EACtB,QAAS,kBACX,CACF,CAEAJ,GAAO,QAAUC,KC5KjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,KAAMC,GAAW,CACf,KACA,KACA,KACA,KACA,MACA,QACA,UACA,MACA,MACA,WACA,KACA,SACA,OACA,OACA,QACA,QACA,aACA,OACA,QACA,OACA,UACA,MACA,SACA,WACA,SACA,SACA,MACA,QACA,QACA,QAIA,WACA,QACA,QACA,SACA,SACA,OACA,SACA,SACF,EACMC,GAAW,CACf,OACA,QACA,OACA,YACA,MACA,UACF,EAGMC,GAAQ,CAEZ,SACA,WACA,UACA,SAEA,OACA,OACA,SACA,SAEA,SACA,SAEA,QACA,eACA,eACA,YACA,aACA,oBACA,aACA,aACA,cACA,cACA,gBACA,iBAEA,MACA,MACA,UACA,UAEA,cACA,oBACA,UACA,WACA,OAEA,UACA,YACA,oBACA,gBAEA,UACA,QAEA,OAEA,aACF,EAEMC,GAAc,CAClB,QACA,YACA,gBACA,aACA,iBACA,cACA,YACA,UACF,EAEMC,GAAmB,CACvB,cACA,aACA,gBACA,eAEA,UACA,UAEA,OACA,WACA,QACA,aACA,WACA,YACA,qBACA,YACA,qBACA,SACA,UACF,EAEMC,GAAY,CAAC,EAAE,OACnBD,GACAF,GACAC,EACF,EAYA,SAASG,GAAWC,EAAM,CACxB,IAAMC,EAAuB,CAC3B,MACA,OACF,EACMC,EAAsB,CAC1B,MACA,KACA,KACA,MACA,KACA,OACA,MACF,EACMC,EAAsB,CAC1B,OACA,SACA,QACA,OACA,KACA,KACA,OACA,MACA,KACA,KACA,OACA,MACA,KACA,OACA,YACA,OACA,KACA,MACA,cACA,OACA,OACA,SACA,OACA,MACA,YACA,YACA,UACA,SACA,WACF,EACMC,EAAa,CACjB,QAASX,GAAS,OAAOU,CAAmB,EAC5C,QAAST,GAAS,OAAOQ,CAAmB,EAC5C,SAAUJ,GAAU,OAAOG,CAAoB,CACjD,EACMI,EAAc,8CACdC,EAAQN,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOK,CAAY,CAAC,EAC5DE,EAAQ,CACZ,UAAW,QACX,MAAO,MACP,IAAK,KACL,SAAUH,CACZ,EACMI,EAAe,CACnB,UAAW,QACX,MAAO,cACP,IAAK,oCACL,SAAUJ,CACZ,EACMK,EAAc,CAClBT,EAAK,mBACL,CACE,UAAW,SACX,MAAO,0GACP,UAAW,EACX,OAAQ,CACN,IAAK,WACL,UAAW,CACb,CACF,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,MACP,IAAK,MACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,MACP,IAAK,MACL,SAAU,CACRA,EAAK,iBACLO,EACAC,CACF,CACF,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACRR,EAAK,iBACLO,EACAC,CACF,CACF,EACA,CACE,MAAO,KACP,IAAK,SACL,WAAY,EACd,CACF,CACF,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,KACP,IAAK,WACL,SAAU,CACRD,EACAP,EAAK,iBACP,CACF,EACA,CAGE,MAAO,yCAA0C,CACrD,CACF,EACA,CAAE,MAAO,IAAMK,CAAY,EAC3B,CACE,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,YAAa,YACf,CACF,EACAE,EAAM,SAAWE,EAEjB,IAAMC,EAAS,CACb,UAAW,SACX,MAAO,MACP,YAAa,GAGb,SAAU,CACR,CACE,MAAO,KACP,IAAK,KACL,SAAUN,EACV,SAAU,CAAE,MAAO,EAAE,OAAOK,CAAW,CACzC,CACF,CACF,EAEME,EAAU,CAAE,MAAO,yBAA0B,EAE7CC,EAAmB,CACvB,SAAU,CACR,CAAE,MAAO,CACP,WACAP,EACA,gBACAA,CACF,CAAE,EACF,CAAE,MAAO,CACP,WACAA,CACF,CAAE,CACJ,EACA,MAAO,CACL,EAAG,cACH,EAAG,uBACL,EACA,SAAUD,CACZ,EAEA,MAAO,CACL,KAAM,aACN,QAAS,CAAE,IAAK,EAChB,SAAUA,EACV,QAAS,OACT,SAAUK,EAAY,OAAO,CAC3BT,EAAK,QAAQ,SAAU,QAAQ,EAC/BA,EAAK,kBACLW,EACA,CACE,UAAW,WACX,SAAU,CACRL,EACAI,CACF,EACA,YAAa,GACb,SAAU,CACR,CACE,MAAO,IAAML,EAAc,6CAC3B,IAAK,QACP,EACA,CACE,MAAO,IAAMA,EAAc,uDAC3B,IAAK,gBACP,EACA,CACE,MAAO,IAAMA,EAAc,uDAC3B,IAAK,kBACP,CACF,CACF,EACAO,EACA,CACE,MAAOP,EAAc,IACrB,IAAK,IACL,YAAa,GACb,UAAW,GACX,UAAW,CACb,CACF,CAAC,CACH,CACF,CAEAb,GAAO,QAAUO,KCxXjB,IAAAc,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAW,yBACXC,EAAO,CACX,UAAW,OACX,MAAO,iBACT,EACMC,EAAW,CACf,UAAW,WACX,UAAW,EACX,MAAO,GACT,EACMC,EAAc,CAClB,UAAW,cACX,UAAW,EACX,MAAO,GACT,EACMC,EAAS,CACb,UAAW,SACX,SAAU,CACR,CAAE,MAAO,gCAAiC,EAC1C,CAAE,MAAO,iDAAkD,CAC7D,EACA,UAAW,CACb,EACMC,EAAQ,CACZ,UAAW,SACX,SAAU,CAAE,CAAE,MAAO,aAAc,CACnC,EACA,UAAW,CACb,EACMC,EAAW,CACf,UAAW,WACX,SAAU,CACR,CAAE,MAAOP,EAAM,OAAO,IAAKC,CAAQ,CAAE,EACrC,CAAE,MAAO,MAAO,EAChB,CAAE,MAAO,MAAO,CAClB,CACF,EACMO,EAAW,CACf,UAAW,QACX,SAAU,CACR,CAAE,MAAOR,EAAM,OAAO,IAAKC,CAAQ,CAAE,EACrC,CAAE,MAAO,MAAO,EAChB,CAAE,MAAOD,EAAM,OAAO,IAAKC,CAAQ,CAAE,EACrC,CAAE,MAAOD,EAAM,OAAO,OAAQC,CAAQ,CAAE,EAGxC,CAAE,MAAO,MAAO,CAClB,CACF,EAEA,MAAO,CACL,KAAM,UAEN,SACE,ysDAqCF,SAAU,CACRC,EAIAH,EAAK,QAAQ,QAAS,KAAM,CAAE,UAAW,CAAE,CAAC,EAC5CA,EAAK,QAAQ,IAAK,GAAG,EACrB,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CACR,CACE,UAAW,cACX,MAAO,QACT,CACF,CACF,EACAS,EACAJ,EACAD,EACAI,EACAD,EACAD,CACF,CACF,CACF,CAEAR,GAAO,QAAUC,KCnIjB,IAAAW,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CAMjB,IAAMC,EAAc,CAClB,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAToB,CAC9B,UAAW,QACX,MAAO,WACT,CAMsC,CACtC,EAEMC,EAAc,CAClB,UAAW,SACX,UAAW,EACX,MAAOF,EAAK,WACd,EAEMG,EAAgB,CACpB,UAAW,UACX,SAAU,CACR,CAAE,MAAO,yDAA0D,EACnE,CAAE,MAAO,4/MAA6/M,EACtgN,CAAE,MAAO,oBAAqB,EAC9B,CAAE,MAAO,uBAAwB,EACjC,CAAE,MAAO,sKAAuK,EAChL,CAAE,MAAO,qDAAsD,CACjE,CACF,EAEMC,EAAgB,CACpB,UAAW,WACX,MAAO,o0HACT,EAEA,MAAO,CACL,KAAM,kCACN,QAAS,IACT,SAAU,CACRH,EACA,CACE,UAAW,UACX,SAAU,CACRD,EAAK,QAAQ,KAAM,GAAG,EACtBA,EAAK,QAAQ,OAAQ,MAAM,CAC7B,EACA,UAAW,CACb,EACAE,EACA,CACE,UAAW,UACX,SAAU,CACR,CAAE,MAAO,uBAAwB,EACjC,CAAE,MAAO,yVAA0V,CACrW,CACF,EACAE,EACAD,EACA,CACE,UAAW,OACX,MAAO,kEACT,CACF,CACF,CACF,CAEAL,GAAO,QAAUC,KC3EjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAuB,WACvBC,EAAuB,WACvBC,EAAgB,CACpB,MAAOF,EACP,IAAKC,EACL,SAAU,CAAE,MAAO,CACrB,EACME,EAAW,CACfJ,EAAK,QAAQ,QAAUC,EAAuB,IAAK,GAAG,EACtDD,EAAK,QACH,KAAOC,EACPC,EACA,CACE,SAAU,CAAEC,CAAc,EAC1B,UAAW,EACb,CACF,CACF,EACA,MAAO,CACL,KAAM,MACN,SAAU,CACR,SAAUH,EAAK,oBACf,QAAS,iBACT,QAAS,0FACT,SAEE,slCAcJ,EACA,SAAUI,EAAS,OAAO,CACxB,CACE,UAAW,WACX,cAAe,WACf,IAAK,MACL,SAAU,CACRJ,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAO,mDAAoD,CAAC,EAC5F,CACE,UAAW,SACX,MAAO,MACP,eAAgB,GAChB,SAAUI,CACZ,CACF,EAAE,OAAOA,CAAQ,CACnB,EACAJ,EAAK,cACLA,EAAK,iBACLA,EAAK,kBACL,CACE,UAAW,SACX,MAAOC,EACP,IAAKC,EACL,SAAU,CAAEC,CAAc,EAC1B,UAAW,CACb,CACF,CAAC,CACH,CACF,CAEAL,GAAO,QAAUC,KC/EjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAASC,EAAM,CAEtB,IAAMC,EAAW,CACf,UAAW,WACX,SAAU,CACR,CACE,MAAO,SAAWD,EAAK,oBAAsB,MAC7C,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CAAE,MAAO,gBAAiB,CAC5B,CACF,EAEME,EAAe,CACnB,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CACRF,EAAK,iBACLC,CACF,CACF,EAEME,EAAO,CACX,UAAW,WACX,MAAO,eACP,IAAK,KACL,SAAU,CAAE,SACR,gPAG+D,EACnE,SAAU,CAAEF,CAAS,CACvB,EAEMG,EAAa,CAAE,MAAO,IAAMJ,EAAK,oBAAsB,iBAAkB,EAEzEK,EAAO,CACX,UAAW,OACX,MAAO,YACP,IAAK,IACL,SAAU,CACR,SAAU,UACV,QAAS,QACX,CACF,EAEMC,EAAS,CACb,UAAW,UACX,MAAO,WACP,IAAK,IACL,SAAU,CAAEL,CAAS,CACvB,EACA,MAAO,CACL,KAAM,WACN,QAAS,CACP,KACA,MACA,MACF,EACA,SAAU,CACR,SAAU,SACV,QAAS,2HAEX,EACA,SAAU,CACRD,EAAK,kBACLC,EACAC,EACAC,EACAC,EACAC,EACAC,CACF,CACF,CACF,CAEAR,GAAO,QAAUC,KCrFjB,IAAAQ,GAAAC,EAAA,CAAAC,GAAAC,KAAA,KAAMC,GAAiB,CACrB,cACA,eACA,QACA,eACA,eACA,qBACA,QACA,MACA,SACA,aACA,WACA,sBACA,8BACA,uBACA,kBACA,mBACA,kBACA,oBACA,oBACA,eACA,iBACA,sBACA,iBACA,aACA,WACA,eACA,yBACA,yBACA,8BACA,uBACA,4BACA,yBACA,yBACA,6BACA,cACA,aACA,gBACA,uBACA,WACA,SACA,uBACA,6BACA,aACA,mBACA,yBACA,cACA,gBACA,gBACA,WACA,QACA,mBACA,WACA,iBACA,gBACA,kBACA,oBACA,WACA,gBACA,uBACA,2BACA,6BACA,kBACA,cACA,wBACA,kBACA,QACA,wBACA,mBACA,eACA,cACA,kBACA,sBACA,qBACA,SACA,cACA,aACA,SACA,cACA,aACA,oBACA,kBACA,6BACA,sBACA,4BACA,uBACA,iBACA,qBACA,aACA,iBACA,YACA,kBACA,iBACA,MACA,oBACA,oBACA,8BACA,kCACA,oBACA,wBACA,eACA,kBACA,kBACA,mBACA,4BACA,oBACA,yBACA,yBACA,qBACA,UACA,WACA,kBACA,iBACA,eACA,iBACA,uBACA,mBACA,wBACA,eACA,iBACA,eACA,oBACA,gBACA,WACA,cACA,cACA,gBACA,mBACA,iBACA,iBACA,MACA,sBACA,SACA,gBACA,eACA,YACA,cACA,cACA,eACA,UACA,gBACA,uBACA,4BACA,qBACA,uBACA,gBACA,uBACA,mBACA,mBACA,qBACA,iBACA,WACA,cACA,qBACA,mBACA,WACA,aACA,mBACA,iBACA,kBACA,kBACA,UACA,aACA,UACA,mBACA,kBACA,0BACA,YACA,eACA,gBACA,uBACA,gBACA,uBACA,WACA,WACA,YACA,UACA,QACA,kBACA,cACA,aACA,qBACA,kBACA,WACA,SACA,cACA,cACA,WACA,cACA,QACA,gBACA,aACA,UACA,SACA,UACA,SACA,UACA,SACA,UACA,eACA,cACA,YACA,SACA,UACA,SACA,qBACA,UACA,SACA,UACA,OACA,MACA,SACA,SACA,iBACA,mBACA,eACA,0BACA,cACA,SACA,gBACA,YACA,QACA,kBACA,aACA,cACA,eACA,YACA,WACA,YACA,cACA,SACA,cACA,gBACA,eACA,aACA,SACA,QACA,aACA,WACA,aACA,cACA,MACA,YACA,aACA,aACA,SACA,aACA,cACA,WACA,qBACA,cACA,mBACA,SACA,qBACA,yBACA,cACA,cACA,oBACA,iBACA,eACA,oBACA,sBACA,WACA,cACA,yBACA,kBACA,cACA,gBACA,gBACA,iBACA,sBACA,mBACA,gBACA,kBACA,aACA,oBACA,sBACA,eACA,iBACA,aACA,wBACA,kBACA,uBACA,wBACA,oBACA,yBACA,sBACA,iBACA,sBACA,0BACA,wBACA,oBACA,wBACA,kBACA,gBACA,eACA,yBACA,oBACA,OACA,kBACA,YACA,yBACA,aACA,iBACA,WACA,QACA,aACA,eACA,iBACA,aACA,QACA,eACA,gBACA,wBACA,gBACA,eACA,yBACA,sBACA,kBACA,gBACA,uBACA,YACA,aACA,cACA,cACA,gBACA,gBACA,YACA,sBACA,iBACA,gBACA,mBACA,cACA,iBACA,iBACA,YACA,aACA,cACA,yBACA,eACA,gBACA,oBACA,iBACA,oBACA,eACA,WACA,WACA,iBACA,aACA,kBACA,YACA,YACA,SACA,cACA,eACA,gBACA,cACA,eACA,kBACA,mBACA,8BACA,aACA,YACA,cACA,eACA,mBACA,kBACA,sBACA,YACA,YACA,sBACA,+BACA,eACA,iBACA,uBACA,aACA,eACA,yBACA,WACA,sBACA,aACA,qBACA,uBACA,aACA,qBACA,kBACA,eACA,YACA,YACA,qBACA,2BACA,uBACA,oBACA,mBACA,yBACA,sBACA,gBACA,aACA,oBACA,cACA,aACA,cACA,mBACA,iBACA,iBACA,OACA,WACA,YACA,aACA,YACA,kBACA,OACA,YACA,mBACA,UACA,iBACA,YACA,aACA,YACA,oBACA,OACA,gBACA,oBACA,kBACA,wBACA,2BACA,4BACA,kBACA,aACA,uBACA,0BACA,YACA,mBACA,WACA,OACA,OACA,iBACA,iBACA,kCACA,WACA,aACA,eACA,mBACA,sBACA,YACA,2BACA,UACA,YACA,aACA,qBACA,iBACA,aACA,aACA,WACA,WACA,mBACA,YACA,sBACA,0BACA,YACA,oBACA,uBACA,uBACA,6BACA,uBACA,6BACA,UACA,uBACA,OACA,SACA,QACA,oBACA,eACA,QACA,QACA,QACA,sBACA,qBACA,+BACA,gCACA,aACA,wBACA,6BACA,mBACA,iBACA,SACA,oBACA,UACA,UACA,cACA,UACA,UACA,cACA,OACA,2BACA,mBACA,mCACA,wBACA,kBACA,UACA,wBACA,UACA,oBACA,cACA,mBACA,0BACA,iBACA,wBACA,iBACA,kBACA,4BACA,sBACA,WACA,oBACA,iBACA,eACA,eACA,aACA,iBACA,kBACA,cACA,YACA,WACA,sBACA,WACA,uBACA,uBACA,kBACA,uBACA,4BACA,cACA,+BACA,wBACA,uBACA,oBACA,kBACA,eACA,+BACA,wBACA,uBACA,kBACA,yBACA,qBACA,+BACA,SACA,WACA,SACA,YACA,SACA,QACA,UACA,SACA,eACA,gBACA,SACA,mBACA,sBACA,QACA,uBACA,wBACA,iBACA,QACA,YACA,oBACA,gBACA,QACA,QACA,wBACA,iBACA,sBACA,0BACA,iBACA,gBACA,sBACA,gBACA,sBACA,wBACA,4BACA,4BACA,8BACA,sBACA,6BACA,WACA,cACA,6BACA,gBACA,oBACA,OACA,OACA,WACA,WACA,eACA,OACA,OACA,YACA,aACA,iBACA,WACA,QACA,YACA,QACA,6BACA,iBACA,0BACA,kBACA,eACA,kBACA,kBACA,kBACA,WACA,gBACA,WACA,iBACA,eACA,mBACA,mBACA,0BACA,SACA,qBACA,6BACA,2BACA,eACA,qBACA,sBACA,gBACA,iBACA,iBACA,SACA,MACA,mBACA,UACA,gBACA,QACA,QACA,UACA,qBACA,WACA,QACA,aACA,YACA,YACA,YACA,cACA,mBACA,WACA,kBACA,MACA,gBACA,SACA,qBACA,mBACA,QACA,aACA,qBACA,uBACA,QACA,oBACA,wBACA,kBACA,eACA,eACA,oBACA,2BACA,kBACA,yBACA,kBACA,iBACA,sBACA,6BACA,cACA,gBACA,cACA,cACA,iBACA,yBACA,eACA,cACA,eACA,iBACA,yBACA,SACA,YACA,YACA,mBACA,aACA,iBACA,aACA,kBACA,mBACA,cACA,iBACA,gBACA,kBACA,aACA,iBACA,eACA,cACA,yBACA,OACA,YACA,kBACA,mBACA,aACA,oBACA,YACA,eACA,IACA,cACA,gBACA,mBACA,kBACA,eACA,eACA,UACA,gBACA,eACA,aACA,mBACA,SACA,eACA,mBACA,iBACA,sBACA,yBACA,qBACA,gBACA,iCACA,2BACA,aACA,kBACA,SACA,MACA,UACA,uBACA,aACA,eACA,iBACA,UACA,uBACA,oBACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,YACA,mBACA,eACA,QACA,gBACA,WACA,aACA,OACA,UACA,gBACA,QACA,0BACA,WACA,gBACA,qBACA,eACA,qBACA,eACA,cACA,MACA,YACA,iBACA,aACA,UACA,kBACA,OACA,oBACA,eACA,kBACA,qBACA,kBACA,eACA,cACA,cACA,oBACA,wBACA,oBACA,0BACA,sBACA,aACA,0BACA,yBACA,yBACA,mBACA,YACA,iBACA,wBACA,kBACA,mBACA,iBACA,YACA,gBACA,eACA,oBACA,0BACA,SACA,yBACA,YACA,sBACA,mBACA,uBACA,iBACA,oBACA,cACA,aACA,WACA,YACA,aACA,QACA,WACA,YACA,WACA,mBACA,kBACA,oBACA,uBACA,YACA,SACA,cACA,YACA,mBACA,iBACA,gBACA,kCACA,cACA,mBACA,gBACA,QACA,qBACA,gBACA,cACA,sBACA,iBACA,uBACA,gBACA,kBACA,mBACA,sBACA,gBACA,yBACA,0BACA,cACA,qBACA,mBACA,YACA,kBACA,oBACA,yBACA,yBACA,2BACA,gBACA,qBACA,iBACA,aACA,iBACA,mBACA,2BACA,uBACA,gBACA,cACA,cACA,eACA,aACA,wBACA,wBACA,oBACA,aACA,aACA,QACA,aACA,WACA,iBACA,WACA,cACA,cACA,qBACA,kBACA,eACA,kBACA,mBACA,mBACA,qBACA,kBACA,mBACA,wBACA,gBACA,eACA,wBACA,OACA,mBACA,qBACA,sBACA,SACA,YACA,YACA,cACA,aACA,eACA,gBACA,cACA,iBACA,qBACA,uCACA,uCACA,iCACA,uCACA,oCACA,eACA,WACA,qBACA,wBACA,yBACA,+BACA,WACA,cACA,QACA,WACA,kBACA,eACA,mBACA,mBACA,gBACA,YACA,cACA,qBACA,OACA,oBACA,WACA,gBACA,aACA,kBACA,YACA,QACA,aACA,2BACA,QACA,SACA,eACA,sBACA,UACA,kBACA,eACA,mBACA,YACA,eACA,mBACA,cACA,iBACA,kBACA,gBACA,cACA,kBACA,mBACA,gBACA,WACA,cACA,mBACA,cACA,yBACA,6BACA,wBACA,eACA,qBACA,eACA,WACA,uBACA,YACA,aACA,cACA,cACA,eACA,cACA,kBACA,+BACA,uBACA,yBACA,iBACA,YACA,SACA,oBACA,cACA,oBACA,oBACA,kBACA,mBACA,iBACA,UACA,kBACA,QACA,YACA,eACA,eACA,eACA,gBACA,YACA,oBACA,cACA,gBACA,gBACA,uBACA,uBACA,WACA,cACA,cACA,mBACA,SACA,gBACA,eACA,aACA,wBACA,gBACA,cACA,iBACA,wBACA,cACA,aACA,aACA,mBACA,SACA,mBACA,oBACA,aACA,cACA,eACA,iBACA,eACA,cACA,cACA,cACA,cACA,cACA,cACA,cACA,sBACA,mBACA,YACA,2BACA,YACA,kBACA,aACA,cACA,yBACA,qBACA,kBACA,uBACA,cACA,kBACA,qBACA,oBACA,UACA,WACA,uBACA,oBACA,gCACA,mBACA,gBACA,mBACA,sBACA,4BACA,8BACA,4BACA,kBACA,aACA,0BACA,gBACA,iBACA,mBACA,mBACA,wBACA,UACA,mBACA,qBACA,YACA,gBACA,kBACA,qBACA,kBACA,cACA,gBACA,oBACA,oBACA,oBACA,wBACA,2BACA,UACA,cACA,gBACA,aACA,cACA,kBACA,qBACA,8BACA,yBACA,yBACA,WACA,iBACA,mBACA,qBACA,kBACA,YACA,wBACA,cACA,OACA,UACA,kBACA,kBACA,sBACA,oBACA,UACA,gBACA,YACA,eACA,eACA,qBACA,eACA,gBACA,YACA,uBACA,kBACA,uBACA,8BACA,qBACA,4BACA,oBACA,YACA,qBACA,cACA,UACA,sBACA,2BACA,kBACA,0BACA,8BACA,qBACA,qBACA,iCACA,+BACA,+BACA,eACA,cACA,gCACA,iBACA,WACA,gBACA,qBACA,gBACA,oBACA,kBACA,YACA,qBACA,oBACA,iBACA,iBACA,YACA,aACA,cACA,cACA,kBACA,eACA,eACA,0BACA,sBACA,0BACA,gBACA,iBACA,sBACA,oBACA,cACA,UACA,cACA,WACA,oBACA,eACA,WACA,oBACA,qBACA,mBACA,0BACA,iBACA,uBACA,wBACA,6BACA,gBACA,kBACA,kBACA,gBACA,eACA,cACA,gBACA,WACA,iBACA,mBACA,eACA,qBACA,uBACA,UACA,gBACA,mBACA,0BACA,yBACA,wBACA,4BACA,qBACA,qBACA,wBACA,4BACA,oBACA,uBACA,mBACA,iBACA,kBACA,mBACA,oBACA,cACA,oBACA,cACA,oBACA,kBACA,sBACA,4BACA,iBACA,mBACA,qBACA,iBACA,oBACA,gBACA,mBACA,WACA,iBACA,iBACA,iBACA,iBACA,UACA,wBACA,6BACA,mBACA,wBACA,sBACA,yBACA,sBACA,0BACA,iBACA,WACA,YACA,qBACA,WACA,cACA,gBACA,WACA,eACA,UACA,kBACA,6BACA,eACA,kBACA,cACA,sBACA,sBACA,kBACA,MACA,OACA,eACA,iBACA,eACA,cACA,MACA,OACA,WACA,WACA,YACA,YACA,QACA,gBACA,kBACA,qBACA,aACA,oBACA,kCACA,mBACA,kBACA,oBACA,eACA,0BACA,aACA,cACA,SACA,WACA,aACA,8BACA,qBACA,qBACA,0BACA,WACA,cACA,qBACA,gBACA,eACA,gBACA,wBACA,4BACA,gBACA,sBACA,wBACA,eACA,kBACA,iBACA,aACA,gCACA,2BACA,iCACA,iBACA,sBACA,gBACA,yBACA,sBACA,oBACA,oBACA,kBACA,qBACA,aACA,eACA,oBACA,+BACA,+BACA,kBACA,QACA,wBACA,gBACA,iBACA,kBACA,cACA,MACA,OACA,YACA,aACA,gBACA,eACA,OACA,WACA,SACA,SACA,YACA,mBACA,WACA,6BACA,8BACA,MACA,SACA,OACA,mBACA,aACA,kBACA,cACA,eACA,uBACA,qBACA,eACA,QACA,eACA,sBACA,cACA,OACA,aACA,uBACA,SACA,cACA,aACA,WACA,cACA,qBACA,2BACA,mCACA,IACA,oBACA,UACA,6BACA,gBACA,SACA,SACA,UACA,kBACA,qBACA,oBACA,UACA,aACA,gBACA,WACA,gBACA,gBACA,kBACA,mBACA,YACA,eACA,UACA,sBACA,eACA,gBACA,iBACA,OACA,aACA,QACA,iBACA,iBACA,YACA,aACA,eACA,kBACA,gBACA,eACA,WACA,kBACA,eACA,mBACA,aACA,cACA,gBACA,cACA,WACA,YACA,gBACA,YACA,aACA,aACA,kBACA,YACA,cACA,oBACA,oBACA,UACA,WACA,qBACA,gBACA,YACA,YACA,UACA,qBACA,UACA,WACA,WACA,gBACA,mBACA,QACA,WACA,eACA,UACA,cACA,2BACA,sBACA,iBACA,YACA,qBACA,YACA,UACA,cACA,cACA,qBACA,UACA,gBACA,gBACA,2BACA,mBACA,mBACA,kBACA,gBACA,eACA,0BACA,yBACA,4BACA,kBACA,iBACA,wBACA,wBACA,cACA,wBACA,oBACA,oBACA,yBACA,wBACA,0BACA,yBACA,oBACA,mBACA,yBACA,sBACA,4BACA,kBACA,iBACA,0BACA,wBACA,eACA,0BACA,wBACA,8BACA,oBACA,sBACA,eACA,gBACA,QACA,iBACA,0BACA,2BACA,yBACA,aACA,SACA,mBACA,0BACA,sBACA,6BACA,eACA,eACA,mBACA,MACA,eACA,UACA,YACA,SACA,2BACA,kBACA,yBACA,cACA,gBACA,wBACA,iBACA,kBACA,mBACA,qBACA,iBACA,aACA,gBACA,eACA,uBACA,oBACA,wBACA,kBACA,qBACA,kBACA,iBACA,oBACA,YACA,wBACA,qBACA,oBACA,aACA,mBACA,aACA,cACA,kBACA,mBACA,cACA,gBACA,qBACA,SACA,WACA,QACA,iBACA,aACA,mBACA,oBACA,aACA,uBACA,eACA,yBACA,MACA,cACA,kBACA,gBACA,4BACA,eACA,aACA,cACA,aACA,mBACA,mBACA,iBACA,uBACA,UACA,gBACA,cACA,oBACA,mBACA,yBACA,WACA,wBACA,iBACA,kBACA,SACA,eACA,cACA,cACA,iBACA,eACA,eACA,gBACA,UACA,gBACA,oBACA,mBACA,kBACA,kBACA,kBACA,qBACA,iBACA,uBACA,cACA,gBACA,mBACA,yBACA,uBACA,mBACA,0BACA,4BACA,mBACA,aACA,oBACA,iBACA,aACA,SACA,gBACA,gBACA,WACA,0BACA,4BACA,kBACA,2BACA,qBACA,aACA,YACA,aACA,eACA,gBACA,gBACA,iBACA,mBACA,YACA,mBACA,YACA,YACA,gBACA,aACA,iBACA,gBACA,qBACA,qBACA,oBACA,wBACA,eACA,aACA,kBACA,qBACA,kBACA,4BACA,oBACA,qBACA,0BACA,mBACA,gBACA,4BACA,oBACA,2BACA,gBACA,2BACA,2BACA,wBACA,wBACA,mBACA,mBACA,eACA,iBACA,gBACA,uBACA,gBACA,qBACA,8BACA,oBACA,sBACA,iCACA,2BACA,qBACA,mBACA,eACA,YACA,cACA,OACA,UACA,iBACA,aACA,cACA,WACA,YACA,8BACA,UACA,kBACA,mBACA,cACA,kBACA,gBACA,eACA,gBACA,mBACA,cACA,iBACA,sBACA,mBACA,iBACA,oBACA,aACA,cACA,sBACA,wBACA,oBACA,qBACA,sBACA,mCACA,yBACA,YACA,MACA,aACA,SACA,WACA,WACA,cACA,YACA,WACA,eACA,aACA,UACA,YACA,KACA,aACA,cACA,oBACA,+BACA,mCACA,qBACA,mBACA,yBACA,eACA,gCACA,iBACA,qBACA,sBACA,gBACA,MACA,YACA,WACA,WACA,eACA,SACA,sBACA,wBACA,kBACA,kBACA,uBACA,gBACA,sBACA,2BACA,uBACA,mBACA,iBACA,gBACA,oBACA,oBACA,iBACA,OACA,YACA,eACA,mBACA,sBACA,oBACA,iBACA,oBACA,qBACA,kBACA,qBACA,aACA,UACA,eACA,aACA,qBACA,cACA,gBACA,YACA,iBACA,kBACA,gBACA,OACA,eACA,gBACA,SACA,wBACA,cACA,KACA,wBACA,kBACA,iBACA,mBACA,UACA,WACA,iBACA,WACA,UACA,aACA,oBACA,2BACA,qBACA,eACA,kBACA,gBACA,mBACA,0BACA,sBACA,sBACA,cACA,mBACA,mBACA,iBACA,kBACA,iBACA,oBACA,2BACA,IACA,kBACA,iBACA,yBACA,OACA,iBACA,eACA,YACA,aACA,cACA,UACA,4BACA,eACA,cACA,sBACA,YACA,mBACA,eACA,WACA,YACA,aACA,kBACA,cACA,aACA,aACA,WACA,YACA,eACA,eACA,aACA,iBACA,WACA,cACA,QACA,wBACA,YACA,oBACA,YACA,kBACA,mBACA,WACA,gBACA,uBACA,iBACA,iBACA,aACA,qBACA,WACA,qBACA,uBACA,eACA,oBACA,cACA,cACA,wBACA,eACA,UACA,cACA,mBACA,cACA,YACA,mBACA,YACA,YACA,cACA,mBACA,YACA,sBACA,YACA,cACA,gBACA,aACA,6BACA,gBACA,qBACA,YACA,eACA,kBACA,yBACA,wBACA,iBACA,kBACA,YACA,wBACA,wBACA,QACA,cACA,cACA,cACA,2BACA,UACA,UACA,SACA,UACA,kBACA,cACA,MACA,SACA,kBACA,cACA,YACA,YACA,cACA,aACA,oBACA,kBACA,QACA,wBACA,kBACA,SACA,cACA,kBACA,eACA,iBACA,cACA,iBACA,aACA,iBACA,mBACA,iBACA,sBACA,iBACA,cACA,eACA,iBACA,mBACA,cACA,UACA,gBACA,cACA,SACA,iBACA,QACA,eACA,YACA,aACA,UACA,YACA,cACA,yBACA,aACA,MACA,OACA,OACA,UACA,UACA,qBACA,UACA,WACA,kBACA,YACA,cACA,uBACA,eACA,sBACA,wBACA,wBACA,wBACA,mBACA,0BACA,iBACA,qBACA,oBACA,cACA,sBACA,SACA,aACA,iBACA,cACA,WACA,cACA,WACA,YACA,iBACA,wBACA,gBACA,iBACA,6BACA,iBACA,qBACA,wBACA,iBACA,oBACA,qBACA,mBACA,kBACA,uBACA,sBACA,YACA,iBACA,QACA,YACA,iBACA,eACA,kBACA,cACA,cACA,sBACA,eACA,qBACA,cACA,SACA,mBACA,gBACA,gBACA,6BACA,cACA,aACA,kBACA,SACA,OACA,aACA,gBACA,MACA,SACA,YACA,oBACA,iBACA,kBACA,cACA,eACA,gBACA,uBACA,eACA,gBACA,iBACA,WACA,mBACA,0BACA,oBACA,gCACA,2BACA,+BACA,mBACA,eACA,SACA,yBACA,kBACA,aACA,eACA,eACA,aACA,iBACA,kBACA,mBACA,iBACA,iBACA,YACA,sBACA,cACA,YACA,wBACA,gBACA,aACA,iBACA,eACA,gCACA,mBACA,mBACA,uBACA,qBACA,iBACA,kBACA,wBACA,mBACA,sBACA,0BACA,qBACA,wBACA,qBACA,wBACA,wBACA,gBACA,UACA,iBACA,eACA,uBACA,2BACA,YACA,WACA,YACA,iBACA,gBACA,iBACA,SACA,iBACA,YACA,aACA,kBACA,oCACA,iBACA,gBACA,aACA,mBACA,uBACA,cACA,kBACA,OACA,UACA,gBACA,sBACA,WACA,QACA,gBACA,gBACA,kBACA,iBACA,oBACA,mBACA,2BACA,oBACA,eACA,iBACA,mBACA,qBACA,eACA,6BACA,yBACA,8BACA,oBACA,iBACA,sBACA,eACA,6BACA,kBACA,YACA,aACA,0BACA,YACA,iBACA,cACA,YACA,OACA,eACA,gBACA,cACA,WACA,cACA,gBACA,aACA,uBACA,cACA,cACA,WACA,kBACA,WACA,gBACA,yBACA,eACA,gBACA,eACA,YACA,iBACA,gBACA,eACA,uBACA,YACA,WACA,gBACA,iBACA,iBACA,eACA,oBACA,WACA,cACA,iBACA,wBACA,cACA,WACA,UACA,eACA,mBACA,sBACA,cACA,gBACA,gBACA,sBACA,qBACA,OACA,gBACA,aACA,aACA,eACA,aACA,eACA,cACA,gBACA,YACA,cACA,mBACA,6BACA,gBACA,mBACA,gBACA,cACA,2BACA,sBACA,oBACA,yBACA,YACA,WACA,UACA,cACA,wBACA,yBACA,kBACA,2BACA,yBACA,uBACA,uBACA,qBACA,uBACA,sBACA,yBACA,gBACA,yBACA,2BACA,eACA,wBACA,cACA,yBACA,YACA,cACA,YACA,YACA,cACA,uBACA,WACA,oBACA,cACA,iBACA,kBACA,eACA,kBACA,cACA,sBACA,iBACA,eACA,2BACA,WACA,YACA,kBACA,qBACA,6BACA,kBACA,wBACA,sBACA,aACA,WACA,uBACA,eACA,mBACA,mBACA,mBACA,0BACA,6BACA,oBACA,gBACA,sBACA,qBACA,kBACA,gBACA,6BACA,OACA,gBACA,0BACA,mBACA,kBACA,QACA,YACA,+BACA,gBACA,mBACA,mBACA,wBACA,mCACA,kBACA,sBACA,MACA,SACA,oBACA,cACA,aACA,aACA,iBACA,iBACA,OACA,cACA,UACA,YACA,eACA,gBACA,aACA,WACA,QACA,iBACA,OACA,WACA,WACA,eACA,YACA,gBACA,kBACA,OACA,YACA,aACA,WACA,WACA,cACA,qBACA,iBACA,iBACA,WACA,YACA,oBACA,eACA,iBACA,aACA,MACA,SACA,aACA,sBACA,SACA,cACA,aACA,wBACA,eACA,UACA,iBACA,cACA,eACA,qBACA,aACA,WACA,uBACA,YACA,cACA,gBACA,cACA,UACA,kBACA,0BACA,UACA,qBACA,wBACA,mBACA,sBACA,aACA,mBACA,mBACA,aACA,mBACA,gBACA,oBACA,2BACA,gBACA,wBACA,mBACA,sBACA,mBACA,oBACA,OACA,aACA,kCACA,cACA,iCACA,iBACA,cACA,qBACA,eACA,QACA,WACA,kBACA,SACA,aACA,aACA,YACA,iBACA,eACA,YACA,aACA,aACA,kBACA,qBACA,sBACA,QACA,qBACA,gCACA,WACA,WACA,WACA,WACA,SACA,kBACA,iBACA,mBACA,oBACA,uBACA,wBACA,WACA,iBACA,aACA,UACA,aACA,iBACA,mBACA,uBACA,iBACA,mBACA,2BACA,eACA,QACA,4BACA,uBACA,kBACA,iBACA,mBACA,yBACA,oBACA,gBACA,uBACA,qBACA,kBACA,iBACA,qBACA,mBACA,yBACA,4BACA,6BACA,mBACA,OACA,WACA,iBACA,WACA,eACA,iCACA,cACA,aACA,eACA,WACA,mBACA,oBACA,kBACA,wBACA,iCACA,+BACA,8BACA,qBACA,oBACA,sBACA,0BACA,iBACA,iBACA,oBACA,wBACA,gBACA,sBACA,uBACA,iBACA,gBACA,gBACA,eACA,wBACA,gBACA,qBACA,0BACA,cACA,cACA,eACA,cACA,mBACA,aACA,cACA,QACA,oBACA,mBACA,aACA,eACA,sBACA,SACA,WACA,2BACA,iBACA,4BACA,iBACA,kBACA,cACA,eACA,aACA,iBACA,mBACA,iBACA,uCACA,uCACA,oCACA,iBACA,MACA,cACA,UACA,4BACA,4BACA,qBACA,uBACA,yBACA,gBACA,sBACA,2BACA,qBACA,2BACA,mBACA,sBACA,8BACA,wBACA,uBACA,mCACA,uBACA,qBACA,uBACA,yBACA,sBACA,UACA,kCACA,aACA,eACA,cACA,UACA,eACA,gBACA,cACA,iBACA,YACA,kBACA,0BACA,iBACA,YACA,YACA,iBACA,iBACA,kBACA,mBACA,kBACA,kBACA,qBACA,iBACA,cACA,eACA,UACA,kBACA,cACA,kBACA,mBACA,cACA,cACA,eACA,oBACA,sBACA,6BACA,eACA,oBACA,kBACA,eACA,sBACA,kBACA,sBACA,gBACA,WACA,gBACA,wBACA,eACA,cACA,WACA,YACA,YACA,cACA,cACA,uBACA,uBACA,YACA,qBACA,iCACA,wBACA,gBACA,sBACA,wBACA,iBACA,gBACA,wBACA,gBACA,0BACA,+BACA,sCACA,6BACA,oCACA,WACA,aACA,qBACA,UACA,aACA,cACA,iBACA,iBACA,gBACA,oBACA,WACA,kBACA,qBACA,gBACA,cACA,YACA,qBACA,gBACA,aACA,0BACA,aACA,YACA,eACA,gBACA,eACA,mBACA,2BACA,aACA,eACA,iBACA,oBACA,MACA,aACA,iBACA,cACA,gCACA,oBACA,WACA,8BACA,oBACA,gBACA,OACA,cACA,cACA,8BACA,eACA,sBACA,0BACA,OACA,iBACA,OACA,WACA,iBACA,qBACA,4BACA,eACA,eACA,eACA,QACA,UACA,qBACA,yBACA,cACA,kBACA,YACA,eACA,gBACA,kBACA,qBACA,gBACA,sBACA,iBACA,iBACA,sBACA,WACA,WACA,aACA,gBACA,uBACA,gBACA,mBACA,cACA,qBACA,gBACA,iBACA,kBACA,uBACA,8BACA,qBACA,4BACA,mBACA,eACA,eACA,kBACA,gBACA,qBACA,4BACA,mBACA,0BACA,mBACA,yBACA,cACA,kBACA,gBACA,oBACA,YACA,mBACA,cACA,kBACA,cACA,sBACA,iBACA,YACA,cACA,aACA,eACA,4BACA,SACA,cACA,mBACA,YACA,aACA,WACA,YACA,aACA,OACA,YACA,UACA,eACA,mBACA,mBACA,mBACA,iBACA,cACA,oBACA,cACA,eACA,aACA,QACA,gBACA,OACA,eACA,UACA,mBACA,oBACA,kBACA,eACA,kBACA,mBACA,iBACA,kBACA,uBACA,qBACA,0BACA,YACA,mBACA,YACA,YACA,iBACA,YACA,gBACA,kBACA,UACA,mBACA,uBACA,uBACA,gBACA,gBACA,qBACA,kBACA,YACA,2BACA,mBACA,yBACA,cACA,aACA,uBACA,yBACA,kBACA,uBACA,wBACA,8BACA,oBACA,eACA,eACA,qBACA,cACA,iBACA,WACA,yBACA,YACA,YACA,kBACA,oBACA,kBACA,gBACA,mBACA,uBACA,WACA,WACA,eACA,kBACA,oBACA,aACA,sBACA,cACA,uBACA,eACA,qBACA,iBACA,OACA,eACA,eACA,YACA,iBACA,OACA,cACA,kBACA,mBACA,wBACA,cACA,UACA,aACA,cACA,QACA,gBACA,sBACA,mBACA,qBACA,oBACA,2BACA,2BACA,oBACA,kBACA,cACA,iBACA,cACA,WACA,wBACA,oBACA,sBACA,sBACA,qBACA,OACA,uBACA,WACA,YACA,mBACA,0BACA,UACA,QACA,aACA,QACA,aACA,QACA,aACA,QACA,aACA,QACA,aACA,uBACA,aACA,gBACA,uBACA,cACA,sBACA,gBACA,cACA,iBACA,iBACA,gBACA,kBACA,iBACA,oBACA,eACA,gBACA,gBACA,YACA,cACA,wBACA,gBACA,wBACA,qBACA,kCACA,uBACA,mBACA,iBACA,qBACA,YACA,aACA,iBACA,OACA,UACA,kBACA,eACA,YACA,WACA,cACA,WACA,kBACA,gBACA,WACA,aACA,iBACA,kBACA,2BACA,aACA,aACA,+BACA,mBACA,WACA,oBACA,eACA,cACA,kBACA,eACA,MACA,kBACA,eACA,YACA,kBACA,cACA,yBACA,iBACA,+BACA,iBACA,oBACA,+BACA,oBACA,+BACA,oBACA,+BACA,6BACA,oBACA,+BACA,kBACA,YACA,kBACA,4BACA,aACA,cACA,qBACA,8BACA,qBACA,IACA,WACA,UACA,iBACA,YACA,cACA,WACA,iBACA,KACA,aACA,aACA,mBACA,iBACA,oBACA,mBACA,wBACA,mBACA,KACA,QACA,UACA,oBACA,gBACA,kBACA,WACA,cACA,aACA,aACA,oBACA,mBACA,gBACA,yBACA,qBACA,aACA,kBACA,eACA,uBACA,aACA,gBACA,YACA,eACA,kBACA,eACA,iBACA,gBACA,gBACA,oBACA,eACA,iBACA,2BACA,YACA,YACA,kBACA,gBACA,kBACA,kBACA,qBACA,gBACA,gBACA,cACA,uBACA,oBACA,iBACA,kBACA,gBACA,cACA,oBACA,2BACA,uBACA,6BACA,gBACA,iBACA,gBACA,iBACA,iBACA,cACA,eACA,cACA,aACA,eACA,cACA,eACA,oBACA,YACA,gBACA,cACA,WACA,eACA,iBACA,mBACA,iCACA,gBACA,uBACA,eACA,oBACA,SACA,kBACA,eACA,eACA,cACA,cACA,kBACA,eACA,cACA,eACA,sBACA,cACA,YACA,YACA,kBACA,iBACA,uBACA,eACA,cACA,gBACA,YACA,sBACA,YACA,YACA,aACA,sBACA,uBACA,oBACA,gBACA,YACA,iBACA,UACA,SACA,yBACA,kBACA,iBACA,gBACA,eACA,wBACA,KACA,aACA,WACA,gBACA,iBACA,gBACA,kBACA,uBACA,uBACA,mBACA,qBACA,qBACA,uBACA,wBACA,mBACA,qBACA,yBACA,cACA,oBACA,uBACA,2BACA,sBACA,qBACA,YACA,oBACA,SACA,2BACA,oBACA,mBACA,sBACA,8BACA,kBACA,2BACA,wBACA,gBACA,yBACA,uBACA,UACA,uBACA,aACA,WACA,aACA,gBACA,kBACA,iBACA,iBACA,iBACA,eACA,sBACA,eACA,gBACA,WACA,QACA,kBACA,kBACA,cACA,kBACA,sBACA,YACA,eACA,mCACA,8BACA,2BACA,iBACA,qBACA,+BACA,4BACA,uBACA,wBACA,sBACA,aACA,iBACA,2BACA,0BACA,cACA,QACA,eACA,kBACA,UACA,QACA,eACA,mBACA,wBACA,aACA,gBACA,uBACA,YACA,gBACA,kBACA,gBACA,cACA,aACA,gBACA,cACA,cACA,oBACA,uBACA,SACA,oBACA,uBACA,mBACA,gBACA,QACA,aACA,oBACA,WACA,kBACA,WACA,UACA,iBACA,6BACA,WACA,UACA,gBACA,kBACA,gBACA,cACA,cACA,oBACA,WACA,iBACA,WACA,gBACA,WACA,YACA,2BACA,cACA,0BACA,oBACA,aACA,eACA,kCACA,wBACA,0BACA,gBACA,qBACA,sBACA,yBACA,iBACA,oBACA,2BACA,yBACA,cACA,oBACA,qBACA,YACA,oBACA,yBACA,gBACA,eACA,WACA,uBACA,kBACA,uBACA,kBACA,iBACA,gBACA,OACA,UACA,yBACA,mCACA,6BACA,aACA,+BACA,oCACA,2BACA,uBACA,aACA,cACA,iBACA,6BACA,kCACA,6BACA,0BACA,kBACA,mBACA,2BACA,0BACA,8BACA,sBACA,yBACA,mBACA,sBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,0BACA,yBACA,qBACA,eACA,wBACA,gBACA,0BACA,qBACA,0BACA,2BACA,0BACA,sBACA,mCACA,oBACA,YACA,uBACA,iBACA,YACA,yBACA,aACA,oBACA,mBACA,sBACA,cACA,SACA,OACA,kBACA,UACA,iBACA,sBACA,WACA,YACA,aACA,uBACA,kBACA,WACA,WACA,WACA,WACA,WACA,WACA,WACA,gBACA,WACA,WACA,WACA,UACA,WACA,WACA,WACA,eACA,aACA,WACA,eACA,eACA,eACA,eACA,oBACA,sBACA,OACA,aACA,SACA,cACA,iBACA,wBACA,WACA,sBACA,2BACA,aACA,oBACA,yBACA,eACA,iBACA,IACA,YACA,qBACA,eACA,kBACA,eACA,6BACA,WACA,iBACA,kBACA,gBACA,2BACA,uBACA,sBACA,YACA,YACA,YACA,YACA,aACA,iBACA,sBACA,gBACA,iBACA,4BACA,eACA,UACA,MACA,MACA,uBACA,gBACA,UACA,cACA,aACA,WACA,kBACA,SACA,aACA,mBACA,OACA,YACA,UACA,YACA,UACA,WACA,cACA,kBACA,WACA,cACA,iBACA,kBACA,kBACA,gBACA,kBACA,WACA,aACA,YACA,wBACA,iBACA,8BACA,mBACA,kBACA,aACA,0BACA,WACA,iBACA,6BACA,yBACA,WACA,QACA,UACA,gBACA,mBACA,eACA,aACA,kBACA,YACA,WACA,mBACA,WACA,QACA,aACA,kBACA,kBACA,QACA,aACA,aACA,gBACA,qBACA,WACA,mBACA,eACA,mBACA,kBACA,sBACA,mBACA,YACA,kBACA,0BACA,mBACA,QACA,SACA,OACA,WACA,oBACA,cACA,gBACA,SACA,gBACA,mBACA,qBACA,oBACA,oBACA,WACA,MACA,aACA,YACA,cACA,YACA,oBACA,sBACA,eACA,0BACA,eACA,2BACA,OACA,YACA,eACA,sBACA,oBACA,iBACA,oBACA,iBACA,kBACA,UACA,eACA,gBACA,eACA,kBACA,oBACA,mBACA,kBACA,eACA,kBACA,aACA,gBACA,mBACA,WACA,iBACA,cACA,eACA,gBACA,gBACA,mBACA,YACA,YACA,eACA,SACA,cACA,WACA,OACA,YACA,mBACA,gBACA,gBACA,cACA,WACA,iBACA,WACA,YACA,kBACA,eACA,eACA,UACA,QACA,aACA,mBACA,mBACA,gBACA,qBACA,oBACA,kBACA,kBACA,6BACA,uBACA,6BACA,sBACA,wBACA,cACA,gBACA,2BACA,sBACA,YACA,oBACA,oBACA,0BACA,YACA,aACA,YACA,UACA,YACA,aACA,WACA,gBACA,eACA,cACA,YACA,cACA,WACA,eACA,cACA,aACA,QACA,oBACA,0BACA,sBACA,OACA,YACA,mBACA,eACA,+BACA,4BACA,wBACA,sBACA,gCACA,cACA,iBACA,uBACA,qBACA,oBACA,mBACA,cACA,sBACA,UACA,iBACA,YACA,uBACA,iBACA,8BACA,kBACA,YACA,YACA,aACA,wBACA,8BACA,+BACA,aACA,cACA,cACA,gBACA,eACA,YACA,cACA,iBACA,aACA,YACA,YACA,eACA,WACA,gBACA,aACA,WACA,aACA,WACA,cACA,eACA,eACA,qBACA,WACA,eACA,aACA,QACA,cACA,YACA,gBACA,kBACA,OACA,WACA,cACA,kBACA,oBACA,eACA,gBACA,oBACA,iBACA,kBACA,oBACA,SACA,aACA,+BACA,oBACA,kCACA,eACA,iBACA,oBACA,iBACA,cACA,aACA,gBACA,0BACA,uBACA,WACA,WACA,aACA,kBACA,gBACA,QACA,yBACA,yBACA,wBACA,eACA,wBACA,iBACA,mBACA,oBACA,wBACA,6BACA,+BACA,iBACA,mBACA,iBACA,UACA,gBACA,cACA,wBACA,wBACA,aACA,6BACA,gBACA,sBACA,oBACA,cACA,eACA,kCACA,cACA,cACA,YACA,gBACA,0BACA,eACA,UACA,oBACA,aACA,oBACA,mBACA,cACA,iBACA,wBACA,gBACA,SACA,MACA,QACA,OACA,aACA,WACA,uBACA,gBACA,cACA,uBACA,kBACA,gBACA,gBACA,gBACA,0BACA,aACA,6BACA,wBACA,UACA,cACA,wBACA,YACA,UACA,wBACA,iCACA,2BACA,oCACA,eACA,yBACA,WACA,YACA,gBACA,qBACA,iBACA,2BACA,SACA,WACA,iBACA,UACA,eACA,aACA,iBACA,kBACA,qBACA,wBACA,yBACA,gBACA,mBACA,eACA,yBACA,mBACA,qBACA,SACA,uBACA,kBACA,eACA,WACA,gBACA,eACA,YACA,cACA,iBACA,mBACA,2BACA,UACA,gBACA,UACA,wBACA,cACA,aACA,WACA,uBACA,uBACA,aACA,oBACA,uBACA,eACA,YACA,wBACA,WACA,YACA,iBACA,YACA,6BACA,4BACA,yBACA,wBACA,8BACA,uBACA,oBACA,iBACA,oBACA,aACA,cACA,yBACA,kBACA,mBACA,SACA,MACA,SACA,WACA,QACA,aACA,YACA,YACA,8BACA,UACA,qBACA,qBACA,qBACA,uBACA,0BACA,UACA,6BACA,gBACA,+BACA,mBACA,oBACA,oBACA,4BACA,wBACA,kBACA,kBACA,SACA,WACA,kBACA,qBACA,2BACA,sBACA,WACA,yBACA,yBACA,gCACA,gBACA,kBACA,kBACA,kBACA,kBACA,kBACA,WACA,gBACA,aACA,aACA,WACA,YACA,aACA,iBACA,YACA,2BACA,aACA,cACA,6BACA,UACA,aACA,sBACA,MACA,UACA,iBACA,mBACA,UACA,YACA,uBACA,cACA,qBACA,qBACA,yBACA,cACA,YACA,YACA,WACA,WACA,gBACA,WACA,gBACA,oBACA,qBACA,gBACA,YACA,eACA,wBACA,kBACA,WACA,cACA,oBACA,WACA,sBACA,aACA,qBACA,OACA,wBACA,aACA,4BACA,yBACA,gBACA,aACA,oBACA,qBACA,mBACA,YACA,kBACA,uBACA,SACA,kBACA,eACA,kBACA,SACA,UACA,gBACA,sBACA,iBACA,kBACA,UACA,kBACA,oBACA,mBACA,cACA,aACA,OACA,iBACA,iBACA,gBACA,WACA,WACA,aACA,mBACA,YACA,WACA,QACA,mBACA,kBACA,wBACA,yBACA,OACA,mBACA,gBACA,oBACA,gBACA,gBACA,iBACA,kBACA,kBACA,YACA,wBACA,gBACA,wBACA,kBACA,gBACA,iBACA,kBACA,YACA,yBACA,aACA,cACA,cACA,YACA,UACA,gBACA,cACA,cACA,gBACA,iBACA,gBACA,WACA,mBACA,iBACA,kBACA,mBACA,SACA,gBACA,oBACA,eACA,WACA,uBACA,MACA,mBACA,UACA,YACA,cACA,YACA,YACA,oBACA,yBACA,WACA,uBACA,kBACA,wBACA,WACA,SACA,kBACA,SACA,qBACA,eACA,UACA,wBACA,QACA,YACA,WACA,UACA,kBACA,oBACA,mBACA,WACA,gBACA,eACA,sBACA,wBACA,iBACA,qBACA,cACA,iBACA,aACA,qBACA,YACA,sBACA,MACA,QACA,OACA,4BACA,UACA,iBACA,gBACA,SACA,UACA,YACA,WACA,gBACA,oBACA,eACA,sBACA,gBACA,gBACA,iBACA,oCACA,iBACA,eACA,kBACA,eACA,iBACA,mBACA,YACA,oBACA,4BACA,gBACA,SACA,gBACA,iBACA,2BACA,kBACA,SACA,UACA,eACA,gBACA,gBACA,YACA,eACA,gBACA,wBACA,4BACA,0BACA,2BACA,qBACA,yBACA,yBACA,gBACA,OACA,eACA,kBACA,kBACA,qBACA,eACA,YACA,mBACA,gBACA,YACA,gBACA,YACA,eACA,oBACA,uBACA,cACA,iBACA,cACA,qBACA,qBACA,mBACA,oBACA,cACA,0BACA,0BACA,sBACA,eACA,gBACA,wBACA,iBACA,yCACA,kCACA,4BACA,IACA,uBACA,QACA,QACA,eACA,sBACA,OACA,UACA,UACA,cACA,kBACA,sBACA,SACA,WACA,gBACA,gBACA,UACA,eACA,UACA,kBACA,mBACA,mBACA,uBACA,YACA,aACA,4BACA,QACA,WACA,+BACA,0BACA,mBACA,2BACA,kCACA,oBACA,gBACA,8BACA,mBACA,oBACA,OACA,uBACA,iBACA,oBACA,YACA,WACA,WACA,YACA,gBACA,YACA,WACA,gBACA,2BACA,WACA,aACA,YACA,UACA,aACA,oBACA,oBACA,aACA,aACA,kBACA,iBACA,WACA,iBACA,gBACA,YACA,wBACA,UACA,iBACA,uBACA,kBACA,WACA,kBACA,2BACA,UACA,kBACA,aACA,YACA,aACA,iBACA,iBACA,iBACA,UACA,WACA,wBACA,YACA,uBACA,yBACA,+BACA,qBACA,eACA,gBACA,gBACA,gBACA,gBACA,oBACA,eACA,OACA,WACA,WACA,YACA,wBACA,0BACA,eACA,WACA,aACA,YACA,mBACA,cACA,kBACA,aACA,YACA,YACA,YACA,YACA,eACA,mBACA,iBACA,6BACA,kCACA,+BACA,iCACA,yBACA,eACA,iCACA,OACA,WACA,oBACA,2BACA,sBACA,cACA,sBACA,uBACA,mBACA,cACA,sBACA,uBACA,mBACA,MACA,WACA,OACA,SACA,qBACA,iBACA,qBACA,YACA,aACA,qCACA,gBACA,kBACA,eACA,MACA,eACA,YACA,uBACA,WACA,gBACA,mBACA,0BACA,gBACA,0BACA,iBACA,kBACA,iBACA,oBACA,4BACA,mBACA,uBACA,mBACA,eACA,cACA,iBACA,sBACA,0BACA,iBACA,iBACA,eACA,eACA,gBACA,cACA,eACA,YACA,eACA,oBACA,gBACA,mBACA,gBACA,aACA,gBACA,YACA,aACA,kBACA,sBACA,oBACA,iBACA,uBACA,kBACA,UACA,kBACA,eACA,uBACA,kBACA,qBACA,uBACA,UACA,eACA,mBACA,iBACA,cACA,oBACA,eACA,0BACA,oBACA,cACA,mBACA,wBACA,mBACA,oBACA,mBACA,sBACA,wBACA,kBACA,uBACA,oBACA,yBACA,YACA,iBACA,cACA,mBACA,wBACA,mBACA,cACA,mBACA,WACA,gBACA,oBACA,gBACA,iBACA,MACA,eACA,eACA,WACA,kBACA,SACA,SACA,eACA,OACA,YACA,uBACA,qBACA,OACA,cACA,YACA,YACA,SACA,gBACA,kBACA,cACA,eACA,yBACA,0BACA,8BACA,2BACA,iCACA,uBACA,0BACA,uBACA,aACA,eACA,iBACA,cACA,mBACA,gBACA,cACA,UACA,kBACA,cACA,eACA,YACA,uBACA,iBACA,gBACA,eACA,gBACA,mBACA,kBACA,WACA,gBACA,UACA,mBACA,cACA,IACA,gBACA,uBACA,sBACA,0BACA,mBACA,YACA,aACA,OACA,MACA,SACA,UACA,KACA,cACA,OACA,cACA,UACA,kBACA,yBACA,OACA,aACA,SACA,YACA,mBACA,aACA,8BACA,UACA,WACA,qBACA,gBACA,YACA,UACA,kBACA,kBACA,kBACA,WACA,kBACA,0BACA,UACA,UACA,gBACA,iBACA,cACA,iBACA,wBACA,KACA,SACA,QACA,oBACA,WACA,WACA,aACA,gBACA,YACA,2BACA,eACA,2BACA,gBACA,oBACA,MACA,QACA,eACA,kBACA,sBACA,8BACA,2BACA,aACA,iBACA,iBACA,2BACA,mBACA,cACA,iBACA,kBACA,eACA,OACA,UACA,UACA,WACA,UACA,WACA,UACA,aACA,oBACA,eACA,aACA,gBACA,uBACA,YACA,aACA,kBACA,QACA,YACA,UACA,gBACA,aACA,oBACA,qBACA,sBACA,wBACA,wBACA,gBACA,eACA,aACA,mBACA,oBACA,gBACA,sBACA,eACA,eACA,gBACA,aACA,mBACA,qBACA,cACA,uBACA,mBACA,eACA,kBACA,eACA,aACA,UACA,eACA,cACA,kBACA,UACA,WACA,iBACA,iBACA,kBACA,kBACA,cACA,kBACA,cACA,aACA,qBACA,YACA,YACA,aACA,mBACA,iBACA,kBACA,wBACA,cACA,cACA,kBACA,cACA,uBACA,cACA,OACA,UACA,iBACA,QACA,WACA,kBACA,UACA,eACA,kBACA,yBACA,aACA,qBACA,kBACA,mBACA,gBACA,mBACA,kBACA,aACA,iBACA,mBACA,kBACA,cACA,kBACA,cACA,gBACA,gBACA,kBACA,iBACA,cACA,gBACA,cACA,YACA,qBACA,+BACA,qBACA,+BACA,qBACA,oBACA,yBACA,iBACA,mBACA,sBACA,mBACA,YACA,aACA,gBACA,kBACA,kBACA,0BACA,uBACA,0BACA,kBACA,0BACA,aACA,eACA,aACA,iBACA,qBACA,6BACA,WACA,OACA,eACA,6BACA,WACA,0BACA,eACA,YACA,uBACA,cACA,cACA,YACA,eACA,iBACA,eACA,qBACA,iBACA,eACA,QACA,2BACA,0BACA,cACA,OACA,YACA,aACA,UACA,iBACA,kBACA,kBACA,cACA,cACA,cACA,QACA,aACA,MACA,aACA,aACA,uBACA,yBACA,sBACA,wBACA,cACA,gBACA,iBACA,kBACA,YACA,4BACA,wBACA,cACA,mBACA,YACA,cACA,mBACA,0BACA,oBACA,iBACA,kBACA,oBACA,qBACA,mBACA,oBACA,kBACA,mBACA,oBACA,iBACA,iBACA,mBACA,mBACA,qBACA,qBACA,eACA,qBACA,UACA,oBACA,gBACA,wBACA,sBACA,kBACA,mBACA,oBACA,mBACA,kBACA,aACA,mBACA,gBACA,eACA,aACA,eACA,qBACA,KACA,OACA,iBACA,WACA,UACA,sBACA,iBACA,UACA,YACA,kBACA,WACA,aACA,cACA,kBACA,WACA,OACA,iBACA,WACA,mBACA,aACA,sBACA,SACA,cACA,mBACA,qBACA,QACA,cACA,iBACA,cACA,eACA,qBACA,iBACA,oBACA,aACA,YACA,OACA,mBACA,YACA,OACA,SACA,cACA,eACA,aACA,YACA,aACA,aACA,cACA,cACA,aACA,YACA,oBACA,2BACA,mBACA,aACA,YACA,YACA,YACA,OACA,YACA,aACA,YACA,WACA,QACA,aACA,oBACA,WACA,kBACA,yBACA,eACA,uBACA,mBACA,cACA,aACA,wBACA,sBACA,mCACA,yBACA,YACA,yBACA,iBACA,4BACA,sBACA,sBACA,sBACA,iBACA,gBACA,YACA,kBACA,iBACA,YACA,aACA,kBACA,0BACA,YACA,UACA,eACA,sBACA,kBACA,eACA,aACA,oBACA,qBACA,uBACA,mBACA,uBACA,eACA,aACA,kBACA,gBACA,uBACA,wBACA,iBACA,0BACA,kBACA,UACA,wBACA,wBACA,iBACA,gBACA,gBACA,gBACA,cACA,qBACA,8BACA,mBACA,sBACA,cACA,6BACA,eACA,YACA,eACA,sBACA,YACA,cACA,WACA,gBACA,kBACA,mBACA,WACA,0BACA,mBACA,2BACA,oBACA,gBACA,8BACA,gBACA,UACA,aACA,QACA,oBACA,cACA,WACA,eACA,aACA,uBACA,wBACA,2BACA,aACA,iBACA,WACA,gBACA,qBACA,gBACA,YACA,gBACA,eACA,UACA,iBACA,oBACA,uBACA,wBACA,8BACA,iBACA,kBACA,sBACA,SACA,eACA,UACA,eACA,YACA,qBACA,gBACA,uBACA,WACA,eACA,eACA,yBACA,qBACA,QACA,UACA,aACA,UACA,cACA,SACA,SACA,aACA,uBACA,gBACA,oBACA,sBACA,iBACA,QACA,kBACA,cACA,YACA,iBACA,kBACA,oBACA,6BACA,2BACA,aACA,sBACA,iBACA,iBACA,QACA,WACA,kBACA,qBACA,2BACA,qBACA,yBACA,aACA,yBACA,eACA,cACA,0BACA,kBACA,gBACA,uBACA,iBACA,oBACA,mBACA,qBACA,YACA,mBACA,qBACA,gBACA,8BACA,oBACA,qBACA,gBACA,oBACA,UACA,sBACA,aACA,oBACA,uBACA,8BACA,oBACA,aACA,SACA,aACA,cACA,kBACA,aACA,WACA,eACA,gBACA,aACA,eACA,UACA,YACA,cACA,UACA,gBACA,4BACA,YACA,cACA,aACA,uBACA,SACA,MACA,YACA,UACA,aACA,oBACA,YACA,aACA,SACA,qBACA,eACA,cACA,aACA,kBACA,uBACA,wBACA,WACA,eACA,WACA,gBACA,uBACA,eACA,oBACA,YACA,eACA,mBACA,gCACA,6BACA,6BACA,mCACA,WACA,oBACA,YACA,mBACA,QACA,oBACA,oBACA,iBACA,mBACA,yBACA,kBACA,kBACA,QACA,YACA,OACA,WACA,oBACA,iBACA,wBACA,sBACA,sBACA,aACA,oBACA,cACA,iBACA,iBACA,wBACA,QACA,iBACA,eACA,gBACA,oBACA,gBACA,OACA,SACA,mBACA,eACA,cACA,gBACA,aACA,eACA,iBACA,uBACA,oBACA,cACA,cACA,iBACA,gBACA,oBACA,cACA,2BACA,gBACA,mBACA,cACA,aACA,eACA,aACA,gBACA,aACA,aACA,gBACA,oBACA,aACA,QACA,cACA,qBACA,YACA,YACA,mBACA,SACA,WACA,cACA,qBACA,cACA,YACA,mBACA,YACA,aACA,WACA,sBACA,oBACA,cACA,YACA,SACA,WACA,WACA,UACA,YACA,uBACA,KACA,kBACA,oBACA,kBACA,OACA,gBACA,WACA,WACA,gBACA,aACA,OACA,UACA,wBACA,aACA,eACA,QACA,WACA,OACA,oBACA,wBACA,mBACA,uBACA,qBACA,SACA,cACA,mBACA,YACA,eACA,sBACA,iBACA,mBACA,8BACA,mBACA,kBACA,sBACA,MACA,SACA,SACA,qBACA,mBACA,uBACA,SACA,mBACA,sBACA,UACA,cACA,SACA,iBACA,iBACA,sBACA,eACA,iBACA,kBACA,gBACA,mBACA,iBACA,kBACA,iBACA,iBACA,yBACA,2BACA,cACA,gBACA,qBACA,YACA,iBACA,cACA,qBACA,gBACA,eACA,uBACA,eACA,gBACA,wBACA,aACA,eACA,gBACA,UACA,eACA,gBACA,aACA,4BACA,cACA,eACA,4BACA,oBACA,iBACA,oBACA,iBACA,OACA,aACA,WACA,YACA,YACA,qBACA,gBACA,UACA,cACA,0BACA,cACA,aACA,6BACA,sBACA,uBACA,kBACA,uBACA,mCACA,oBACA,gBACA,yBACA,iBACA,aACA,mBACA,qBACA,yBACA,YACA,mBACA,oBACA,SACA,qBACA,yBACA,oBACA,mBACA,wBACA,2BACA,UACA,mBACA,0BACA,2BACA,iBACA,sBACA,cACA,oBACA,kBACA,aACA,YACA,mBACA,iBACA,aACA,aACA,WACA,eACA,iBACA,iBACA,mBACA,UACA,aACA,YACA,kBACA,oBACA,cACA,cACA,oBACA,kBACA,iBACA,6BACA,aACA,0BACA,mBACA,UACA,qBACA,iBACA,qBACA,eACA,UACA,aACA,cACA,UACA,wBACA,kBACA,eACA,mBACA,iBACA,mBACA,iBACA,iBACA,2BACA,iBACA,qBACA,qBACA,iBACA,kBACA,eACA,OACA,kBACA,aACA,YACA,eACA,SACA,uBACA,oBACA,yBACA,wBACA,eACA,wBACA,mBACA,UACA,iBACA,mCACA,iBACA,qBACA,eACA,cACA,gBACA,uBACA,iBACA,mBACA,WACA,eACA,mBACA,cACA,WACA,qBACA,iBACA,YACA,SACA,QACA,aACA,gBACA,sBACA,mBACA,2BACA,qBACA,kBACA,qBACA,WACA,gBACA,iBACA,gBACA,mBACA,qBACA,oBACA,mBACA,gBACA,mBACA,cACA,iBACA,UACA,qBACA,4BACA,0BACA,2BACA,8BACA,qBACA,qBACA,eACA,OACA,kBACA,gBACA,gBACA,iBACA,eACA,aACA,QACA,UACA,WACA,SACA,cACA,aACA,cACA,iBACA,cACA,qBACA,iBACA,oBACA,QACA,eACA,iBACA,MACA,gBACA,iBACA,SACA,aACA,WACA,eACA,YACA,YACA,cACA,SACA,cACA,eACA,kBACA,OACA,gBACA,cACA,WACA,WACA,aACA,YACA,MACA,aACA,mBACA,aACA,oBACA,iBACA,0BACA,SACA,QACA,WACA,qBACA,qBACA,cACA,uBACA,mBACA,aACA,iBACA,gBACA,eACA,cACA,gBACA,sBACA,0BACA,eACA,WACA,OACA,WACA,iBACA,iBACA,kBACA,sBACA,eACA,QACA,SACA,iBACA,sBACA,cACA,eACA,cACA,kBACA,mBACA,gBACA,mBACA,OACA,gBACA,uBACA,2BACA,+BACA,sBACA,iBACA,qBACA,iBACA,8BACA,WACA,gBACA,WACA,gBACA,kBACA,yBACA,uBACA,aACA,cACA,gBACA,cACA,wBACA,aACA,mBACA,iBACA,mBACA,oBACA,gBACA,oBACA,qBACA,MACA,OACA,mBACA,8BACA,kBACA,cACA,gBACA,eACA,gBACA,2BACA,4BACA,sBACA,aACA,SACA,aACA,mBACA,gBACA,mBACA,cACA,YACA,mBACA,gBACA,0BACA,4BACA,2BACA,sBACA,uBACA,oBACA,8BACA,gBACA,uBACA,qBACA,YACA,gBACA,iBACA,uBACA,yBACA,kCACA,2BACA,WACA,cACA,WACA,oBACA,yBACA,gBACA,gBACA,eACA,mBACA,eACA,eACA,uBACA,oBACA,oBACA,mBACA,kBACA,4BACA,kBACA,oBACA,uBACA,gBACA,SACA,oBACA,aACA,iBACA,iBACA,oBACA,iBACA,gBACA,iBACA,kBACA,gBACA,gBACA,cACA,MACA,cACA,kBACA,gBACA,WACA,oBACA,aACA,aACA,eACA,iBACA,cACA,0BACA,aACA,mBACA,iBACA,eACA,cACA,8BACA,sBACA,oBACA,oBACA,oBACA,iBACA,mBACA,SACA,YACA,YACA,mBACA,UACA,WACA,UACA,UACA,iBACA,kBACA,QACA,cACA,UACA,iBACA,oBACA,cACA,mBACA,8BACA,wBACA,QACA,iBACA,WACA,gBACA,uBACA,iBACA,kBACA,mBACA,uBACA,eACA,OACA,kBACA,qBACA,iBACA,kBACA,gBACA,eACA,qBACA,iBACA,eACA,eACA,oBACA,yBACA,kBACA,0BACA,iBACA,0BACA,gBACA,mBACA,wBACA,uBACA,mBACA,iBACA,wBACA,eACA,cACA,kBACA,kBACA,iBACA,OACA,YACA,iBACA,uBACA,oBACA,cACA,WACA,kBACA,cACA,eACA,iBACA,oBACA,UACA,WACA,MACA,OACA,2BACA,mBACA,sBACA,oBACA,6BACA,oBACA,oBACA,iBACA,OACA,eACA,cACA,aACA,WACA,oBACA,sBACA,WACA,yBACA,YACA,OACA,qBACA,qBACA,oBACA,oBACA,SACA,WACA,cACA,qBACA,YACA,mBACA,iBACA,YACA,OACA,eACA,QACA,cACA,UACA,qBACA,wBACA,0BACA,yBACA,kBACA,oBACA,2BACA,qBACA,eACA,UACA,gBACA,iBACA,kBACA,SACA,gBACA,eACA,iBACA,eACA,aACA,oBACA,eACA,UACA,gBACA,iBACA,eACA,2BACA,eACA,yBACA,YACA,aACA,yBACA,YACA,6BACA,sBACA,6BACA,uBACA,uBACA,eACA,QACA,cACA,eACA,cACA,OACA,SACA,WACA,oBACA,QACA,mBACA,YACA,cACA,aACA,gBACA,MACA,QACA,iBACA,YACA,SACA,WACA,OACA,kBACA,wBACA,gBACA,eACA,eACA,oBACA,cACA,cACA,qBACA,gBACA,cACA,eACA,yBACA,4BACA,kBACA,2BACA,2BACA,WACA,gBACA,oBACA,4BACA,mBACA,qBACA,wBACA,6BACA,uBACA,QACA,gBACA,mBACA,cACA,cACA,kBACA,mBACA,cACA,mBACA,cACA,cACA,oBACA,kBACA,mBACA,qBACA,yBACA,uBACA,2BACA,kBACA,SACA,YACA,mBACA,eACA,mBACA,mBACA,oBACA,oBACA,qBACA,kBACA,kBACA,iBACA,uBACA,0BACA,eACA,oBACA,eACA,oBACA,yBACA,eACA,oBACA,eACA,oBACA,SACA,sBACA,eACA,eACA,cACA,gBACA,QACA,UACA,eACA,YACA,OACA,UACA,iBACA,SACA,2BACA,cACA,qBACA,gBACA,yBACA,WACA,eACA,oBACA,iBACA,sBACA,cACA,aACA,cACA,mBACA,wBACA,qBACA,QACA,aACA,gBACA,sBACA,kBACA,eACA,eACA,yBACA,oBACA,0BACA,eACA,cACA,eACA,oBACA,sBACA,OACA,kBACA,WACA,YACA,wBACA,uBACA,mBACA,cACA,gBACA,eACA,qBACA,eACA,kBACA,kBACA,qBACA,uBACA,gBACA,kBACA,wBACA,sBACA,+BACA,yBACA,mCACA,6BACA,aACA,mBACA,cACA,0BACA,iBACA,iBACA,aACA,aACA,uBACA,oBACA,oBACA,kBACA,sBACA,8BACA,sBACA,sBACA,6BACA,oBACA,gBACA,aACA,eACA,eACA,iBACA,UACA,cACA,cACA,qBACA,SACA,cACA,kBACA,cACA,kBACA,cACA,eACA,aACA,cACA,mBACA,gBACA,aACA,eACA,gBACA,cACA,eACA,aACA,eACA,eACA,gBACA,iBACA,aACA,kBACA,iBACA,UACA,eACA,gBACA,oBACA,oBACA,gBACA,eACA,mBACA,oBACA,iBACA,cACA,gBACA,aACA,iBACA,iBACA,oBACA,iBACA,aACA,aACA,eACA,oBACA,oBACA,aACA,gBACA,uBACA,kBACA,uBACA,sBACA,UACA,UACA,OACA,uBACA,QACA,WACA,qBACA,YACA,mBACA,YACA,aACA,kBACA,mBACA,0BACA,aACA,aACA,iBACA,YACA,eACA,WACA,WACA,UACA,mCACA,0BACA,gBACA,YACA,eACA,sBACA,cACA,eACA,SACA,cACA,cACA,cACA,YACA,iBACA,UACA,gBACA,UACA,UACA,qBACA,iBACA,oBACA,2BACA,mBACA,yBACA,WACA,eACA,gBACA,YACA,WACA,gBACA,qBACA,gBACA,UACA,WACA,MACA,iBACA,iBACA,SACA,cACA,UACA,SACA,cACA,aACA,gBACA,YACA,cACA,iBACA,wBACA,WACA,gBACA,YACA,OACA,WACA,oBACA,cACA,eACA,cACA,kBACA,uBACA,mBACA,gBACA,mBACA,gBACA,qBACA,iBACA,eACA,SACA,SACA,aACA,gBACA,YACA,sBACA,iBACA,eACA,mBACA,sBACA,qBACA,aACA,mBACA,wBACA,iCACA,mCACA,yBACA,4BACA,sBACA,WACA,SACA,aACA,oBACA,eACA,eACA,UACA,0BACA,mBACA,uBACA,sBACA,uBACA,8BACA,oBACA,kBACA,YACA,iBACA,oBACA,wBACA,gBACA,cACA,gBACA,sBACA,uBACA,0BACA,gCACA,kBACA,+BACA,yBACA,eACA,sBACA,iCACA,4BACA,aACA,gBACA,oBACA,kBACA,0BACA,6BACA,oBACA,+BACA,qBACA,yBACA,sBACA,8BACA,qBACA,wBACA,oBACA,oBACA,8BACA,4BACA,mCACA,mCACA,aACA,aACA,MACA,aACA,QACA,kBACA,aACA,kBACA,YACA,gBACA,eACA,YACA,eACA,wBACA,yBACA,sBACA,uBACA,wBACA,sBACA,cACA,UACA,aACA,oBACA,SACA,aACA,gBACA,eACA,SACA,gBACA,WACA,WACA,OACA,WACA,cACA,gBACA,WACA,eACA,iBACA,YACA,QACA,MACA,OACA,eACA,kBACA,eACA,cACA,YACA,cACA,aACA,aACA,aACA,QACA,cACA,WACA,aACA,mBACA,gBACA,iBACA,cACA,qBACA,mBACA,qBACA,aACA,iBACA,mBACA,eACA,uBACA,sBACA,mBACA,eACA,eACA,qBACA,YACA,oBACA,iBACA,mBACA,eACA,gBACA,UACA,aACA,eACA,iBACA,kBACA,cACA,uBACA,kBACA,qBACA,SACA,aACA,mBACA,mBACA,cACA,iBACA,wBACA,UACA,UACA,OACA,YACA,mBACA,gBACA,WACA,kBACA,UACA,YACA,WACA,oBACA,eACA,WACA,cACA,WACA,WACA,oBACA,WACA,aACA,gBACA,eACA,gBACA,aACA,mBACA,gBACA,aACA,gBACA,YACA,kBACA,UACA,4BACA,2BACA,YACA,YACA,oBACA,mBACA,QACA,YACA,OACA,WACA,WACA,qBACA,kBACA,SACA,WACA,iBACA,eACA,YACA,UACA,QACA,YACA,YACA,WACA,gBACA,uBACA,uBACA,aACA,cACA,gBACA,QACA,aACA,WACA,QACA,aACA,iBACA,aACA,kBACA,iBACA,gBACA,aACA,WACA,eACA,aACA,cACA,gBACA,QACA,UACA,aACA,sBACA,qBACA,mBACA,0BACA,gBACA,sBACA,kBACA,qBACA,qBACA,oBACA,kBACA,mBACA,mBACA,aACA,oBACA,WACA,YACA,4BACA,sBACA,WACA,kBACA,iBACA,SACA,OACA,gBACA,aACA,UACA,kBACA,UACA,wBACA,SACA,QACA,sBACA,WACA,iBACA,eACA,aACA,WACA,SACA,cACA,UACA,aACA,aACA,oBACA,mBACA,yBACA,aACA,YACA,cACA,WACA,gBACA,SACA,UACA,aACA,oBACA,eACA,eACA,cACA,MACA,kBACA,qBACA,kBACA,aACA,eACA,UACA,QACA,aACA,yBACA,WACA,QACA,cACA,aACA,uBACA,aACA,gBACA,sBACA,8BACA,cACA,YACA,KACA,QACA,aACA,cACA,gBACA,aACA,cACA,eACA,gBACA,aACA,WACA,UACA,gBACA,aACA,YACA,uBACA,iBACA,mBACA,yBACA,eACA,kBACA,8BACA,sBACA,mBACA,4BACA,gCACA,2BACA,+BACA,4BACA,4BACA,yBACA,2BACA,yBACA,yBACA,yBACA,wBACA,wBACA,4BACA,wBACA,sBACA,yBACA,0BACA,uBACA,0BACA,mBACA,qBACA,oBACA,sBACA,qBACA,mBACA,yBACA,2BACA,YACA,qBACA,uBACA,gBACA,cACA,mBACA,YACA,iBACA,eACA,gBACA,mBACA,uBACA,iBACA,qBACA,eACA,aACA,OACA,YACA,eACA,YACA,WACA,aACA,YACA,yBACA,mBACA,2BACA,wBACA,mBACA,2BACA,kBACA,0BACA,mBACA,2BACA,iBACA,cACA,WACA,WACA,YACA,aACA,aACA,aACA,gBACA,YACA,aACA,YACA,UACA,YACA,cACA,WACA,eACA,QACA,kBACA,YACA,WACA,aACA,WACA,qBACA,aACA,WACA,iBACA,oBACA,sBACA,eACA,yBACA,kBACA,OACA,aACA,aACA,iBACA,UACA,aACA,YACA,cACA,kBACA,oBACA,OACA,QACA,wBACA,sBACA,kCACA,+BACA,QACA,OACA,qBACA,4BACA,UACA,iBACA,sBACA,6BACA,UACA,0BACA,cACA,aACA,SACA,aACA,gBACA,kBACA,aACA,QACA,kBACA,eACA,WACA,SACA,gBACA,SACA,aACA,0BACA,YACA,WACA,YACA,aACA,kBACA,qBACA,4BACA,cACA,iBACA,wBACA,sBACA,iBACA,kBACA,mBACA,cACA,uBACA,UACA,YACA,cACA,sBACA,2BACA,oBACA,yBACA,YACA,QACA,qBACA,YACA,SACA,iBACA,iBACA,UACA,cACA,iBACA,UACA,eACA,eACA,WACA,aACA,eACA,aACA,kBACA,kBACA,oBACA,iBACA,WACA,gBACA,iBACA,YACA,8BACA,UACA,mBACA,QACA,cACA,QACA,qBACA,KACA,UACA,aACA,mBACA,SACA,uBACA,kCACA,iBACA,oBACA,oBACA,cACA,gBACA,aACA,iBACA,kBACA,qBACA,wBACA,yBACA,WACA,QACA,eACA,QACA,aACA,OACA,WACA,MACA,WACA,YACA,gBACA,cACA,oBACA,YACA,aACA,YACA,WACA,uBACA,WACA,iBACA,iBACA,UACA,kBACA,UACA,sBACA,aACA,YACA,qBACA,mBACA,qBACA,QACA,gBACA,kBACA,QACA,uBACA,iBACA,mBACA,gBACA,WACA,kBACA,kBACA,YACA,6BACA,SACA,SACA,aACA,oBACA,YACA,WACA,0BACA,4BACA,4BACA,4BACA,eACA,oBACA,iBACA,cACA,eACA,oBACA,sBACA,6BACA,oBACA,yBACA,2BACA,kBACA,gBACA,qBACA,aACA,kBACA,gBACA,aACA,eACA,eACA,UACA,cACA,UACA,cACA,gBACA,cACA,cACA,MACA,WACA,UACA,mBACA,oBACA,mBACA,yBACA,sBACA,uBACA,6BACA,kBACA,wBACA,uBACA,YACA,iBACA,wBACA,eACA,kBACA,qBACA,iBACA,wBACA,oBACA,8BACA,yBACA,cACA,eACA,wBACA,eACA,eACA,uBACA,qBACA,oBACA,yBACA,iBACA,cACA,0BACA,iBACA,eACA,mBACA,aACA,gBACA,qBACA,0BACA,kBACA,UACA,0BACA,gBACA,cACA,sBACA,aACA,cACA,2BACA,yBACA,eACA,uBACA,WACA,cACA,eACA,gBACA,oBACA,iBACA,gBACA,QACA,eACA,eACA,cACA,gBACA,qBACA,iBACA,gBACA,iBACA,cACA,iBACA,YACA,WACA,eACA,qBACA,eACA,aACA,YACA,SACA,cACA,eACA,qBACA,aACA,YACA,cACA,eACA,mBACA,sBACA,iBACA,oBACA,YACA,YACA,aACA,aACA,YACA,4BACA,WACA,iBACA,YACA,aACA,eACA,mBACA,UACA,cACA,iBACA,oBACA,cACA,SACA,uBACA,cACA,UACA,uBACA,WACA,YACA,qBACA,sCACA,yBACA,wBACA,kBACA,sBACA,oBACA,iCACA,mBACA,4BACA,mBACA,kBACA,oBACA,oBACA,aACA,aACA,eACA,mBACA,mBACA,mBACA,4BACA,iCACA,wBACA,mBACA,cACA,sBACA,iBACA,YACA,mBACA,SACA,aACA,WACA,iBACA,UACA,yBACA,SACA,YACA,mBACA,cACA,kBACA,QACA,YACA,sBACA,gBACA,gBACA,gBACA,kBACA,kBACA,kBACA,yBACA,0BACA,0BACA,0BACA,yBACA,yBACA,wBACA,eACA,oBACA,mBACA,kBACA,yBACA,0BACA,eACA,iBACA,UACA,cACA,aACA,YACA,QACA,QACA,QACA,oBACA,aACA,aACA,sBACA,aACA,aACA,uBACA,eACA,gBACA,UACA,+BACA,eACA,iBACA,gBACA,kBACA,SACA,aACA,oBACA,eACA,iBACA,oBACA,iBACA,iBACA,cACA,sBACA,gBACA,gBACA,gBACA,yBACA,iBACA,aACA,mBACA,cACA,iBACA,cACA,gBACA,iBACA,iBACA,qBACA,4BACA,OACA,cACA,WACA,eACA,mBACA,uBACA,qBACA,uBACA,sBACA,OACA,eACA,gBACA,YACA,YACA,aACA,WACA,iBACA,gBACA,oBACA,WACA,kBACA,aACA,wBACA,iBACA,eACA,WACA,kBACA,mBACA,aACA,QACA,YACA,cACA,YACA,aACA,YACA,cACA,OACA,MACA,WACA,SACA,YACA,oBACA,WACA,gBACA,WACA,iBACA,OACA,WACA,cACA,mBACA,aACA,aACA,QACA,aACA,WACA,qBACA,iBACA,4BACA,mBACA,oBACA,iCACA,iBACA,kBACA,eACA,oBACA,iBACA,iBACA,qBACA,sBACA,iBACA,wBACA,cACA,eACA,kBACA,YACA,gBACA,sBACA,YACA,eACA,qBACA,sBACA,oBACA,aACA,kBACA,mBACA,yBACA,mBACA,uBACA,yBACA,sBACA,sBACA,mBACA,eACA,iBACA,gBACA,sBACA,mCACA,eACA,qBACA,uBACA,iBACA,qBACA,WACA,kBACA,eACA,wBACA,WACA,eACA,gBACA,mCACA,eACA,eACA,qBACA,kBACA,oBACA,2BACA,4BACA,eACA,mBACA,wBACA,kBACA,oBACA,sBACA,kBACA,2BACA,eACA,qBACA,2CACA,uBACA,gCACA,WACA,mBACA,uBACA,qBACA,QACA,yBACA,sBACA,gBACA,UACA,uBACA,yBACA,yBACA,iBACA,2BACA,uBACA,UACA,uBACA,gBACA,cACA,YACA,mBACA,0BACA,kBACA,eACA,mBACA,sBACA,wBACA,qBACA,iBACA,iBACA,mBACA,eACA,eACA,aACA,wBACA,mBACA,iBACA,kBACA,iBACA,wBACA,oBACA,kBACA,0BACA,SACA,iBACA,sBACA,aACA,oBACA,yBACA,wBACA,oBACA,kBACA,eACA,YACA,YACA,mBACA,eACA,yBACA,aACA,oBACA,iBACA,uBACA,eACA,QACA,UACA,iBACA,eACA,aACA,mBACA,oBACA,iBACA,kBACA,kBACA,aACA,eACA,oBACA,eACA,wBACA,qBACA,uBACA,0BACA,oBACA,aACA,qBACA,gBACA,iBACA,iBACA,eACA,mBACA,YACA,oBACA,aACA,sBACA,gBACA,eACA,gBACA,oBACA,qBACA,kBACA,cACA,aACA,8BACA,aACA,WACA,eACA,OACA,mBACA,UACA,eACA,mBACA,uBACA,YACA,cACA,mBACA,gBACA,gBACA,QACA,qBACA,mBACA,eACA,wBACA,mBACA,mBACA,iBACA,aACA,QACA,OACA,wBACA,qBACA,YACA,WACA,cACA,gBACA,uBACA,aACA,kBACA,iBACA,sBACA,eACA,qBACA,eACA,wBACA,eACA,kBACA,2BACA,sBACA,iBACA,oBACA,wBACA,0BACA,sBACA,wBACA,sBACA,sBACA,iBACA,iBACA,qBACA,qBACA,kCACA,2BACA,YACA,aACA,iBACA,mBACA,mBACA,gBACA,wBACA,cACA,qBACA,oBACA,oBACA,2BACA,0BACA,yBACA,iBACA,UACA,2BACA,yBACA,YACA,gBACA,eACA,kBACA,oBACA,iBACA,gBACA,sBACA,mBACA,gBACA,aACA,YACA,YACA,YACA,kBACA,gBACA,YACA,WACA,gBACA,mBACA,kBACA,cACA,UACA,uBACA,sBACA,oBACA,iBACA,4BACA,mBACA,oBACA,qBACA,4BACA,0BACA,YACA,YACA,eACA,WACA,iBACA,iBACA,iBACA,eACA,6BACA,aACA,cACF,EAWA,SAASC,GAAYC,EAAM,CACzB,IAAMC,EAAQD,EAAK,MAKbE,EAAU,+BACVC,EAAiB,0BACjBC,EAAY,0BACZC,EAAiBJ,EAAM,OAAOA,EAAM,OAAOC,EAASC,CAAc,EAAGC,CAAS,EAE9EE,EAAc,iCACdC,EAAe,mCACfC,EAAwBP,EAAM,OAAOK,EAAaC,CAAY,EAE9DE,EAAyB,eAQzBC,EAAU,CACd,UAAW,SACX,UAAW,EACX,MAT4BT,EAAM,OAClCI,EACAJ,EAAM,SAASO,CAAqB,EACpCP,EAAM,SAASQ,CAAsB,CACvC,CAMA,EAEME,EAAY,yBACZC,EAAqB,IAAI,IAAId,EAAc,EAE3Ce,EAAU,CAAE,SAAU,CAC1B,CACE,UAAW,iBACX,MAAOF,EAEP,WAAY,CAACG,EAAOC,IAAa,CAC1BH,EAAmB,IAAIE,EAAM,CAAC,CAAC,GAAGC,EAAS,YAAY,CAC9D,CACF,EACA,CACE,UAAW,SACX,UAAW,EACX,MAAOJ,CACT,CACF,CAAE,EAEIK,EAAkB,CACtB,UAAW,kBACX,MAAO,8BACT,EAEMC,EAAY,CAChB,UAAW,WACX,UAAW,EACX,MAAO,4BACT,EACMC,EAAW,CACf,UAAW,UACX,UAAW,EACX,MAAO,sDACT,EAEMC,EAAQ,CACZ,UAAW,OACX,UAAW,EACX,MAAO,kCACT,EAEMC,EAAS,CACb,UAAW,QACX,UAAW,EACX,MAAO,WACT,EAEMC,EAAW,CACf,UAAW,eACX,UAAW,EACX,MAAOpB,EAAM,OAAO,KAAMU,CAAS,CACrC,EAEA,MAAO,CACL,KAAM,cACN,QAAS,CACP,MACA,IACF,EACA,iBAAkB,CAChB,MAAO,cACP,QAAS,OACT,KAAM,OACN,OAAQ,WACR,kBAAmB,WACnB,iBAAkB,WAClB,eAAgB,QAClB,EACA,SAAU,CACRX,EAAK,QAAQ,OAAQ,OAAQ,CAAE,SAAU,CAAE,MAAO,CAAE,CAAC,EACrDkB,EACAC,EACAE,EACAR,EACAG,EACAhB,EAAK,kBACLU,EACAO,EACAG,CACF,CACF,CACF,CAEAvB,GAAO,QAAUE,KC7rOjB,IAAAuB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAYA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAe,YACfC,EAAY,CAChB,UAAW,EACX,SAAU,CAAE,CAAE,MAAOD,CAAa,CAAE,CACtC,EAEA,MAAO,CACL,KAAM,SACN,SAAU,CACR,QACE,qLAEF,SACE,owCAgBJ,EACA,QAAS,0BACT,SAAU,CACR,CACE,UAAW,WACX,cAAe,WACf,IAAK,IACL,SAAU,CACRD,EAAK,sBACL,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,MACP,IAAK,KACP,EACA,CACE,MAAO,MACP,IAAK,KACP,CACF,CACF,CACF,CACF,EACA,CACE,UAAW,WACX,MAAO,aACP,UAAW,EACX,OAAQE,CACV,EACA,CACE,MAAO,wBAA0BD,EACjC,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAOD,EAAK,YACZ,UAAW,EACX,OAAQE,CACV,EACA,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,IAAO,CAAE,CAChC,EACA,CACE,MAAO,WACP,UAAW,EACX,OAAQA,CACV,EACA,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,IAAK,CAAE,EAC5B,OAAQA,CACV,EACAF,EAAK,QAAQ,iBAAkB,gBAAgB,EAC/CA,EAAK,QAAQ,IAAK,GAAG,CACvB,CACF,CACF,CAEAF,GAAO,QAAUC,KC1GjB,IAAAI,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAOC,EAAM,CAyWpB,MAAO,CACL,KAAM,SACN,SAAU,CACR,SAAU,2BACV,QA3WF,kEA4WE,QA1WF,4DA2WE,SAzWF,032BA0WE,OATY,eAUd,EACA,SAAU,CACR,CACE,UAAW,UACX,MAAO,OACP,IAAK,OACL,SAAU,CAAE,MAAO,CACrB,EACAA,EAAK,kBACL,CACE,UAAW,SACX,UAAW,EACX,SAAU,CACR,CAGE,MAAO,uDAAwD,EACjE,CAEE,MAAO,wDACP,UAAW,EACb,EACA,CAGE,MAAO,6BAA8B,EACvC,CAGE,MAAO,gCAAiC,CAC5C,CACF,CACF,EACA,QAAS,GACX,CACF,CAEAF,GAAO,QAAUC,KC7ZjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,MAAO,CACL,KAAM,MACN,SACE,o0fA2MF,QAAS,KACT,SAAU,CACRA,EAAK,cACLA,EAAK,iBACLA,EAAK,kBACL,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,yCAA0C,EACnDA,EAAK,oBACLA,EAAK,oBACP,CACF,CACF,CAEAF,GAAO,QAAUC,KC1OjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAQC,EAAM,CACrB,IAAMC,EAAW,CACf,QACE,odAOF,KAEE,grBAaF,SACE,mIAEJ,EAEMC,EAAUF,EAAK,QAAQ,IAAK,GAAG,EAE/BG,EAAU,CACd,UAAW,SACX,MAAO,0BACT,EAEMC,EAAOJ,EAAK,QAAQA,EAAK,iBAAkB,CAAE,UAAW,CAAE,CAAC,EAC3DK,EAASL,EAAK,QAAQA,EAAK,kBAAmB,CAAE,UAAW,CAAE,CAAC,EAC9DM,EAAa,CACjB,UAAW,QACX,MAAO,wEACP,UAAW,CACb,EACA,OAAAD,EAAO,SAAWA,EAAO,SAAS,MAAM,EACxCA,EAAO,SAAS,KAAKC,CAAU,EA8BxB,CACL,KAAM,UACN,QAAS,CACP,IACA,KACF,EACA,SAAUL,EACV,SAAU,CAnCQ,CAClB,UAAW,WACX,SAAU,CACR,CAAE,MAAO,KAAM,EACf,CACE,MAAO,KACP,UAAW,CACb,EACA,CACE,MAAO,KACP,UAAW,CACb,EACA,CAAE,MAAO,OAAQ,EACjB,CAAE,MAAO,OAAQ,CACnB,CACF,EAE8B,CAC5B,UAAW,WACX,SAAU,CACR,CAAE,MAAO,UAAW,EACpB,CACE,MAAO,IACP,UAAW,CACb,CACF,CACF,EAYIC,EACAF,EAAK,qBACLG,EACAH,EAAK,YACLI,EACAC,EACA,CACE,MAAO,IAAK,EACd,CACE,MAAO,KAAM,CACjB,CACF,CACF,CAEAP,GAAO,QAAUC,KC1GjB,IAAAQ,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAQC,EAAM,CAErB,MAAO,CACL,KAAM,gBACN,iBAAkB,GAClB,QAAS,CAAE,MAAO,EAClB,SAAU,CACR,SAAU,OAASA,EAAK,SACxB,KAEE,6OACF,SACE,kpBAWJ,EACA,SAAU,CACR,CACE,UAAW,UACX,MAAO,63BAqBP,IAAK,KACP,EAEAA,EAAK,QAAQ,gBAAiB,GAAG,EACjCA,EAAK,qBACLA,EAAK,kBACL,CACE,UAAW,SACX,MAAO,IACP,IAAK,WACL,UAAW,CACb,EACA,CACE,UAAW,QACX,MAAO,MACP,IAAK,MACL,QAAS,MACT,UAAW,CACb,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,aAAc,EACvB,CACE,MAAO,WAAY,CACvB,EACA,UAAW,CACb,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,oCAAqC,EAC9C,CACE,MAAO,cAAe,EACxB,CACE,MAAO,YAAa,CACxB,EACA,UAAW,CACb,CACF,EAEA,QAAS,IACX,CACF,CAEAF,GAAO,QAAUC,KCvGjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAMC,EAAM,CACnB,MAAO,CACL,KAAM,QACN,SACE,ylBAUF,SAAU,CAAEA,EAAK,QAAQ,KAAM,GAAG,CAAE,CACtC,CACF,CAEAF,GAAO,QAAUC,KC1BjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAW,CACf,MACA,SACA,QACA,MACA,QACA,OACA,UACA,QACA,QACA,SACA,QACA,QACA,QACA,OACA,QACA,MACA,SACA,QACA,WACA,UACA,WACA,MACA,QACA,WACA,UACA,UACA,SACA,MACA,KACA,OACA,OACA,OACA,QACA,WACA,aACA,YACA,cACA,WACA,aACA,MACA,OACA,OACA,SACA,OACA,MACA,QACA,SACA,QACA,MACA,UACA,OACA,SACA,WACA,OACA,WACA,WACA,WACA,gBACA,gBACA,aACA,WACA,eACA,eACA,YACA,cACA,UACA,cACA,iBACA,mBACA,cACA,WACA,WACA,WACA,gBACA,gBACA,aACA,cACA,aACA,QACA,OACA,SACA,OACA,OACA,KACA,MACA,KACA,QACA,MACA,QACA,OACA,OACA,OACA,OACA,KACA,UACA,SACA,OACA,SACA,QACA,YACA,MACA,QACA,KACA,KACA,MACA,QACA,SACA,SACA,SACA,SACA,KACA,KACA,OACA,KACA,MACA,MACA,OACA,UACA,KACA,MACA,MACA,OACA,UACA,OACA,MACA,MACA,QACA,SACA,YACA,OACA,MACA,KACA,YACA,KACA,KACA,OACA,OACA,UACA,WACA,WACA,WACA,OACA,OACA,MACA,SACA,UACA,QACA,SACA,UACA,YACA,SACA,QACA,MACA,SACA,OACA,UACA,SACA,SACA,SACA,QACA,OACA,WACA,aACA,YACA,UACA,cACA,cACA,WACA,aACA,aACA,QACA,SACA,SACA,UACA,WACA,WACA,MACA,QACA,SACA,aACA,OACA,SACA,QACA,UACA,OACA,QACA,OACA,QACA,QACA,MACA,SACA,UACA,UACA,UACA,UACA,UACA,SACA,WACA,OACA,UACA,MACA,OACA,OACA,QACA,KACA,WACA,KACA,UACA,QACA,QACA,SACA,SACA,SACA,UACA,QACA,QACA,MACA,QACA,SACA,MACA,OACA,UACA,YACA,OACA,OACA,QACA,QACA,MACA,MACA,KACF,EAGMC,EAAkB,uBAClBC,EAAgB,CACpB,SAAU,SACV,QAASF,EAAS,KAAK,GAAG,CAC5B,EACMG,EAAQ,CACZ,UAAW,QACX,MAAO,UACP,IAAK,MACL,SAAUD,CACZ,EACME,EAAS,CACb,MAAO,OACP,IAAK,IAEP,EACMC,EAAM,CAAE,SAAU,CACtB,CAAE,MAAO,MAAO,EAChB,CAAE,MAAON,EAAM,OACb,iDAGA,uBACF,CAAE,EACF,CACE,MAAO,gBACP,UAAW,CACb,CACF,CAAE,EACIO,EAAkB,CACtBR,EAAK,iBACLK,EACAE,CACF,EACME,EAAe,CACnB,IACA,KACA,KACA,KACA,IACA,IACA,GACF,EAMMC,EAAmB,CAACC,EAAQC,EAAMC,EAAQ,QAAU,CACxD,IAAMC,EAAUD,IAAU,MACtBA,EACAZ,EAAM,OAAOY,EAAOD,CAAI,EAC5B,OAAOX,EAAM,OACXA,EAAM,OAAO,MAAOU,EAAQ,GAAG,EAC/BC,EACA,oBACAE,EACA,oBACAD,EACAV,CACF,CACF,EAMMY,EAAY,CAACJ,EAAQC,EAAMC,IACxBZ,EAAM,OACXA,EAAM,OAAO,MAAOU,EAAQ,GAAG,EAC/BC,EACA,oBACAC,EACAV,CACF,EAEIa,EAAwB,CAC5BT,EACAP,EAAK,kBACLA,EAAK,QACH,OACA,OACA,CAAE,eAAgB,EAAK,CACzB,EACAM,EACA,CACE,UAAW,SACX,SAAUE,EACV,SAAU,CACR,CACE,MAAO,kBACP,IAAK,MACL,UAAW,CACb,EACA,CACE,MAAO,kBACP,IAAK,MACL,UAAW,CACb,EACA,CACE,MAAO,kBACP,IAAK,MACL,UAAW,CACb,EACA,CACE,MAAO,kBACP,IAAK,MACL,UAAW,CACb,EACA,CACE,MAAO,gBACP,IAAK,IACL,UAAW,CACb,EACA,CACE,MAAO,UACP,IAAK,IACL,UAAW,CACb,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CAAER,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,UACP,UAAW,CACb,EACA,CACE,MAAO,eACP,UAAW,CACb,CACF,CACF,EACA,CACE,UAAW,SACX,MAAO,4EACP,UAAW,CACb,EACA,CACE,MAAO,WAAaA,EAAK,eAAiB,gDAC1C,SAAU,kCACV,UAAW,EACX,SAAU,CACRA,EAAK,kBACL,CACE,UAAW,SACX,SAAU,CAER,CAAE,MAAOU,EAAiB,SAAUT,EAAM,OAAO,GAAGQ,EAAc,CAAE,QAAS,EAAK,CAAC,CAAC,CAAE,EAEtF,CAAE,MAAOC,EAAiB,SAAU,MAAO,KAAK,CAAE,EAClD,CAAE,MAAOA,EAAiB,SAAU,MAAO,KAAK,CAAE,EAClD,CAAE,MAAOA,EAAiB,SAAU,MAAO,KAAK,CAAE,CACpD,EACA,UAAW,CACb,EACA,CACE,UAAW,SACX,SAAU,CACR,CAGE,MAAO,aACP,UAAW,CACb,EAEA,CAAE,MAAOK,EAAU,YAAa,KAAM,IAAI,CAAE,EAE5C,CAAE,MAAOA,EAAU,OAAQd,EAAM,OAAO,GAAGQ,EAAc,CAAE,QAAS,EAAK,CAAC,EAAG,IAAI,CAAE,EAEnF,CAAE,MAAOM,EAAU,OAAQ,KAAM,IAAI,CAAE,EACvC,CAAE,MAAOA,EAAU,OAAQ,KAAM,IAAI,CAAE,EACvC,CAAE,MAAOA,EAAU,OAAQ,KAAM,IAAI,CAAE,CACzC,CACF,CACF,CACF,EACA,CACE,UAAW,WACX,cAAe,MACf,IAAK,uBACL,WAAY,GACZ,UAAW,EACX,SAAU,CAAEf,EAAK,UAAW,CAC9B,EACA,CACE,MAAO,UACP,UAAW,CACb,EACA,CACE,MAAO,aACP,IAAK,YACL,YAAa,cACb,SAAU,CACR,CACE,MAAO,QACP,IAAK,IACL,UAAW,SACb,CACF,CACF,CACF,EACA,OAAAK,EAAM,SAAWW,EACjBV,EAAO,SAAWU,EAEX,CACL,KAAM,OACN,QAAS,CACP,KACA,IACF,EACA,SAAUZ,EACV,SAAUY,CACZ,CACF,CAEAlB,GAAO,QAAUC,KCtdjB,IAAAkB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAYC,EAAM,CACzB,MAAO,CACL,KAAM,cACN,YAAa,MACb,SAAU,CACR,CACE,UAAW,OACX,MAAO,kBACT,EAEA,CACE,MAAO,oBACP,IAAK,IACL,YAAa,MACf,EAEA,CACE,MAAO,gBACP,IAAK,WACL,YAAa,OACb,aAAc,GACd,WAAY,EACd,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCnCjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAS,CACb,UAAW,SACX,UAAW,EACX,SAAU,CACR,CAAE,MAAO,iBAAkB,EAC3BD,EAAK,WACP,CACF,EACME,EAAkB,CACtB,SAAU,CACR,CAAE,MAAO,CACP,oBACA,MACAF,EAAK,mBACP,CAAE,CACJ,EACA,MAAO,CACL,EAAG,UACH,EAAG,gBACL,CACF,EACMG,EAAmB,CACvB,SAAU,CACR,CAAE,MAAO,CACP,uCACA,MACAH,EAAK,mBACP,CAAE,CACJ,EACA,MAAO,CACL,EAAG,UACH,EAAG,aACL,CACF,EA+FA,MAAO,CACL,KAAM,SACN,iBAAkB,GAClB,SAAU,CACR,QArDa,CACf,SACA,UACA,WACA,WACA,OACA,SACA,MACA,MACA,QACA,SACA,MACA,WACA,QACA,SACA,OACA,UACA,QACA,QACA,SACA,QACA,MACA,KACA,OACA,OACA,SACA,QACA,QACA,OACA,SACA,QACA,UACA,MACA,KACA,OACA,OACA,SACA,SACA,SACA,QACA,SAEA,MACA,KACA,MACA,MACA,KACF,EAOI,SAnGc,CAChB,WACA,YACA,QACA,QACA,OACA,QACA,OACA,QACA,OACA,QACA,SACA,QACA,MACA,MACA,OACA,QACA,QACA,MACA,OACA,MACA,QACA,MACA,MACA,MACA,MACA,MACA,MACA,MACA,MACA,MACA,OACA,OACA,MACA,OACA,OACA,KACA,SACA,OACF,EA6DI,QA5Da,CACf,OACA,QACA,MACF,CAyDE,EACA,QAAS,OACT,SAAU,CACRA,EAAK,QAAQ,OAAQ,MAAM,EAC3BA,EAAK,QACH,IACA,IACA,CAAE,UAAW,CAAE,CACjB,EACAE,EACAC,EACA,CACE,UAAW,oBACX,MAAO,kBACT,EACA,CACE,UAAW,OACX,MAAO,OACP,IAAK,IACL,SAAU,CAAE,QAAS,+BAAgC,CACvD,EACA,CACE,MAAO,CACL,OACA,UACF,EACA,MAAO,CAAE,EAAG,MAAO,CACrB,EACA,CACE,cAAe,QACf,IAAK,IACL,SAAU,CAAEH,EAAK,qBAAsB,CACzC,EACAA,EAAK,kBACLC,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KCtLjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAWC,EAAM,CACxB,IAAMC,EAAW,CACf,QAEE,6IAEF,QACE,iBACF,SACE,mRAIJ,EACMC,EAAc,2BACdC,EAAQ,CACZ,UAAW,QACX,MAAO,MACP,IAAK,KACL,SAAUF,CACZ,EACMG,EAAc,CAClBJ,EAAK,QAAQA,EAAK,cAChB,CAAE,OAAQ,CACR,IAAK,WACL,UAAW,CACb,CAAE,CAAC,EACL,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,IACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACRA,EAAK,iBACLG,CACF,CACF,CACF,CACF,EACA,CACE,UAAW,WACX,MAAO,MAAQH,EAAK,QACtB,EACA,CAAE,MAAO,IAAMA,EAAK,QACpB,EACA,CAAE,MAAOA,EAAK,SAAW,OAASA,EAAK,QACvC,CACF,EACAG,EAAM,SAAWC,EAEjB,IAAMC,EAAQL,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOE,CAAY,CAAC,EAC5DI,EAAqB,0BACrBC,EAAS,CACb,UAAW,SACX,MAAO,YACP,YAAa,GAGb,SAAU,CACR,CACE,MAAO,KACP,IAAK,KACL,SAAUN,EACV,SAAU,CAAE,MAAO,EAAE,OAAOG,CAAW,CACzC,CACF,CACF,EAEA,MAAO,CACL,KAAM,aACN,QAAS,CAAE,MAAO,EAClB,SAAUH,EACV,QAAS,OACT,SAAUG,EAAY,OAAO,CAC3BJ,EAAK,QAAQ,KAAM,GAAG,EACtB,CACE,UAAW,WACX,MAAO,QAAUE,EAAc,YAAcI,EAC7C,IAAK,QACL,YAAa,GACb,SAAU,CACRD,EACAE,CACF,CACF,EACA,CACE,MAAO,aACP,UAAW,EACX,SAAU,CACR,CACE,UAAW,WACX,MAAOD,EACP,IAAK,QACL,YAAa,GACb,SAAU,CAAEC,CAAO,CACrB,CACF,CACF,EACA,CACE,UAAW,QACX,cAAe,QACf,IAAK,IACL,QAAS,YACT,SAAU,CACR,CACE,cAAe,UACf,eAAgB,GAChB,QAAS,YACT,SAAU,CAAEF,CAAM,CACpB,EACAA,CACF,CACF,EACA,CACE,UAAW,OACX,MAAOH,EAAc,IACrB,IAAK,IACL,YAAa,GACb,UAAW,GACX,UAAW,CACb,CACF,CAAC,CACH,CACF,CAEAJ,GAAO,QAAUC,KC5IjB,IAAAS,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CA0TlB,MAAO,CACL,KAAM,OACN,iBAAkB,GAClB,SAAU,CACR,CACE,cACE,+FACF,IAAK,IACL,SAAU,CACR,QAjUS,CACf,MACA,QACA,UACA,MACA,MACA,QACA,KACA,MACA,QACA,UACA,SACA,UACA,QACA,SACA,QACA,KACA,OACA,OACA,OACA,UACA,UACA,aACA,SACA,UACA,WACA,YACA,QACA,SACA,WACA,UACA,YACA,UACA,YACA,SACA,UACA,OACA,WACA,WACA,KACA,OACA,OACA,UACA,OACA,MACA,QACA,SACA,UACA,UACA,SACA,UACA,QACA,QACA,UACA,MACA,QACA,OACA,WACA,QACA,QACA,MACA,SACA,KACA,SACA,QACA,KACA,UACA,YACA,QACA,QACA,SACA,QACA,SACA,YACA,OACA,KACA,OACA,MACA,OACA,WACA,QACA,OACA,OACA,MACA,UACA,OACA,QACA,MACA,MACA,UACA,UACA,eACA,QACA,QACA,YACA,OACA,MACA,SACA,SACA,SACA,KACA,SACA,KACA,QACA,QACA,OACA,QACA,YACA,WACA,OACA,OACA,UACA,UACA,UACA,YACA,YACA,SACA,MACA,QACA,SACA,SACA,SACA,YACA,SACA,QACA,OACA,WACA,YACA,SACA,SACA,OACA,OACA,MACA,OACA,OACA,QACA,aACA,SACA,SACA,OACA,KACA,cACA,UACA,WACA,QACA,QACA,SACA,UACA,SACA,QACA,SACA,SACA,MACA,OACA,QACA,WACA,QACA,SACA,SACA,MACA,OACA,OACA,QACA,QACA,OACA,SACA,OACA,KACF,EA0JQ,QAxJS,CACf,OACA,QACA,OACA,WACF,EAoJQ,SAlJU,CAChB,YACA,eACA,eACA,iBACA,cACA,iBACA,eACA,eACA,YACA,YACA,iBACA,gBACA,YACA,cACA,eACA,eACA,gBACA,gBACA,aACA,YACA,MACA,QACA,MACA,MACA,MACA,WACA,QACA,YACA,kBACA,SACA,YACA,SACA,QACA,QACA,aACA,SACA,WACA,WACA,eACA,YACA,kBACA,eACA,mBACA,gBACA,mBACA,gBACA,oBACA,iBACA,kBACA,SACA,gBACA,gBACA,gBACA,sBACA,aACA,UACA,kBACA,aACA,mBACA,cACA,cACA,eACA,cACA,SACA,gBACA,gBACA,OACA,OACA,MACA,OACA,OACA,OACA,QACA,OACA,MACA,UACA,IACA,MACA,KACA,MACA,QACA,KACA,QACA,UACA,SACA,QACA,OACA,MACA,OACA,MACA,QACA,gBACA,eACA,eACA,qBACA,gBACA,sBACA,aACA,aACA,gBACA,gBACA,kBACA,cACA,kBACA,iBACA,WACA,UACA,SACA,QACA,QACA,WACA,SACA,UACA,QACA,QACA,SACA,QACA,OACA,QACA,UACA,SACA,YACA,WACA,WACA,WACA,OACA,UACA,SACA,YACA,WACA,WACA,UACF,CAcM,EACA,SAAU,CACR,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACAA,EAAK,cACLA,EAAK,oBACP,CACF,EACAA,EAAK,oBACP,CACF,CACF,CAEAF,GAAO,QAAUC,KC3WjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAWC,EAAM,CACxB,IAAMC,EAAS,CACb,MAAO,CACL,aACA,QACA,OACA,GACF,EACA,UAAW,CACT,EAAG,YACH,EAAG,aACL,CACF,EACMC,EAAkB,CACtB,MAAO,CACL,aACA,aACA,QACA,MACA,KACF,EACA,UAAW,CACT,EAAG,YACH,EAAG,cACH,EAAG,QACL,CACF,EACMC,EAAS,CACb,MAAO,CACL,OACA,IACA,MACA,KACF,EACA,UAAW,CACT,EAAG,cACH,EAAG,QACL,CACF,EACMC,EAAY,CAChB,SAAU,CACR,CAAE,MAAO,CACP,OACA,IACA,MACA,KACF,CAAE,EACF,CAAE,MAAO,CACP,OACA,IACF,CAAE,CACJ,EACA,UAAW,CACT,EAAG,SACH,EAAG,QACL,CACF,EAEA,MAAO,CACL,KAAM,cACN,QAAS,CAAE,IAAK,EAChB,SAAU,CACRJ,EAAK,QAAQA,EAAK,kBAAmB,CACnC,MAAO,YACP,aAAc,EAChB,CAAC,EACDI,EACAD,EACAF,EACAC,CACF,CACF,CACF,CAEAJ,GAAO,QAAUC,KClFjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAMC,EAAM,CACnB,IAAMC,EAAQD,EAAK,MACbE,EAAM,CACV,UAAW,WACX,SAAU,CACR,CAAE,MAAO,OAAQ,EACjB,CAAE,MAAO,WAAY,EACrB,CAAE,MAAOD,EAAM,OAAO,OAAQD,EAAK,mBAAmB,CAAE,CAC1D,CACF,EA2BMG,EAAU,CACd,eAAgB,GAChB,SAAU,CACR,SAAU,yBACV,QA9Ba,CACf,KACA,MACA,MACA,KACA,OACA,QACA,OACA,UACA,QACA,OACA,SACA,OACA,QACA,OACA,SACA,QACA,OACA,YACA,WACA,SACA,QACA,QACA,OACA,WACF,CAME,EACA,UAAW,EACX,QAAS,KACT,SAAU,CACRH,EAAK,kBACL,CACE,UAAW,SACX,SAAU,CACRA,EAAK,iBACLE,CACF,EACA,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,EAEA,CACE,MAAO,aACP,IAAK,MACL,eAAgB,GAChB,WAAY,GACZ,SAAU,CAAEA,CAAI,CAClB,EACA,CACE,UAAW,SACX,SAAU,CACRF,EAAK,iBACLE,CACF,EACA,SAAU,CACR,CACE,MAAO,SACP,IAAK,YACL,UAAW,EACb,EAEA,CACE,MAAO,YACP,IAAK,YACL,UAAW,EACb,EAEA,CAAE,MAAO,oBAAqB,EAE9B,CAAE,MAAO,oBAAqB,CAChC,CACF,EAEA,CACE,UAAW,SACX,MAAO,6DACT,EAEA,CACE,UAAW,SACX,MAAO,4BACP,UAAW,CACb,EACAA,CACF,CACF,EAEA,MAAO,CACL,KAAM,eACN,QAAS,CAAE,WAAY,EACvB,SAAU,CACRF,EAAK,kBACL,CACE,cAAe,oBACf,IAAK,OACL,SAAUG,EAAQ,SAClB,SAAU,CAAE,QAAS,mBAAoB,CAC3C,EACA,CACE,UAAW,UACX,MAAOF,EAAM,OAAOD,EAAK,oBAAsBC,EAAM,UAAU,OAAO,CAAC,EACvE,UAAW,CACb,EACA,CACE,MAAOA,EAAM,UAAUD,EAAK,oBAAsB,KAAK,EACvD,IAAK,QACL,SAAU,CACR,CACE,UAAW,YACX,MAAOA,EAAK,oBACZ,OAAQG,CACV,CACF,EACA,UAAW,CACb,CACF,EACA,QAAS,cACX,CACF,CAEAL,GAAO,QAAUC,KCxJjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAIC,EAAM,CAkIjB,MAAO,CACL,KAAM,MACN,SAAU,CACR,QApFa,CACf,OACA,MACA,KACA,MACA,OACA,QACA,QACA,OACA,OACA,QACA,WACA,YACA,UACA,WACA,MACA,KACA,OACA,OACA,MACA,OACA,SACA,SACA,UACA,MACA,OACA,OACA,UACA,UACA,KACA,SACA,KACA,UACA,YACA,KACA,QACA,WACA,MACA,QACA,SACA,QACA,MACA,MACA,MACA,QACA,SACA,KACA,KACA,MACA,OACA,MACA,QACA,MACA,SACA,SACA,MACA,MACA,SACA,WACA,MACA,QACA,OACA,QACA,MACA,OACA,QACA,OACA,UACA,MACA,OACF,EAeI,QARa,CACf,OACA,OACF,EAMI,KAtIU,CACZ,MACA,OACA,QACA,QACA,QACA,OACA,QACA,SACA,SACA,SACA,QACA,UACA,UACA,OACA,OACA,SACA,UACA,UACA,OACA,OACA,OACA,OACA,MACA,QACA,QACA,YACA,UACA,MACA,MACA,QACA,SACA,QACA,SACA,SACA,OACA,QACA,YACA,SACA,UACA,cACA,SACA,UACA,QACA,aACA,eACA,YACF,EAwFI,SAhBc,CAChB,QACA,SACA,SACA,QACF,CAYE,EACA,SAAU,CACR,CACE,UAAW,OACX,MAAO,OACP,IAAK,OACL,UAAW,EACb,EACA,CACE,UAAW,SACX,MAAO,eACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,IAAK,CAAE,CAC9B,EACA,CACE,UAAW,SACX,MAAO,oBACP,IAAK,KACP,EACAA,EAAK,kBACL,CACE,UAAW,OACX,MAAO,eACP,UAAW,CACb,EACA,CACE,UAAW,SACX,UAAW,EACX,SAAU,CACR,CAAE,MAAO,0DAA2D,EACpE,CAAE,MAAO,6CAA8C,EACvD,CAAE,MAAO,+CAAgD,EACzD,CAAE,MAAO,uCAAwC,CACnD,CACF,EACAA,EAAK,iBACP,CACF,CACF,CAEAF,GAAO,QAAUC,KCxLjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAW,CACf,QAAS,CACP,MACA,OACA,MACA,KACA,UACA,SACA,KACA,OACA,MACF,EACA,QAAS,CACP,OACA,QACA,KACA,MACA,MACF,EACA,SAAU,CACR,SACA,QACA,aACA,QACA,SACA,WACA,MACA,cACA,QACA,WACA,YACF,CACF,EACMC,EAAY,CAChB,UAAW,QACX,MAAO,OACP,IAAK,KACL,SAAUD,CACZ,EACME,EAAiB,CACrB,UAAW,cACX,MAAO,MACT,EACMC,EAAQ,CACZ,MAAO,uBACP,YAAa,GACb,UAAW,EACX,SAAU,CACR,CACE,UAAW,OACX,MAAO,MACP,UAAW,EACb,CACF,CACF,EACMC,EAAS,CACb,UAAW,SACX,SAAU,CAAEF,EAAgBD,CAAU,EACtC,SAAU,CACR,CACE,MAAO,KACP,IAAK,IACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,EACMI,EAAc,CAClBN,EAAK,YACLA,EAAK,kBACLA,EAAK,qBACLK,EACAD,CACF,EACA,OAAAF,EAAU,SAAWI,EACd,CACL,KAAM,MACN,QAAS,CAAE,OAAQ,EACnB,SAAUL,EACV,SAAUK,CACZ,CACF,CAEAR,GAAO,QAAUC,KC7FjB,IAAAQ,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAASC,EAAM,CACtB,MAAO,CACL,KAAM,YACN,SAAU,CACR,CACE,UAAW,cACX,OAAQ,CAGN,IAAK,MACL,OAAQ,CACN,IAAK,IACL,YAAa,YACf,CACF,EACA,SAAU,CACR,CAAE,MAAO,aAAc,EACvB,CAAE,MAAO,kBAAmB,CAC9B,CACF,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KChCjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAqB,CACzB,aACA,UACA,cACA,UACA,gBACA,gBACA,cACA,UACA,UACA,YACA,SACA,UACA,UACA,YACA,QACA,UACA,aACA,UACA,iBACA,WACA,eACA,QACA,UACA,SACA,WACA,aACA,YACA,UACA,iBACA,iBACA,eACA,cACA,SACA,sBACA,YACA,SACA,aACA,YACA,YACA,SACA,OACA,YACA,SACA,QACF,EAEMC,EAAc,CAClB,UACA,yBACA,wBACA,yBACA,0BACA,wBACA,2BACA,OACA,OACA,OACA,oBACA,sBACA,oBACA,gBACA,qBACA,wBACA,aACA,OACA,OACA,MACA,UACA,WACA,WACA,OACA,OACA,UACA,QACA,sBACA,gBACA,gBACA,gBACA,gBACA,qBACA,qBACA,kBACA,cACA,QACA,cACA,iBACA,WACA,gBACA,mBACA,aACA,cACA,WACA,SACA,UACA,WACA,QACA,gBACA,kBACF,EAEMC,EAAiB,CACrB,gBACA,eACA,aACA,KACA,SACA,UACA,OACA,OACA,QACA,QACA,UACA,WACA,gBACA,gBACA,KACA,QACA,aACA,cACA,SACA,UACA,cACA,QACA,WACA,WACA,UACA,cACA,gBACA,SACA,WACA,QACA,iBACA,UACA,SACF,EAEMC,EAAY,CAChB,UAAW,oBACX,MAAOJ,EAAM,OAAO,KAAMA,EAAM,OAAO,GAAGC,CAAkB,CAAC,CAC/D,EAEMI,EAAU,CAEd,UAAW,WACX,MAAO,mBACT,EAEMC,EAAY,CAEhB,UAAW,WACX,MAAO,eACP,QAAS,UACX,EAEMC,EAAY,CAEhB,UAAW,WACX,MAAO,mBACT,EAEMC,EAAa,CAEjB,UAAW,SACX,MAAOR,EAAM,OAAO,GAAGE,CAAW,CACpC,EAEMO,EAAW,CAEf,UAAW,UACX,MAAOT,EAAM,OACX,IACAA,EAAM,OAAO,GAAGG,CAAc,CAChC,CACF,EAEMO,EAAe,CAEnB,UAAW,cACX,MAAO,gBACT,EAEMC,EAAU,CAEd,UAAW,iBACX,MAAO,UACT,EAEMC,EAAS,CACb,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,EACA,QAAS,KACT,SAAU,CACRF,EACAN,EACAC,EACAC,EACAC,CACF,CACF,EAEMM,EAAW,CACf,QACA,mBACA,UACA,sBACA,iBACA,kBACA,SACA,aACA,eACA,eACA,OACA,cACA,UACA,WACA,cACA,cACA,gBACA,gBACA,YACA,WACA,kBACA,aACA,iBACA,SACA,eACA,eACA,eACA,iBACA,cACA,oBACA,UACA,SACA,YACA,eACA,aACA,eACA,OACA,OACA,YACA,gBACA,WACA,mBACA,OACA,cACA,YACA,gBACA,WACA,WACA,eACA,kBACA,eACA,mBACA,WACA,YACA,gBACA,gBACA,YACA,YACA,WACA,aACA,WACA,iBACA,oBACA,aACA,gBACA,qBACA,gBACA,cACA,mBACA,kBACA,qBACA,kBACA,qBACA,kBACA,kBACA,YACA,OACA,aACA,OACA,UACA,WACA,eACA,eACA,gBACA,uBACA,WACA,iBACA,oBACA,gBACA,aACA,mBACA,oBACA,WACA,kBACA,kBACA,WACA,YACA,WACA,SACA,UACA,SACA,QACA,YACA,aACA,WACA,WACA,aACA,iBACA,cACA,wBACA,oBACA,cACA,kBACA,mBACA,aACA,SACA,UACA,mBACA,wBACA,2BACA,sBACA,aACA,iBACA,SACA,MACA,UACA,OACA,gBACA,gBACA,uBACA,mBACA,cACA,MACA,OACA,OACA,aACA,aACA,eACA,aACA,SACA,SACA,SACA,wBACA,cACA,SACA,QACA,aACA,kBACA,sBACA,iBACA,iBACA,YACA,kBACA,sBACA,iBACA,iBACA,cACA,eACA,mBACA,cACA,gBACA,wBACA,eACA,iBACA,uBACA,cACA,kBACA,iBACA,gBACA,YACA,oBACA,UACA,aACA,eACA,gBACA,aACA,qBACA,YACA,kBACA,oBACA,aACA,gBACA,kBACA,QACA,aACA,SACA,UACA,SACA,SACA,aACA,UACA,sBACA,mBACA,gBACA,sBACA,gBACA,aACA,WACA,MACA,kBACA,gBACA,mBACA,aACA,cACA,cACA,gBACA,oBACA,mBACA,eACA,cACA,mBACA,SACF,EAEMC,EAAW,CACf,QACA,MACA,OACA,OACA,SACA,QACA,UACA,aACA,UACA,SACA,YACA,QACA,QACA,OACA,UACA,SACA,UACA,YACA,WACA,QACA,OACA,UACA,WACA,OACA,YACA,OACA,SACA,SACA,MACA,KACA,OACA,QACA,QACA,OACA,SACA,YACA,SACA,WACA,MACA,OACA,MACA,gBACA,YACA,eACA,eACA,aACA,gBACA,OACA,QACA,OACA,OACA,WACA,MACF,EAEMC,EAAsB,CAC1B,MAAO,CACL,WACA,MACAf,EAAM,OAAO,QAASD,EAAK,QAAQ,CACrC,EACA,MAAO,CACL,EAAG,UACH,EAAG,gBACL,CACF,EAKMiB,EAAsB,CAC1B,MAAO,CACL,MACA,MACA,mBALqB,gBAOvB,EACA,MAAO,CACL,EAAG,UACH,EAAG,SACH,EAAG,UACL,CACF,EAEA,MAAO,CACL,KAAM,OACN,iBAAkB,GAClB,SAAU,CACR,QAASH,EACT,QAASC,CACX,EACA,SAAU,CACRf,EAAK,kBACLA,EAAK,qBACLA,EAAK,QACH,IACA,IACA,CAAE,UAAW,CAAE,CACjB,EACAiB,EACAD,EACA,CAAE,cAAe,6DAA+D,EAChFH,EACAH,EACAJ,EACAC,EACAC,EACAC,EACAG,EACAZ,EAAK,WACP,CACF,CACF,CAEAF,GAAO,QAAUC,KCziBjB,IAAAmB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAWC,EAAM,CACxB,IAAMC,EAAY,CAChB,UAAW,WACX,MAAO,sEACT,EACMC,EAAgB,yBAuJhBC,EAAW,CACf,oBAAqB,CACnB,OACA,OACF,EACA,SAAUD,EACV,QA3IU,CACV,QACA,SACA,SACA,UACA,QACA,SACA,MACA,QACA,WACA,SACA,UACA,KACA,KACA,SACA,OACA,OACA,OACA,QACA,SACA,MACA,OACA,UACA,WACA,WACA,WACA,SACA,WACA,SACA,WACA,SACA,YACA,OACA,gBACA,KACA,SACA,YACA,WACA,WACA,SACA,OACA,OACA,KACA,MACA,QACA,SACA,QACA,SACA,WACA,SACA,UACA,kBACA,WACA,aACA,UACA,OACA,YACA,OACA,SACA,SACA,WACA,mBACA,cACA,WACA,YACA,YACA,YACA,UACA,WACA,UACA,QACA,uBACA,WACA,oBACA,oBACA,kBACA,cACA,kBACA,WACA,WACA,YACA,oBACA,eACA,sBACA,gBACA,SACA,SACA,SACA,oBACA,UACA,WACA,mBACA,kBACA,QACA,eACA,4BACA,iBACA,oBACA,2BACA,YACA,eACA,gBACA,UACA,aACA,uBACA,0BACA,wBACA,uBACA,gBACA,mBACA,YACA,aACA,gBACA,iBACA,eACF,EAyBE,QAxBe,CACf,QACA,OACA,QACA,OACA,MACA,MACA,KACA,MACF,EAgBE,SAfgB,CAChB,kBACA,mBACA,gBACA,iBACA,eACF,EAUE,KA/JY,CACZ,MACA,QACA,OACA,WACA,SACA,QACA,OACA,SACA,UACA,UACA,OACA,OACA,OACA,OACA,OACF,CAgJA,EACME,EAAiB,CACrB,SAAUF,EACV,QAAS,CACP,aACA,SACA,YACA,iBACF,CACF,EACA,MAAO,CACL,KAAM,cACN,QAAS,CACP,KACA,OACA,QACA,UACA,eACF,EACA,SAAUC,EACV,QAAS,KACT,SAAU,CACRF,EACAD,EAAK,oBACLA,EAAK,qBACLA,EAAK,cACLA,EAAK,kBACLA,EAAK,iBACL,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,KACP,IAAK,IACL,QAAS,MACT,SAAU,CAAEA,EAAK,gBAAiB,CACpC,CACF,CACF,EACA,CACE,UAAW,OACX,MAAO,eACP,IAAK,IACL,SAAU,CAAE,QACR,gFACgC,EACpC,SAAU,CACR,CACE,MAAO,OACP,UAAW,CACb,EACAA,EAAK,QAAQA,EAAK,kBAAmB,CAAE,UAAW,QAAS,CAAC,EAC5D,CACE,UAAW,SACX,MAAO,QACP,IAAK,IACL,QAAS,KACX,EACAA,EAAK,oBACLA,EAAK,oBACP,CACF,EACA,CACE,UAAW,QACX,MAAO,IAAMI,EAAe,QAAQ,KAAK,GAAG,EAAI,OAChD,IAAK,SACL,WAAY,GACZ,SAAUA,EACV,SAAU,CAAEJ,EAAK,qBAAsB,CACzC,EACA,CACE,MAAO,MAAQA,EAAK,oBACpB,UAAW,CACb,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC5PjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAMC,EAAM,CAEnB,MAAO,CACL,KAAM,QACN,QAAS,CAAE,IAAK,EAChB,SAAU,CACR,SAAU,eACV,QACE,sVAOF,SAEE,qHAGF,QACE,YACJ,EACA,QAAS,UACT,SAAU,CACR,CACE,UAAW,UACX,MAAO,yBACP,UAAW,CACb,EACAA,EAAK,QACH,SACA,SACA,CAAE,SAAU,CAAE,MAAO,CAAE,CACzB,EACA,CACE,UAAW,SACX,MAAO,wBAET,EACA,CACE,UAAW,OACX,MAAO,eACT,EACA,CACE,UAAW,OACX,MAAO,kBACP,UAAW,CACb,EACA,CACE,MAAO,qBACP,UAAW,CACb,EACAA,EAAK,QAAQA,EAAK,iBAAkB,CAClC,UAAW,SACX,UAAW,CACb,CAAC,EACDA,EAAK,QAAQA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,EACtD,CACE,UAAW,SACX,MACE,2HAIF,UAAW,CACb,EACA,CAAE,MAAO,IACT,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KClFjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAASC,EAAM,CACtB,IAAMC,EAAe,CACnB,UAAW,UACX,MAAO,gCACT,EACMC,EAAW,CACf,UAAW,UACX,MAAO,qBACT,EACMC,EAAU,CACd,UAAW,SACX,MAAO,8BACP,UAAW,CACb,EACMC,EAASJ,EAAK,QAAQA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,EAC/DK,EAAS,CACb,UAAW,OACX,SAAU,CAAE,QAAS,aAAc,EACnC,MAAO,gBACP,IAAK,GACP,EACMC,EAAS,CACb,UAAW,SACX,MAAO,MACP,IAAK,MACL,SAAU,CACR,OACAH,EACAC,EACAH,EACAC,CACF,CACF,EACMK,EAAY,CAChB,MAAO,SACP,UAAW,CACb,EACMC,EAAY,CAChB,UAAW,WACX,cAAe,kBACf,IAAK,OACL,SAAU,CACRF,EACAN,EAAK,qBACP,CACF,EAEA,MAAO,CACL,KAAM,WACN,QAAS,CAAE,MAAO,EAClB,SAAU,CACR,QAAS,+DACT,QAAS,sBACT,SAAU,qdACZ,EACA,SAAU,CACRA,EAAK,oBACLA,EAAK,qBACLG,EACAE,EACAD,EACAH,EACAM,EACAC,CACF,CACF,CACF,CAEAV,GAAO,QAAUC,KC5EjB,IAAAU,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAQC,EAAM,CACrB,IAAMC,EAAmB,CACvB,SAAU,SACV,QACE,6lCAQJ,EACMC,EAAgBF,EAAK,QACzB,KACA,KACA,CAAE,UAAW,CAAE,CACjB,EACMG,EAAgBH,EAAK,QACzB,SACA,SACA,CAAE,UAAW,EAAG,CAClB,EACMI,EAAS,CACb,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,IAAO,CAAE,CAChC,EACMC,EAAc,CAClB,UAAW,SACX,MAAO,UACT,EACMC,EAAW,CACf,cAAe,mDACf,IAAK,OACL,SAAU,+DACV,SAAU,CACRN,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAO,gBAAiB,CAAC,EACzD,CACE,UAAW,SACX,MAAO,MACP,IAAK,MACL,SAAUC,EACV,SAAU,CACRG,EACAC,CACF,CACF,EACAH,EACAC,CACF,CACF,EAEMI,EAAY,CAChB,MAAO,cACP,MAAO,IACP,UAAW,CACb,EAEA,MAAO,CACL,KAAM,UACN,iBAAkB,GAClB,SAAUN,EACV,QAAS,kCACT,SAAU,CACRC,EACAC,EACAH,EAAK,oBACLI,EACAC,EACAL,EAAK,YACLM,EACAC,CACF,CACF,CACF,CAEAT,GAAO,QAAUC,KCrFjB,IAAAS,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAQC,EAAM,CACrB,IAAMC,EAAmBD,EAAK,QAC5B,KACA,KACA,CAAE,SAAU,CAAE,MAAO,CAAE,CACzB,EACA,MAAO,CACL,KAAM,UACN,YAAa,MACb,UAAW,EACX,SAAU,CACRA,EAAK,QAAQ,KAAM,GAAG,EACtBA,EAAK,QACH,UACA,KACA,CACE,UAAW,GACX,SAAU,CAAEC,CAAiB,CAC/B,CACF,EACA,CACE,UAAW,OACX,MAAO,gCACP,UAAW,EACb,EACA,CACE,UAAW,QACX,MAAO,0DACT,EACA,CACE,UAAW,WACX,MAAO,mBACT,EACA,CACE,UAAW,UACX,MAAO,aACT,EACA,CACE,UAAW,SACX,MAAO,kBACT,EACAD,EAAK,aACP,CACF,CACF,CAEAF,GAAO,QAAUC,KCtDjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAGC,EAAM,CAChB,IAAMC,EAAQ,CACZ,UAAW,WACX,MAAO,qBACP,UAAW,CACb,EACMC,EAAQ,CACZ,UAAW,WACX,MAAO,UACP,IAAK,GACP,EAEA,MAAO,CACL,KAAM,uBACN,QAAS,CAAE,SAAU,EACrB,SAAU,CACR,SAAU,gBACV,SAGE,wDACF,QACE,kzBAgBF,QACE,oDACJ,EACA,SAAU,CACRF,EAAK,kBACLA,EAAK,YACLA,EAAK,kBACLC,EACAC,CACF,CACF,CACF,CAEAJ,GAAO,QAAUC,KC3DjB,IAAAI,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAkBA,SAASC,GAAMC,EAAM,CACnB,IAAMC,EAAeD,EAAK,QAAQ,KAAM,GAAG,EACrCE,EAAiB,0BACjBC,EAAgB,4CAChBC,EAAQ,SAAWF,EAAiB,SAEpCG,EAIJ,g5EA0CIC,EACJ,qJAGIC,EACJ,uLAIIC,EAEJ,gxBAeIC,EACJD,EAAM,KAAK,EACR,MAAM,GAAG,EACT,IAAI,SAASE,EAAK,CAAE,OAAOA,EAAI,MAAM,GAAG,EAAE,CAAC,CAAG,CAAC,EAC/C,KAAK,GAAG,EAEPC,EACJ,8JAGIC,EACJ,uXAOIC,EAEJ,i1LAuKIC,EAzFJ,quIA0FY,KAAK,EACZ,MAAM,GAAG,EACT,IAAI,SAASJ,EAAK,CAAE,OAAOA,EAAI,MAAM,GAAG,EAAE,CAAC,CAAG,CAAC,EAC/C,KAAK,GAAG,EAEf,MAAO,CACL,KAAM,aACN,QAAS,CACP,WACA,YACF,EACA,WAAY,MACZ,iBAAkB,GAClB,SAAU,CACR,QACML,EAASE,EAAaD,EAC5B,SACMK,EAASC,EAAaC,CAC9B,EAGA,QAAS,6DACT,SAAU,CAER,CACE,UAAW,UACX,SAAU,CACR,CAAE,MAAO,mBAAoB,EAC7B,CAAE,MAAO,yCAA0C,EACnD,CAAE,MAAO,yCAA0C,EACnD,CAAE,MAAO,8CAA+C,EACxD,CAAE,MAAO,mCAAoC,EAC7C,CAAE,MAAO,0BAA2B,EACpC,CAAE,MAAO,qBAAsB,EAC/B,CAAE,MAAO,4BAA6B,EACtC,CAAE,MAAO,wCAAyC,EAClD,CAAE,MAAO,8BAA+B,EACxC,CAAE,MAAO,oCAAqC,EAC9C,CAAE,MAAO,+EAAgF,EACzF,CAAE,MAAO,qBAAsB,EAC/B,CAAE,MAAO,qBAAsB,EAC/B,CAAE,MAAO,6BAA8B,EACvC,CAAE,MAAO,mBAAoB,EAC7B,CAAE,MAAO,qBAAsB,EAC/B,CAAE,MAAO,4DAA6D,EACtE,CAAE,MAAO,2BAA4B,EACrC,CAAE,MAAO,8CAA+C,EACxD,CAAE,MAAO,kCAAmC,EAC5C,CAAE,MAAO,mCAAoC,EAC7C,CAAE,MAAO,sCAAuC,EAChD,CAAE,MAAO,2BAA4B,EACrC,CAAE,MAAO,sBAAuB,EAChC,CAAE,MAAO,sCAAuC,EAChD,CAAE,MAAO,yBAA0B,EACnC,CAAE,MAAO,0BAA2B,EACpC,CAAE,MAAO,iCAAkC,EAC3C,CAAE,MAAO,6BAA8B,EACvC,CAAE,MAAO,4BAA6B,EACtC,CAAE,MAAO,uCAAwC,EACjD,CAAE,MAAO,mCAAoC,EAC7C,CAAE,MAAO,qCAAsC,EAC/C,CAAE,MAAO,wCAAyC,EAClD,CAAE,MAAO,sBAAuB,EAChC,CAAE,MAAO,kBAAmB,EAC5B,CAAE,MAAO,2BAA4B,EACrC,CAAE,MAAO,iCAAkC,EAC3C,CAAE,MAAO,oCAAqC,EAC9C,CAAE,MAAO,qGAAsG,EAC/G,CAAE,MAAO,kEAAmE,CAC9E,CACF,EAEA,CAAE,MAAO,gCAET,EAEA,CACE,MAAO,iBACP,SAAU,SACZ,EAEA,CAAE,MAAO,mDAAoD,EAG7D,CAAE,MAAO,2MAA4M,EAErN,CAEE,MAAO,sCACP,UAAW,EACb,EAEA,CACE,MAAO,iBACP,IAAK,WACL,UAAW,GACX,SAAU,CAER,KAAM,wKAEsC,CAChD,EAEA,CACE,MAAO,mCACP,SAAU,CAER,QAAS,MAAO,CACpB,EAEA,CACE,MAAO,sDACP,SAAU,CAER,QAAS,kBAAmB,CAChC,EAIA,CACE,cAAe,oCACf,IAAKb,EAAK,YACV,UAAW,GACX,SAAU,sCACZ,EAEA,CACE,UAAW,OACX,MAAO,kCACT,EAEA,CACE,UAAW,OACX,MAAO,yFACT,EAEA,CACE,MAAO,kGACP,SAAU,CACR,QAAS,UACT,KAAM,iFACR,CACF,EAEA,CAAE,MAAO,OAASc,EAAe,UAEjC,EAEA,CAAE,MAAO,OAASL,EAAW,MAC7B,EACA,CACE,MAAO,OAASA,EAAW,eAC3B,SAAU,CACR,QAAS,OACT,KAAMD,EAAM,QAAQ,QAAS,EAAE,CACjC,CACF,EACA,CACE,UAAW,OACX,MAAO,OAASC,EAAW,MAC7B,EAEA,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,IAAO,CAAE,CAChC,EACA,CACE,UAAW,SACX,MAAO,eACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,OAAQ,CAAE,EAC/B,UAAW,EACb,EACAT,EAAK,kBAAkB,CACrB,MAAOG,EACP,IAAKA,EACL,SAAU,CACR,CAGE,YAAa,CACX,QACA,OACA,SACA,MACA,IACA,MACA,OACA,MACA,OACA,OACA,SACA,MACA,MACF,EACA,eAAgB,EAClB,CACF,CACF,CAAC,EAED,CACE,MAAO,IACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,IAAK,CAAE,CAC9B,EAEAH,EAAK,cAELA,EAAK,qBACLC,EAGA,CACE,UAAW,OACX,SAAU,CACR,CACE,MAAO,cACP,UAAW,EACb,EACA,CACE,MAAO,SAAU,EACnB,CACE,MAAO,QACP,IAAK,GACP,CACF,CACF,EAEA,CACE,UAAW,SACX,MAAOG,EACP,UAAW,EACb,CACF,CACF,CACF,CAEAN,GAAO,QAAUC,KC3gBjB,IAAAgB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAYA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAQD,EAAK,MAGbE,EAAe,yBACfC,EAAWF,EAAM,OACrB,2CACAC,CAAY,EAERE,EAA4BH,EAAM,OACtC,yEACAC,CAAY,EACRG,EAAW,CACf,MAAO,WACP,MAAO,OAASF,CAClB,EACMG,EAAe,CACnB,MAAO,OACP,SAAU,CACR,CAAE,MAAO,SAAU,UAAW,EAAG,EACjC,CAAE,MAAO,MAAO,EAEhB,CAAE,MAAO,MAAO,UAAW,EAAI,EAC/B,CAAE,MAAO,KAAM,CACjB,CACF,EACMC,EAAQ,CACZ,MAAO,QACP,SAAU,CACR,CAAE,MAAO,OAAQ,EACjB,CACE,MAAO,OACP,IAAK,IACP,CACF,CACF,EACMC,EAAgBR,EAAK,QAAQA,EAAK,iBAAkB,CAAE,QAAS,IAAM,CAAC,EACtES,EAAgBT,EAAK,QAAQA,EAAK,kBAAmB,CACzD,QAAS,KACT,SAAUA,EAAK,kBAAkB,SAAS,OAAOO,CAAK,CACxD,CAAC,EAEKG,EAAU,CACd,MAAO,+BACP,IAAK,gBACL,SAAUV,EAAK,kBAAkB,SAAS,OAAOO,CAAK,EACtD,WAAY,CAACI,GAAGC,KAAS,CAAEA,GAAK,KAAK,YAAcD,GAAE,CAAC,GAAKA,GAAE,CAAC,CAAG,EACjE,SAAU,CAACA,GAAGC,KAAS,CAAMA,GAAK,KAAK,cAAgBD,GAAE,CAAC,GAAGC,GAAK,YAAY,CAAG,CACnF,EAEMC,EAASb,EAAK,kBAAkB,CACpC,MAAO,qBACP,IAAK,eACP,CAAC,EAEKc,EAAa;AAAA,GACbC,EAAS,CACb,MAAO,SACP,SAAU,CACRN,EACAD,EACAE,EACAG,CACF,CACF,EACMG,EAAS,CACb,MAAO,SACP,SAAU,CACR,CAAE,MAAO,6BAA8B,EACvC,CAAE,MAAO,+BAAgC,EACzC,CAAE,MAAO,2CAA4C,EAErD,CAAE,MAAO,4EAA6E,CACxF,EACA,UAAW,CACb,EACMC,EAAW,CACf,QACA,OACA,MACF,EACMC,EAAM,CAGV,YACA,UACA,WACA,eACA,2BACA,WACA,aACA,gBACA,YAGA,MACA,OACA,OACA,UACA,eACA,QACA,UACA,eAMA,QACA,WACA,MACA,KACA,SACA,OACA,UACA,QACA,WACA,OACA,QACA,QACA,QACA,QACA,WACA,UACA,UACA,KACA,SACA,OACA,SACA,QACA,aACA,SACA,aACA,QACA,YACA,WACA,OACA,OACA,UACA,QACA,UACA,QACA,MACA,UACA,OACA,SACA,OACA,KACA,aACA,aACA,YACA,MACA,UACA,YACA,QACA,WACA,OACA,UACA,QACA,MACA,QACA,SACA,KACA,UACA,YACA,SACA,WACA,OACA,SACA,SACA,SACA,QACA,QACA,MACA,QACA,MACA,MACA,OACA,QACA,MACA,OACF,EAEMC,EAAY,CAGhB,UACA,iBACA,qBACA,kBACA,gBACA,cACA,iBACA,2BACA,yBACA,kBACA,yBACA,eACA,YACA,oBACA,sBACA,kBACA,gBACA,iBACA,YACA,qBACA,iBACA,eACA,mBACA,2BACA,mBACA,kBACA,gBACA,iBACA,mBACA,mBACA,uBACA,sBACA,gBACA,oBACA,iBACA,aACA,iBACA,yBACA,2BACA,kCACA,6BACA,0BACA,oBACA,4BACA,yBACA,wBACA,gBACA,mBACA,mBACA,sBACA,cACA,gBACA,gBACA,UACA,aACA,aACA,mBACA,cACA,mBACA,WACA,WACA,aACA,oBACA,YACA,qBACA,2BACA,sBAGA,cACA,aACA,UACA,QACA,YACA,WACA,oBACA,eACA,aACA,YACA,cACA,WACA,gBACA,UAGA,YACA,yBACA,SACA,kBACA,OACA,SACA,UACF,EAsBMC,EAAW,CACf,QAASF,EACT,SAhBgBG,IAAU,CAE1B,IAAMC,GAAS,CAAC,EAChB,OAAAD,GAAM,QAAQE,IAAQ,CACpBD,GAAO,KAAKC,EAAI,EACZA,GAAK,YAAY,IAAMA,GACzBD,GAAO,KAAKC,GAAK,YAAY,CAAC,EAE9BD,GAAO,KAAKC,GAAK,YAAY,CAAC,CAElC,CAAC,EACMD,EACT,GAIoBL,CAAQ,EAC1B,SAAUE,CACZ,EAIMK,EAAqBH,IAClBA,GAAM,IAAIE,IACRA,GAAK,QAAQ,SAAU,EAAE,CACjC,EAGGE,EAAmB,CAAE,SAAU,CACnC,CACE,MAAO,CACL,MACAxB,EAAM,OAAOa,EAAY,GAAG,EAE5Bb,EAAM,OAAO,MAAOuB,EAAkBL,CAAS,EAAE,KAAK,MAAM,EAAG,MAAM,EACrEf,CACF,EACA,MAAO,CACL,EAAG,UACH,EAAG,aACL,CACF,CACF,CAAE,EAEIsB,EAAqBzB,EAAM,OAAOE,EAAU,YAAY,EAExDwB,GAAsC,CAAE,SAAU,CACtD,CACE,MAAO,CACL1B,EAAM,OACJ,KACAA,EAAM,UAAU,aAAa,CAC/B,EACAyB,CACF,EACA,MAAO,CAAE,EAAG,mBAAqB,CACnC,EACA,CACE,MAAO,CACL,KACA,OACF,EACA,MAAO,CAAE,EAAG,mBAAqB,CACnC,EACA,CACE,MAAO,CACLtB,EACAH,EAAM,OACJ,KACAA,EAAM,UAAU,aAAa,CAC/B,EACAyB,CACF,EACA,MAAO,CACL,EAAG,cACH,EAAG,mBACL,CACF,EACA,CACE,MAAO,CACLtB,EACAH,EAAM,OACJ,KACAA,EAAM,UAAU,aAAa,CAC/B,CACF,EACA,MAAO,CAAE,EAAG,aAAe,CAC7B,EACA,CACE,MAAO,CACLG,EACA,KACA,OACF,EACA,MAAO,CACL,EAAG,cACH,EAAG,mBACL,CACF,CACF,CAAE,EAEIwB,EAAiB,CACrB,MAAO,OACP,MAAO3B,EAAM,OAAOE,EAAUF,EAAM,UAAU,GAAG,EAAGA,EAAM,UAAU,QAAQ,CAAC,CAC/E,EACM4B,GAAc,CAClB,UAAW,EACX,MAAO,KACP,IAAK,KACL,SAAUT,EACV,SAAU,CACRQ,EACAvB,EACAsB,GACA3B,EAAK,qBACLe,EACAC,EACAS,CACF,CACF,EACMK,GAAkB,CACtB,UAAW,EACX,MAAO,CACL,KAEA7B,EAAM,OAAO,wBAAyBuB,EAAkBN,CAAG,EAAE,KAAK,MAAM,EAAG,IAAKM,EAAkBL,CAAS,EAAE,KAAK,MAAM,EAAG,MAAM,EACjIhB,EACAF,EAAM,OAAOa,EAAY,GAAG,EAC5Bb,EAAM,UAAU,QAAQ,CAC1B,EACA,MAAO,CAAE,EAAG,uBAAyB,EACrC,SAAU,CAAE4B,EAAY,CAC1B,EACAA,GAAY,SAAS,KAAKC,EAAe,EAEzC,IAAMC,GAAqB,CACzBH,EACAD,GACA3B,EAAK,qBACLe,EACAC,EACAS,CACF,EAEMO,GAAa,CACjB,MAAO/B,EAAM,OAAO,SAAUG,CAAyB,EACvD,WAAY,OACZ,IAAK,IACL,SAAU,OACV,SAAU,CACR,QAASa,EACT,QAAS,CACP,MACA,OACF,CACF,EACA,SAAU,CACR,CACE,MAAO,KACP,IAAK,IACL,SAAU,CACR,QAASA,EACT,QAAS,CACP,MACA,OACF,CACF,EACA,SAAU,CACR,OACA,GAAGc,EACL,CACF,EACA,GAAGA,GACH,CACE,MAAO,OACP,MAAO3B,CACT,CACF,CACF,EAEA,MAAO,CACL,iBAAkB,GAClB,SAAUgB,EACV,SAAU,CACRY,GACAhC,EAAK,kBACLA,EAAK,QAAQ,KAAM,GAAG,EACtBA,EAAK,QACH,OACA,OACA,CAAE,SAAU,CACV,CACE,MAAO,SACP,MAAO,YACT,CACF,CAAE,CACJ,EACA,CACE,MAAO,uBACP,SAAU,kBACV,OAAQ,CACN,MAAO,UACP,IAAKA,EAAK,iBACV,SAAU,CACR,CACE,MAAO,MACP,MAAO,OACP,WAAY,EACd,CACF,CACF,CACF,EACAM,EACA,CACE,MAAO,oBACP,MAAO,UACT,EACAD,EACAyB,GACAH,GACA,CACE,MAAO,CACL,QACA,KACAxB,CACF,EACA,MAAO,CACL,EAAG,UACH,EAAG,mBACL,CACF,EACAsB,EACA,CACE,MAAO,WACP,UAAW,EACX,cAAe,cACf,IAAK,OACL,WAAY,GACZ,QAAS,UACT,SAAU,CACR,CAAE,cAAe,KAAO,EACxBzB,EAAK,sBACL,CACE,MAAO,KACP,WAAY,EACd,EACA,CACE,MAAO,SACP,MAAO,MACP,IAAK,MACL,aAAc,GACd,WAAY,GACZ,SAAUoB,EACV,SAAU,CACR,OACAf,EACAsB,GACA3B,EAAK,qBACLe,EACAC,CACF,CACF,CACF,CACF,EACA,CACE,MAAO,QACP,SAAU,CACR,CACE,cAAe,OACf,QAAS,OACX,EACA,CACE,cAAe,wBACf,QAAS,QACX,CACF,EACA,UAAW,EACX,IAAK,KACL,WAAY,GACZ,SAAU,CACR,CAAE,cAAe,oBAAqB,EACtChB,EAAK,qBACP,CACF,EAIA,CACE,cAAe,YACf,UAAW,EACX,IAAK,IACL,QAAS,OACT,SAAU,CAAEA,EAAK,QAAQA,EAAK,sBAAuB,CAAE,MAAO,aAAc,CAAC,CAAE,CACjF,EACA,CACE,cAAe,MACf,UAAW,EACX,IAAK,IACL,SAAU,CAER,CACE,MAAO,0BACP,MAAO,SACT,EAEAA,EAAK,qBACP,CACF,EACAe,EACAC,CACF,CACF,CACF,CAEAlB,GAAO,QAAUC,KCpmBjB,IAAAkC,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAYC,EAAM,CACzB,MAAO,CACL,KAAM,eACN,YAAa,MACb,SAAU,CACR,CACE,MAAO,cACP,IAAK,MACL,YAAa,MACb,SAAU,CAGR,CACE,MAAO,OACP,IAAK,OACL,KAAM,EACR,EACA,CACE,MAAO,KACP,IAAK,IACL,KAAM,EACR,EACA,CACE,MAAO,KACP,IAAK,IACL,KAAM,EACR,EACAA,EAAK,QAAQA,EAAK,iBAAkB,CAClC,QAAS,KACT,UAAW,KACX,SAAU,KACV,KAAM,EACR,CAAC,EACDA,EAAK,QAAQA,EAAK,kBAAmB,CACnC,QAAS,KACT,UAAW,KACX,SAAU,KACV,KAAM,EACR,CAAC,CACH,CACF,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCrDjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAUC,EAAM,CACvB,MAAO,CACL,KAAM,aACN,QAAS,CACP,OACA,KACF,EACA,kBAAmB,EACrB,CACF,CAEAF,GAAO,QAAUC,KClBjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAW,CACf,QACE,iTAKF,KACE,0BACF,QACE,iBACJ,EAEMC,EAA2B,CAC/B,UAAW,SACX,MAAO,MACP,IAAK,MACL,UAAW,EACb,EAEMC,EAAoB,CACxB,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAEH,EAAK,gBAAiB,CACpC,EAEMI,EAAyB,CAC7B,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAEJ,EAAK,gBAAiB,EAClC,UAAW,CACb,EAEMK,EAAY,CAChB,UAAW,OACX,MAAO,mBACP,UAAW,CACb,EAEMC,EAAc,CAClB,MAAON,EAAK,SAAW,IACvB,UAAW,CACb,EAmBA,MAAO,CACL,KAAM,OACN,SAAUC,EACV,SAAU,CACRI,EACAH,EACAC,EACAC,EACAE,EAzBgB,CAClB,UAAW,SACX,MAAO,+FACP,UAAW,CACb,EAuBIN,EAAK,oBACLA,EAAK,oBACP,CACF,CACF,CAEAF,GAAO,QAAUC,KCxFjB,IAAAQ,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAWC,EAAM,CACxB,IAAMC,EAAQ,CACZ,SACA,OACA,OACA,MACA,OACA,OACA,UACA,SACA,SACA,WACA,MACA,QACA,YACA,MACF,EAGMC,EACJ,2rBAYIC,EACJ,+bAQIC,EAAW,CACf,SAAU,iBACV,QACE,uLAIF,SACE,iqBASJ,EAEMC,EAAgB,yBAEhBC,EAAkB,CACtB,MAAO,YACP,UAAW,CACb,EAEMC,EAAM,CACV,UAAW,WACX,SAAU,CACR,CAAE,MAAO,MAAO,EAChB,CACE,UAAW,UACX,MAAO,QACT,EACA,CAAE,MAAO,mBAAoB,CAC/B,CACF,EAEMC,EAAU,CACd,UAAW,UACX,MAAO,uBACT,EAEMC,EAAe,CACnB,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,KACP,IAAK,KACP,CACF,EACA,SAAU,CACRH,EACAC,EACA,CACE,UAAW,WACX,MAAO,UACP,IAAK,QACP,CACF,CACF,EAEMG,EAAc,CAClB,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,KACP,IAAK,KACP,CACF,CACF,EAEMC,EAAc,CAClB,UAAW,SACX,SAAU,CAER,CAAE,MAAO,yFAA0F,EAEnG,CAAE,MAAO,+FAAgG,CAC3G,CACF,EAEMC,EAAaZ,EAAK,QACtBA,EAAK,QAAQ,KAAM,IAAI,EACvB,CACE,SAAU,CAER,CACE,MAAO,IACP,IAAK,GACP,EAEA,CACE,MAAO,KACP,IAAK,IACP,CACF,EACA,SAAU,CAAEW,CAAY,CAC1B,CACF,EAEME,EAAU,CACd,UAAW,WACX,SAAU,CAAE,CAAE,MAAO,IAAI,OAAOX,EAAa,gBAAgB,CAAE,CAAE,CACnE,EAEMY,EAAW,CACf,UAAW,QACX,cAAe,aACf,IAAK,SACL,WAAY,GACZ,UAAW,EACX,SAAU,CAAEd,EAAK,UAAW,CAC9B,EAEMe,EAAc,CAClB,UAAW,WACX,MAAO,cACP,IAAK,UACL,WAAY,GACZ,YAAa,GACb,UAAW,EACX,SAAU,CACR,CACE,MAAO,WACP,UAAW,EACX,UAAW,SACb,EACA,CACE,UAAW,QACX,MAAOV,EACP,UAAW,CACb,EACA,CACE,MAAO,KACP,IAAK,KACL,UAAW,SACX,UAAW,EACX,SAAU,CAAEE,CAAI,CAClB,CAEF,CACF,EAGMS,EAAW,CACf,MAAO,UACP,IAAK,IACL,YAAa,GACb,SAAU,CACRP,EACAC,EACA,CACE,UAAW,UACX,MAAO,gDACT,CACF,CACF,EAGMO,EAAe,CAAE,SAAU,CAE/B,CACE,UAAW,WACX,MAAO,IAAI,OAAOd,EAAsB,MAAM,CAChD,EACA,CACE,UAAW,UACX,MAAO,mBACP,UAAW,CACb,CACF,CAAE,EAEIe,EAAa,CACjB,UAAW,eACX,MAAO,MACP,UAAW,CACb,EAIMC,EAAa,CACjB,UAAW,WACX,MAAO,wBACP,IAAK,IACL,YAAa,GACb,UAAW,EACX,SAAU,CACR,CACE,UAAW,UACX,MAAO,IAAI,OACTf,EAAS,QAAQ,SAAS,EAAE,QAAQ,MAAO,GAC3C,EAAG,MAAM,EACX,WAAY,GACZ,UAAW,CACb,EACAJ,EAAK,QAAQA,EAAK,WAAY,CAAE,WAAY,EAAK,CAAC,CACpD,CACF,EAEMoB,EAAiB,CAErBD,EACAP,EACAN,EACAN,EAAK,YACLS,EACAC,EAEAG,EACAN,EACAC,EACAU,CACF,EAEMG,EAAU,CACd,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,UAAW,EACX,SAAU,CAAC,EAAE,OACX,OACAD,EACA,CACE,MAAO,IAAMnB,EAAM,KAAK,GAAG,EAAI,IAC/B,UAAW,WACX,UAAW,CACb,EACA,CACE,UAAW,OACX,MAAO,YACP,UAAW,CACb,CACF,CACF,EAEA,OAAAkB,EAAW,SAAS,QAAQE,CAAO,EAE5B,CACL,KAAM,aACN,QAAS,CACP,OACA,KACA,KACF,EACA,iBAAkB,GAClB,SAAUjB,EACV,SAAUgB,EAAe,OACvBN,EACAC,EACAC,EACAC,EACAI,CACF,CACF,CACF,CAEAvB,GAAO,QAAUC,KC3TjB,IAAAuB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAWC,EAAM,CACxB,IAAMC,EAAQD,EAAK,MACbE,EAAY,CAChB,gBACA,eACA,SACA,SACA,eACA,UACA,UACA,MACA,UACA,SACA,UACA,aACA,YACA,SACA,QACA,OACA,iBACA,YACA,cACA,YACA,SACA,MACA,UACA,OACA,QACA,OACA,OACA,WACA,SACA,eACA,cACA,gBACA,QACA,cACA,aACA,eACA,iBACA,QACA,YACA,eACA,aACA,eACA,cACA,aACA,WACA,kBACA,SACA,cACA,WACA,WACA,SACA,YACA,aACA,eACA,eACA,eACA,aACA,eACA,gBACA,aACA,aACA,wBACA,WACA,QACA,UACA,OACA,YACA,MACA,OACA,SACA,SACA,QACA,SACA,OACA,aACA,QACA,YACA,OACA,SACA,WACA,SACA,QACA,OACA,aACA,QACA,QACA,MACA,YACA,MACA,aACA,SACA,SACA,SACA,UACA,UACA,UACA,UACA,WACA,YACA,WACA,MACA,cACA,cACA,SACA,YACA,UACA,QACA,cACA,cACA,kBACA,SACA,YACA,WACA,OACA,OACA,SACA,WACA,YACA,SACA,SACA,UACA,OACA,OACA,QACA,MACA,MACA,MACA,WACA,QACA,OACA,QACA,WACA,KACA,MACA,MACA,MACA,QACA,cACA,OACA,SACA,YACA,SACA,SACA,UACA,UACA,OACA,SACA,SACA,MACA,SACA,eACA,cACA,eACA,YACA,gBACA,iBACA,cACA,YACA,UACA,OACA,WACA,YACA,eACA,cACA,WACA,cACA,eACA,eACA,SACA,YACA,uBACA,gBACA,iBACA,aACA,cACA,UACA,eACA,YACA,cACA,aACA,cACA,SACA,UACA,UACA,UACA,QACA,SACA,SACA,YACA,eACA,mBACA,eACA,SACA,gBACA,WACA,SACA,aACA,YACA,QACA,YACA,YACA,SACA,eACA,OACA,UACA,cACA,cACA,QACA,OACA,SACA,MACA,aACA,MACA,eACA,YACA,aACA,qBACA,SACA,aACA,WACA,OACA,WACA,YACA,cACA,WACA,WACA,YACA,aACA,cACA,MACA,OACA,YACA,OACA,MACA,QACA,OACA,MACA,MACA,MACA,MACA,MACA,OACA,MACA,QACA,KACA,OACA,OACA,OACA,OACA,QACA,MACA,UACA,UACA,MACA,MACA,QACA,cACA,YACA,SACA,iBACA,YACF,EACMC,EAAQH,EAAK,SACbI,EAAY,CAAE,SAAU,CAC5B,CACE,MAAOH,EAAM,OAAOA,EAAM,OAAO,GAAGC,CAAS,EAAGD,EAAM,UAAU,OAAO,CAAC,EACxE,UAAW,UACb,EACA,CACE,UAAW,EACX,MAAOA,EAAM,OACX,qBACAE,EAAOF,EAAM,UAAU,OAAO,CAAC,EACjC,UAAW,gBACb,CACF,CAAE,EACII,EAAY,CAChB,MAAO,CACL,SACAF,CACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,aACL,CACF,EACMG,EAAW,CACf,UAAW,EACX,MAAO,CACL,KACAH,CACF,EACA,UAAW,CAAE,EAAG,UAAW,CAC7B,EACMI,EAAQ,CACZ,SAAU,CACR,CAAE,MAAO,CACP,QACA,MACAJ,EACA,MACA,UACA,MACAA,CACF,CAAE,EACF,CAAE,MAAO,CACP,QACA,MACAA,CACF,CAAE,CACJ,EACA,UAAW,CACT,EAAG,UACH,EAAG,cACH,EAAG,UACH,EAAG,uBACL,CACF,EAEMK,EAAQ,CACZ,UACA,OACA,OACA,QACA,SACA,QACA,MACA,OACA,OACF,EACMC,EAAU,CACd,iBACA,UACA,QACA,SACA,YACA,UACA,SACA,QACA,YACA,YACA,YACA,UACA,UACA,YACA,aACA,SACA,aACA,aACA,QACA,WACA,KACF,EA0CA,MAAO,CACL,KAAM,aACN,QAAS,CAAE,KAAM,EACjB,SAAU,CACR,QAAS,CAAE,GA7CO,CACpB,WACA,SACA,QACA,OACA,QACA,QACA,WACA,UACA,OACA,OACA,QACA,UACA,MACA,KACA,SACA,aACA,OACA,SACA,MACA,UACA,UACA,UACA,YACA,YACA,SACA,SACA,SACA,SACA,WACA,SACA,eACA,QACA,SACA,YACA,MACA,OACA,WACA,OACF,CAMgC,EAC5B,QAAS,2DACT,MAAO,aACP,SAAU,aACV,SAAU,CACR,GAAGP,EACH,GAAGO,CACL,EACA,KAAMD,CACR,EACA,SAAU,CACRD,EACAF,EACAD,EACAE,EACAN,EAAK,oBACLA,EAAK,qBACLA,EAAK,iBACLA,EAAK,kBACLA,EAAK,aACP,CACF,CACF,CAEAF,GAAO,QAAUC,KCjbjB,IAAAW,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAMA,SAASC,GAAQC,EAAM,CACrB,MAAO,CACL,KAAM,kBACN,SAAU,CACRA,EAAK,cACL,CACE,MAAO,6CACP,IAAK,IACL,WAAY,EACd,EACA,CACE,MAAO,2BACP,IAAK,IACL,SAAU,wCACV,UAAW,EACb,EACA,CACE,MAAO,iBACP,IAAK,IACL,SAAU,CAAEA,EAAK,aAAc,EAC/B,UAAW,EACb,EACAA,EAAK,iBACLA,EAAK,kBACL,CACE,UAAW,SACX,MAAO,MACP,IAAK,OACL,aAAc,GACd,WAAY,GACZ,UAAW,CACb,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC1CjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAO,CAEX,MAAO,qBACP,UAAW,CACb,EAEMC,EAAM,CAEV,UAAW,SACX,SAAU,CACR,CAAE,MAAO,oBAAqB,EAC9B,CAAE,MAAO,gBAAiB,CAC5B,EACA,UAAW,CACb,EAEMC,EAAW,CAEf,MAAO,KACP,IAAK,KACL,UAAW,CACb,EAEMC,EAAO,CAEX,MAAO,KACP,IAAK,IACP,EAEMC,EAAe,CAEnB,UAAW,UACX,MAAO,IACP,IAAK,IACL,SAAU,CAAEL,EAAK,kBAAmB,CACtC,EAEMM,EAAkB,CAEtB,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CAAEN,EAAK,gBAAiB,CACpC,EAEMO,EAAY,CAChB,UAAW,SACX,MAAO,WACT,EAEMC,EAAa,CACjB,UAAW,SACX,MAAO,OACT,EAKMC,EAAQ,CAEZR,EACAC,EACAC,EAPc,CACd,MAAO,IAAK,EAQZC,EACAC,EACAL,EAAK,qBACLA,EAAK,kBACLA,EAAK,iBACLM,EACAC,EACAC,EACAR,EAAK,aACP,EAEA,OAAAG,EAAS,SAAWM,EACpBL,EAAK,SAAWK,EAET,CACL,KAAM,SACN,SAAUA,EAAM,OAAO,CACrB,CACE,MAAO,KAAM,CACjB,CAAC,CACH,CACF,CAEAX,GAAO,QAAUC,KC/FjB,IAAAW,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAWC,EAAM,CAExB,IAAMC,EAAM,aACNC,EAAM,aAENC,EAAcF,EAAM,OAASA,EAC7BG,EAAWF,EACXG,EAAQ,IAAMF,EAAc,IAAMC,EAAW,IAC7CE,EAAM,+BAENC,EAAkB,CAEtB,IAAKF,EACL,UAAW,EACX,OAAQ,CAEN,UAAW,SACX,IAAK,IACL,UAAW,EACX,SAAU,CACR,CAAE,MAAO,UAAW,EACpB,CAAE,MAAO,SAAU,CACrB,CACF,CACF,EAEA,MAAO,CACL,KAAM,cACN,kBAAmB,GACnB,iBAAkB,GAClB,QAAS,KACT,SAAU,CACRL,EAAK,QAAQ,YAAa,GAAG,EAG7B,CACE,YAAa,GACb,SAAU,CACR,CAAE,MAAOM,EAAMH,CAAY,EAC3B,CAAE,MAAOG,EAAMF,CAAS,CAC1B,EACA,SAAU,CACR,CACE,UAAW,OACX,MAAOE,EACP,WAAY,EACd,CACF,EACA,OAAQC,CACV,EAEA,CACE,UAAW,OACX,MAAOD,EAAML,EAAM,GACrB,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KCnEjB,IAAAS,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAASC,EAAM,CACtB,IAAMC,EAAW,CACf,UACA,SACA,SACA,WACA,WACA,WACA,QACA,OACF,EACMC,EAAQ,CACZ,SACA,QACA,QACA,QACA,SACA,SACA,SACA,SACA,UACA,UACA,WACA,WACA,OACA,SACA,OACF,EACMC,EAAmB,CACvB,MAAO,CACL,4BACAH,EAAK,QACP,EACA,MAAO,CACL,EAAG,UACH,EAAG,aACL,CACF,EAEA,MAAO,CACL,KAAM,mBACN,QAAS,CAAC,OAAO,EACjB,SAAU,CACR,QAASC,EACT,KAAMC,EACN,QAAS,CACP,OACA,OACF,CACF,EACA,SAAU,CACRF,EAAK,kBACLA,EAAK,YACLA,EAAK,oBACLA,EAAK,qBACLG,EACA,CACE,UAAW,WACX,cAAe,MACf,IAAK,OACL,WAAY,GACZ,SAAU,aACZ,EACA,CAEE,MAAO,6BAA8B,CACzC,CACF,CACF,CAEAL,GAAO,QAAUC,KC9EjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAkB,CACtB,QAEE,2GACF,QAEE,0xDAiBF,SAEE,6sCAUJ,EAEMC,EAAUF,EAAK,QAAQ,IAAK,GAAG,EAE/BG,EAAW,0BAEXC,EAAQJ,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOG,CAAS,CAAC,EAEzDE,EAAW,CACf,UAAW,WACX,MAAO,MAAQF,CACjB,EAEMG,EAAS,CACb,UAAW,SACX,SAAU,CACRN,EAAK,iBACLK,CACF,EACA,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,EAEA,MAAO,CACL,KAAM,SACN,QAAS,CAAE,IAAK,EAChB,SAAU,CACRH,EACAG,EACAC,EACA,CACE,cAAe,QACf,IAAK,QACL,QAAS,IACT,SAAU,CACRF,EACAF,CACF,CACF,EACA,CACE,cAAe,SACf,IAAK,KACL,SAAU,CACR,CACE,UAAW,UACX,MAAOF,EAAK,SACZ,WAAY,EACd,CACF,CACF,EACA,CACE,MAAOA,EAAK,SAAW,UACvB,YAAa,GACb,IAAK,KACL,SAAU,CACR,CACE,UAAW,UACX,MAAOA,EAAK,SACZ,UAAW,EACb,EACA,CACE,MAAO,KACP,IAAK,KACL,SAAUC,EACV,UAAW,EACX,SAAU,CACRK,EACAJ,EACA,CACE,MAAO,mBACP,YAAa,GACb,IAAK,KACL,SAAU,CACR,CACE,UAAW,OACX,MAAOF,EAAK,QACd,CACF,CACF,EACA,CACE,UAAW,SACX,MAAO,4EACP,UAAW,CACb,EACAK,CACF,CACF,CACF,EACA,UAAW,CACb,CACF,CACF,CACF,CAEAP,GAAO,QAAUC,KCjJjB,IAAAQ,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAUC,EAAM,CACvB,IAAMC,EAAU,CACd,UAAW,SACX,MAAO,QACP,IAAK,IACL,QAAS,KACX,EACMC,EAAY,CAEhB,UAAW,SACX,MAAO,oBACT,EAEA,MAAO,CACL,KAAM,YACN,QAAS,CACP,KACA,KACF,EACA,SAEE,6iCAeF,SAAU,CAERF,EAAK,QAAQ,IAAK,IAAK,CAAE,UAAW,CAAE,CAAC,EAEvC,CACE,UAAW,WACX,MAAO,yCACP,IAAK,MACL,WAAY,GACZ,YAAa,GACb,SAAU,CACR,CACE,UAAW,UACX,MAAO,mCACP,WAAY,EACd,EACA,CACE,UAAW,OACX,MAAO,SAET,EACAA,EAAK,qBACP,CACF,EACAC,EACAC,CACF,CACF,CACF,CAwBAJ,GAAO,QAAUC,KClGjB,IAAAI,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAQD,EAAK,MACbE,EAAW,qCACXC,EAAiB,CACrB,MACA,KACA,SACA,QACA,QACA,QACA,OACA,QACA,WACA,MACA,MACA,OACA,OACA,SACA,UACA,MACA,OACA,SACA,KACA,SACA,KACA,KACA,SACA,QACA,cACA,MACA,KACA,OACA,QACA,SACA,MACA,QACA,OACA,OACF,EAsGMC,EAAW,CACf,SAAU,sBACV,QAASD,EACT,SAvGgB,CAChB,aACA,MACA,MACA,MACA,QACA,MACA,OACA,aACA,YACA,QACA,WACA,MACA,cACA,UACA,UACA,UACA,OACA,MACA,SACA,YACA,OACA,OACA,SACA,QACA,SACA,YACA,UACA,UACA,UACA,OACA,OACA,MACA,KACA,QACA,MACA,aACA,aACA,OACA,MACA,OACA,SACA,MACA,MACA,aACA,MACA,OACA,SACA,MACA,OACA,MACA,MACA,QACA,WACA,QACA,OACA,WACA,QACA,MACA,UACA,QACA,SACA,eACA,MACA,MACA,QACA,QACA,OACA,OACA,KACF,EAkCE,QAhCe,CACf,YACA,WACA,QACA,OACA,iBACA,MACF,EA0BE,KArBY,CACZ,MACA,WACA,YACA,OACA,OACA,UACA,UACA,WACA,WACA,MACA,QACA,OACA,OACF,CAQA,EAEME,EAAS,CACb,UAAW,OACX,MAAO,gBACT,EAEMC,EAAQ,CACZ,UAAW,QACX,MAAO,KACP,IAAK,KACL,SAAUF,EACV,QAAS,GACX,EAEMG,EAAkB,CACtB,MAAO,OACP,UAAW,CACb,EAEMC,EAAS,CACb,UAAW,SACX,SAAU,CAAER,EAAK,gBAAiB,EAClC,SAAU,CACR,CACE,MAAO,yCACP,IAAK,MACL,SAAU,CACRA,EAAK,iBACLK,CACF,EACA,UAAW,EACb,EACA,CACE,MAAO,yCACP,IAAK,MACL,SAAU,CACRL,EAAK,iBACLK,CACF,EACA,UAAW,EACb,EACA,CACE,MAAO,8BACP,IAAK,MACL,SAAU,CACRL,EAAK,iBACLK,EACAE,EACAD,CACF,CACF,EACA,CACE,MAAO,8BACP,IAAK,MACL,SAAU,CACRN,EAAK,iBACLK,EACAE,EACAD,CACF,CACF,EACA,CACE,MAAO,eACP,IAAK,IACL,UAAW,EACb,EACA,CACE,MAAO,eACP,IAAK,IACL,UAAW,EACb,EACA,CACE,MAAO,4BACP,IAAK,GACP,EACA,CACE,MAAO,4BACP,IAAK,GACP,EACA,CACE,MAAO,4BACP,IAAK,IACL,SAAU,CACRN,EAAK,iBACLO,EACAD,CACF,CACF,EACA,CACE,MAAO,4BACP,IAAK,IACL,SAAU,CACRN,EAAK,iBACLO,EACAD,CACF,CACF,EACAN,EAAK,iBACLA,EAAK,iBACP,CACF,EAGMS,EAAY,kBACZC,EAAa,QAAQD,CAAS,UAAUA,CAAS,SAASA,CAAS,OAMnEE,EAAY,OAAOR,EAAe,KAAK,GAAG,CAAC,GAC3CS,EAAS,CACb,UAAW,SACX,UAAW,EACX,SAAU,CAWR,CACE,MAAO,QAAQH,CAAS,MAAMC,CAAU,eAAeD,CAAS,YAAYE,CAAS,GACvF,EACA,CACE,MAAO,IAAID,CAAU,QACvB,EAQA,CACE,MAAO,0CAA0CC,CAAS,GAC5D,EACA,CACE,MAAO,4BAA4BA,CAAS,GAC9C,EACA,CACE,MAAO,6BAA6BA,CAAS,GAC/C,EACA,CACE,MAAO,mCAAmCA,CAAS,GACrD,EAIA,CACE,MAAO,OAAOF,CAAS,WAAWE,CAAS,GAC7C,CACF,CACF,EACME,EAAe,CACnB,UAAW,UACX,MAAOZ,EAAM,UAAU,SAAS,EAChC,IAAK,IACL,SAAUG,EACV,SAAU,CACR,CACE,MAAO,SACT,EAEA,CACE,MAAO,IACP,IAAK,OACL,eAAgB,EAClB,CACF,CACF,EACMU,EAAS,CACb,UAAW,SACX,SAAU,CAER,CACE,UAAW,GACX,MAAO,UACP,KAAM,EACR,EACA,CACE,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,SAAUV,EACV,SAAU,CACR,OACAC,EACAO,EACAJ,EACAR,EAAK,iBACP,CACF,CACF,CACF,EACA,OAAAM,EAAM,SAAW,CACfE,EACAI,EACAP,CACF,EAEO,CACL,KAAM,SACN,QAAS,CACP,KACA,MACA,SACF,EACA,aAAc,GACd,SAAUD,EACV,QAAS,cACT,SAAU,CACRC,EACAO,EACA,CAEE,MAAO,UACT,EACA,CAGE,cAAe,KACf,UAAW,CACb,EACAJ,EACAK,EACAb,EAAK,kBACL,CACE,MAAO,CACL,QAAS,MACTE,CACF,EACA,MAAO,CACL,EAAG,UACH,EAAG,gBACL,EACA,SAAU,CAAEY,CAAO,CACrB,EACA,CACE,SAAU,CACR,CACE,MAAO,CACL,UAAW,MACXZ,EAAU,MACV,QAASA,EAAS,OACpB,CACF,EACA,CACE,MAAO,CACL,UAAW,MACXA,CACF,CACF,CACF,EACA,MAAO,CACL,EAAG,UACH,EAAG,cACH,EAAG,uBACL,CACF,EACA,CACE,UAAW,OACX,MAAO,WACP,IAAK,UACL,SAAU,CACRU,EACAE,EACAN,CACF,CACF,CACF,CACF,CACF,CAEAV,GAAO,QAAUC,KCjbjB,IAAAgB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAWC,EAAM,CACxB,MAAO,CACL,QAAS,CAAE,OAAQ,EACnB,SAAU,CACR,CACE,UAAW,cACX,OAAQ,CAGN,IAAK,MACL,OAAQ,CACN,IAAK,IACL,YAAa,QACf,CACF,EACA,SAAU,CACR,CAAE,MAAO,eAAgB,EACzB,CAAE,MAAO,kBAAmB,CAC9B,CACF,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC/BjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAEC,EAAM,CAaf,MAAO,CACL,KAAM,IACN,QAAS,CACP,IACA,KACF,EACA,SAlBe,CACf,SAAU,sBACV,QACE,wCACF,QACE,QACF,SACE,qtBACF,KACE,4IACJ,EASE,SAAU,CACRA,EAAK,oBACLA,EAAK,kBACLA,EAAK,aACP,CACF,CACF,CAEAF,GAAO,QAAUC,KCpCjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAQD,EAAK,MACbE,EAAW,CACf,QACE,uNAGF,QACE,yCACF,SACE,6sBAWJ,EAEMC,EAAe,4BAIfC,EAAW,CACf,UAAW,UACX,MAAO,iBACP,OAAQ,CACN,UAAW,SACX,IAAK,sBACL,UAAW,EACb,CACF,EAIMC,EAAS,CACb,UAAW,UACX,MAAO,eACP,OAAQ,CACN,UAAW,SACX,IAAK,0BACL,UAAW,EACb,CACF,EAIMC,EAAQ,CACZ,UAAW,YACX,MAAO,aACP,OAAQ,CACN,UAAW,SACX,IAAKH,EACL,UAAW,EACb,CACF,EAMMI,EAAgB,CACpB,MAAOJ,EAAe,QACtB,YAAa,GACb,SAAU,CACR,CACE,UAAW,YACX,MAAOA,EACP,IAAK,QACL,WAAY,GACZ,UAAW,CACb,CACF,EACA,UAAW,CACb,EAIMK,EAAa,CACjB,MAAOP,EAAM,OAAOE,EAAc,OAAO,EACzC,IAAK,KACL,YAAa,GACb,UAAW,EACX,SAAU,CAAEH,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOG,CAAa,CAAC,CAAE,CACrE,EAEA,MAAO,CACL,KAAM,MACN,QAAS,CAAE,IAAK,EAChB,iBAAkB,GAClB,SAAUD,EACV,SAAU,CACR,CACE,UAAW,OACX,MAAO,8BACT,EACAF,EAAK,iBACLA,EAAK,kBACL,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CACRA,EAAK,iBACL,CACE,UAAW,QACX,MAAO,SACP,IAAK,KACP,CACF,CACF,EACAA,EAAK,oBACLA,EAAK,qBACL,CACE,UAAW,SACX,SAAU,CACR,CAAE,MAAO,iBAAkB,EAC3B,CAAE,MAAO,kBAAmB,EAC5B,CAAE,MAAOA,EAAK,WAAY,CAC5B,EACA,UAAW,CACb,EACA,CACE,MAAO,IAAMA,EAAK,eAAiB,kCACnC,SAAU,oBACV,SAAU,CACRA,EAAK,oBACLA,EAAK,qBACLA,EAAK,YACL,CACE,MAAO,IACP,IAAK,aACL,UAAW,EACX,YAAa,KACf,CACF,EACA,UAAW,CACb,EACAK,EACAD,EACA,CACE,UAAW,WACX,cAAe,WACf,IAAK,KACL,WAAY,GACZ,SAAU,CACRJ,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAO,0BAA2B,CAAC,EACnE,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,SAAU,CACRA,EAAK,oBACLA,EAAK,oBACP,CACF,CACF,EACA,QAAS,MACX,EACA,CAEE,MAAO,MAAQA,EAAK,SACpB,UAAW,CACb,EACAM,EACAC,EACAC,CACF,EACA,QAAS,GACX,CACF,CAEAV,GAAO,QAAUC,KC5LjB,IAAAU,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAEC,EAAM,CACf,IAAMC,EAAQD,EAAK,MAObE,EAAW,uDACXC,EAAkBF,EAAM,OAE5B,gDAEA,0CAEA,+CACF,EACMG,EAAe,mEACfC,EAAiBJ,EAAM,OAC3B,OACA,OACA,OACA,QACA,KACA,GACF,EAEA,MAAO,CACL,KAAM,IAEN,SAAU,CACR,SAAUC,EACV,QACE,kDACF,QACE,wFAEF,SAEE,ghCAqBJ,EAEA,SAAU,CAERF,EAAK,QACH,KACA,IACA,CAAE,SAAU,CACV,CAME,MAAO,SACP,MAAO,YACP,OAAQ,CACN,IAAKC,EAAM,UAAUA,EAAM,OAEzB,yBAEA,WACF,CAAC,EACD,WAAY,EACd,CACF,EACA,CAGE,MAAO,SACP,MAAO,SACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,WACP,SAAU,CACR,CAAE,MAAOC,CAAS,EAClB,CAAE,MAAO,mBAAoB,CAC/B,EACA,WAAY,EACd,CACF,CACF,EACA,CACE,MAAO,SACP,MAAO,YACT,EACA,CACE,MAAO,UACP,MAAO,aACT,CACF,CAAE,CACJ,EAEAF,EAAK,kBAEL,CACE,MAAO,SACP,SAAU,CAAEA,EAAK,gBAAiB,EAClC,SAAU,CACRA,EAAK,kBAAkB,CACrB,MAAO,cACP,IAAK,SACP,CAAC,EACDA,EAAK,kBAAkB,CACrB,MAAO,cACP,IAAK,SACP,CAAC,EACDA,EAAK,kBAAkB,CACrB,MAAO,cACP,IAAK,SACP,CAAC,EACDA,EAAK,kBAAkB,CACrB,MAAO,cACP,IAAK,SACP,CAAC,EACDA,EAAK,kBAAkB,CACrB,MAAO,cACP,IAAK,SACP,CAAC,EACDA,EAAK,kBAAkB,CACrB,MAAO,cACP,IAAK,SACP,CAAC,EACD,CACE,MAAO,IACP,IAAK,IACL,UAAW,CACb,EACA,CACE,MAAO,IACP,IAAK,IACL,UAAW,CACb,CACF,CACF,EAWA,CACE,UAAW,EACX,SAAU,CACR,CACE,MAAO,CACL,EAAG,WACH,EAAG,QACL,EACA,MAAO,CACLI,EACAD,CACF,CACF,EACA,CACE,MAAO,CACL,EAAG,WACH,EAAG,QACL,EACA,MAAO,CACL,UACAA,CACF,CACF,EACA,CACE,MAAO,CACL,EAAG,cACH,EAAG,QACL,EACA,MAAO,CACLE,EACAF,CACF,CACF,EACA,CACE,MAAO,CAAE,EAAG,QAAS,EACrB,MAAO,CACL,mBACAA,CACF,CACF,CACF,CACF,EAGA,CAEE,MAAO,CAAE,EAAG,UAAW,EACvB,MAAO,CACLD,EACA,MACA,KACA,KACF,CACF,EAEA,CACE,MAAO,WACP,UAAW,EACX,SAAU,CACR,CAAE,MAAOE,CAAa,EACtB,CAAE,MAAO,SAAU,CACrB,CACF,EAEA,CACE,MAAO,cACP,UAAW,EACX,MAAOC,CACT,EAEA,CAEE,MAAO,IACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,KAAM,CAAE,CAC/B,CACF,CACF,CACF,CAEAP,GAAO,QAAUC,KChQjB,IAAAO,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAASC,EAAM,CACtB,SAASC,EAAWC,EAAK,CACvB,OAAOA,EACJ,IAAI,SAASC,EAAI,CAChB,OAAOA,EACJ,MAAM,EAAE,EACR,IAAI,SAASC,GAAM,CAClB,MAAO,KAAOA,EAChB,CAAC,EACA,KAAK,EAAE,CACZ,CAAC,EACA,KAAK,GAAG,CACb,CAEA,IAAMC,EAAW,0BACXC,EAAkB,0BAElBC,EAAqB,uBACrBC,EAAgB,uCAAyCD,EAAqB,SAAWA,EAAqB,gBAC9GE,EAAWJ,EAAW,IAAMG,EAAgB,SAC5CE,EAAc,IAAMT,EAAW,CACnC,KACA,KACA,KACA,KACA,IACA,IACA,KACA,KACA,KACF,CAAC,EAAI,mBACCU,EAAqB,OAASD,EAAc,OAE5CE,EAAW,CACf,QACE,iTAIF,SACE,+FACF,QACE,YACJ,EAEMC,EAAY,2HAKZC,EAAc,CAClB,UAAW,SACX,UAAW,EACX,SAAU,CACR,CAAE,MAAOD,CAAU,EACnB,CAAE,MAAO,OAASA,EAAY,KAAM,CACtC,CACF,EAEME,EAAgB,CACpB,UAAW,WACX,UAAW,EACX,MAAOL,CACT,EACMM,EAAsB,CAC1B,CACE,UAAW,aACX,UAAW,EACX,MAAOX,CACT,EACAU,EACAD,CACF,EAEMG,EAAyB,CAC7BjB,EAAK,kBACLe,EACA,CACE,UAAW,SACX,MAAO,MAAQT,EACf,YAAa,GACb,UAAW,EACX,IAAK,IACL,SAAU,CACR,CACE,UAAW,aACX,MAAOA,EACP,UAAW,CACb,CACF,CACF,CACF,EAEMY,EAAkB,CACtB,CACE,UAAW,SACX,MAAO,MAAQZ,EACf,YAAa,GACb,IAAK,IACL,UAAW,EACX,SAAU,CACR,CACE,UAAW,aACX,MAAOA,EACP,UAAW,CACb,CACF,CACF,CACF,EAEMa,EAAc,CAClB,MAAOd,EACP,IAAK,cACL,UAAW,EACX,SAAU,CACRU,EACA,CACE,UAAW,SACX,MAAO,IACP,IAAK,UACL,YAAa,GACb,UAAW,EACX,SAAUG,CACZ,CACF,CACF,EAEME,EAAsB,CAC1B,UAAW,WACX,UAAW,EACX,SAAUR,EACV,SAAU,CACR,CACE,MAAO,qBAAuBP,EAAW,UACzC,IAAK,SACL,YAAa,GACb,UAAW,EACX,SAAU,CACR,CACE,UAAW,SACX,SAAU,CACR,CAAE,MAAOA,CAAS,EAClB,CAAE,MAAOI,CAAS,EAClB,CAAE,MAAO,SAAU,CACrB,CACF,CACF,CACF,EACA,CACE,MAAO,8BACP,IAAK,QACL,YAAa,GACb,UAAW,EACX,SAAU,CACR,CACE,UAAW,SACX,UAAW,EACX,SAAU,CAAEU,CAAY,CAC1B,CACF,CACF,EACA,CAAE,MAAO,YAAcd,EAAW,WAAY,CAChD,CACF,EACAY,EAAuB,KAAKG,CAAmB,EAE/C,IAAMC,EAAmB,CACvB,UAAW,cACX,MAAOf,EAAkB,MACzB,IAAK,MACL,QAAS,MACT,SAAUM,EACV,SAAU,CACRZ,EAAK,kBACLe,EACA,CACE,UAAW,SACX,MAAO,MAAQV,CACjB,CACF,CACF,EAEMiB,EAA2B,CAC/B,UAAW,gBACX,MAAO,MACP,YAAa,GACb,SAAUV,EACV,IAAK,KACL,UAAW,EACX,SAAU,CACRS,EACAN,EACA,CACE,UAAW,EACX,UAAW,cACX,MAAOT,CACT,CACF,CACF,EAEMiB,EAAqB,CACzB,UAAW,gBACX,SAAUX,EACV,YAAa,GACb,SAAU,CACR,CAAE,MAAO,OAASN,EAAkB,QAAUD,CAAS,EACvD,CACE,MAAO,OAASC,EAAkB,WAClC,IAAK,MACL,YAAa,GACb,SAAU,CACRc,EACA,CACE,MAAO,MACP,IAAK,MACL,UAAW,EACX,KAAM,EACR,CACF,EAAE,OAAOH,CAAsB,CACjC,EACA,CACE,MAAO,OAASX,EAAkB,WAClC,IAAK,IACP,CACF,EACA,SAAUW,CACZ,EAEA,OAAAC,EAAgB,KAAKK,CAAkB,EAEhC,CACL,KAAM,WACN,QAAS,CAAE,IAAK,EAChB,SAAUX,EACV,QAAS,sBACT,SAAU,CACRZ,EAAK,QAAQ,OAAQ,OAAQ,CAAE,QAAS,aAAc,CAAC,EACvD,CACE,UAAW,YACX,MAAO,qBACP,QAAS,MACT,UAAW,CACb,EACAA,EAAK,kBACL,CACE,UAAW,UACX,MAAO,SACP,UAAW,CACb,EACA,CACE,UAAW,UACX,MAAO,SACP,IAAK,SACL,UAAW,EACX,SAAUgB,CACZ,EACA,CACE,UAAW,UACX,MAAO,MACP,IAAK,MACL,UAAW,EACX,SAAUA,CACZ,EACAK,EACA,CACE,UAAW,WACX,MAAOV,EACP,QAAS,MACT,UAAW,CACb,EACAG,EACAd,EAAK,oBACLsB,EACAF,EACA,CACE,UAAW,aACX,MAAO,gBAAkBf,EAAW,OAASC,EAAkB,eAC/D,IAAK,KACL,YAAa,GACb,SAAUM,EACV,UAAW,EACX,SAAU,CACR,CACE,UAAW,SACX,UAAW,EACX,MAAON,CACT,EACA,CACE,MAAO,KACP,IAAK,KACL,UAAW,EACX,KAAM,EACR,CACF,EAAE,OAAOW,CAAsB,CACjC,EACAM,CACF,CACF,CACF,CAEAzB,GAAO,QAAUC,KCnTjB,IAAAyB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,MAAO,CACL,KAAM,gBACN,SACE,klCAcF,QAAS,KACT,SAAU,CACRA,EAAK,kBACLA,EAAK,cACLA,EAAK,iBACLA,EAAK,iBACP,CACF,CACF,CAEAF,GAAO,QAAUC,KCpCjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAASC,EAAM,CACtB,IAAMC,EAAa,wBAEbC,EAAW,CACf,UAAW,YACX,MAAO,cACP,IAAK,OACL,WAAY,GACZ,OAAQ,CACN,IAAK,IACL,UAAW,EACX,SAAU,CACR,CACE,UAAW,WACX,MAAO,eACT,EACA,CACE,UAAW,UACX,MAAO,cACT,CACF,CACF,CACF,EAEA,MAAO,CACL,KAAM,WACN,QAAS,CACP,QACA,WACF,EACA,iBAAkB,GAClB,SAAU,SACV,SAAU,CAER,CACE,MAAO,UAAYD,EACnB,IAAK,KACL,SAAU,QACV,SAAU,CACRC,EACAF,EAAK,iBACP,CACF,EAGA,CACE,MAAO,oBAAsBC,EAC7B,IAAK,KACL,SAAU,+DACV,QAAS,KACT,SAAU,CACR,OACAC,EACAF,EAAK,iBACP,CACF,EAGA,CACE,MAAO,IAAMC,EACb,IAAK,KACL,SAAU,CACRC,EACAF,EAAK,iBACP,CACF,EAGAA,EAAK,iBACP,CACF,CACF,CAEAF,GAAO,QAAUC,KCjFjB,IAAAI,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAaA,SAASC,GAASC,EAAM,CACtB,IAAMC,EAAa,mEAGbC,EAAkB,mKAGlBC,EAAkB,wFAElBC,EAAW,qCAEXC,EAAU,26BAEVC,EAAM,CACV,UAAW,WACX,SAAU,CACR,CAAE,MAAO,oBAAqB,EAC9B,CAAE,MAAO,aAAc,CACzB,CACF,EAEMC,EAAe,CACnB,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CACRP,EAAK,iBACLM,EACA,CACE,UAAW,WACX,MAAO,OACP,IAAK,KACL,SAAU,CAAEN,EAAK,gBAAiB,CACpC,CACF,CACF,EAEMQ,EAAc,CAClB,UAAW,SACX,MAAO,IACP,IAAK,GACP,EAEA,MAAO,CACL,KAAM,2BACN,QAAS,CAAE,UAAW,EACtB,iBAAkB,GAClB,SAAU,CACR,SAAU,WACV,QAASJ,EACT,QAASH,EAAa,KAAOA,EAAW,MAAM,GAAG,EAAE,KAAK,IAAI,EAAI,KAAOC,EAAgB,MAAM,GAAG,EAAE,KAAK,IAAI,CAC7G,EACA,SAAU,CACR,CACE,SAAU,CACR,CACE,MAAO,OACP,IAAK,MACP,EACA,CACE,MAAO,OACP,IAAK,GACP,EACA,CACE,MAAO,MACP,IAAK,GACP,CACF,EACA,QAAS,GACX,EACAF,EAAK,QAAQ,KAAM,GAAG,EACtBO,EACAC,EACAF,EAEA,CAEE,MAAO,0BACP,UAAW,EACX,YAAa,GACb,SAAU,CACR,CACE,UAAW,YACX,MAAO,OACT,EACA,CACE,MAAO,IACP,eAAgB,GAChB,UAAW,EACX,SAAU,CACRC,EACAC,EACAF,EACA,CACE,UAAW,UACX,MAAO,OAASF,EAAS,MAAM,GAAG,EAAE,KAAK,GAAG,EAAI,MAClD,EACA,CAEE,MAAO,uBAAwB,CAiBnC,CACF,CACF,CACF,EACA,CAEE,UAAW,SACX,MAAO,gBACT,EACA,CACE,MAAO,OAASD,EAAgB,MAAM,GAAG,EAAE,KAAK,GAAG,EAAI,iBACvD,YAAa,GACb,SAAU,CACR,CACE,UAAW,WACX,MAAO,KACT,CACF,CACF,EACA,CACE,UAAW,WACX,SAAU,CACR,CAAE,MAAO,oBAAsBE,EAAQ,MAAM,GAAG,EAAE,KAAK,GAAG,EAAI,UAAW,EACzE,CACE,MAAO,OACP,UAAW,CACb,CACF,CACF,CACF,CACF,CACF,CAEAP,GAAO,QAAUC,KClKjB,IAAAU,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAY,CAChB,MACA,OACA,UACA,OACA,OACA,OACA,aACA,YACA,kBACA,OACA,YACA,QACA,OACA,SACA,MACA,UACA,QACA,QACA,UACA,WACA,KACA,KACA,cACA,MACA,cACA,aACA,QACA,SACA,UACA,WACA,SACA,cACA,MACA,QACA,MACA,MACA,MACA,QACA,YACA,aACA,WACA,SACA,QACA,SACA,MACA,SACA,UACA,UACA,SACA,UACA,UACA,aACA,QACA,UACA,WACA,WACA,WACA,SACA,OACA,MACA,aACA,WACA,eACA,SACA,OACA,OACA,MACA,UACA,cACA,QACA,YACA,aACA,QACA,QACA,OACF,EAEMC,EAAQ,CACZ,SACA,QACA,QACA,QACA,SACA,QACF,EAEMC,EAAW,CACf,QACA,MACA,KACA,KACA,SACA,OACA,QACA,SACA,UACF,EAEMC,EAAmB,CACvB,MAAO,CACL,6CACA,MACAJ,EAAK,QACP,EACA,MAAO,CACL,EAAG,UACH,EAAG,aACL,CACF,EAEA,MAAO,CACL,KAAM,gBACN,SAAU,CACR,QAASG,EACT,SAAUF,EACV,KAAMC,CACR,EACA,QAAS,KACT,SAAU,CACRF,EAAK,oBACLA,EAAK,qBACLA,EAAK,kBACLA,EAAK,iBACLA,EAAK,cACL,CACE,UAAW,OACX,MAAO,IACP,IAAK,GACP,EACAI,EACA,CACE,cAAe,gCACf,IAAK,KACP,CACF,CACF,CACF,CAEAN,GAAO,QAAUC,KCpJjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAcC,EAAM,CAC3B,MAAO,CACL,KAAM,wBACN,SAAU,CACR,QACE,y/FAmCF,SACE,kcAKJ,EACA,SAAU,CACRA,EAAK,oBACLA,EAAK,qBACLA,EAAK,iBACLA,EAAK,kBACLA,EAAK,cACL,CACE,UAAW,UACX,SAAU,CACR,CACE,MAAO,QACP,UAAW,CACb,EACA,CAAE,MAAO,cAAe,CAC1B,CACF,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC3EjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAkB,CACtB,UAAW,wBACX,UAAW,EACX,MAAOD,EAAM,OACX,KACA,YACAD,EAAK,SACLC,EAAM,UAAU,OAAO,CAAC,CAC5B,EACME,EAAgB,wCAChBC,EAAW,CACf,WACA,KACA,QACA,QACA,SACA,MACA,QACA,QACA,WACA,QACA,KACA,MACA,OACA,OACA,SACA,QACA,QACA,KACA,MACA,KACA,OACA,KACA,MACA,OACA,QACA,QACA,MACA,OACA,MACA,WACA,OACA,MACA,MACA,SACA,OACA,OACA,SACA,SACA,QACA,QACA,OACA,MACA,OACA,SACA,SACA,UACA,MACA,UACA,QACA,QACA,OACF,EACMC,EAAW,CACf,OACA,QACA,OACA,OACA,KACA,KACF,EACMC,EAAW,CAEf,QAEA,OACA,OACA,QACA,OACA,OACA,KACA,QACA,SACA,UACA,QACA,QACA,YACA,aACA,KACA,MACA,QACA,QACA,OACA,OACA,UACA,WACA,SACA,eACA,sBACA,oBACA,iBACA,WAEA,UACA,aACA,YACA,SACA,OACA,OACA,UACA,iBACA,gBACA,mBACA,OACA,SACA,QACA,UACA,eACA,iBACA,eACA,QACA,kBACA,eACA,cACA,SACA,WACA,UACA,aACA,OACA,iBACA,eACA,OACA,SACA,WACA,eACA,aACA,kBACF,EACMC,EAAQ,CACZ,KACA,MACA,MACA,MACA,OACA,QACA,KACA,MACA,MACA,MACA,OACA,QACA,MACA,MACA,MACA,OACA,OACA,MACA,SACA,SACA,SACA,KACF,EACA,MAAO,CACL,KAAM,OACN,QAAS,CAAE,IAAK,EAChB,SAAU,CACR,SAAUP,EAAK,SAAW,KAC1B,KAAMO,EACN,QAASH,EACT,QAASC,EACT,SAAUC,CACZ,EACA,QAAS,KACT,SAAU,CACRN,EAAK,oBACLA,EAAK,QAAQ,OAAQ,OAAQ,CAAE,SAAU,CAAE,MAAO,CAAE,CAAC,EACrDA,EAAK,QAAQA,EAAK,kBAAmB,CACnC,MAAO,MACP,QAAS,IACX,CAAC,EACD,CACE,UAAW,SACX,SAAU,CACR,CAAE,MAAO,0BAA2B,EACpC,CAAE,MAAO,iCAAkC,CAC7C,CACF,EACA,CACE,UAAW,SACX,MAAO,yBACT,EACA,CACE,UAAW,SACX,SAAU,CACR,CAAE,MAAO,gBAAkBG,CAAc,EACzC,CAAE,MAAO,iBAAmBA,CAAc,EAC1C,CAAE,MAAO,uBAAyBA,CAAc,EAChD,CAAE,MAAO,kDACEA,CAAc,CAC3B,EACA,UAAW,CACb,EACA,CACE,MAAO,CACL,KACA,MACAH,EAAK,mBACP,EACA,UAAW,CACT,EAAG,UACH,EAAG,gBACL,CACF,EACA,CACE,UAAW,OACX,MAAO,SACP,IAAK,MACL,SAAU,CACR,CACE,UAAW,SACX,MAAO,IACP,IAAK,GACP,CACF,CACF,EACA,CACE,MAAO,CACL,MACA,MACA,cACAA,EAAK,mBACP,EACA,UAAW,CACT,EAAG,UACH,EAAG,UACH,EAAG,UACL,CACF,EAEA,CACE,MAAO,CACL,MACA,MACAA,EAAK,oBACL,MACA,IACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,WACH,EAAG,SACL,CACF,EACA,CACE,MAAO,CACL,OACA,MACAA,EAAK,mBACP,EACA,UAAW,CACT,EAAG,UACH,EAAG,aACL,CACF,EACA,CACE,MAAO,CACL,uCACA,MACAA,EAAK,mBACP,EACA,UAAW,CACT,EAAG,UACH,EAAG,aACL,CACF,EACA,CACE,MAAOA,EAAK,SAAW,KACvB,SAAU,CACR,QAAS,OACT,SAAUM,EACV,KAAMC,CACR,CACF,EACA,CACE,UAAW,cACX,MAAO,IACT,EACAL,CACF,CACF,CACF,CAEAJ,GAAO,QAAUC,KC/SjB,IAAAS,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAQD,EAAK,MAEbE,EAAe,CACnB,KACA,KACA,OACA,OACA,MACA,QACA,QACA,QACA,QACA,SACA,KACA,OACA,QACA,SACA,UACA,WACA,YACA,aACA,SACA,QACA,YACA,UACA,KACA,OACA,SACA,QACA,OACA,WACA,WACA,SACA,OACA,KACA,SACA,WACA,QACA,OACA,QACA,QACA,SACA,UACA,OACA,OACA,WACA,QACA,UACA,SACA,UACA,SACA,MACA,OACA,MACA,WACA,SACA,SACA,UACA,SACA,SACA,SACA,MACA,OACA,WACA,OACA,QACA,SACA,UACA,QACA,SACA,MACA,UACA,MACA,MACA,QACA,KACA,UACA,QACA,SACA,SACA,WACA,WACA,OACA,UACA,OACA,QACA,SACA,QACA,SACA,OACA,KACA,MACA,OACA,UACA,SACA,UACA,MACA,OACA,KACA,KACA,QACA,UACA,aACA,QACA,WACA,SACA,MACA,QACA,SACA,SACA,WACA,OACA,OACF,EAGMC,EAAY,CAChB,MACA,OACA,OACA,QACA,QACA,OACA,QACA,QACA,OACA,UACA,UACA,OACA,MACA,UACA,OACA,OACA,MACA,OACA,SACA,OACA,QACA,SACA,UACA,SACA,WACA,WACA,MACA,OACA,MACA,SACA,KACA,SACA,WACA,SACA,UACA,UACA,QACA,OACA,UACA,WACA,WACA,MACA,SACA,QACA,UACA,UACA,QACA,QACA,SACA,SACA,SACA,SACA,UACA,OACA,MACA,UACA,MACA,QACA,OACA,QACA,WACA,UACA,QACA,WACA,SACA,MACA,OACA,QACA,MACA,UACA,SACA,OACA,UACA,QACA,WACA,SACA,OACA,YACA,WACA,UACA,QACA,OACA,UACA,WACA,WACA,QACA,SACA,QACA,QACA,WACA,UACA,SACA,OACA,OACA,QACA,UACA,QACA,OACA,OACA,SACA,SACA,QACA,YACA,UACA,UACA,SACA,MACA,WACA,OACA,UACA,QACA,SACA,SACA,QACA,SACA,SACA,MACA,QACA,QACA,QACA,MACA,UACA,UACA,WACA,MACA,SACA,OACA,SACA,SACA,UACA,SACA,MACA,QACA,OACA,SACA,SACA,SACA,UACA,MACA,MACA,OACA,MACA,SACA,MACA,QACA,QACA,OACA,IACA,QACA,QACA,SACA,OACA,MACA,OACA,UACA,WACA,MACA,OACA,QACA,MACA,QACA,UACA,OACA,WACA,WACA,UACA,QACA,UACA,WACA,SACA,WACA,WACA,QACA,MACA,OACA,OACA,MACA,QACA,SACA,SACA,SACA,SACA,QACA,OACA,SACA,SACA,SACA,SACA,SACA,SACA,UACA,UACA,SACA,QACA,QACA,SACA,OACA,MACA,SACA,OACA,MACA,OACA,WACA,UACA,SACA,OACA,MACA,SACA,SACA,SACA,UACA,SACA,MACA,SACA,SACA,SACA,UACA,QACA,SACA,MACA,OACA,OACA,WACA,OACA,SACA,QACA,YACA,UACA,WACA,OACA,QACA,QACA,UACA,SACA,MACA,MACA,SACA,WACA,WACA,SACA,UACA,SACA,SACA,UACA,UACA,SACA,UACA,WACA,YACA,WACA,YACA,WACA,YACA,WACA,WACA,YACA,YACA,aACA,cACA,aACA,cACA,aACA,cACA,aACA,SACA,UACA,UACA,WACA,QACA,SACA,QACA,SACA,UACA,OACA,MACA,UACA,UACA,WACA,UACF,EAGMC,EAAkB,CACtB,SACA,WACA,SACA,UACA,WACA,UACA,UACA,KACA,OACA,MACA,OACA,SACA,OACA,KACA,QACA,QACA,SACA,QACA,OACA,SACA,MACA,QACA,UACA,QACA,OACA,WACA,UACA,QACA,MACA,UACA,QACA,WACA,QACA,UACA,WACA,QACA,QACA,UACA,OACA,MACA,SACA,SACA,UACA,WACA,UACA,UACA,SACA,UACA,UACA,QACA,UACA,OACA,KACA,OACA,UACA,QACA,SACA,SACA,QACA,QACF,EAiBA,MAAO,CACL,KAAM,MACN,iBAAkB,GAClB,SAAU,CACR,QAnBa,CACf,OACA,UACA,QACA,cACA,cACA,WACA,MACA,SACA,SACA,YACA,SACA,UACF,EAOI,QAASF,CACX,EACA,SAAU,CACR,CAEE,UAAW,UACX,MAAO,wCACT,EACA,CAEE,UAAW,WACX,MAAO,6BACT,EACA,CACE,MAAO,CACL,OACA,oBACA,YACA,WACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,QACL,CACF,EACA,CACE,MAAO,CACL,eACA,MACA,yBACF,EACA,UAAW,CACT,EAAG,WACH,EAAG,gBACL,CACF,EACA,CACE,UAAW,WACX,MAAO,IAAMD,EAAM,OAAO,GAAGG,CAAe,CAC9C,EACA,CAEE,UAAW,iBACX,MAAO,yBACT,EACA,CAIE,UAAW,OACX,MAAOH,EAAM,OAAO,GAAGE,CAAS,EAAI,SACtC,EACA,CACE,UAAW,SACX,SAAU,CACRH,EAAK,iBACLA,EAAK,iBACP,CACF,EACAA,EAAK,QAAQ,MAAO,GAAG,EACvBA,EAAK,oBACP,CACF,CACF,CAEAF,GAAO,QAAUC,KC3iBjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAMC,EAAM,CACnB,IAAMC,EAAQD,EAAK,MACbE,EAAa,CACjB,UAAW,OACX,MAAO,YACT,EAGMC,EAAQ,CACZ,UAAW,QACX,SAAU,CACR,CAAE,MAAO,kBAAmB,EAC5B,CACE,MAAO,OACP,IAAK,IACP,CACF,CACF,EAEMC,EAAS,CACb,UAAW,SACX,SAAU,CACR,CACE,MAAO,MACP,IAAK,KACP,EACA,CACE,MAAO,IACP,IAAK,IACL,QAAS,MACT,SAAU,CAAEJ,EAAK,gBAAiB,CACpC,EACA,CACE,MAAO,UACP,IAAK,IACL,QAAS,MACT,SAAU,CACRA,EAAK,iBACLG,CACF,CACF,EACA,CACE,UAAW,SACX,MAAO,YACP,IAAK,MACL,SAAU,CAAEA,CAAM,EAClB,UAAW,EACb,CACF,CAEF,EAEME,EAAO,CACX,UAAW,OACX,MAAO,wBACP,UAAW,CACb,EAEMC,EAAO,CACX,UAAW,QACX,MAAO,iFACP,UAAW,CACb,EAEMC,EAAQ,CACZ,UAAW,QACX,cAAe,0BACf,IAAK,aACL,WAAY,GACZ,SAAU,CACRP,EAAK,oBACLA,EAAK,qBACL,CACE,cAAe,eACf,UAAW,EACb,EACA,CACE,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,UAAW,EACX,SAAU,CAAEK,CAAK,CACnB,EACA,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,UAAW,EACX,SAAU,CAAEA,CAAK,CACnB,EACAC,CACF,CACF,EAEME,EAAS,CACb,UAAW,WACX,cAAe,MACf,IAAKP,EAAM,UAAU,aAAa,EAClC,SAAU,CAAEK,CAAK,CACnB,EAEMG,EAAY,CAChB,MAAO,CACL,OACA,YACA,aACF,EACA,WAAY,CAAE,EAAG,SAAW,CAC9B,EAEMC,EAAM,CACV,MAAO,CACL,OACA,MACA,MACA,gBACF,EACA,WAAY,CACV,EAAG,UACH,EAAG,SACL,CACF,EAIMC,EAAe,CACnB,CAAE,MAAO,YAAa,EACtB,CACE,MAAO,iBACP,SAAU,QACZ,CACF,EAEMC,EAAqB,CACzB,MAAO,CACL,QACA,QACA,WACF,EACA,WAAY,CAAE,EAAG,SAAW,CAC9B,EAEA,MAAO,CACL,KAAM,QACN,SAAU,CACR,QAAS,kBACT,QAAS,6RACX,EACA,SAAU,CACRZ,EAAK,oBACLA,EAAK,qBACLI,EACAC,EACAG,EACAD,EACAP,EAAK,cACLS,EACAC,EACA,GAAGC,EACHC,EACAV,CACF,CACF,CACF,CAEAJ,GAAO,QAAUC,KChLjB,IAAAc,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAWA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAkB,wCAClBC,EAA0B,0BAC1BC,EAA2BD,EAA0B,SAAWA,EAA0B,IAC1FE,EAAW,CACf,SAAUH,EACV,SACE,koEAiCJ,EAEMI,EAAU,CACd,UAAW,UACX,MAAO,eAAiBJ,EAAkB,UAC5C,EAEMK,EAAS,CACb,UAAW,SACX,SAAU,CACR,CACE,MAAOJ,EACP,UAAW,CACb,EACA,CACE,MAAOC,EACP,UAAW,CACb,EACA,CAAE,MAAO,oBAAqB,EAC9B,CAAE,MAAO,oBAAqB,EAC9B,CAAE,MAAO,0BAA2B,CACtC,CACF,EAEMI,EAASP,EAAK,kBAEdQ,EAAgB,CACpBR,EAAK,QACH,IACA,IACA,CAAE,UAAW,CAAE,CACjB,EACAA,EAAK,QAAQ,OAAQ,MAAM,CAC7B,EAEMS,EAAQ,CACZ,MAAOR,EACP,UAAW,CACb,EAEMS,EAAe,CACnB,UAAW,SACX,MAAO,IAAOT,CAChB,EAEMU,EAAO,CACX,eAAgB,GAChB,UAAW,CACb,EAEMC,EAAc,CAClB,SAAU,CACR,CAAE,MAAO,GAAI,EACb,CAAE,MAAO,GAAI,CACf,EACA,SAAU,CACR,CACE,MAAO,MACP,IAAK,MACL,SAAU,CACR,OACAP,EACAE,EACAD,EACAG,EACAC,CACF,CACF,CACF,CACF,EAEMG,EAAO,CACX,UAAW,OACX,UAAW,EACX,MAAOZ,EACP,SAAUG,CACZ,EAyBMU,EAAO,CACX,SAAU,CACR,CACE,MAAO,MACP,IAAK,KACP,EACA,CACE,MAAO,MACP,IAAK,KACP,CACF,EACA,SAAU,CAlCG,CACb,MAAO,SACP,eAAgB,GAChB,YAAa,GACb,SAAU,CACRD,EACA,CACE,WAAY,GACZ,SAAU,CACR,CACE,MAAO,KACP,IAAK,IACP,EACA,CACE,MAAO,KACP,IAAK,IACP,CACF,EACA,SAAU,CAAEJ,CAAM,CACpB,CACF,CACF,EAeII,EACAF,CACF,CACF,EAEA,OAAAA,EAAK,SAAW,CACdN,EACAC,EACAC,EACAE,EACAC,EACAE,EACAE,CACF,EAAE,OAAON,CAAa,EAEf,CACL,KAAM,SACN,QAAS,CAAC,KAAK,EACf,QAAS,KACT,SAAU,CACRR,EAAK,QAAQ,EACbM,EACAC,EACAG,EACAE,EACAE,CACF,EAAE,OAAON,CAAa,CACxB,CACF,CAEAV,GAAO,QAAUC,KCnMjB,IAAAgB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAkB,CACtBD,EAAK,cACL,CACE,UAAW,SACX,MAAO,MACP,IAAK,MACL,SAAU,CACRA,EAAK,iBACL,CAAE,MAAO,IAAO,CAClB,CACF,CACF,EAEA,MAAO,CACL,KAAM,SACN,QAAS,CAAE,KAAM,EACjB,SAAU,CACR,SAAU,QACV,QAAS,wIAET,QACE,6CACF,SACC,0bAMH,EACA,QAAS,uBACT,SAAU,CACR,CACE,UAAW,WACX,cAAe,WACf,IAAK,IACL,SAAU,CACRA,EAAK,sBACL,CACE,UAAW,SACX,MAAO,MACP,IAAK,KACP,CACF,CACF,EAGA,CACE,MAAO,gCACP,UAAW,CACb,EACA,CACE,MAAO,MACP,IAAK,aACL,UAAW,EACX,SAAUC,CACZ,EACAD,EAAK,QAAQ,KAAM,GAAG,CACxB,EAAE,OAAOC,CAAe,CAC1B,CACF,CAEAH,GAAO,QAAUC,KCxEjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,KAAMC,GAASC,IACN,CACL,UAAW,CACT,MAAO,OACP,MAAO,YACT,EACA,cAAeA,EAAK,qBACpB,SAAU,CACR,MAAO,SACP,MAAO,iDACT,EACA,kBAAmB,CACjB,UAAW,WACX,MAAO,cACT,EACA,wBAAyB,CACvB,MAAO,gBACP,MAAO,KACP,IAAK,KACL,QAAS,IACT,SAAU,CACRA,EAAK,iBACLA,EAAK,iBACP,CACF,EACA,gBAAiB,CACf,MAAO,SACP,MAAOA,EAAK,UAAY,kGASxB,UAAW,CACb,EACA,aAAc,CACZ,UAAW,OACX,MAAO,0BACT,CACF,GAGIC,GAAO,CACX,IACA,OACA,UACA,UACA,QACA,QACA,IACA,aACA,OACA,SACA,SACA,UACA,OACA,OACA,KACA,MACA,UACA,MACA,MACA,KACA,KACA,KACA,WACA,aACA,SACA,SACA,OACA,KACA,KACA,KACA,KACA,KACA,KACA,SACA,SACA,OACA,IACA,SACA,MACA,QACA,MACA,MACA,QACA,SACA,KACA,OACA,OACA,OACA,MACA,SACA,KACA,IACA,IACA,QACA,OACA,UACA,OACA,SACA,UACA,MACA,QACA,QACA,KACA,WACA,QACA,KACA,QACA,OACA,KACA,KACA,MACA,OACF,EAEMC,GAAiB,CACrB,YACA,cACA,eACA,QACA,cACA,cACA,sBACA,gBACA,eACA,eACA,gBACA,OACA,SACA,QACA,kBACA,aACA,cACA,iBACA,kBACA,UACA,uBACA,mBACA,yBACA,+BACA,aACA,OACA,YACA,SACA,QAEA,YACA,YACA,aACA,YACF,EAGMC,GAAiB,CACrB,SACA,WACA,QACA,UACA,UACA,UACA,UACA,MACA,WACA,OACA,QACA,UACA,QACA,cACA,gBACA,aACA,SACA,QACA,gBACA,eACA,MACA,OACA,eACA,QACA,gBACA,WACA,UACA,KACA,OACA,aACA,eACA,OACA,OACA,aACA,MACA,YACA,UACA,iBACA,eACA,mBACA,cACA,aACA,eACA,WACA,eACA,OACA,oBACA,YACA,aACA,WACA,QACA,OACA,QACA,SACA,gBACA,eACA,QACA,UACA,OACF,EAGMC,GAAkB,CACtB,QACA,WACA,SACA,MACA,aACA,eACA,aACA,gBACA,SACA,OACA,cACA,YACA,UACA,gBACF,EAEMC,GAAa,CACjB,gBACA,cACA,aACA,MACA,YACA,kBACA,sBACA,qBACA,sBACA,4BACA,iBACA,uBACA,4BACA,sBACA,aACA,wBACA,wBACA,kBACA,mBACA,mBACA,oBACA,sBACA,oBACA,kBACA,aACA,SACA,eACA,qBACA,mBACA,yBACA,yBACA,yBACA,qBACA,2BACA,2BACA,2BACA,qBACA,qBACA,gBACA,sBACA,4BACA,6BACA,sBACA,sBACA,kBACA,eACA,eACA,sBACA,sBACA,qBACA,sBACA,qBACA,gBACA,sBACA,oBACA,0BACA,0BACA,0BACA,sBACA,4BACA,4BACA,4BACA,sBACA,sBACA,cACA,oBACA,oBACA,oBACA,gBACA,eACA,qBACA,qBACA,qBACA,iBACA,eACA,aACA,mBACA,yBACA,0BACA,mBACA,mBACA,eACA,SACA,uBACA,aACA,aACA,cACA,eACA,eACA,eACA,cACA,QACA,OACA,YACA,YACA,QACA,eACA,cACA,aACA,cACA,oBACA,oBACA,oBACA,cACA,eACA,UACA,UACA,UACA,qBACA,oBACA,gBACA,MACA,YACA,aACA,SACA,YACA,UACA,cACA,SACA,OACA,aACA,iBACA,YACA,YACA,cACA,YACA,QACA,OACA,OACA,eACA,cACA,wBACA,eACA,yBACA,YACA,mBACA,iBACA,eACA,aACA,iBACA,eACA,oBACA,0BACA,yBACA,uBACA,wBACA,0BACA,cACA,MACA,6BACA,OACA,YACA,oBACA,iBACA,iBACA,cACA,kBACA,oBACA,WACA,WACA,eACA,iBACA,gBACA,sBACA,wBACA,qBACA,sBACA,SACA,UACA,OACA,oBACA,kBACA,mBACA,WACA,cACA,YACA,kBACA,OACA,iBACA,aACA,cACA,aACA,mBACA,sBACA,kBACA,SACA,eACA,mBACA,qBACA,gBACA,gBACA,oBACA,sBACA,cACA,eACA,aACA,QACA,OACA,cACA,mBACA,qBACA,qBACA,oBACA,qBACA,oBACA,YACA,iBACA,aACA,YACA,cACA,gBACA,cACA,YACA,YACA,iBACA,aACA,kBACA,YACA,iBACA,aACA,kBACA,YACA,iBACA,WACA,YACA,WACA,YACA,SACA,OACA,SACA,aACA,kBACA,UACA,QACA,UACA,UACA,gBACA,iBACA,gBACA,gBACA,WACA,gBACA,aACA,aACA,UACA,gBACA,oBACA,sBACA,iBACA,iBACA,qBACA,uBACA,eACA,gBACA,cACA,mBACA,oBACA,oBACA,QACA,cACA,eACA,cACA,qBACA,iBACA,WACA,SACA,SACA,OACA,aACA,cACA,QACA,UACA,gBACA,sBACA,0BACA,4BACA,uBACA,uBACA,2BACA,6BACA,qBACA,sBACA,oBACA,iBACA,uBACA,2BACA,6BACA,wBACA,wBACA,4BACA,8BACA,sBACA,uBACA,qBACA,oBACA,mBACA,mBACA,kBACA,mBACA,kBACA,wBACA,eACA,gBACA,QACA,WACA,MACA,WACA,eACA,aACA,iBACA,kBACA,uBACA,kBACA,wBACA,uBACA,wBACA,gBACA,sBACA,yBACA,sBACA,cACA,eACA,mBACA,gBACA,iBACA,cACA,iBACA,0BACA,MACA,YACA,gBACA,mBACA,kBACA,aACA,mBACA,sBACA,sBACA,6BACA,eACA,iBACA,aACA,gBACA,iBACA,eACA,cACA,cACA,aACA,eACA,eACA,cACA,SACA,QACA,cACA,aACA,eACA,YACA,eACA,SAGF,EAAE,QAAQ,EAWV,SAASC,GAAKN,EAAM,CAClB,IAAMO,EAAQR,GAAMC,CAAI,EAClBQ,EAAoBJ,GACpBK,EAAmBN,GAEnBO,EAAgB,WAChBC,EAAe,kBAEfC,EAAW,CACf,UAAW,WACX,MAAO,OAHQ,0BAGY,OAC3B,UAAW,CACb,EAEA,MAAO,CACL,KAAM,OACN,iBAAkB,GAClB,QAAS,SACT,SAAU,CACRZ,EAAK,oBACLA,EAAK,qBAGLO,EAAM,gBACN,CACE,UAAW,cACX,MAAO,kBACP,UAAW,CACb,EACA,CACE,UAAW,iBACX,MAAO,oBACP,UAAW,CACb,EACAA,EAAM,wBACN,CACE,UAAW,eACX,MAAO,OAASN,GAAK,KAAK,GAAG,EAAI,OAEjC,UAAW,CACb,EACA,CACE,UAAW,kBACX,MAAO,KAAOQ,EAAiB,KAAK,GAAG,EAAI,GAC7C,EACA,CACE,UAAW,kBACX,MAAO,SAAWD,EAAkB,KAAK,GAAG,EAAI,GAClD,EACAI,EACA,CACE,MAAO,KACP,IAAK,KACL,SAAU,CAAEL,EAAM,eAAgB,CACpC,EACAA,EAAM,aACN,CACE,UAAW,YACX,MAAO,OAASF,GAAW,KAAK,GAAG,EAAI,MACzC,EACA,CAAE,MAAO,4oCAA6oC,EACtpC,CACE,MAAO,IACP,IAAK,QACL,UAAW,EACX,SAAU,CACRE,EAAM,cACNK,EACAL,EAAM,SACNA,EAAM,gBACNP,EAAK,kBACLA,EAAK,iBACLO,EAAM,UACNA,EAAM,iBACR,CACF,EAIA,CACE,MAAO,oBACP,SAAU,CACR,SAAUG,EACV,QAAS,kBACX,CACF,EACA,CACE,MAAO,IACP,IAAK,OACL,YAAa,GACb,SAAU,CACR,SAAU,UACV,QAASC,EACT,UAAWT,GAAe,KAAK,GAAG,CACpC,EACA,SAAU,CACR,CACE,MAAOQ,EACP,UAAW,SACb,EACA,CACE,MAAO,eACP,UAAW,WACb,EACAE,EACAZ,EAAK,kBACLA,EAAK,iBACLO,EAAM,SACNA,EAAM,eACR,CACF,EACAA,EAAM,iBACR,CACF,CACF,CAEAT,GAAO,QAAUQ,KCttBjB,IAAAO,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAMC,EAAM,CACnB,MAAO,CACL,KAAM,gBACN,QAAS,CACP,UACA,cACF,EACA,SAAU,CACR,CACE,UAAW,cAIX,MAAO,qCACP,OAAQ,CACN,IAAK,gBACL,YAAa,MACf,CACF,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KChCjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAMC,EAAM,CACnB,IAAMC,EAAuB,CAC3B,MACA,MACA,MACA,OACA,OACA,QACA,MACA,SACA,QACA,OACA,KACA,MACA,OACA,OACA,MACA,MACA,MACA,MACA,MACA,KACA,MACA,SACA,MACA,MACA,OACA,MACA,QACA,OACA,KACF,EACMC,EAAwB,CAC5B,OACA,OACA,QACA,QACA,UACA,OACA,SACA,UACA,UACA,OACA,WACA,SACA,OACA,UACA,SACA,OACA,QACF,EACMC,EAAiB,CACrB,YACA,cACA,WACA,QACA,YACA,SACA,UACA,YACA,SACA,SACA,QACF,EACA,MAAO,CACL,KAAM,QACN,SAAU,CACR,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,UAAW,CACb,EACAH,EAAK,QACH,IACA,IACA,CAAE,UAAW,CAAE,CACjB,EACA,CACE,UAAW,UACX,SAAU,CACR,CAAE,MAAO,2BAA4B,EACrC,CACE,MAAO,oBACP,UAAW,CACb,EACA,CACE,MAAO,oBACP,UAAW,CACb,EACA,CAAE,MAAO,OAASG,EAAe,KAAK,GAAG,EAAI,GAAI,CACnD,CACF,EACA,CACE,UAAW,WACX,SAAU,CACR,CAAE,MAAO,OAASF,EAAqB,KAAK,GAAG,EAAI,MAAO,EAC1D,CACE,MAAO,OAASA,EAAqB,KAAK,GAAG,EAAI,2BACjD,UAAW,EACb,EACA,CACE,MAAO,OAASC,EAAsB,KAAK,GAAG,EAAI,2BAClD,UAAW,EACb,CACF,CACF,EACA,CACE,UAAW,QACX,MAAO;AAAA,KACP,UAAW,CACb,EACA,CAAE,MAAO,YAAa,CACxB,CACF,CACF,CAEAJ,GAAO,QAAUC,KC5HjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAUC,EAAM,CACvB,IAAMC,EAAe,qBACfC,EAAO,CACX,UAAW,SACX,MAAO,SACT,EACMC,EAAS,CACb,UAAW,SACX,MAAO,IAAMH,EAAK,mBACpB,EACA,MAAO,CACL,KAAM,YACN,QAAS,CAAE,IAAK,EAChB,SAAU,CACR,OACA,QACA,MACA,OACA,QACA,aACF,EACA,SAAU,CACRA,EAAK,QAAQ,IAAK,GAAG,EACrBA,EAAK,iBACL,CACE,UAAW,OACX,MAAO,wBACP,UAAW,CACb,EACA,CACE,MAAOC,EAAe,IACtB,UAAW,CACb,EACAD,EAAK,cACLG,EACAD,EACA,CAIE,MAAO,UAAYD,EAAe,QAAUA,EAAe,YAC3D,YAAa,GACb,IAAK,KACL,QAAS,KACT,SAAU,CAAE,CAAE,MAAO,aAAeA,CAAa,CAAE,CACrD,EACA,CACE,MAAO,OACP,IAAK,MACL,SAAU,CACRD,EAAK,iBACLE,EACAF,EAAK,cACLG,CACF,CACF,CACF,CACF,CACF,CAEAL,GAAO,QAAUC,KCnEjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,MAAO,CACL,KAAM,oBACN,QAAS,CAAE,IAAK,EAChB,SAAU,CACR,SAAU,eACV,QAEE,iPAIF,SAEE,uFACF,QACE,6CACJ,EACA,QAAS,UACT,SAAU,CACR,CACE,UAAW,UACX,MAAO,mBACP,UAAW,CACb,EACAA,EAAK,QACH,SACA,SACA,CAAE,SAAU,CAAE,MAAO,CAAE,CACzB,EACA,CACE,UAAW,SACX,MAAO,wBAET,EACA,CACE,UAAW,OACX,MAAO,eACT,EACA,CACE,UAAW,OACX,MAAO,kBACP,UAAW,CACb,EACA,CACE,MAAO,oBAAuB,EAChCA,EAAK,QAAQA,EAAK,iBAAkB,CAClC,UAAW,SACX,UAAW,CACb,CAAC,EACDA,EAAK,QAAQA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,EACtD,CACE,UAAW,SACX,MACE,2HAIF,UAAW,CACb,EACA,CAAE,MAAO,OACT,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC1EjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAwCA,SAASC,GAAIC,EAAM,CAEjB,IAAMC,EAAW,CACf,UAAW,WACX,MAAO,iBACT,EAIMC,EAAW,CACf,UAAW,QACX,MAAO,yCACT,EAIMC,EAAU,CACd,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,KACP,UAAW,CACb,CACF,CACF,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,KACP,UAAW,CACb,CACF,CACF,CACF,CACF,EAEMC,EAAW,CACf,QACA,YACA,WACA,UACA,OACA,QACA,WACA,eACA,UACA,KACA,OACA,OACA,WACA,MACA,UACA,OACA,KACA,QACA,UACA,SACA,OACA,OACA,QACA,KACA,MACA,YACA,QACA,MACF,EAEMC,EAAU,CACd,SACA,WACA,aACA,cACA,cACA,kBACA,OACA,OACA,QACA,UACA,cACA,YACA,eACA,MACA,UACA,QACA,KACA,aACA,aACA,kBACA,YACA,YACA,eACA,YACA,cACA,WACA,iBACA,OACA,MACF,EAEMC,EAAW,CACf,MACA,UACA,OACA,SACA,YACA,aACA,eACA,mBACA,kBACA,uBACA,aACA,eACA,iBACA,kBACA,cACA,0BACA,oBACA,sBACA,eACA,YACA,cACA,mBACA,yBACA,oBACA,mBACA,cACA,mBACA,uBACA,4BACA,wBACA,mBACA,kBACA,kBACA,WACA,uBACA,aACA,eACA,iBACA,cACA,UACA,eACA,qBACA,cACA,oBACA,mBACA,gBACA,eACA,cACA,uBACA,mBACA,yBACA,oBACA,kBACA,eACA,oBACA,UACA,cACA,yBACA,oBACA,uBACA,aACA,eACA,kBACA,uBACA,gCACA,YACA,eACA,WACA,eACA,yBACA,oBACA,gBACA,wBACA,YACA,aACA,4BACA,aACA,UACA,cACA,YACA,iBACA,uBACA,kBACA,gBACA,gBACA,kBACA,gCACA,sCACA,QACA,QACA,SACA,WACA,gBACA,SACA,qBACA,gBACA,mBACA,cACA,gBACA,QACA,kBACA,wBACA,gBACA,cACA,cACA,cACA,eACA,UACA,aACA,kBACA,mBACA,cACA,uBACA,YACA,UACA,gBACA,WACA,oBACA,aACA,cACA,sBACA,+BACA,cACA,eACA,iBACA,sBACA,eACA,aACA,eACA,cACA,aACA,mBACA,WACA,aACA,WACA,cACA,WACA,eACA,qBACA,OACA,cACA,MACA,UACA,aACA,cACA,eACA,gBACA,iBACA,iBACA,uBACA,iBACA,iBACA,SACA,QACA,eACA,iBACA,OACA,WACA,WACA,SACA,gBACA,qBACA,oBACA,iBACA,iBACA,iBACA,gBACA,gBACA,oBACA,iBACA,gBACA,iBACA,gBACA,iBACA,eACA,kBACA,sBACA,mBACA,aACA,aACA,kBACA,OACA,QACA,MACA,WACA,iBACA,kBACA,aACA,eACA,WACA,gBACA,QACA,WACA,gBACA,oBACA,gBACA,oBACA,mBACA,YACA,YACA,sBACA,YACA,iBACA,oBACA,cACA,kBACA,iBACA,iBACA,eACA,eACA,cACA,0BACA,6BACA,wBACA,yBACA,eACA,kBACA,YACA,gBACA,sCACA,OACA,gBACA,aACA,YACA,oBACA,eACA,0BACA,YACA,aACA,eACA,wBACA,iBACA,WACA,aACA,qBACA,aACA,eACA,iBACA,gBACA,iBACA,kBACA,gBACA,qBACA,gBACA,mBACA,mBACA,aACA,YACA,aACA,cACA,YACA,iBACA,YACA,eACA,eACA,YACA,YACA,SACA,uBACA,sBACA,mBACA,8BACA,kBACA,UACA,UACA,eACA,WACA,aACA,8BACA,oBACA,kBACA,UACA,aACA,YACA,eACA,OACA,iBACA,gBACA,iBACA,kBACA,YACA,qBACA,qBACA,4BACA,qBACA,2BACA,iBACA,kBACA,iBACA,uBACA,gBACA,qBACA,2BACA,oBACA,eACA,aACA,mBACA,yBACA,kBACA,cACA,cACA,eACA,eACA,qBACA,qBACA,gBACA,wBACA,kBACA,aACA,uBACA,cACA,YACA,cACA,gBACA,aACA,gBACA,iBACA,cACA,eACA,cACA,yBACA,gBACA,eACA,UACA,gBACA,kBACA,sBACA,UACA,eACA,gBACA,eACA,cACA,gBACA,aACA,kBACA,aACA,WACA,mBACA,wBACA,kBACA,sBACA,sBACA,uBACA,kBACA,oBACA,uBACA,oBACA,kBACA,gBACA,MACA,QACA,aACA,gBACA,YACA,YACA,eACA,wBACA,mBACA,cACA,eACA,eACA,kBACA,oBACA,qBACA,gBACA,mBACA,cACA,qBACA,gBACA,yBACA,iBACA,eACA,oBACA,aACA,aACA,uBACA,0BACA,qBACA,mBACA,aACA,oBACA,aACA,aACA,gBACA,aACA,gBACA,oBACA,qBACA,OACA,cACA,WACA,UACA,WACA,SACA,mBACA,kBACA,mBACA,gBACA,kBACA,eACA,eACA,sBACA,YACA,mBACA,0BACA,SACA,sBACA,uBACA,sBACA,sBACA,cACA,gBACA,aACA,gBACA,aACA,aACA,aACA,cACA,WACA,iBACA,sBACA,iBACA,UACA,UACA,iBACA,mBACA,oBACA,kBACA,gBACA,mBACA,kBACA,eACA,uBACA,qBACA,uBACA,YACA,oBACA,iBACA,oBACA,aACA,0BACA,eACA,6BACA,yBACA,YACA,mBACA,qBACA,eACA,yBACA,0BACA,yBACA,yBACA,iBACA,uBACA,sBACA,cACA,eACA,cACA,gBACA,iBACA,gBACA,iBACA,gBACA,iBACA,gBACA,iBACA,gBACA,iBACA,gBACA,iBACA,oBACA,sBACA,sBACA,sBACA,sBACA,sBACA,sBACA,6BACA,eACA,gBACA,uBACA,yBACA,eACA,uBACA,oBACA,uBACA,wBACA,kBACA,mBACA,mBACA,mBACA,mBACA,eACA,sBACA,gBACA,wBACA,cACA,mBACA,4BACA,uBACA,uBACA,iBACA,yBACA,2BACA,0BACA,yBACA,aACA,wBACA,aACA,WACA,YACA,YACA,WACA,gBACA,iBACA,oBACA,oBACA,gBACA,cACA,WACA,UACA,qBACA,cACA,gBACA,aACA,cACA,YACA,sBACA,mBACA,aACA,UACA,gBACA,gBACA,oBACA,2BACA,cACA,yBACA,qBACA,yBACA,mBACA,gBACA,2BACA,kBACA,sBACA,uBACA,iBACA,iBACA,kBACA,wBACA,8BACA,wBACA,gBACA,mBACA,eACA,cACA,eACA,mBACA,oBACA,kBACA,gBACA,oBACA,sBACA,iBACA,eACA,eACA,aACA,cACA,yBACA,aACA,SACA,SACA,UACA,SACA,OACA,eACA,UACA,gBACA,iBACA,WACA,WACA,mBACA,MACA,qBACA,WACA,eACA,mBACA,qBACA,cACA,uBACA,iBACA,iBACA,eACA,oBACA,cACA,kBACA,aACA,eACA,aACA,gBACA,oBACA,iBACA,SACA,gBACA,yBACA,qBACA,wBACA,wBACA,+BACA,oBACA,0BACA,wBACA,uBACA,iBACA,gBACA,0BACA,0BACA,wBACA,4BACA,cACA,eACA,oBACA,wBACA,WACA,cACA,eACA,+BACA,oBACA,YACA,iBACA,WACA,oBACA,uBACA,0BACA,gBACA,mBACA,aACA,mBACA,kBACA,gBACA,cACA,SACA,qBACA,SACA,cACA,aACA,oBACA,uBACA,mBACA,YACA,gCACA,YACA,YACA,gBACA,uBACA,sBACA,yBACA,uBACA,sBACA,uBACA,uBACA,qBACA,2BACA,mBACA,yBACA,eACA,cACA,gBACA,gCACA,4BACA,yBACA,oBACA,gBACA,eACA,WACA,aACA,cACA,qBACA,eACA,kBACA,SACA,WACA,QACA,WACA,SACA,YACA,SACA,oBACA,WACA,UACA,YACA,cACA,WACA,aACA,YACA,WACA,aACA,WACA,eACA,cACA,gBACA,eACA,SACA,OACA,4BACA,gCACA,2BACA,iCACA,OACA,4BACA,aACA,wBACA,qBACA,mBACA,iBACA,WACA,kBACA,qBACA,eACA,qBACA,uBACA,oBACA,iBACA,iBACA,gBACA,sBACA,gBACA,wBACA,mBACA,+BACA,0BACA,gCACA,kBACA,wBACA,oBACA,gBACA,kBACA,2BACA,iBACA,eACA,qBACA,cACA,eACA,mBACA,0BACA,eACA,kBACA,mBACA,yBACA,gBACA,qBACA,mBACA,gBACA,0BACA,qBACA,qBACA,sBACA,0BACA,mBACA,aACA,WACA,iBACA,kBACA,gBACA,mBACA,WACA,qBACA,oBACA,oBACA,yBACA,oBACA,qBACA,gBACA,iBACA,OACA,mBACA,UACA,SACA,MACA,sBACA,oBACA,eACA,SACA,OACA,UACA,kBACA,YACA,YACA,YACA,aACA,cACA,aACA,sBACA,OACA,UACA,YACA,cACA,mBACA,oBACA,yBACA,SACA,mBACA,oBACA,SACA,OACA,eACA,gBACA,OACA,qBACA,YACA,WACA,cACA,UACA,UACA,QACA,cACA,iBACA,cACA,MACA,cACA,YACA,kBACA,qBACA,uBACA,YACA,WACA,mBACA,kBACA,oBACA,WACA,eACA,aACA,eACA,YACA,kBACA,qBACA,gBACA,qBACA,oBACA,eACA,SACA,YACA,qBACA,kBACA,mBACA,oBACA,gBACA,aACA,aACA,gBACA,WACA,aACA,OACA,WACA,mBACA,oBACA,eACA,eACA,MACA,qBACA,mBACA,gBACA,qBACA,gBACA,kBACA,cACA,sBACA,uBACA,sBACA,0BACA,mBACA,kBACA,gBACA,8BACA,4BACA,wBACA,mBACA,mBACA,yBACA,mBACA,eACA,sBACA,mBACA,WACA,mBACA,+BACA,kBACA,kBACA,0BACA,yBACA,kBACA,wBACA,mBACA,uBACA,kBACA,yCACA,yBACA,gBACA,kBACA,iBACA,uBACA,8BACA,kBACA,sBACA,sBACA,YACA,mBACA,wBACA,mBACA,2BACA,gCACA,aACA,oBACA,iBACA,SACA,eACA,gBACA,oBACA,0BACA,UACA,kBACA,kBACA,gBACA,uBACA,qBACA,wBACA,0BACA,wBACA,sBACA,aACA,0BACA,uBACA,iBACA,YACA,iBACA,eACA,iBACA,eACA,qBACA,gBACA,cACA,SACA,cACA,oBACA,eACA,cACA,gBACA,oBACA,mBACA,iBACA,eACA,gBACA,gBACA,UACA,mBACA,wBACA,iBACA,0BACA,mBACA,iBACA,eACA,mBACA,qBACA,YACA,oBACA,oBACA,eACA,eACA,cACA,qBACA,iBACA,iBACA,oBACA,gBACA,wBACA,gBACA,eACA,mBACA,qBACA,oBACA,0BACA,yBACA,yBACA,uBACA,qBACA,iBACA,mBACA,cACA,kBACA,eACA,qBACA,SACA,YACA,kBACA,aACA,YACA,kBACA,eACA,cACA,oBACA,oBACA,YACA,YACA,2BACA,iBACA,gBACA,cACA,mBACA,mBACA,mBACA,oBACA,iBACA,eACA,qBACA,2BACA,WACA,aACA,eACA,yBACA,qBACA,iBACA,iBACA,mBACA,sBACA,iBACA,UACA,aACA,iBACA,eACA,kBACA,uBACA,mBACA,kBACA,sBACA,sBACA,iBACA,eACA,oBACA,cACA,iBACA,kBACA,cACA,kBACA,mBACA,iBACA,gBACA,yBACA,sBACA,WACA,WACA,aACA,cACA,UACA,OACA,QACA,YACA,iBACA,sBACA,oBACA,UACA,aACA,aACA,SACA,qBACA,kBACA,SACA,QACA,OACA,eACA,kBACA,gBACA,WACA,YACA,eACA,iBACA,YACA,cACA,gBACA,WACA,oBACA,gBACA,aACA,gBACA,aACA,YACA,aACA,WACA,WACA,aACA,mBACA,gBACA,OACA,QACA,YACA,aACA,MACA,cACA,WACA,oBACA,WACA,QACA,kBACA,aACA,KACA,SACA,cACA,qBACA,UACA,WACA,YACA,4BACA,sBACA,aACA,0BACA,eACA,kBACA,YACA,cACA,kBACA,aACA,qBACA,SACA,qBACA,YACA,SACA,oBACA,gBACA,kBACA,sBACA,UACA,wBACA,0BACA,UACA,gBACA,eACA,0BACA,aACA,kBACA,UACA,aACA,YACA,UACA,qBACA,mBACA,kBACA,cACA,iBACA,aACA,aACA,YACA,cACA,iBACA,iBACA,mBACA,oBACA,wBACA,UACA,iBACA,cACA,eACA,oBACA,gBACA,eACA,0BACA,WACA,uBACA,4BACA,cACA,cACA,WACA,YACA,YACA,cACA,eACA,wBACA,kCACA,gBACA,oBACA,QACA,gBACA,eACA,SACA,WACA,iBACA,cACA,WACA,eACA,WACA,aACA,mBACA,sBACA,WACA,0BACA,WACA,mBACA,iBACA,kBACA,mBACA,iBACA,wBACA,4BACA,wBACA,SACA,mBACA,cACA,oBACA,mBACA,iBACA,cACA,mBACA,iBACA,mBACA,yBACA,YACA,mBACA,iBACA,YACA,QACA,qBACA,OACA,SACA,eACA,aACA,aACA,gBACA,uBACA,aACA,aACA,UACA,gBACA,SACA,YACA,WACA,UACA,OACA,aACA,OACA,SACA,aACA,WACA,cACA,QACA,UACA,UACA,eACA,WACA,SACA,WACA,eACA,YACA,iBACA,cACA,aACA,kBACA,cACA,YACA,eACA,oBACA,4BACA,4BACA,oBACA,yBACA,iCACA,iCACA,mBACA,wBACA,gBACA,YACA,iBACA,eACA,aACA,SACA,SACA,WACA,gBACA,SACA,cACA,YACA,UACA,SACA,oBACA,qBACA,kBACA,gCACA,+BACA,yCACA,iCACA,yCACA,mBACA,eACA,iBACA,qBACA,YACA,oBACA,oBACA,YACA,aACA,aACA,mBACA,iBACA,qBACA,yBACA,qBACA,WACA,OACA,cACA,oBACA,qBACA,KACA,cACA,eACA,YACA,WACA,WACA,gBACA,eACA,UACA,kBACA,eACA,wBACA,aACA,kBACA,cACA,mBACA,mBACA,kBACA,aACA,gBACA,qBACA,0BACA,6BACA,kCACA,qBACA,aACA,kBACA,gBACA,cACA,UACA,UACA,YACA,iBACA,UACA,eACA,WACA,OACA,UACA,eACA,aACA,WACA,WACA,eACA,eACA,cACA,aACA,cACA,WACA,WACA,iBACA,mBACA,OACA,eACA,YACA,aACA,SACA,iBACA,cACA,eACA,kBACA,eACA,eACA,gBACA,aACA,SACA,MACA,cACA,aACA,sBACA,SACA,YACA,gBACA,YACA,sBACA,gBACA,qBACA,oBACA,kBACA,0BACA,yBACA,sBACA,kBACA,qBACA,aACA,eACA,gBACA,cACA,oBACA,kBACA,wBACA,cACA,cACA,gBACA,cACA,YACA,iBACA,YACA,eACA,cACA,aACA,aACA,aACA,iBACA,kBACA,MACA,UACA,UACA,aACA,UACA,cACA,YACA,eACA,WACA,aACA,aACA,cACA,aACA,YACA,cACA,gBACA,eACA,cACA,iBACA,kBACA,cACA,aACA,eACA,eACA,mBACA,WACA,WACA,WACA,UACA,YACA,QACA,MACA,aACA,iBACA,gBACA,mBACA,oBACA,oBACA,aACA,cACA,oBACA,mBACA,0BACA,eACA,iBACA,MACA,eACA,qBACA,0BACA,oBACA,YACA,gBACA,YACA,SACA,OACA,iBACA,YACA,cACA,kBACA,eACA,eACA,eACA,kBACA,UACA,WACA,SACA,kBACA,eACA,cACA,OACA,kBACA,YACA,eACA,kBACA,kBACA,mBACA,6BACA,eACA,gBACA,iBACA,wBACA,cACA,mBACA,YACA,eACA,cACA,aACA,cACA,QACA,aACA,aACA,oBACA,oBACA,aACA,MACA,qBACA,eACA,iBACA,kBACA,eACA,YACA,kBACA,kBACA,iBACA,uBACA,uBACA,gBACA,cACA,mBACA,uBACA,uBACA,4BACA,mBACA,oBACA,uBACA,oBACA,mBACA,kBACA,eACA,uBACA,cACA,UACA,UACA,eACA,mBACA,KACA,aACA,WACA,mBACA,QACA,QACA,SACA,cACA,mBACA,YACA,mBACA,mBACA,qBACA,iBACA,QACA,YACA,gBACA,qBACA,SACA,SACA,sBACA,gBACA,aACA,gBACA,SACA,oBACA,aACA,gBACA,cACA,cACA,WACA,cACA,YACA,sBACA,YACA,cACA,cACA,OACA,WACA,wBACA,mBACA,mBACA,iBACA,iBACA,oBACA,iBACA,kBACA,iBACA,kBACA,qBACA,YACA,gBACA,gBACA,eACA,kBACA,kBACA,iBACA,4BACA,gBACA,qBACA,wBACA,WACA,mBACA,iBACA,cACA,mBACA,mBACA,wBACA,mBACA,sBACA,iBACA,uBACA,uBACA,WACA,iBACA,gBACA,iBACA,oBACA,kBACA,MACA,kBACA,qBACA,mBACA,qBACA,0BACA,uBACA,eACA,cACA,OACA,UACA,aACA,SACA,OACA,SACA,SACA,cACA,YACA,aACA,eACA,kBACA,eACA,SACA,gBACA,gBACA,aACA,iBACA,sBACA,uBACA,yBACA,kBACA,eACA,6BACA,mBACA,yBACA,0BACA,sBACA,yBACA,8BACA,+BACA,yBACA,wBACA,iBACA,8BACA,gCACA,2BACA,8BACA,sBACA,8BACA,gCACA,mCACA,mBACA,iBACA,uBACA,sBACA,sBACA,0BACA,+BACA,2BACA,oBACA,qBACA,iBACA,kBACA,qBACA,6BACA,gBACA,kBACA,oBACA,iBACA,aACA,yBACA,wBACA,qBACA,cACA,iBACA,uBACA,kBACA,wBACA,uBACA,iBACA,4BACA,uBACA,0BACA,kBACA,0BACA,4BACA,mBACA,uBACA,mBACA,gBACA,+BACA,aACA,eACA,8BACA,oBACA,qBACA,qBACA,qBACA,kBACA,gBACA,yBACA,SACA,YACA,iBACA,sBACA,SACA,aACA,UACA,iBACA,SACA,mBACA,kBACA,sBACA,iBACA,oBACA,eACA,aACA,UACA,cACA,aACA,kBACA,aACA,QACA,kBACA,eACA,aACA,cACA,kBACA,eACA,QACA,gBACA,YACA,YACA,eACA,YACA,eACA,YACA,oBACA,WACA,eACA,gBACA,8BACA,cACA,uBACA,aACA,UACA,gBACA,MACA,QACA,QACA,YACA,QACA,YACA,aACA,gBACA,aACA,aACA,YACA,kBACA,uBACA,0BACA,SACA,mBACA,qBACA,wBACA,qBACA,iBACA,oBACA,0BACA,eACA,YACA,YACA,iBACA,eACA,eACA,uBACA,eACA,qBACA,gBACA,oBACA,WACA,iBACA,iBACA,mBACA,gBACA,yBACA,0BACA,aACA,kBACA,aACA,MACA,mBACA,oBACA,cACA,sBACA,eACA,sBACA,mBACA,0BACA,2BACA,uBACA,oBACA,kBACA,aACA,yBACA,sBACA,iBACA,UACA,eACA,iBACA,mBACA,cACA,iBACA,kBACA,gBACA,gBACA,eACA,qBACA,uBACA,eACA,oBACA,uBACA,oBACA,cACA,aACA,kBACA,oBACA,qBACA,gBACA,wBACA,sBACA,mBACA,8BACA,iBACA,4BACA,yBACA,oBACA,iBACA,qBACA,mBACA,uBACA,2BACA,qBACA,YACA,aACA,UACA,oBACA,mBACA,iBACA,wBACA,qBACA,yBACA,SACA,eACA,cACA,iBACA,kBACA,+BACA,mCACA,gBACA,uBACA,qBACA,wBACA,kBACA,UACA,mBACA,aACA,iBACA,wBACA,eACA,cACA,iBACA,SACA,uBACA,eACA,mBACA,aACA,YACA,gBACA,iBACA,UACA,eACA,eACA,qBACA,0BACA,uBACA,aACA,mBACA,gBACA,WACA,gBACA,SACA,cACA,oBACA,yBACA,uBACA,cACA,cACA,gBACA,eACA,YACA,kBACA,sBACA,qBACA,gBACA,mBACA,mBACA,2BACA,oBACA,oBACA,aACA,gBACA,mBACA,sBACA,qBACA,wBACA,iBACA,sBACA,iBACA,sBACA,iBACA,sBACA,eACA,oBACA,oBACA,yBACA,eACA,oBACA,kBACA,uBACA,iBACA,sBACA,gBACA,qBACA,gBACA,qBACA,gBACA,qBACA,UACA,aACA,WACA,mBACA,sBACA,mBACA,iBACA,uBACA,UACA,eACA,qBACA,oBACA,0BACA,iBACA,iBACA,mBACA,yBACA,wBACA,gBACA,cACA,WACA,qBACA,oBACA,mBACA,kBACA,oBACA,oBACA,0BACA,yBACA,uBACA,gBACA,eACA,qBACA,WACA,iBACA,cACA,uBACA,qBACA,SACA,YACA,aACA,aACA,YACA,cACA,cACA,kBACA,oBACA,cACA,UACA,aACA,eACA,UACA,iBACA,iBACA,mBACA,oBACA,iBACA,UACA,6BACA,0BACA,2BACA,2BACA,sBACA,oBACA,wBACA,UACA,WACA,eACA,iBACA,aACA,YACA,eACA,aACA,mBACA,eACA,iBACA,mBACA,eACA,sBACA,gBACA,eACA,iBACA,mBACA,UACA,oBACA,iBACA,iBACA,eACA,oBACA,qBACA,gBACA,kBACA,uBACA,iBACA,qBACA,uBACA,iBACA,oBACA,iBACA,kBACA,sBACA,UACA,iBACA,iBACA,oBACA,wBACA,iBACA,aACA,iBACA,cACA,2BACA,eACA,oBACA,oBACA,iBACA,kBACA,cACA,eACA,oBACA,cACA,iBACA,oBACA,kBACA,kBACA,eACA,iBACA,qBACA,kBACA,iCACA,8BACA,gCACA,mBACA,oBACA,cACA,wBACA,4BACA,kBACA,4BACA,kBACA,WACA,uBACA,wBACA,8BACA,yBACA,4BACA,uBACA,2BACA,4BACA,0BACA,wBACA,kBACA,sBACA,oBACA,mBACA,wBACA,qBACA,kBACA,qBACA,yBACA,mBACA,UACA,aACA,eACA,aACA,uBACA,WACA,cACA,WACA,mBACA,qBACA,cACA,qBACA,UACA,UACA,aACA,UACA,yBACA,YACA,eACA,sBACA,sBACA,WACA,WACA,WACA,WACA,aACA,kBACA,iBACA,eACA,eACA,aACA,UACA,YACA,iBACA,gBACA,cACA,cACA,YACA,eACA,gBACA,OACA,WACA,YACA,cACA,oBACA,oBACA,sBACA,gBACA,mBACA,MACA,OACA,SACA,QACA,aACA,WACA,QACA,iBACA,cACA,oBACA,iBACA,iBACA,cACA,0BACA,mBACA,WACA,OACA,cACA,QACA,UACA,eACA,QACA,YACA,cACA,OACA,cACA,SACA,qBACA,OACA,gBACA,UACA,MACA,YACA,cACA,cACA,iBACA,gBACA,iBACA,cACA,cACA,kBACA,eACA,eACA,gBACA,cACA,aACA,sBACA,uBACA,wBACA,wBACA,2BACA,qBACA,sBACA,aACA,gBACA,aACA,gBACA,MACA,kBACA,UACA,mBACA,eACA,oBACA,eACA,gBACA,iBACA,kBACA,kBACA,WACA,mBACA,WACA,aACA,aACA,YACA,WACA,aACA,WACA,QACA,aACA,oBACA,WACA,YACA,mBACA,sBACA,wBACA,OACA,UACA,gBACA,KACA,OACA,iBACA,WACA,eACA,WACA,WACA,YACA,UACA,UACA,UACA,cACA,WACA,UACA,cACA,mBACA,oBACA,cACA,cACA,yBACA,sBACA,uBACA,2BACA,kBACA,oBACA,cACA,iBACA,wBACA,cACA,OACA,cACA,cACA,aACA,QACA,UACA,aACA,gBACA,UACA,WACA,SACA,WACA,WACA,cACA,eACA,YACA,iBACA,cACA,aACA,cACA,YACA,eACA,oBACA,4BACA,4BACA,oBACA,yBACA,iCACA,iCACA,mBACA,gBACA,YACA,eACA,aACA,SACA,YACA,gBACA,mBACA,SACA,YACA,UACA,OACA,WACA,SACA,aACA,cACA,UACA,kBACA,eACA,eACA,kBACA,aACA,UACA,mBACA,eACA,mBACA,kBACA,aACA,kBACA,wBACA,eACA,iBACA,YACA,UACA,YACA,wBACA,QACA,mBACA,aACA,aACA,oBACA,iBACA,iBACA,iBACA,mBACA,8BACA,yBACA,uBACA,oBACA,SACA,YACA,YACA,qBACA,aACA,YACA,kBACA,iBACA,oBACA,mBACA,eACA,yBACA,kBACA,qBACA,qBACA,2BACA,iBACA,mBACA,WACA,iBACA,qBACA,2BACA,UACA,sBACA,cACA,kBACA,eACA,8BACA,2BACA,6BACA,WACA,iBACA,WACA,qBACA,kBACA,OACA,gBACA,YACA,gBACA,eACA,iBACA,aACA,aACA,kBACA,qBACA,oBACA,eACA,QACA,yBACA,0BACA,uBACA,wBACA,oBACA,qBACA,2BACA,sBACA,yBACA,oBACA,wBACA,yBACA,uBACA,qBACA,eACA,mBACA,YACA,iBACA,sBACA,eACA,gBACA,qBACA,kBACA,yBACA,eACA,kBACA,oBACA,yBACA,cACA,kBACA,gBACA,gBACA,sBACA,UACA,cACA,eACA,oBACA,cACA,gBACA,YACA,aACA,OACA,UACA,UACA,UACA,iBACA,YACA,YACA,eACA,qBACA,eACF,EAIMC,EAAe,CACnB,UAAW,OACX,MAAO,eACP,IAAK,IACL,SAAU,kDACV,SAAU,CACR,CACE,MAAO,OACP,UAAW,CACb,EACAP,EAAK,QAAQG,EAAS,CAAE,UAAW,QAAS,CAAC,EAC7C,CACE,MAAO,YACP,IAAK,IACL,QAAS,KACX,EACAH,EAAK,oBACLA,EAAK,oBACP,CACF,EAEA,MAAO,CACL,KAAM,MACN,iBAAkB,GAClB,SAAU,CACR,QAASI,EACT,SAAUE,EACV,QAASD,CACX,EACA,SAAU,CACRL,EAAK,oBACLA,EAAK,qBACLA,EAAK,YACLC,EACAC,EACAC,EACAI,CACF,EACA,QAAS,CAEP,iBACA,OACA,KACA,IAEA,OAEA,cACA,OACA,MACF,CACF,CACF,CAEAT,GAAO,QAAUC,KCrmFjB,IAAAS,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAsBA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAQD,EAAK,MACbE,EAAeF,EAAK,QAAQ,KAAM,GAAG,EACrCG,EAAS,CACb,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,IAAK,CAAE,CAC9B,CACF,CACF,EACMC,EAAoB,CACxB,MAAO,IACP,IAAK,IACL,SAAU,CAAE,CAAE,MAAO,IAAK,CAAE,CAC9B,EAEMC,EAAW,CACf,OACA,QAGA,SACF,EAEMC,EAAmB,CACvB,mBACA,eACA,gBACA,kBACF,EAEMC,EAAQ,CACZ,SACA,SACA,OACA,UACA,OACA,YACA,OACA,OACA,MACA,WACA,UACA,QACA,MACA,UACA,WACA,QACA,QACA,WACA,UACA,OACA,MACA,WACA,OACA,YACA,UACA,UACA,WACF,EAEMC,EAAqB,CACzB,MACA,MACA,YACA,OACA,QACA,QACA,OACA,MACF,EAGMC,EAAiB,CACrB,MACA,OACA,MACA,WACA,QACA,MACA,MACA,MACA,QACA,YACA,wBACA,KACA,aACA,OACA,aACA,KACA,OACA,SACA,gBACA,MACA,QACA,cACA,kBACA,UACA,SACA,SACA,OACA,UACA,OACA,KACA,OACA,SACA,cACA,WACA,OACA,OACA,OACA,UACA,OACA,cACA,YACA,mBACA,QACA,aACA,OACA,QACA,WACA,UACA,UACA,SACA,SACA,YACA,UACA,aACA,WACA,UACA,OACA,OACA,gBACA,MACA,OACA,QACA,YACA,aACA,SACA,QACA,OACA,YACA,UACA,kBACA,eACA,kCACA,eACA,eACA,cACA,iBACA,eACA,oBACA,eACA,eACA,mCACA,eACA,SACA,QACA,OACA,MACA,aACA,MACA,UACA,WACA,UACA,UACA,SACA,SACA,aACA,QACA,WACA,gBACA,aACA,WACA,SACA,OACA,UACA,OACA,UACA,OACA,QACA,MACA,YACA,gBACA,WACA,SACA,SACA,QACA,SACA,OACA,UACA,SACA,MACA,WACA,UACA,QACA,QACA,SACA,cACA,QACA,QACA,MACA,UACA,YACA,OACA,OACA,OACA,WACA,SACA,MACA,SACA,QACA,QACA,WACA,SACA,SACA,OACA,OACA,WACA,KACA,YACA,UACA,QACA,QACA,cACA,SACA,MACA,UACA,YACA,eACA,WACA,OACA,KACA,OACA,aACA,gBACA,cACA,cACA,iBACA,aACA,aACA,uBACA,aACA,MACA,WACA,QACA,aACA,UACA,OACA,UACA,OACA,OACA,aACA,UACA,KACA,QACA,YACA,iBACA,MACA,QACA,QACA,QACA,eACA,kBACA,UACA,MACA,SACA,QACA,SACA,MACA,SACA,MACA,WACA,SACA,QACA,WACA,WACA,UACA,QACA,QACA,MACA,KACA,OACA,YACA,MACA,YACA,QACA,OACA,SACA,UACA,eACA,oBACA,KACA,SACA,MACA,OACA,KACA,MACA,OACA,OACA,KACA,QACA,MACA,QACA,OACA,WACA,UACA,YACA,YACA,UACA,MACA,UACA,eACA,kBACA,kBACA,SACA,UACA,WACA,iBACA,QACA,WACA,YACA,UACA,UACA,YACA,MACA,QACA,OACA,QACA,OACA,YACA,MACA,aACA,cACA,YACA,YACA,aACA,iBACA,UACA,aACA,WACA,WACA,WACA,UACA,SACA,SACA,UACA,SACA,QACA,WACA,SACA,MACA,aACA,OACA,UACA,YACA,QACA,SACA,SACA,SACA,OACA,SACA,YACA,eACA,MACA,OACA,UACA,MACA,OACA,OACA,WACA,OACA,WACA,eACA,MACA,eACA,WACA,aACA,OACA,QACA,SACA,aACA,cACA,cACA,SACA,YACA,kBACA,WACA,MACA,YACA,SACA,cACA,cACA,QACA,cACA,MACA,OACA,OACA,OACA,YACA,gBACA,kBACA,KACA,WACA,YACA,kBACA,cACA,QACA,UACA,OACA,aACA,OACA,WACA,UACA,QACA,SACA,UACA,SACA,SACA,QACA,OACA,QACA,QACA,SACA,WACA,UACA,WACA,YACA,UACA,UACA,aACA,OACA,WACA,QACA,eACA,SACA,OACA,SACA,UACA,MACF,EAKMC,EAAqB,CACzB,MACA,OACA,YACA,OACA,OACA,MACA,OACA,OACA,UACA,WACA,OACA,MACA,OACA,QACA,YACA,aACA,YACA,aACA,QACA,UACA,MACA,UACA,cACA,QACA,aACA,gBACA,cACA,cACA,iBACA,aACA,aACA,uBACA,aACA,MACA,aACA,OACA,UACA,KACA,MACA,QACA,QACA,MACA,MACA,MACA,YACA,QACA,SACA,eACA,kBACA,kBACA,WACA,iBACA,QACA,OACA,YACA,YACA,aACA,iBACA,UACA,aACA,WACA,WACA,WACA,aACA,MACA,OACA,OACA,aACA,cACA,YACA,kBACA,MACA,MACA,OACA,YACA,kBACA,QACA,OACA,aACA,SACA,QACA,WACA,UACA,WACA,cACF,EAGMC,EAA0B,CAC9B,kBACA,eACA,kCACA,eACA,eACA,iBACA,mCACA,eACA,eACA,cACA,cACA,eACA,YACA,oBACA,gBACF,EAIMC,EAAS,CACb,eACA,cACA,cACA,cACA,WACA,cACA,iBACA,gBACA,cACA,gBACA,gBACA,eACA,cACA,aACA,cACA,eACF,EAEMC,EAAYH,EAEZI,EAAW,CACf,GAAGL,EACH,GAAGD,CACL,EAAE,OAAQO,GACD,CAACL,EAAmB,SAASK,CAAO,CAC5C,EAEKC,EAAW,CACf,UAAW,WACX,MAAO,qBACT,EAEMC,EAAW,CACf,UAAW,WACX,MAAO,gDACP,UAAW,CACb,EAEMC,EAAgB,CACpB,MAAOjB,EAAM,OAAO,KAAMA,EAAM,OAAO,GAAGY,CAAS,EAAG,OAAO,EAC7D,UAAW,EACX,SAAU,CAAE,SAAUA,CAAU,CAClC,EAGA,SAASM,EAAgBC,EAAM,CAC7B,WAAAC,EAAY,KAAAC,CACd,EAAI,CAAC,EAAG,CACN,IAAMC,EAAYD,EAClB,OAAAD,EAAaA,GAAc,CAAC,EACrBD,EAAK,IAAKI,IACXA,GAAK,MAAM,QAAQ,GAAKH,EAAW,SAASG,EAAI,EAC3CA,GACED,EAAUC,EAAI,EAChB,GAAGA,EAAI,KAEPA,EAEV,CACH,CAEA,MAAO,CACL,KAAM,MACN,iBAAkB,GAElB,QAAS,WACT,SAAU,CACR,SAAU,YACV,QACEL,EAAgBL,EAAU,CAAE,KAAOW,GAAMA,EAAE,OAAS,CAAE,CAAC,EACzD,QAASpB,EACT,KAAME,EACN,SAAUI,CACZ,EACA,SAAU,CACR,CACE,MAAOV,EAAM,OAAO,GAAGW,CAAM,EAC7B,UAAW,EACX,SAAU,CACR,SAAU,UACV,QAASE,EAAS,OAAOF,CAAM,EAC/B,QAASP,EACT,KAAME,CACR,CACF,EACA,CACE,UAAW,OACX,MAAON,EAAM,OAAO,GAAGK,CAAgB,CACzC,EACAY,EACAF,EACAb,EACAC,EACAJ,EAAK,cACLA,EAAK,qBACLE,EACAe,CACF,CACF,CACF,CAEAnB,GAAO,QAAUC,KCzqBjB,IAAA2B,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MAEbE,EAAS,CACb,YACA,QACA,OACA,aACA,aACA,cACA,WACF,EAEMC,EAAa,CACjB,MACA,KACA,KACA,OACA,QACA,QACA,WACA,QACF,EAEMC,EAAQ,CACZ,QACA,UACA,MACA,OACA,SACA,UACA,mBACA,UACA,cACA,aACA,SACA,0BACA,yBACA,iBACA,gBACA,MACF,EAUMC,EAAY,CAChB,MACA,aACA,MACA,OACA,QACA,WACA,iBACA,wBACA,eACA,aACA,aACA,OACA,QACA,OACA,QACA,QACA,oBACA,qBACA,kBACA,2BACA,QACA,OACA,OACA,WACA,qBACA,SACA,MACA,OACA,sBACA,mBACA,OACA,MACA,OACA,eACA,YACA,gBACA,gBACA,gBACA,0BACA,sBACA,iBACA,cACA,cACA,qBACA,oBACA,WACA,UACA,OACA,WACA,cACA,WACA,kBACA,mBACA,MACA,OACA,MACA,OACA,QACA,OACA,oBACA,OACA,QACA,MACA,OACA,OACA,OACA,UACA,UACA,sBACA,WACA,SACA,WACA,OACA,wBACA,eACA,QACA,kBACA,WACA,WACA,eACA,gBACA,sBACA,oBACA,qBACA,MACA,UACA,cACA,YACA,WACA,aACA,UACA,cACA,SACA,SACA,aACA,cACA,QACA,UACA,QACA,SACA,kBACA,sBACA,uBACA,mBACA,UACA,YACA,MACA,QACA,YACA,kBACA,QACA,YACA,kBACA,eACA,wBACA,gBACA,qBACA,UACA,iCACA,uBACA,cACA,cACA,QACA,oBACA,WACA,aACA,sBACA,eACA,MACA,mBACA,uBACA,oBACA,wBACA,OACA,MACA,6BACA,8BACA,eACA,oCACA,oBACA,OACA,eACA,eACA,YACA,gBACA,sBACA,UACA,cACA,WACA,eACA,WACA,eACA,gBACA,oBACA,qBACA,iBACA,aACA,iBACA,kBACA,cACA,UACA,QACA,oBACA,MACA,QACA,OACA,OACA,OACA,OACA,YACA,YACA,YACA,iBACA,gBACA,WACA,OACA,aACA,SACA,YACA,aACA,iBACA,aACA,UACA,mBACA,QACA,MACA,OACA,mBACA,gBACA,4BACA,KACA,UACA,MACA,kBACA,OACA,OACA,UACA,WACA,YACA,mBACA,oBACA,OACA,SACA,mBACA,OACA,UACA,UACA,MACA,QACA,QACA,4BACA,OACA,MACA,OACA,SACA,aACA,SACA,cACA,cACA,aACA,YACA,gBACA,YACA,QACA,sBACA,kBACA,WACA,QACA,kBACA,WACA,cACA,kBACA,kBACF,EAEMC,EAAgB,CACpB,YACA,kBACA,sBACA,OACA,gBACA,kBACA,WACA,iBACA,cACA,oBACA,wBACA,SACA,aACA,YACA,iBACA,qBACA,iBACA,cACA,UACA,QACA,mBACA,SACA,aACA,iBACA,iBACA,YACA,cACA,WACA,oBACA,WACA,YACA,WACA,oBACA,eACA,wBACA,oBACA,kBACA,cACA,oBACA,eACA,iBACA,qBACA,yBACA,SACA,gBACA,mBACA,uBACA,iBACA,SACA,gBACA,UACA,cACA,kBACA,WACA,wBACA,0BACA,cACA,aACA,YACA,UACA,YACA,UACA,SACA,SACF,EAEMC,EAAgBP,EAAK,QACzB,OACA,OACA,CACE,UAAW,EACX,SAAU,CACR,CACE,MAAO,SACP,MAAO,iBACT,CACF,CACF,CACF,EAEMQ,EAAU,CACd,MAAO,OACP,MAAO,aACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,iBACP,MAAO,QACT,EACAR,EAAK,mBACP,CACF,EAEMS,EAAoB,CACxB,QACA,QACA,SACA,YACF,EAEA,MAAO,CACL,KAAM,OACN,QAAS,CAAE,WAAY,EACvB,SAAU,CACR,SAAUT,EAAK,SACf,MAAOE,EACP,KAAME,EACN,QAASD,EACT,SAAUE,CACZ,EACA,SAAU,CACRL,EAAK,oBACLQ,EACAR,EAAK,kBACLO,EACA,CACE,MAAO,WACP,MAAO,kCACP,UAAW,CACb,EACA,CACE,MAAON,EAAM,OAAO,UAAWA,EAAM,OAAO,GAAGQ,CAAiB,EAAG,MAAM,EACzE,SAAUA,CACZ,EACA,CACE,MAAO,UACP,MAAO,oBACT,EACA,CAEE,MAAO,CACL,OACAR,EAAM,OAAO,GAAGK,CAAa,EAC7B,WACA,eACF,EACA,MAAO,CACL,EAAG,WACH,EAAG,SACL,CACF,EACA,CAEE,MAAO,WACP,SAAUA,EACV,MAAOL,EAAM,OAAO,MAAOA,EAAM,OAAO,GAAGK,CAAa,EAAG,2DAA2D,CACxH,EACA,CAEE,MAAO,CACL,IACA,MACAL,EAAM,OAAOA,EAAM,OAAO,GAAGK,CAAa,EAAG,iBAAiB,CAChE,EACA,MAAO,CAAE,EAAG,UAAW,CACzB,EACA,CAEE,MAAO,CACL,IACA,wBACA,YAAcL,EAAM,OAAO,GAAGK,CAAa,EAAI,MACjD,EACA,MAAO,CAAE,EAAG,gBAAiB,CAC/B,EACA,CAEE,MAAO,iBACP,MAAO,8DACT,EACA,CACE,MAAO,SACP,MAAOL,EAAM,OAQX,8DAGA,oCACF,EACA,UAAW,CACb,EACA,CACE,MAAO,SACP,MAAO,IACP,IAAK,GACP,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KC5ejB,IAAAW,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAaA,SAASC,GAAMC,EAAM,CACnB,MAAO,CACL,KAAM,QACN,QAAS,CACP,KACA,KACF,EACA,iBAAkB,GAClB,SAAU,4/cACV,SAAU,CACR,CACE,UAAW,SACX,MAAO,iBACT,EACA,CACE,UAAW,WACX,MAAO,wBACP,UAAW,CACb,EACA,CACE,UAAW,SACX,SAAU,CACR,CAAE,MAAO;AAAA,MAAiB,EAC1B,CAAE,MAAO;AAAA,KAAc,CACzB,CACF,EAEA,CACE,UAAW,WACX,SAAU,CAAE,CAAE,MAAO,i5CAAk5C,CAAE,CAC36C,EAEAA,EAAK,QAAQ,eAAiB,EAAK,EACnCA,EAAK,oBACLA,EAAK,oBACP,CACF,CACF,CAEAF,GAAO,QAAUC,KCpDjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAOC,EAAM,CAqBpB,MAAO,CACL,KAAM,eACN,QAAS,CACP,MACA,OACA,KACF,EACA,iBAAkB,GAClB,SA3BsB,CACtB,SAFsB,oBAGtB,QAAS,CACP,SACA,SACA,MACF,CACF,EAqBE,SAAU,CApBS,CACnB,UAAW,OACX,MAAO,gBACP,UAAW,EACb,EACqB,CACnB,UAAW,OACX,MAAO,oBACP,UAAW,EACb,EAcIA,EAAK,oBACLA,EAAK,qBACLA,EAAK,QAAQ,WAAY,MAAM,EAC/BA,EAAK,cACLA,EAAK,QAAQA,EAAK,iBAAkB,CAAE,QAAS,IAAK,CAAC,EACrDA,EAAK,QAAQA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,EACtD,CACE,UAAW,SACX,MAAO,IACP,IAAK,GACP,EACA,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,OACL,QAAS,KACX,CACF,CACF,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCjEjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,KAAMC,GAASC,IACN,CACL,UAAW,CACT,MAAO,OACP,MAAO,YACT,EACA,cAAeA,EAAK,qBACpB,SAAU,CACR,MAAO,SACP,MAAO,iDACT,EACA,kBAAmB,CACjB,UAAW,WACX,MAAO,cACT,EACA,wBAAyB,CACvB,MAAO,gBACP,MAAO,KACP,IAAK,KACL,QAAS,IACT,SAAU,CACRA,EAAK,iBACLA,EAAK,iBACP,CACF,EACA,gBAAiB,CACf,MAAO,SACP,MAAOA,EAAK,UAAY,kGASxB,UAAW,CACb,EACA,aAAc,CACZ,UAAW,OACX,MAAO,0BACT,CACF,GAGIC,GAAO,CACX,IACA,OACA,UACA,UACA,QACA,QACA,IACA,aACA,OACA,SACA,SACA,UACA,OACA,OACA,KACA,MACA,UACA,MACA,MACA,KACA,KACA,KACA,WACA,aACA,SACA,SACA,OACA,KACA,KACA,KACA,KACA,KACA,KACA,SACA,SACA,OACA,IACA,SACA,MACA,QACA,MACA,MACA,QACA,SACA,KACA,OACA,OACA,OACA,MACA,SACA,KACA,IACA,IACA,QACA,OACA,UACA,OACA,SACA,UACA,MACA,QACA,QACA,KACA,WACA,QACA,KACA,QACA,OACA,KACA,KACA,MACA,OACF,EAEMC,GAAiB,CACrB,YACA,cACA,eACA,QACA,cACA,cACA,sBACA,gBACA,eACA,eACA,gBACA,OACA,SACA,QACA,kBACA,aACA,cACA,iBACA,kBACA,UACA,uBACA,mBACA,yBACA,+BACA,aACA,OACA,YACA,SACA,QAEA,YACA,YACA,aACA,YACF,EAGMC,GAAiB,CACrB,SACA,WACA,QACA,UACA,UACA,UACA,UACA,MACA,WACA,OACA,QACA,UACA,QACA,cACA,gBACA,aACA,SACA,QACA,gBACA,eACA,MACA,OACA,eACA,QACA,gBACA,WACA,UACA,KACA,OACA,aACA,eACA,OACA,OACA,aACA,MACA,YACA,UACA,iBACA,eACA,mBACA,cACA,aACA,eACA,WACA,eACA,OACA,oBACA,YACA,aACA,WACA,QACA,OACA,QACA,SACA,gBACA,eACA,QACA,UACA,OACF,EAGMC,GAAkB,CACtB,QACA,WACA,SACA,MACA,aACA,eACA,aACA,gBACA,SACA,OACA,cACA,YACA,UACA,gBACF,EAEMC,GAAa,CACjB,gBACA,cACA,aACA,MACA,YACA,kBACA,sBACA,qBACA,sBACA,4BACA,iBACA,uBACA,4BACA,sBACA,aACA,wBACA,wBACA,kBACA,mBACA,mBACA,oBACA,sBACA,oBACA,kBACA,aACA,SACA,eACA,qBACA,mBACA,yBACA,yBACA,yBACA,qBACA,2BACA,2BACA,2BACA,qBACA,qBACA,gBACA,sBACA,4BACA,6BACA,sBACA,sBACA,kBACA,eACA,eACA,sBACA,sBACA,qBACA,sBACA,qBACA,gBACA,sBACA,oBACA,0BACA,0BACA,0BACA,sBACA,4BACA,4BACA,4BACA,sBACA,sBACA,cACA,oBACA,oBACA,oBACA,gBACA,eACA,qBACA,qBACA,qBACA,iBACA,eACA,aACA,mBACA,yBACA,0BACA,mBACA,mBACA,eACA,SACA,uBACA,aACA,aACA,cACA,eACA,eACA,eACA,cACA,QACA,OACA,YACA,YACA,QACA,eACA,cACA,aACA,cACA,oBACA,oBACA,oBACA,cACA,eACA,UACA,UACA,UACA,qBACA,oBACA,gBACA,MACA,YACA,aACA,SACA,YACA,UACA,cACA,SACA,OACA,aACA,iBACA,YACA,YACA,cACA,YACA,QACA,OACA,OACA,eACA,cACA,wBACA,eACA,yBACA,YACA,mBACA,iBACA,eACA,aACA,iBACA,eACA,oBACA,0BACA,yBACA,uBACA,wBACA,0BACA,cACA,MACA,6BACA,OACA,YACA,oBACA,iBACA,iBACA,cACA,kBACA,oBACA,WACA,WACA,eACA,iBACA,gBACA,sBACA,wBACA,qBACA,sBACA,SACA,UACA,OACA,oBACA,kBACA,mBACA,WACA,cACA,YACA,kBACA,OACA,iBACA,aACA,cACA,aACA,mBACA,sBACA,kBACA,SACA,eACA,mBACA,qBACA,gBACA,gBACA,oBACA,sBACA,cACA,eACA,aACA,QACA,OACA,cACA,mBACA,qBACA,qBACA,oBACA,qBACA,oBACA,YACA,iBACA,aACA,YACA,cACA,gBACA,cACA,YACA,YACA,iBACA,aACA,kBACA,YACA,iBACA,aACA,kBACA,YACA,iBACA,WACA,YACA,WACA,YACA,SACA,OACA,SACA,aACA,kBACA,UACA,QACA,UACA,UACA,gBACA,iBACA,gBACA,gBACA,WACA,gBACA,aACA,aACA,UACA,gBACA,oBACA,sBACA,iBACA,iBACA,qBACA,uBACA,eACA,gBACA,cACA,mBACA,oBACA,oBACA,QACA,cACA,eACA,cACA,qBACA,iBACA,WACA,SACA,SACA,OACA,aACA,cACA,QACA,UACA,gBACA,sBACA,0BACA,4BACA,uBACA,uBACA,2BACA,6BACA,qBACA,sBACA,oBACA,iBACA,uBACA,2BACA,6BACA,wBACA,wBACA,4BACA,8BACA,sBACA,uBACA,qBACA,oBACA,mBACA,mBACA,kBACA,mBACA,kBACA,wBACA,eACA,gBACA,QACA,WACA,MACA,WACA,eACA,aACA,iBACA,kBACA,uBACA,kBACA,wBACA,uBACA,wBACA,gBACA,sBACA,yBACA,sBACA,cACA,eACA,mBACA,gBACA,iBACA,cACA,iBACA,0BACA,MACA,YACA,gBACA,mBACA,kBACA,aACA,mBACA,sBACA,sBACA,6BACA,eACA,iBACA,aACA,gBACA,iBACA,eACA,cACA,cACA,aACA,eACA,eACA,cACA,SACA,QACA,cACA,aACA,eACA,YACA,eACA,SAGF,EAAE,QAAQ,EAWV,SAASC,GAAON,EAAM,CACpB,IAAMO,EAAQR,GAAMC,CAAI,EAElBQ,EAAe,kBACfC,EAAW,CACf,UAAW,WACX,MAAO,MAAQT,EAAK,QACtB,EAEMU,EAAc,CAClB,UACA,MACA,QACA,SACA,YACA,MACA,SACA,UACA,YACA,QACA,QACA,OACA,OACA,OACF,EAEMC,EAAoB,oBAiB1B,MAAO,CACL,KAAM,SACN,QAAS,CAAE,MAAO,EAClB,iBAAkB,GAClB,SAAU,iBACV,QAAS,IAnBK,CACd,MACA,iBACA,cACA,cACA,cACA,IACA,OACA,SACA,SACA,MACA,GACF,EAOyB,KAAK,GAAG,EAAI,IACnC,SAAU,CAGRX,EAAK,kBACLA,EAAK,iBAGLA,EAAK,oBACLA,EAAK,qBAGLO,EAAM,SAGN,CACE,MAAO,4BAA8BI,EACrC,UAAW,gBACb,EAGA,CACE,MAAO,0BAA4BA,EACnC,UAAW,aACb,EAGA,CACE,MAAO,OAASV,GAAK,KAAK,GAAG,EAAI,IAAMU,EACvC,UAAW,cACb,EAGA,CACE,UAAW,kBACX,MAAO,OAASR,GAAe,KAAK,GAAG,EAAI,IAAMQ,CACnD,EACA,CACE,UAAW,kBACX,MAAO,WAAaP,GAAgB,KAAK,GAAG,EAAI,IAAMO,CACxD,EAEAJ,EAAM,wBAEN,CACE,UAAW,UACX,MAAO,SACP,OAAQ,CACN,IAAK,QACL,SAAU,CACR,SAAU,UACV,QAASC,EACT,UAAWN,GAAe,KAAK,GAAG,CACpC,EACA,SAAU,CAAEK,EAAM,eAAgB,CACpC,CACF,EAGA,CACE,UAAW,UACX,MAAO,4BAA+BG,EAAY,KAAK,GAAG,EAAI,OAChE,EAGAD,EAGAF,EAAM,gBAIN,CACE,UAAW,WACX,MAAO,kCACP,QAAS,QACT,YAAa,GACb,SAAU,CACR,CACE,UAAW,QACX,MAAO,2BACT,EACA,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAU,CACRA,EAAM,SACNE,EACAT,EAAK,iBACLO,EAAM,gBACNP,EAAK,iBACP,CACF,CACF,CACF,EAGAO,EAAM,aAKN,CACE,UAAW,YACX,MAAO,OAASF,GAAW,KAAK,GAAG,EAAI,OACvC,OAAQ,CAEN,IAAK,MACL,SAAU,CACRE,EAAM,SACNE,EACAT,EAAK,iBACLA,EAAK,kBACLO,EAAM,gBACNP,EAAK,qBACLO,EAAM,UACNA,EAAM,iBACR,EACA,QAAS,KACT,UAAW,CACb,CACF,EACAA,EAAM,iBACR,CACF,CACF,CAEAT,GAAO,QAAUQ,KClxBjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAMA,SAASC,GAAQC,EAAM,CAwBrB,MAAO,CACL,KAAM,UACN,iBAAkB,GAClB,SAAU,CA1BI,CACd,UAAW,SACX,MAAO;AAAA,cACP,IAAK;AAAA,CACP,EACa,CACX,UAAW,SACX,MAAO,sDACT,EACsB,CACpB,UAAW,SACX,MAAO,aACT,EACiB,CACf,UAAW,UACX,UAAW,GACX,SAAU,CACR,CAAE,MAAO,sFAAuF,EAChG,CAAE,MAAO,iCAAkC,EAC3C,CAAE,MAAO,QAAS,EAClB,CAAE,MAAO,QAAS,CACpB,CACF,CASE,CACF,CACF,CAEAF,GAAO,QAAUC,KC1CjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAOC,EAAI,CAClB,OAAKA,EACD,OAAOA,GAAO,SAAiBA,EAE5BA,EAAG,OAHM,IAIlB,CAMA,SAASC,GAAUD,EAAI,CACrB,OAAOE,GAAO,MAAOF,EAAI,GAAG,CAC9B,CAMA,SAASE,MAAUC,EAAM,CAEvB,OADeA,EAAK,IAAKC,GAAML,GAAOK,CAAC,CAAC,EAAE,KAAK,EAAE,CAEnD,CAMA,SAASC,GAAqBF,EAAM,CAClC,IAAMG,EAAOH,EAAKA,EAAK,OAAS,CAAC,EAEjC,OAAI,OAAOG,GAAS,UAAYA,EAAK,cAAgB,QACnDH,EAAK,OAAOA,EAAK,OAAS,EAAG,CAAC,EACvBG,GAEA,CAAC,CAEZ,CAWA,SAASC,MAAUJ,EAAM,CAMvB,MAHe,KADFE,GAAqBF,CAAI,EAE5B,QAAU,GAAK,MACrBA,EAAK,IAAKC,GAAML,GAAOK,CAAC,CAAC,EAAE,KAAK,GAAG,EAAI,GAE7C,CAEA,IAAMI,GAAiBC,GAAWP,GAChC,KACAO,EACA,MAAM,KAAKA,CAAO,EAAI,KAAO,IAC/B,EAGMC,GAAc,CAClB,WACA,MACF,EAAE,IAAIF,EAAc,EAGdG,GAAsB,CAC1B,OACA,MACF,EAAE,IAAIH,EAAc,EAGdI,GAAe,CACnB,MACA,MACF,EAGMC,GAAW,CAIf,QACA,MACA,iBACA,QACA,QACA,OACA,MACA,KACA,QACA,OACA,QACA,QACA,WACA,cACA,UACA,QACA,SACA,SACA,cACA,KACA,UACA,OACA,OACA,YACA,cACA,qBACA,cACA,QACA,MACA,OACA,MACA,QACA,KACA,SACA,WACA,QACA,SACA,QACA,QACA,kBACA,WACA,KACA,KACA,WACA,cACA,OACA,MACA,WACA,cACA,cACA,OACA,WACA,WACA,WACA,UACA,kBACA,SACA,iBACA,UACA,WACA,gBACA,SACA,SACA,WACA,WACA,SACA,MACA,OACA,SACA,SACA,YACA,QACA,SACA,SACA,QACA,QACA,OACA,MACA,YACA,kBACA,oBACA,UACA,MACA,OACA,QACA,QACA,SACF,EAMMC,GAAW,CACf,QACA,MACA,MACF,EAGMC,GAA0B,CAC9B,aACA,gBACA,aACA,OACA,YACA,OACA,OACF,EAIMC,GAAqB,CACzB,gBACA,UACA,aACA,QACA,UACA,SACA,SACA,QACA,UACA,eACA,YACA,YACA,MACA,gBACA,WACA,QACA,YACA,kBACA,2BACA,UACF,EAGMC,GAAW,CACf,MACA,MACA,MACA,SACA,mBACA,aACA,OACA,aACA,YACA,4BACA,MACA,MACA,cACA,eACA,eACA,eACA,sBACA,QACA,WACA,gBACA,WACA,SACA,OACA,oCACA,YACA,OACA,gBACA,iBACA,uBACA,2BACA,oBACA,aACA,0BACA,KACF,EAGMC,GAAeX,GACnB,oBACA,kBACA,iBACA,iBACA,iBACA,mCACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,kBACA,UACF,EAGMY,GAAoBZ,GACxBW,GACA,kBACA,kBACA,kBACA,kBACA,iBAGF,EAGME,GAAWlB,GAAOgB,GAAcC,GAAmB,GAAG,EAGtDE,GAAiBd,GACrB,YACA,uDACA,yDACA,yDACA,kBACA,+DACA,yDACA,+BACA,yDACA,yDACA,8BAMF,EAGMe,GAAsBf,GAC1Bc,GACA,KACA,wDACF,EAGME,GAAarB,GAAOmB,GAAgBC,GAAqB,GAAG,EAG5DE,GAAiBtB,GAAO,QAASoB,GAAqB,GAAG,EAIzDG,GAAoB,CACxB,cACAvB,GAAO,eAAgBK,GAAO,QAAS,QAAS,GAAG,EAAG,IAAI,EAC1D,oBACA,kBACA,sBACA,WACA,SACA,gBACA,WACA,eACA,gBACA,WACA,gBACA,YACA,OACA,UACA,oBACA,YACA,YACAL,GAAO,SAAUqB,GAAY,IAAI,EACjC,OACA,cACA,kBACA,iCACA,gBACA,WACA,oBACA,UACA,kBACF,EAGMG,GAAuB,CAC3B,MACA,0BACA,QACA,4BACA,cACA,kCACA,UACA,8BACA,OACA,2BACA,OACF,EAYA,SAASC,GAAMC,EAAM,CACnB,IAAMC,EAAa,CACjB,MAAO,MACP,UAAW,CACb,EAEMC,EAAgBF,EAAK,QACzB,OACA,OACA,CAAE,SAAU,CAAE,MAAO,CAAE,CACzB,EACMG,EAAW,CACfH,EAAK,oBACLE,CACF,EAIME,EAAc,CAClB,MAAO,CACL,KACAzB,GAAO,GAAGG,GAAa,GAAGC,EAAmB,CAC/C,EACA,UAAW,CAAE,EAAG,SAAU,CAC5B,EACMsB,EAAgB,CAEpB,MAAO/B,GAAO,KAAMK,GAAO,GAAGM,EAAQ,CAAC,EACvC,UAAW,CACb,EACMqB,EAAiBrB,GACpB,OAAOsB,IAAM,OAAOA,IAAO,QAAQ,EACnC,OAAO,CAAE,KAAM,CAAC,EACbC,EAAiBvB,GACpB,OAAOsB,IAAM,OAAOA,IAAO,QAAQ,EACnC,OAAOvB,EAAY,EACnB,IAAIJ,EAAc,EACf6B,EAAU,CAAE,SAAU,CAC1B,CACE,UAAW,UACX,MAAO9B,GAAO,GAAG6B,EAAgB,GAAGzB,EAAmB,CACzD,CACF,CAAE,EAEI2B,EAAW,CACf,SAAU/B,GACR,QACA,MACF,EACA,QAAS2B,EACN,OAAOlB,EAAkB,EAC5B,QAASF,EACX,EACMyB,EAAgB,CACpBP,EACAC,EACAI,CACF,EAGMG,EAAiB,CAErB,MAAOtC,GAAO,KAAMK,GAAO,GAAGU,EAAQ,CAAC,EACvC,UAAW,CACb,EACMwB,EAAW,CACf,UAAW,WACX,MAAOvC,GAAO,KAAMK,GAAO,GAAGU,EAAQ,EAAG,QAAQ,CACnD,EACMyB,EAAY,CAChBF,EACAC,CACF,EAGME,EAAiB,CAErB,MAAO,KACP,UAAW,CACb,EACMC,EAAW,CACf,UAAW,WACX,UAAW,EACX,SAAU,CACR,CAAE,MAAOxB,EAAS,EAClB,CAIE,MAAO,WAAWD,EAAiB,IAAK,CAC5C,CACF,EACM0B,EAAY,CAChBF,EACAC,CACF,EAIME,EAAgB,aAChBC,EAAY,mBACZC,EAAS,CACb,UAAW,SACX,UAAW,EACX,SAAU,CAER,CAAE,MAAO,OAAOF,CAAa,SAASA,CAAa,iBAAsBA,CAAa,QAAS,EAE/F,CAAE,MAAO,SAASC,CAAS,SAASA,CAAS,iBAAsBD,CAAa,QAAS,EAEzF,CAAE,MAAO,kBAAmB,EAE5B,CAAE,MAAO,iBAAkB,CAC7B,CACF,EAGMG,EAAoB,CAACC,GAAe,MAAQ,CAChD,UAAW,QACX,SAAU,CACR,CAAE,MAAOhD,GAAO,KAAMgD,GAAc,YAAY,CAAE,EAClD,CAAE,MAAOhD,GAAO,KAAMgD,GAAc,uBAAuB,CAAE,CAC/D,CACF,GACMC,EAAkB,CAACD,GAAe,MAAQ,CAC9C,UAAW,QACX,MAAOhD,GAAO,KAAMgD,GAAc,uBAAuB,CAC3D,GACME,EAAgB,CAACF,GAAe,MAAQ,CAC5C,UAAW,QACX,MAAO,WACP,MAAOhD,GAAO,KAAMgD,GAAc,IAAI,EACtC,IAAK,IACP,GACMG,GAAmB,CAACH,GAAe,MAAQ,CAC/C,MAAOhD,GAAOgD,GAAc,KAAK,EACjC,IAAKhD,GAAO,MAAOgD,EAAY,EAC/B,SAAU,CACRD,EAAkBC,EAAY,EAC9BC,EAAgBD,EAAY,EAC5BE,EAAcF,EAAY,CAC5B,CACF,GACMI,EAAqB,CAACJ,GAAe,MAAQ,CACjD,MAAOhD,GAAOgD,GAAc,GAAG,EAC/B,IAAKhD,GAAO,IAAKgD,EAAY,EAC7B,SAAU,CACRD,EAAkBC,EAAY,EAC9BE,EAAcF,EAAY,CAC5B,CACF,GACMK,GAAS,CACb,UAAW,SACX,SAAU,CACRF,GAAiB,EACjBA,GAAiB,GAAG,EACpBA,GAAiB,IAAI,EACrBA,GAAiB,KAAK,EACtBC,EAAmB,EACnBA,EAAmB,GAAG,EACtBA,EAAmB,IAAI,EACvBA,EAAmB,KAAK,CAC1B,CACF,EAGME,GAAoB,CAAE,MAAOtD,GAAO,IAAKqB,GAAY,GAAG,CAAE,EAC1DkC,GAAqB,CACzB,UAAW,WACX,MAAO,OACT,EACMC,GAA8B,CAClC,UAAW,WACX,MAAO,MAAMpC,EAAmB,GAClC,EACMqC,GAAc,CAClBH,GACAC,GACAC,EACF,EAGME,GAAsB,CAC1B,MAAO,sBACP,UAAW,UACX,OAAQ,CAAE,SAAU,CAClB,CACE,MAAO,KACP,IAAK,KACL,SAAUlC,GACV,SAAU,CACR,GAAGmB,EACHG,EACAO,EACF,CACF,CACF,CAAE,CACJ,EACMM,GAAoB,CACxB,UAAW,UACX,MAAO3D,GAAO,IAAKK,GAAO,GAAGkB,EAAiB,CAAC,CACjD,EACMqC,GAAyB,CAC7B,UAAW,OACX,MAAO5D,GAAO,IAAKqB,EAAU,CAC/B,EACMwC,EAAa,CACjBH,GACAC,GACAC,EACF,EAGME,EAAO,CACX,MAAO/D,GAAU,SAAS,EAC1B,UAAW,EACX,SAAU,CACR,CACE,UAAW,OACX,MAAOC,GAAO,gEAAiEoB,GAAqB,GAAG,CACzG,EACA,CACE,UAAW,OACX,MAAOE,GACP,UAAW,CACb,EACA,CACE,MAAO,QACP,UAAW,CACb,EACA,CACE,MAAO,SACP,UAAW,CACb,EACA,CACE,MAAOtB,GAAO,UAAWD,GAAUuB,EAAc,CAAC,EAClD,UAAW,CACb,CACF,CACF,EACMyC,EAAoB,CACxB,MAAO,IACP,IAAK,IACL,SAAU3B,EACV,SAAU,CACR,GAAGP,EACH,GAAGQ,EACH,GAAGwB,EACHpB,EACAqB,CACF,CACF,EACAA,EAAK,SAAS,KAAKC,CAAiB,EAIpC,IAAMC,GAAqB,CACzB,MAAOhE,GAAOqB,GAAY,MAAM,EAChC,SAAU,MACV,UAAW,CACb,EAEM4C,GAAQ,CACZ,MAAO,KACP,IAAK,KACL,UAAW,EACX,SAAU7B,EACV,SAAU,CACR,OACA4B,GACA,GAAGnC,EACH,GAAGQ,EACH,GAAGG,EACH,GAAGG,EACHG,EACAO,GACA,GAAGI,GACH,GAAGI,EACHC,CACF,CACF,EAEMI,GAAqB,CACzB,MAAO,IACP,IAAK,IACL,SAAU,CACR,GAAGrC,EACHiC,CACF,CACF,EACMK,GAA0B,CAC9B,MAAO9D,GACLN,GAAUC,GAAOqB,GAAY,MAAM,CAAC,EACpCtB,GAAUC,GAAOqB,GAAY,MAAOA,GAAY,MAAM,CAAC,CACzD,EACA,IAAK,IACL,UAAW,EACX,SAAU,CACR,CACE,UAAW,UACX,MAAO,OACT,EACA,CACE,UAAW,SACX,MAAOA,EACT,CACF,CACF,EACM+C,GAAsB,CAC1B,MAAO,KACP,IAAK,KACL,SAAUhC,EACV,SAAU,CACR+B,GACA,GAAGtC,EACH,GAAGQ,EACH,GAAGM,EACHG,EACAO,GACA,GAAGQ,EACHC,EACAG,EACF,EACA,WAAY,GACZ,QAAS,MACX,EAEMI,GAAW,CACf,MAAO,CACL,OACA,MACAhE,GAAOiD,GAAkB,MAAOjC,GAAYH,EAAQ,CACtD,EACA,UAAW,CACT,EAAG,UACH,EAAG,gBACL,EACA,SAAU,CACRgD,GACAE,GACAzC,CACF,EACA,QAAS,CACP,KACA,GACF,CACF,EAIM2C,GAAiB,CACrB,MAAO,CACL,4BACA,aACF,EACA,UAAW,CAAE,EAAG,SAAU,EAC1B,SAAU,CACRJ,GACAE,GACAzC,CACF,EACA,QAAS,MACX,EAEM4C,GAAuB,CAC3B,MAAO,CACL,WACA,MACArD,EACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,OACL,CACF,EAGMsD,GAAkB,CACtB,MAAO,CACL,kBACA,MACAlD,EACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,OACL,EACA,SAAU,CAAEwC,CAAK,EACjB,SAAU,CACR,GAAGjD,GACH,GAAGD,EACL,EACA,IAAK,GACP,EAGA,QAAW6D,MAAWpB,GAAO,SAAU,CACrC,IAAMqB,GAAgBD,GAAQ,SAAS,KAAKE,IAAQA,GAAK,QAAU,UAAU,EAE7ED,GAAc,SAAWtC,EACzB,IAAMwC,GAAW,CACf,GAAGvC,EACH,GAAGG,EACH,GAAGG,EACHG,EACAO,GACA,GAAGI,EACL,EACAiB,GAAc,SAAW,CACvB,GAAGE,GACH,CACE,MAAO,KACP,IAAK,KACL,SAAU,CACR,OACA,GAAGA,EACL,CACF,CACF,CACF,CAEA,MAAO,CACL,KAAM,QACN,SAAUxC,EACV,SAAU,CACR,GAAGP,EACHwC,GACAC,GACA,CACE,cAAe,6CACf,IAAK,MACL,WAAY,GACZ,SAAUlC,EACV,SAAU,CACRV,EAAK,QAAQA,EAAK,WAAY,CAC5B,UAAW,cACX,MAAO,uCACT,CAAC,EACD,GAAGW,CACL,CACF,EACAkC,GACAC,GACA,CACE,cAAe,SACf,IAAK,IACL,SAAU,CAAE,GAAG3C,CAAS,EACxB,UAAW,CACb,EACA,GAAGQ,EACH,GAAGG,EACH,GAAGG,EACHG,EACAO,GACA,GAAGI,GACH,GAAGI,EACHC,EACAG,EACF,CACF,CACF,CAEArE,GAAO,QAAU6B,KC31BjB,IAAAoD,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAMA,SAASC,GAAaC,EAAM,CAuC1B,MAAO,CACL,KAAM,gBACN,SAAU,CAxCC,CACX,UAAW,UACX,MAAO,WACP,IAAK,KACL,SAAU,CACR,CAAE,MAAO,QAAS,EAClB,CACE,MAAO,KACP,IAAK,KACL,SAAU,CACR,CAAE,MAAO,QAAS,EAClB,MACF,CACF,CACF,EACA,UAAW,EACb,EAEiB,CACf,UAAW,UACX,MAAO,uBACT,EAEiB,CACf,UAAW,WACX,MAAO,kBACT,EAOwB,CACtB,UAAW,SACX,MAAO,eACT,EARgC,CAC9B,UAAW,SACX,MAAO,mBACT,CAeE,CACF,CACF,CAEAF,GAAO,QAAUC,KCzDjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAW,yBAGXC,EAAiB,8BAMjBC,EAAM,CACV,UAAW,OACX,SAAU,CACR,CAAE,MAAO,6BAA+B,EACxC,CACE,MAAO,+BAAiC,EAC1C,CACE,MAAO,+BAAmC,CAC9C,CACF,EAEMC,EAAqB,CACzB,UAAW,oBACX,SAAU,CACR,CACE,MAAO,OACP,IAAK,MACP,EACA,CACE,MAAO,MACP,IAAK,IACP,CACF,CACF,EACMC,EAAS,CACb,UAAW,SACX,UAAW,EACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,EACA,CAAE,MAAO,KAAM,CACjB,EACA,SAAU,CACRL,EAAK,iBACLI,CACF,CACF,EAIME,EAAmBN,EAAK,QAAQK,EAAQ,CAAE,SAAU,CACxD,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,EACA,CAAE,MAAO,cAAe,CAC1B,CAAE,CAAC,EAEGE,EAAU,6BACVC,EAAU,yCACVC,EAAc,eACdC,EAAU,8CACVC,EAAY,CAChB,UAAW,SACX,MAAO,MAAQJ,EAAUC,EAAUC,EAAcC,EAAU,KAC7D,EAEME,EAAkB,CACtB,IAAK,IACL,eAAgB,GAChB,WAAY,GACZ,SAAUX,EACV,UAAW,CACb,EACMY,EAAS,CACb,MAAO,KACP,IAAK,KACL,SAAU,CAAED,CAAgB,EAC5B,QAAS,MACT,UAAW,CACb,EACME,EAAQ,CACZ,MAAO,MACP,IAAK,MACL,SAAU,CAAEF,CAAgB,EAC5B,QAAS,MACT,UAAW,CACb,EAEMG,EAAQ,CACZZ,EACA,CACE,UAAW,OACX,MAAO,YACP,UAAW,EACb,EACA,CAKE,UAAW,SACX,MAAO,+DACT,EACA,CACE,MAAO,WACP,IAAK,UACL,YAAa,OACb,aAAc,GACd,WAAY,GACZ,UAAW,CACb,EACA,CACE,UAAW,OACX,MAAO,SAAWD,CACpB,EAEA,CACE,UAAW,OACX,MAAO,KAAOA,EAAiB,GACjC,EACA,CACE,UAAW,OACX,MAAO,IAAMA,CACf,EACA,CACE,UAAW,OACX,MAAO,KAAOA,CAChB,EACA,CACE,UAAW,OACX,MAAO,IAAMF,EAAK,oBAAsB,GAC1C,EACA,CACE,UAAW,OACX,MAAO,MAAQA,EAAK,oBAAsB,GAC5C,EACA,CACE,UAAW,SAEX,MAAO,aACP,UAAW,CACb,EACAA,EAAK,kBACL,CACE,cAAeC,EACf,SAAU,CAAE,QAASA,CAAS,CAChC,EACAU,EAGA,CACE,UAAW,SACX,MAAOX,EAAK,YAAc,MAC1B,UAAW,CACb,EACAa,EACAC,EACAT,CACF,EAEMW,EAAc,CAAE,GAAGD,CAAM,EAC/B,OAAAC,EAAY,IAAI,EAChBA,EAAY,KAAKV,CAAgB,EACjCM,EAAgB,SAAWI,EAEpB,CACL,KAAM,OACN,iBAAkB,GAClB,QAAS,CAAE,KAAM,EACjB,SAAUD,CACZ,CACF,CAEAjB,GAAO,QAAUC,KCjMjB,IAAAkB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,MAAO,CACL,KAAM,yBACN,iBAAkB,GAClB,SAAU,CACRA,EAAK,kBAEL,CACE,UAAW,OACX,SAAU,CACR,CAAE,MAAO,sBAAuB,EAChC,CAAE,MAAO,iBAAkB,CAC7B,CACF,EAEA,CACE,MAAO,OACP,IAAK,aACL,YAAa,OACb,UAAW,CACb,EAEA,CACE,UAAW,SACX,MAAO,UACT,EAEA,CACE,UAAW,SACX,SAAU,CACR,CAAE,MAAO,KAAM,EACf,CAAE,MAAO,SAAU,CACrB,CACF,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC9CjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAIC,EAAM,CACjB,IAAMC,EAAQD,EAAK,MACbE,EAAY,yBAEZC,EAAS,CACb,UAAW,SACX,SAAU,CACRH,EAAK,mBACLA,EAAK,aACP,CACF,EA2HA,MAAO,CACL,KAAM,MACN,QAAS,CAAE,IAAK,EAChB,SA5He,CACf,QACA,SACA,QACA,QACA,cACA,cACA,YACA,eACA,mBACA,eACA,aACA,UACA,SACA,QACA,QACA,KACA,OACA,QACA,QACA,SACA,WACA,MACA,OACA,WACA,MACA,QACA,OACA,OACA,OACA,OACA,WACA,aACA,QACA,OACA,YACA,WACA,QACA,MACA,UACA,SACA,OACA,OACA,SACA,UACA,OACA,KACA,OACA,OACA,SACA,OACA,aACA,aACA,YACA,aACA,OACA,aACA,OACA,YACA,aACA,cACA,cACA,aACA,UACA,WACA,WACA,SACA,SACA,SACA,YACA,OACA,UACA,SACA,MACA,cACA,cACA,WACA,kBACA,OACA,OACA,MACA,OACA,UACA,SACA,WACA,YACA,SACA,SACA,OACA,OACA,OACA,MACA,SACA,SACA,QACA,SACA,QACA,SACA,gBACA,kBACA,sBACA,0BACA,qBACA,sBACA,UACA,UACA,OACA,OACA,KACA,QACA,UACA,SACA,QACA,SACA,UACA,QACA,WACA,QACA,OACF,EAME,SAAU,CACRA,EAAK,QAAQ,YAAa,GAAG,EAC7BA,EAAK,QAAQ,YAAa,GAAG,EAC7B,CACE,cAAe,OACf,IAAK,QACL,WAAY,GACZ,SAAU,CACR,CACE,UAAW,QACX,MAAO,kDACP,IAAK,eACL,eAAgB,GAChB,WAAY,EACd,CACF,CACF,EACA,CACE,UAAW,WACX,SAAU,CACR,CAAE,MAAOC,EAAM,OACb,KACAA,EAAM,SAAS,IAAI,EACnBC,EACA,MACAA,EACA,IACF,CAAE,EACF,CACE,MAAO,2CACP,IAAK,MACL,SAAU,CAAEC,CAAO,CACrB,CACF,CACF,EACA,CACE,UAAW,SACX,SAAU,CAAEH,EAAK,gBAAiB,EAClC,SAAU,CAAEA,EAAK,QAAQA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,CAAE,CACtE,EACAG,CACF,CACF,CACF,CAEAL,GAAO,QAAUC,KC7LjB,IAAAK,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAQ,CACZ,OACA,OACA,MACA,MACA,MACA,SACA,SACA,QACF,EAiBA,MAAO,CACL,KAAM,SACN,SAAU,CACR,QAnBa,CACf,YACA,QACA,UACA,SACA,OACA,UACA,YACA,OACA,SACA,MACA,OACA,MACA,WACA,UACF,EAKI,KAAMA,EACN,QAAS,YACX,EACA,SAAU,CACRD,EAAK,kBACLA,EAAK,YACLA,EAAK,oBACLA,EAAK,qBACL,CACE,UAAW,QACX,cAAe,gCACf,IAAK,KACL,QAAS,KACT,SAAU,CACRA,EAAK,QAAQA,EAAK,WAAY,CAE5B,OAAQ,CACN,eAAgB,GAChB,WAAY,EACd,CAAE,CAAC,CACP,CACF,EACA,CACE,MAAO,yBACP,SAAU,CAAE,KAAM,CAChB,GAAGC,EACH,MACA,OACA,KACF,CAAE,EACF,IAAK,IACL,SAAU,CAAE,MAAO,CACrB,CACF,CACF,CACF,CAEAH,GAAO,QAAUC,KC5EjB,IAAAG,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAMA,SAASC,GAAGC,EAAM,CAChB,IAAMC,EAAO,CACX,UAAW,SACX,MAAO,cACP,UAAW,CACb,EACMC,EAAU,CACd,UAAW,SACX,MAAO,UACT,EACMC,EAAS,CACb,UAAW,WACX,MAAO,2HAEP,IAAK,MACL,SAAU,CACR,OACAF,EACAC,CACF,CACF,EACME,EAAO,CACX,UAAW,WACX,MAAO,6CACP,IAAK,MACL,SAAU,CACR,OACAH,EACAD,EAAK,kBACLE,CACF,CACF,EAqFA,MAAO,CACL,KAAM,KACN,SAAU,CACR,QAtFa,CACf,QACA,MACA,SACA,MACA,QACA,QACA,OACA,MACA,MACA,YACA,SACA,KACA,KACA,MACA,SACA,OACA,MACA,SACA,UACA,aACA,OACA,MACA,KACA,QACA,MACA,KACA,MACA,mBACA,OACA,MACA,UACA,SACA,SACA,KACA,WACA,QACA,OACA,MACA,QACA,MACA,SACA,OACA,OACA,KACA,KACA,KACA,cACA,cACA,KACA,KACA,aACA,YACA,SACA,OACA,IACA,IACA,IACA,IACA,IACA,IACA,SACA,SACA,UACA,UACA,OACA,OACA,KACA,KACF,EAkBI,QAjBa,CACf,KACA,MACA,YACA,OACA,OACA,SACA,UACA,QACA,OACA,OACF,CAOE,EACA,SAAU,CACRC,EACAC,EACA,CACE,UAAW,UACX,MAAO,4BACT,EACA,CAEE,UAAW,UACX,MAAO,+BACT,EACA,CAGE,UAAW,UACX,MAAO,uDACT,EACA,CAEE,UAAW,SACX,MAAO,6DACP,UAAW,CACb,EACAJ,EAAK,QAAQ,KAAM,MAAM,EACzBA,EAAK,QAAQ,IAAK,MAAM,EACxBA,EAAK,QAAQ,QAAS,GAAG,EACzBA,EAAK,kBACL,CACE,UAAW,SACX,MAAO,IACP,IAAK,GACP,EACAA,EAAK,cACL,CACE,UAAW,WACX,MAAO,kBACT,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC1KjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAiB,CACrB,eACA,UACA,gBACA,YACA,QACA,WACA,eACA,oBACA,aACA,QACA,OACA,OACA,aACA,SACA,WACA,cACA,YACA,aACA,YACA,WACA,aACA,cACA,eACA,UACA,aACA,cACA,aACA,MACA,MACA,SACA,SACA,SACA,QACA,gBACA,SACA,aACA,SACA,uBACA,OACF,EAEMC,EAAU,CACd,MACA,aACA,cACA,QACA,aACA,SACA,mBACA,eACA,gBACA,kBACA,WACA,OACA,cACA,UACA,SACA,eACA,YACA,gBACA,SACA,QACA,SACA,cACA,sBACA,kBACA,cACA,kBACA,cACA,wBACA,gBACA,cACA,mBACA,WACA,eACA,aACA,OACA,cACA,OACA,gBACA,OACA,SACA,cACA,QACA,MACA,WACA,mBACA,QACA,QACA,gBACA,MACA,SACA,UACA,UACA,QACA,QACA,OACA,OACA,YACA,QACA,YACA,gBACA,QACA,QACA,cACA,OACA,MACA,QACA,aACA,YACA,aACF,EAEIC,EAAY,CACd,QACA,aACA,QACA,QACA,aACA,KACA,QACA,UACA,SACA,QACA,MACA,aACA,OACA,KACA,SACA,UACA,QACA,UACA,MACA,YACA,QACA,uBACA,cACA,MACA,WACA,MACF,EAEAA,EAAYA,EAAU,OAAOA,EAAU,IAAIC,GAAK,MAAMA,CAAC,EAAE,CAAC,EAE1D,IAAMC,EAAS,CACb,MAAO,SACP,SAAU,CACR,CACE,MAAO,IACP,IAAK,GACP,EACA,CACE,MAAO,IACP,IAAK,GACP,CACF,CACF,EAEMC,EAAS,CACb,MAAO,SACP,MAAO,KACT,EAEMC,EAAS,CACb,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,SAAU,CACRF,EACAC,CACF,CACF,EAGME,EAAY,CAChB,cAAeP,EAAe,KAAK,GAAG,EACtC,SAAU,CAAE,KAAMA,CAAe,EACjC,UAAW,EACX,SAAU,CAAEM,CAAO,CACrB,EAEME,EAAS,CACb,MAAO,qBACP,WAAY,cACZ,UAAW,EACX,SAAU,CACR,CACE,MAAO,eACP,SAAUP,CACZ,CACF,CACF,EAEMQ,EAAW,CAACC,EAAU,CAAE,UAAAC,CAAU,KAC/B,CACL,WAAY,CACV,EAAG,eACH,EAAG,MACL,EACA,UAAWA,GAAa,EACxB,SAAU,eACV,MAAO,CACL,MACA,MACAZ,EAAM,OAAO,GAAGW,CAAQ,CAC1B,EACA,IAAK,MACL,SAAU,KACV,SAAU,CACRF,EACAD,EACAH,EACAC,CACF,CACF,GAGIO,EAAgB,UAChBC,EAAMJ,EAASP,EAAW,CAAE,UAAW,CAAE,CAAC,EAC1CY,EAAaL,EAAS,CAAEG,CAAc,EAAG,CAAE,UAAW,CAAE,CAAC,EAE/D,MAAO,CACL,KAAM,OACN,QAAS,CAAE,UAAW,EACtB,iBAAkB,GAClB,YAAa,MACb,SAAU,CACRd,EAAK,QAAQ,MAAO,KAAK,EACzBe,EACAC,EACA,CACE,UAAW,oBACX,MAAO,OACP,IAAK,OACL,SAAU,CACR,OACAN,EACAD,EACAH,EACAC,CACF,CACF,CACF,CACF,CACF,CAEAT,GAAO,QAAUC,KCnQjB,IAAAkB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,KAAMC,GAAW,2BACXC,GAAW,CACf,KACA,KACA,KACA,KACA,MACA,QACA,UACA,MACA,MACA,WACA,KACA,SACA,OACA,OACA,QACA,QACA,aACA,OACA,QACA,OACA,UACA,MACA,SACA,WACA,SACA,SACA,MACA,QACA,QACA,QAIA,WACA,QACA,QACA,SACA,SACA,OACA,SACA,SACF,EACMC,GAAW,CACf,OACA,QACA,OACA,YACA,MACA,UACF,EAGMC,GAAQ,CAEZ,SACA,WACA,UACA,SAEA,OACA,OACA,SACA,SAEA,SACA,SAEA,QACA,eACA,eACA,YACA,aACA,oBACA,aACA,aACA,cACA,cACA,gBACA,iBAEA,MACA,MACA,UACA,UAEA,cACA,oBACA,UACA,WACA,OAEA,UACA,YACA,oBACA,gBAEA,UACA,QAEA,OAEA,aACF,EAEMC,GAAc,CAClB,QACA,YACA,gBACA,aACA,iBACA,cACA,YACA,UACF,EAEMC,GAAmB,CACvB,cACA,aACA,gBACA,eAEA,UACA,UAEA,OACA,WACA,QACA,aACA,WACA,YACA,qBACA,YACA,qBACA,SACA,UACF,EAEMC,GAAqB,CACzB,YACA,OACA,QACA,UACA,SACA,WACA,eACA,iBACA,SACA,QACF,EAEMC,GAAY,CAAC,EAAE,OACnBF,GACAF,GACAC,EACF,EAUA,SAASI,GAAWC,EAAM,CACxB,IAAMC,EAAQD,EAAK,MAQbE,EAAgB,CAACC,EAAO,CAAE,MAAAC,CAAM,IAAM,CAC1C,IAAMC,GAAM,KAAOF,EAAM,CAAC,EAAE,MAAM,CAAC,EAEnC,OADYA,EAAM,MAAM,QAAQE,GAAKD,CAAK,IAC3B,EACjB,EAEME,EAAaf,GACbgB,EAAW,CACf,MAAO,KACP,IAAK,KACP,EAEMC,EAAmB,4BACnBC,EAAU,CACd,MAAO,sBACP,IAAK,4BAKL,kBAAmB,CAACN,EAAOO,IAAa,CACtC,IAAMC,GAAkBR,EAAM,CAAC,EAAE,OAASA,EAAM,MAC1CS,GAAWT,EAAM,MAAMQ,EAAe,EAC5C,GAIEC,KAAa,KAGbA,KAAa,IACX,CACFF,EAAS,YAAY,EACrB,MACF,CAIIE,KAAa,MAGVV,EAAcC,EAAO,CAAE,MAAOQ,EAAgB,CAAC,GAClDD,EAAS,YAAY,GAOzB,IAAIG,GACEC,GAAaX,EAAM,MAAM,UAAUQ,EAAe,EAIxD,GAAKE,GAAIC,GAAW,MAAM,OAAO,EAAI,CACnCJ,EAAS,YAAY,EACrB,MACF,CAKA,IAAKG,GAAIC,GAAW,MAAM,gBAAgB,IACpCD,GAAE,QAAU,EAAG,CACjBH,EAAS,YAAY,EAErB,MACF,CAEJ,CACF,EACMK,EAAa,CACjB,SAAUxB,GACV,QAASC,GACT,QAASC,GACT,SAAUK,GACV,oBAAqBD,EACvB,EAGMmB,EAAgB,kBAChBC,EAAO,OAAOD,CAAa,IAG3BE,EAAiB,sCACjBC,EAAS,CACb,UAAW,SACX,SAAU,CAER,CAAE,MAAO,QAAQD,CAAc,MAAMD,CAAI,YAAYA,CAAI,eAC1CD,CAAa,MAAO,EACnC,CAAE,MAAO,OAAOE,CAAc,SAASD,CAAI,eAAeA,CAAI,MAAO,EAGrE,CAAE,MAAO,4BAA6B,EAGtC,CAAE,MAAO,0CAA2C,EACpD,CAAE,MAAO,8BAA+B,EACxC,CAAE,MAAO,8BAA+B,EAIxC,CAAE,MAAO,iBAAkB,CAC7B,EACA,UAAW,CACb,EAEMG,EAAQ,CACZ,UAAW,QACX,MAAO,SACP,IAAK,MACL,SAAUL,EACV,SAAU,CAAC,CACb,EACMM,EAAgB,CACpB,MAAO,QACP,IAAK,GACL,OAAQ,CACN,IAAK,IACL,UAAW,GACX,SAAU,CACRrB,EAAK,iBACLoB,CACF,EACA,YAAa,KACf,CACF,EACME,EAAe,CACnB,MAAO,OACP,IAAK,GACL,OAAQ,CACN,IAAK,IACL,UAAW,GACX,SAAU,CACRtB,EAAK,iBACLoB,CACF,EACA,YAAa,KACf,CACF,EACMG,EAAmB,CACvB,MAAO,OACP,IAAK,GACL,OAAQ,CACN,IAAK,IACL,UAAW,GACX,SAAU,CACRvB,EAAK,iBACLoB,CACF,EACA,YAAa,SACf,CACF,EACMI,EAAkB,CACtB,UAAW,SACX,MAAO,IACP,IAAK,IACL,SAAU,CACRxB,EAAK,iBACLoB,CACF,CACF,EAwCMK,EAAU,CACd,UAAW,UACX,SAAU,CAzCUzB,EAAK,QACzB,eACA,OACA,CACE,UAAW,EACX,SAAU,CACR,CACE,MAAO,iBACP,UAAW,EACX,SAAU,CACR,CACE,UAAW,SACX,MAAO,YACT,EACA,CACE,UAAW,OACX,MAAO,MACP,IAAK,MACL,WAAY,GACZ,aAAc,GACd,UAAW,CACb,EACA,CACE,UAAW,WACX,MAAOM,EAAa,gBACpB,WAAY,GACZ,UAAW,CACb,EAGA,CACE,MAAO,cACP,UAAW,CACb,CACF,CACF,CACF,CACF,CACF,EAKIN,EAAK,qBACLA,EAAK,mBACP,CACF,EACM0B,EAAkB,CACtB1B,EAAK,iBACLA,EAAK,kBACLqB,EACAC,EACAC,EACAC,EAEA,CAAE,MAAO,OAAQ,EACjBL,CAIF,EACAC,EAAM,SAAWM,EACd,OAAO,CAGN,MAAO,KACP,IAAK,KACL,SAAUX,EACV,SAAU,CACR,MACF,EAAE,OAAOW,CAAe,CAC1B,CAAC,EACH,IAAMC,EAAqB,CAAC,EAAE,OAAOF,EAASL,EAAM,QAAQ,EACtDQ,EAAkBD,EAAmB,OAAO,CAEhD,CACE,MAAO,KACP,IAAK,KACL,SAAUZ,EACV,SAAU,CAAC,MAAM,EAAE,OAAOY,CAAkB,CAC9C,CACF,CAAC,EACKE,EAAS,CACb,UAAW,SACX,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,SAAUd,EACV,SAAUa,CACZ,EAGME,GAAmB,CACvB,SAAU,CAER,CACE,MAAO,CACL,QACA,MACAxB,EACA,MACA,UACA,MACAL,EAAM,OAAOK,EAAY,IAAKL,EAAM,OAAO,KAAMK,CAAU,EAAG,IAAI,CACpE,EACA,MAAO,CACL,EAAG,UACH,EAAG,cACH,EAAG,UACH,EAAG,uBACL,CACF,EAEA,CACE,MAAO,CACL,QACA,MACAA,CACF,EACA,MAAO,CACL,EAAG,UACH,EAAG,aACL,CACF,CAEF,CACF,EAEMyB,EAAkB,CACtB,UAAW,EACX,MACA9B,EAAM,OAEJ,SAEA,iCAEA,6CAEA,kDAKF,EACA,UAAW,cACX,SAAU,CACR,EAAG,CAED,GAAGP,GACH,GAAGC,EACL,CACF,CACF,EAEMqC,GAAa,CACjB,MAAO,aACP,UAAW,OACX,UAAW,GACX,MAAO,8BACT,EAEMC,GAAsB,CAC1B,SAAU,CACR,CACE,MAAO,CACL,WACA,MACA3B,EACA,WACF,CACF,EAEA,CACE,MAAO,CACL,WACA,WACF,CACF,CACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,gBACL,EACA,MAAO,WACP,SAAU,CAAEuB,CAAO,EACnB,QAAS,GACX,EAEMK,GAAsB,CAC1B,UAAW,EACX,MAAO,sBACP,UAAW,mBACb,EAEA,SAASC,GAAOC,EAAM,CACpB,OAAOnC,EAAM,OAAO,MAAOmC,EAAK,KAAK,GAAG,EAAG,GAAG,CAChD,CAEA,IAAMC,GAAgB,CACpB,MAAOpC,EAAM,OACX,KACAkC,GAAO,CACL,GAAGvC,GACH,QACA,QACF,CAAC,EACDU,EAAYL,EAAM,UAAU,IAAI,CAAC,EACnC,UAAW,iBACX,UAAW,CACb,EAEMqC,GAAkB,CACtB,MAAOrC,EAAM,OAAO,KAAMA,EAAM,UAC9BA,EAAM,OAAOK,EAAY,oBAAoB,CAC/C,CAAC,EACD,IAAKA,EACL,aAAc,GACd,SAAU,YACV,UAAW,WACX,UAAW,CACb,EAEMiC,GAAmB,CACvB,MAAO,CACL,UACA,MACAjC,EACA,QACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,gBACL,EACA,SAAU,CACR,CACE,MAAO,MACT,EACAuB,CACF,CACF,EAEMW,GAAkB,2DAMbxC,EAAK,oBAAsB,UAEhCyC,EAAoB,CACxB,MAAO,CACL,gBAAiB,MACjBnC,EAAY,MACZ,OACA,cACAL,EAAM,UAAUuC,EAAe,CACjC,EACA,SAAU,QACV,UAAW,CACT,EAAG,UACH,EAAG,gBACL,EACA,SAAU,CACRX,CACF,CACF,EAEA,MAAO,CACL,KAAM,aACN,QAAS,CAAC,KAAM,MAAO,MAAO,KAAK,EACnC,SAAUd,EAEV,QAAS,CAAE,gBAAAa,EAAiB,gBAAAG,CAAgB,EAC5C,QAAS,eACT,SAAU,CACR/B,EAAK,QAAQ,CACX,MAAO,UACP,OAAQ,OACR,UAAW,CACb,CAAC,EACDgC,GACAhC,EAAK,iBACLA,EAAK,kBACLqB,EACAC,EACAC,EACAC,EACAC,EAEA,CAAE,MAAO,OAAQ,EACjBN,EACAY,EACA,CACE,UAAW,OACX,MAAOzB,EAAaL,EAAM,UAAU,GAAG,EACvC,UAAW,CACb,EACAwC,EACA,CACE,MAAO,IAAMzC,EAAK,eAAiB,kCACnC,SAAU,oBACV,UAAW,EACX,SAAU,CACRyB,EACAzB,EAAK,YACL,CACE,UAAW,WAIX,MAAOwC,GACP,YAAa,GACb,IAAK,SACL,SAAU,CACR,CACE,UAAW,SACX,SAAU,CACR,CACE,MAAOxC,EAAK,oBACZ,UAAW,CACb,EACA,CACE,UAAW,KACX,MAAO,UACP,KAAM,EACR,EACA,CACE,MAAO,KACP,IAAK,KACL,aAAc,GACd,WAAY,GACZ,SAAUe,EACV,SAAUa,CACZ,CACF,CACF,CACF,CACF,EACA,CACE,MAAO,IACP,UAAW,CACb,EACA,CACE,MAAO,MACP,UAAW,CACb,EACA,CACE,SAAU,CACR,CAAE,MAAOrB,EAAS,MAAO,IAAKA,EAAS,GAAI,EAC3C,CAAE,MAAOC,CAAiB,EAC1B,CACE,MAAOC,EAAQ,MAGf,WAAYA,EAAQ,kBACpB,IAAKA,EAAQ,GACf,CACF,EACA,YAAa,MACb,SAAU,CACR,CACE,MAAOA,EAAQ,MACf,IAAKA,EAAQ,IACb,KAAM,GACN,SAAU,CAAC,MAAM,CACnB,CACF,CACF,CACF,CACF,EACAwB,GACA,CAGE,cAAe,2BACjB,EACA,CAIE,MAAO,kBAAoBjC,EAAK,oBAC9B,gEAOF,YAAY,GACZ,MAAO,WACP,SAAU,CACR6B,EACA7B,EAAK,QAAQA,EAAK,WAAY,CAAE,MAAOM,EAAY,UAAW,gBAAiB,CAAC,CAClF,CACF,EAEA,CACE,MAAO,SACP,UAAW,CACb,EACAgC,GAIA,CACE,MAAO,MAAQhC,EACf,UAAW,CACb,EACA,CACE,MAAO,CAAE,wBAAyB,EAClC,UAAW,CAAE,EAAG,gBAAiB,EACjC,SAAU,CAAEuB,CAAO,CACrB,EACAQ,GACAH,GACAJ,GACAS,GACA,CACE,MAAO,QACT,CACF,CACF,CACF,CAYA,SAASG,GAAW1C,EAAM,CACxB,IAAM2C,EAAa5C,GAAWC,CAAI,EAE5BM,EAAaf,GACbG,EAAQ,CACZ,MACA,OACA,SACA,UACA,SACA,SACA,QACA,SACA,SACA,SACF,EACMkD,EAAY,CAChB,cAAe,YACf,IAAK,KACL,WAAY,GACZ,SAAU,CAAED,EAAW,QAAQ,eAAgB,CACjD,EACME,EAAY,CAChB,cAAe,YACf,IAAK,KACL,WAAY,GACZ,SAAU,CACR,QAAS,oBACT,SAAUnD,CACZ,EACA,SAAU,CAAEiD,EAAW,QAAQ,eAAgB,CACjD,EACMX,EAAa,CACjB,UAAW,OACX,UAAW,GACX,MAAO,wBACT,EACMc,EAAuB,CAC3B,OACA,YACA,YACA,SACA,UACA,YACA,aACA,UACA,WACA,WACA,OACA,UACF,EACM/B,EAAa,CACjB,SAAUxB,GACV,QAASC,GAAS,OAAOsD,CAAoB,EAC7C,QAASrD,GACT,SAAUK,GAAU,OAAOJ,CAAK,EAChC,oBAAqBG,EACvB,EACMkD,EAAY,CAChB,UAAW,OACX,MAAO,IAAMzC,CACf,EAEM0C,EAAW,CAACC,EAAMC,EAAOC,IAAgB,CAC7C,IAAMC,EAAOH,EAAK,SAAS,UAAUpC,GAAKA,EAAE,QAAUqC,CAAK,EAC3D,GAAIE,IAAS,GAAM,MAAM,IAAI,MAAM,8BAA8B,EAEjEH,EAAK,SAAS,OAAOG,EAAM,EAAGD,CAAW,CAC3C,EAKA,OAAO,OAAOR,EAAW,SAAU5B,CAAU,EAE7C4B,EAAW,QAAQ,gBAAgB,KAAKI,CAAS,EACjDJ,EAAW,SAAWA,EAAW,SAAS,OAAO,CAC/CI,EACAH,EACAC,CACF,CAAC,EAGDG,EAASL,EAAY,UAAW3C,EAAK,QAAQ,CAAC,EAE9CgD,EAASL,EAAY,aAAcX,CAAU,EAE7C,IAAMqB,EAAsBV,EAAW,SAAS,KAAK9B,GAAKA,EAAE,QAAU,UAAU,EAChF,OAAAwC,EAAoB,UAAY,EAEhC,OAAO,OAAOV,EAAY,CACxB,KAAM,aACN,QAAS,CACP,KACA,MACA,MACA,KACF,CACF,CAAC,EAEMA,CACT,CAEArD,GAAO,QAAUoD,KC72BjB,IAAAY,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAKC,EAAM,CAClB,MAAO,CACL,KAAM,OACN,SAAU,CACR,QAEE,qYAYF,SACE,uCACF,QACE,iBACJ,EACA,SAAU,CACR,CACE,UAAW,QACX,cAAe,4BACf,IAAK,KACL,WAAY,GACZ,QAAS,iBACT,SAAU,CAAEA,EAAK,qBAAsB,CACzC,EACAA,EAAK,oBACLA,EAAK,qBACL,CACE,UAAW,SACX,MAAO,MACP,IAAK,MACL,UAAW,CACb,EACAA,EAAK,iBACLA,EAAK,kBACLA,EAAK,cACL,CACE,UAAW,OACX,MAAO,KACP,IAAK,GACP,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KC3DjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAMC,EAAM,CACnB,IAAMC,EAAQD,EAAK,MAKbE,EAAY,CAChB,UAAW,SACX,MAAO,iBACT,EAEMC,EAAS,CACb,UAAW,SACX,MAAO,IACP,IAAK,IACL,QAAS,KACT,SAAU,CACR,CAEE,MAAO,IAAK,CAChB,CACF,EAGMC,EAAa,0BACbC,EAAa,wBACbC,EAAW,kCACXC,EAAW,yBACXC,EAAO,CACX,UAAW,UACX,SAAU,CACR,CAEE,MAAOP,EAAM,OAAO,MAAOA,EAAM,OAAOI,EAAYD,CAAU,EAAG,KAAK,CAAE,EAC1E,CAEE,MAAOH,EAAM,OAAO,MAAOM,EAAU,KAAK,CAAE,EAC9C,CAEE,MAAON,EAAM,OAAO,MAAOK,EAAU,KAAK,CAAE,EAC9C,CAEE,MAAOL,EAAM,OACX,MACAA,EAAM,OAAOI,EAAYD,CAAU,EACnC,KACAH,EAAM,OAAOK,EAAUC,CAAQ,EAC/B,KACF,CAAE,CACN,CACF,EAEME,EAAS,CACb,UAAW,SACX,UAAW,EACX,SAAU,CACR,CAEE,MAAO,+DAAgE,EACzE,CAEE,MAAO,6BAA8B,EACvC,CAEE,MAAO,8BAA+B,EACxC,CAEE,MAAO,4BAA6B,EACtC,CAEE,MAAO,2BAA4B,CACvC,CACF,EAEMC,EAAQ,CACZ,UAAW,QACX,MAAO,OACT,EAEMC,EAAcX,EAAK,QAAQ,MAAO,IAAK,CAAE,SAAU,CACvD,CACE,UAAW,SACX,MAAO,OACP,IAAK,GACP,CACF,CAAE,CAAC,EAEGY,EAAUZ,EAAK,QAAQ,KAAM,IAAK,CAAE,SAAU,CAClD,CAAE,MAAO,GAAI,EACb,CAEE,MAAO,oBAAqB,CAChC,CAAE,CAAC,EAYH,MAAO,CACL,KAAM,oBACN,QAAS,CAAE,IAAK,EAChB,iBAAkB,GAClB,iBAAkB,CAAE,MAAO,QAAS,EACpC,SAAU,CACR,QACE,k2BAWF,SAEE,2OAGF,KAEE,4GACF,QAAS,oBACX,EACA,QACE,4CACF,SAAU,CACRE,EACAC,EACAK,EACAC,EACAC,EACAC,EACAC,EA/Ce,CACjB,UAAW,OAEX,MAAO,2EACP,IAAK,IACL,SAAU,CAAE,QACR,oEAAqE,EACzE,SAAU,CAAEA,CAAQ,CACtB,CAyCE,CACF,CACF,CAEAd,GAAO,QAAUC,KC5JjB,IAAAc,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAASC,EAAM,CACtB,IAAMC,EAAQD,EAAK,MACbE,EAAqB,CACzB,QACA,QACA,UACA,WACA,SACA,YACA,YACA,MACA,SACA,SACA,cACA,MACA,UACA,YACA,MACA,MACA,SACA,UACA,QACA,QACA,iBACA,cACA,OACA,YACA,SACA,OACA,QACA,MACA,OACA,aACA,OACA,MACA,MACA,UACA,QACA,aACA,MACA,QACA,WACA,SACA,UACA,YACA,OACA,SACA,QACA,WACA,iBACA,UACA,SACA,QACA,MACA,QACA,WACA,MACA,OACA,MACA,MACA,SACA,SACA,QACA,YACA,MACA,QACA,QACA,QACA,OACA,OACA,MACA,WACA,OACA,UACA,MACA,eACA,cACA,MACA,eACA,MACA,QACA,OACA,MACA,WACA,QACA,MACA,OACA,UACA,OACA,OACA,gBACA,MACA,WACA,OACA,OACA,OACA,SACA,OACA,KACF,EACMC,EAAmB,CACvB,SACA,WACA,UAEA,eACA,2BACA,2BACA,0BACF,EAEMC,EAAgB,CACpB,MAAOH,EAAM,OAAOA,EAAM,OAAO,GAAGC,CAAkB,EAAG,SAAS,EAElE,UAAW,EACX,SAAU,CAAE,SAAUA,CAAmB,CAC3C,EAsEA,MAAO,CACL,KAAM,WACN,QAAS,CAAE,KAAM,EACjB,iBAAkB,GAClB,SAAU,CACR,QAjEa,CACf,OACA,QACA,QACA,MACA,KACA,OACA,QACA,UACA,gBACA,OACA,MACA,OACA,OACA,WACA,KACA,OACA,OACA,KACA,QACA,SACA,WACA,MACA,UACA,WACA,MACA,MACA,SACA,YACA,QACA,MACA,SACA,OACA,MACA,OACA,MACA,QACA,OACA,OACA,MACA,KACA,SACA,KACA,KACA,MACA,MACA,MACA,mBACA,kBACA,UACA,WACA,KACA,KACA,QACA,QACA,OACA,SACA,MACF,EAQI,SAAUC,EACV,QA3Ea,CACf,OACA,QACA,OACA,UACA,OACF,CAsEE,EACA,QAAS,KACT,SAAU,CACRC,EACAJ,EAAK,QAAQA,EAAK,kBAAmB,CAAE,SAAU,CAAE,CAAE,MAAO,IAAK,CAAE,CAAE,CAAC,EACtEA,EAAK,QACH,IACA,IACA,CAAE,UAAW,CAAE,CACjB,EACAA,EAAK,aACP,CACF,CACF,CAEAF,GAAO,QAAUC,KC3NjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAaC,EAAM,CAC1B,MAAO,CACL,KAAM,mBACN,YAAa,MACb,SAAU,CACR,CACE,MAAO,KACP,IAAK,KACL,YAAa,UACf,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCvBjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAQC,EAAM,CACrB,IAAMC,EAAQD,EAAK,MACbE,EAAW,CACf,SAAU,qBACV,QAAS,CACP,YACA,QACA,SACA,cACA,YACA,eACA,MACA,SACA,SACA,SACA,YACA,SACA,QACA,OACA,OACA,SACA,MACA,QACA,QACA,SACA,SACA,OACA,OACA,QACA,QACA,OACA,UACA,UACA,QACA,WACA,OACA,SACA,QACA,aACA,UACA,WACA,QACA,aACA,aACA,QACA,WACA,UACA,WACA,SACA,UACA,OACA,KACA,OACA,OACA,MACA,UACA,aACA,WACA,cACA,YACA,cACA,cACA,WACA,eACA,YACA,aACA,eACA,aACA,cACA,aACA,cACA,WACA,UACA,OACA,QACA,aACA,SACA,SACA,UACA,SACA,QACA,cACA,MACA,QACA,UACA,UACA,OACA,WACA,WACA,aACA,SACA,SACA,SACA,SACA,KACA,MACA,SACA,cACA,eACA,aACA,UACA,SACA,SACA,UACA,UACA,QACA,QACA,SACA,WACA,MACA,UACA,eACA,YACA,YACA,OACA,WACA,YACA,QACA,MACA,UACA,UACA,QACA,aACA,QACA,UACA,cACA,UACA,SACA,UACA,SACA,OACA,UACA,UACA,MACA,WACA,OACA,MACA,kBACA,MACA,SACA,SACA,KACA,SACA,UACA,SACA,YACA,OACA,UACA,YACA,WACA,UACA,WACA,YACA,QACA,QACA,WACA,SACA,sBACA,qBACA,OACA,OACA,QACA,WACA,eACA,QACA,OACA,WACA,MACA,MACA,YACA,UACA,SACA,WACA,SACA,QACA,QACA,QACA,WACA,WACA,WACA,eACA,aACA,UACA,eACA,WACA,WACA,WACA,YACA,gBACA,SACA,QACA,OACA,QACA,UACA,YACA,SACA,SACA,SACA,UACA,UACA,SACA,QACA,UACA,UACA,iBACA,iBACA,QACA,SACA,OACA,OACA,aACA,OACA,gBACA,WACA,OACA,UACA,UACA,MACA,OACA,OACA,SACA,QACA,SACA,OACA,UACA,QACA,SACA,UACA,WACA,QACA,aACA,UACA,MACA,QACA,MACA,WACA,UACA,OACA,OACA,aACA,OACA,OACA,QACA,QACA,QACA,WACA,OACA,OACA,SACA,MACA,OACA,KACF,EACA,QAAS,CAAE,MAAO,EAClB,SAAU,CACR,UACA,QACA,QACA,SACA,SACA,WACA,QACA,YACA,QACA,kBACA,cACA,mBACA,QACA,UACA,QACA,QACA,SACA,cACA,cACA,mBACA,QACA,YACA,YACA,cACA,gBACA,gBACA,sBACA,aACA,iBACA,iBACA,iBACA,oBACA,eACA,WACA,QACA,WACA,aACA,aACA,gBACA,eACA,eACA,oBACA,gBACA,iBACA,wBACA,QACA,UACA,QACA,aACA,eACA,eACA,gBACA,iBACA,WACA,oBACA,kBACA,gBACA,oBACA,YACA,uBACA,QACA,OACA,aACA,SACA,MACA,SACA,OACA,QACA,OACA,SACA,QACA,OACA,OACA,OACA,aACA,UACA,aACA,SACA,WACA,cACA,SACA,QACA,QACA,QACA,QACA,QACA,SACA,SACA,QACA,QACA,QACA,SACA,SACA,SACA,aACA,WACA,SACA,QACA,UACA,mBACA,eACA,oBACA,eACA,gBACA,UACA,gBACA,gBACA,YACA,UACA,mBACA,oBACA,kBACA,mBACA,kBACA,mBACA,iBACA,kBACA,SACA,UACA,YACA,mBACA,oBACA,kBACA,mBACA,kBACA,mBACA,iBACA,kBACA,UACA,WACA,YACA,YACA,YACA,UACA,WACA,WACA,WACA,SACA,YACA,YACA,aACA,kBACA,YACA,UACA,aACA,aACA,eACA,kBACA,UACA,UACA,UACA,WACA,YACA,YACA,YACA,aACA,YACA,WACA,WACA,aACA,gBACA,gBACA,kBACA,UACA,YACA,aACA,aACA,aACA,WACA,YACA,YACA,YACA,UACA,WACA,WACA,WACA,UACA,SACA,SACA,UACA,QACA,SACA,UACA,WACA,WACA,WACA,YACA,aACA,aACA,aACA,WACA,YACA,SACA,UACA,SACA,UACA,UACA,SACA,SACF,CACF,EACMC,EAAqB,CACzB,WACA,UACF,EACMC,EAAa,CACjB,iBACA,aACA,kBACA,qBACA,0BACA,SACA,yBACA,kBACA,kBACA,kBACA,OACA,QACA,eACA,gBACA,QACA,QACA,SACA,UACA,OACA,sBACA,SACA,WACA,YACA,oBACA,QACA,aACF,EAEA,MAAO,CACL,KAAM,UACN,QAAS,CACP,IACA,KACA,KACF,EACA,iBAAkB,GAClB,SAAUF,EACV,SAAU,CACRF,EAAK,qBACLA,EAAK,oBACLA,EAAK,kBACL,CACE,MAAO,SACP,SAAU,CAAEA,EAAK,gBAAiB,EAClC,SAAU,CACR,CAAE,MAAO,yCAA0C,EACnD,CAAE,MAAO,sCAAuC,EAChD,CACE,MAAO,iBACP,UAAW,CACb,CACF,CACF,EAEA,CACE,MAAO,WACP,SAAU,CACR,CAAE,MAAO,wBAAyB,EAClC,CACE,MAAO,UACP,UAAW,CACb,CACF,CACF,EACA,CACE,MAAO,oBACP,MAAOC,EAAM,OAAO,IAAKA,EAAM,OAAO,GAAGE,CAAkB,CAAC,CAC9D,EACA,CACE,MAAO,OACP,MAAOF,EAAM,OAAO,IAAKA,EAAM,OAAO,GAAGG,CAAU,CAAC,EACpD,IAAK,cACL,UAAW,GACX,SAAUA,CACZ,CACF,CACF,CACF,CAEAN,GAAO,QAAUC,KCpiBjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAKC,EAAM,CAIlB,IAAMC,EAAa,cACbC,EAAc,YAAcD,EAC5BE,EAAqBF,EAAa,OAASA,EAAa,MAAaC,EAAc,KAEnFE,EAAmB,OAGnBC,EAAY,QAFOJ,EAAa,IAAMG,EAAmB,OAASA,EAAmB,OAAmBF,EAAc,MAE9E,IAAMC,EAAqB,IAmKzE,MAAO,CACL,KAAM,OACN,iBAAkB,GAClB,SAAU,CACR,QArKa,CACf,MACA,SACA,QACA,QACA,MACA,MACA,eACA,QACA,SACA,SACA,mBACA,YACA,QACA,QACA,OACA,SACA,MACA,OACA,YACA,gBACA,WACA,UACA,QACA,aACA,SACA,UACA,OACA,QACA,MACA,SACA,OACA,WACA,OACA,MACA,QACA,WACA,WACA,UACA,QACA,UACA,KACA,SACA,KACA,WACA,QACA,KACA,QACA,UACA,UACA,UACA,OACA,MACA,MACA,OACA,MACA,OACA,MACA,MACA,OACA,KACA,KACA,OACA,KACA,SACA,MACA,UACA,YACA,OACA,YACA,YACA,UACA,WACA,YACA,OACA,QACA,SACA,WACA,SACA,UACA,MACA,SACA,WACA,qBACA,SACA,MACA,MACA,SACA,WACA,WACA,SACA,SACA,MACA,MACA,MACA,MACA,SACA,UACA,OACA,KACA,YACA,OACA,aACA,QACA,QACA,MACA,WACA,OACA,QACA,QACA,QACA,OACA,OACA,QACA,OACA,OACA,KACF,EAiDI,SAhDc,CAChB,UACA,MACA,YACA,UACA,OACA,eACA,UACA,WACA,SACA,aACA,iBACA,mBACA,YACA,mBACA,WACA,SACA,iBACA,iBACA,aACA,oBACA,sBACA,aACA,oBACA,WACA,cACA,aACF,EAsBI,QArBa,CAEf,QACA,OACA,OACA,UACA,QACA,UAEA,OACA,OACA,OACA,OACF,CASE,EACA,QAAS,KACT,SAAU,CACRH,EAAK,qBACLA,EAAK,QAAQ,KAAM,GAAG,EACtBA,EAAK,kBACL,CACE,UAAW,SACX,MAAOK,EACP,UAAW,CACb,EACA,CACE,UAAW,SACX,MAAO,wBACP,SAAU,CAAEL,EAAK,gBAAiB,CACpC,EACA,CACE,UAAW,SACX,MAAO,4BACP,SAAU,CAAEA,EAAK,gBAAiB,CACpC,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCtNjB,IAAAO,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAIC,EAAM,CACjB,MAAO,CACL,KAAM,aACN,SAAU,CACR,SAAU,WACV,QAEE,mwLAkBF,SACE,6nEAmCJ,EACA,QAAS,IACT,SAAU,CACRA,EAAK,YACL,CACE,UAAW,SACX,MAAO,IACP,IAAK,IACL,QAAS,KACX,EAYA,CACE,UAAW,SACX,MAAO,sBACT,EACAA,EAAK,QAAQ,IAAK,GAAG,EAErB,CACE,UAAW,WACX,MAAO,qBACT,EACA,CACE,MAAO,CACL,2BACA,MACAA,EAAK,QACP,EACA,UAAW,CACT,EAAG,UACH,EAAG,OACL,EACA,IAAK,IACL,UAAW,EACX,SAAU,CACR,CACE,UAAW,SACX,MAAO,MACP,IAAK,KACP,CACF,CACF,EACA,CACE,UAAW,SACX,MAAO,UACT,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KChIjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAKC,EAAM,CAClBA,EAAK,MACL,IAAMC,EAAgBD,EAAK,QAAQ,MAAO,KAAK,EAC/CC,EAAc,SAAS,KAAK,MAAM,EAClC,IAAMC,EAAeF,EAAK,QAAQ,KAAM,GAAG,EAErCG,EAAM,CACV,UACA,QACA,KACA,QACA,WACA,OACA,gBACA,OACA,OACA,OACA,OACA,MACA,SACA,OACA,aACA,aACA,YACA,YACA,YACA,aACA,YACA,SACA,KACA,SACA,QACA,OACA,SACA,cACA,cACA,SACA,MACA,MACA,SACA,QACA,SACA,SACA,SACA,aACA,YACA,QACA,QACA,YACA,OACA,OACA,aACF,EAEMC,EAAqB,CACzB,MAAO,CACL,8BACA,MACA,WACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,gBACL,CACF,EAEMC,EAAW,CACf,UAAW,WACX,MAAO,UACT,EAEMC,EAAS,CACb,MAAO,gBACP,UAAW,cACX,UAAW,CACb,EAEMC,EAAS,CACb,UAAW,SACX,UAAW,EAEX,MAAO,iNACT,EAEMC,EAAO,CAEX,MAAO,0BACP,UAAW,MACb,EAEMC,EAAkB,CACtB,UAAW,UAEX,MAAO,mZACT,EAcA,MAAO,CACL,KAAM,cACN,SAAU,CACR,SAAU,SACV,QAASN,CACX,EACA,SAAU,CACRD,EACAD,EApBiB,CACnB,MAAO,CACL,mBACA,MACA,GACF,EACA,UAAW,CACT,EAAG,UACH,EAAG,UACL,CACF,EAYII,EACAC,EACAF,EACAJ,EAAK,kBACLQ,EACAC,EACAF,CACF,CACF,CACF,CAEAT,GAAO,QAAUC,KC1IjB,IAAAW,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAUA,SAASC,GAAKC,EAAM,CAClB,IAAMC,EAAQD,EAAK,MACbE,EAAW,cACXC,EAAW,CACf,KACA,QACA,QACA,YACA,WACA,OACA,MACA,UACA,KACA,SACA,KACA,KACA,SACA,SACA,MACA,OACF,EACMC,EAAW,CACf,OACA,QACA,MACF,EACMC,EAAgB,CACpB,OACA,OACF,EACMC,EAAe,CACnB,OACA,QACA,QACA,KACA,OACA,MACA,OACA,MACA,SACA,QACA,WACA,SACA,QACF,EACMC,EAAY,CAChB,IACA,IACA,KACA,IACA,SACA,OACA,KACA,KACA,KACA,KACA,KACA,IACA,IACA,KACA,KACA,IACA,SACA,KACA,KACA,IACA,OACA,KACA,MACA,GACF,EACMC,EAAW,CACf,UAAW,EACX,MAAOP,EAAM,OAAO,oCAAqCC,EAAU,aAAa,EAChF,UAAW,gBACb,EACMO,EAAsB,CAC1B,MAAOR,EAAM,OACXA,EAAM,OACJA,EAAM,OAAO,oCAAqCC,CAAQ,EAC1DD,EAAM,OAAO,GAAGM,CAAS,CAC3B,EACA,uBAAuB,EACzB,UAAW,iBACX,OAAQ,CAAE,SAAU,CAClB,CACE,MAAO,KACP,IAAK,KACL,SAAU,CACR,CACE,UAAW,EACX,MAAO,SACP,MAAOL,CACT,CACF,CACF,CACF,CAAE,CACJ,EACMQ,EAAmB,CACvB,SAAU,CACR,CAAE,MAAO,CACP,WACAR,EACA,WACAA,CACF,CAAE,EACF,CAAE,MAAO,CACP,WACAA,CACF,CAAE,CACJ,EACA,MAAO,CACL,EAAG,cACH,EAAG,uBACL,EACA,SAAUC,CACZ,EAEMQ,EAAW,CACf,UAAW,EACX,MAAOV,EAAM,OAAO,GAAGM,CAAS,EAChC,UAAW,UACb,EAEMK,EAAgB,CACpB,UAAW,SACX,MAAO,MACP,IAAK,KACP,EAEMC,EAAW,CACf,UAAW,WACX,MAAOZ,EAAM,OAAO,KAAMA,EAAM,UAAUC,CAAQ,CAAC,EACnD,IAAKA,EACL,aAAc,GACd,UAAW,CACb,EAEMY,EAAQ,CACZ,UAAW,EACX,MAAOb,EAAM,OAAO,MAAOC,CAAQ,EACnC,MAAO,UACT,EAGMa,EAAkB,CACtB,UAAW,EACX,MAAO,gCACP,MAAO,cACP,SAAU,CAAE,EAAGT,CAAa,CAC9B,EAGMU,EAAShB,EAAK,cAEdiB,EAAS,CACb,MAAO,CACLf,EACA,MACA,IACA,MACA,KACAA,EACA,SACF,EACA,MAAO,CACL,EAAG,iBACH,EAAG,WACH,EAAG,QACL,CACF,EAEMgB,EAAelB,EAAK,QACxB,SACA,OACA,CAAE,SAAU,CACV,CACE,MAAO,UACP,MAAO,QACT,EACA,MACF,CAAE,CACJ,EACMmB,EAAQ,CACZ,MAAO,QACP,MAAO,MACP,IAAK,KACL,SAAU,CACRH,EACAD,EACAP,EACAM,EACAH,CACF,CACF,EACMS,EAAS,CACb,MAAO,SACP,MAAO,IACP,IAAK,IACL,SAAU,CACRD,EACA,CACE,MAAO,cACP,SAAU,CACR,CAAE,MAAO,sBAAuB,EAChC,CAAE,MAAO,gBAAiB,EAC1B,CAAE,MAAO,gBAAiB,EAC1B,CAAE,MAAO,gBAAiB,CAC5B,CACF,CACF,CACF,EACAA,EAAM,SAAS,KAAKC,CAAM,EAE1B,IAAMC,EAAU,CACd,GAAGlB,EACH,GAAGE,EACH,GAAGD,CACL,EACMkB,EAAW,CACf,UAAW,EACX,MAAOrB,EAAM,OACX,SACAoB,EAAQ,KAAK,GAAG,EAChB,OACA,yBACF,EACA,UAAW,UACb,EAmCA,MAAO,CACL,KAAM,OACN,SAAU,CACR,QAASlB,EACT,oBAAqBE,EACrB,QAASD,CACX,EACA,SAAU,CAvCM,CAEhB,MAAO,UACP,SAAU,CACR,CACE,MAAO,CACL,MACA,kBACF,EACA,WAAY,CAEZ,EACA,SAAU,CAAE,QAASA,CAAS,EAC9B,SAAU,CAGV,EACA,IAAK,IACP,EACA,CACE,MAAO,CACL,MACA,YACF,EACA,WAAY,CAEZ,EACA,IAAK,GACP,CACF,CACF,EAWIY,EACAI,EACAR,EACAM,EACAlB,EAAK,oBACLA,EAAK,qBACLe,EACAL,EACAO,EACAR,EACAD,EACAG,EACAG,EACAD,EACAS,CACF,CACF,CACF,CAEAxB,GAAO,QAAUC,KC7SjB,IAAAwB,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAQA,SAASC,GAAOC,EAAM,CACpB,MAAO,CACL,KAAM,qBACN,iBAAkB,GAClB,SAAU,CACR,SAAU,QAAUA,EAAK,SACzB,QACE,qteAEF,SAEE,i5CAyCF,KACE,w/BAaJ,EACA,SAAU,CACRA,EAAK,QACH,IACA,IACA,CAAE,UAAW,CAAE,CACjB,EACA,CACE,UAAW,SACX,SAAU,CAER,CACE,MAAO,uHAEP,UAAW,CACb,EAGA,CACE,MAAO,uBACP,UAAW,CACb,EAGA,CAAE,MAAO,kGAAmG,EAG5G,CAAE,MAAO,2EAA4E,CACvF,CACF,EAEAA,EAAK,kBACL,CACE,UAAW,SACX,SAAU,CAER,CACE,MAAO,IACP,IAAK,UACP,EAEA,CACE,MAAO,IACP,IAAK,UACP,CACF,EACA,UAAW,CACb,EACA,CACE,UAAW,SACX,SAAU,CAER,CAAE,MAAO,kDAAmD,EAE5D,CAAE,MAAO,6BAA8B,CACzC,EACA,UAAW,CACb,EAEA,CACE,UAAW,QACX,MAAO,UACP,UAAW,CACb,EAEA,CACE,UAAW,QACX,MAAO,OACP,UAAW,CACb,EACA,CACE,UAAW,OACX,MAAO,eACT,CACF,CACF,CACF,CAEAF,GAAO,QAAUC,KCxJjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAOA,SAASC,GAAGC,EAAM,CAChB,IAAMC,EAAM,CACV,KACA,OACA,OACA,KACA,QACA,QACA,MACA,OACA,SACA,OACA,KACA,KACA,QACA,OACA,KACA,OACA,WACA,UACA,OACA,OACA,OACA,UACA,SACA,QACA,SACA,UACA,QACA,MACF,EACMC,EAAY,CAChB,KACA,MACA,MACA,MACA,KACA,MACA,MACA,MACA,OACA,QACA,OACA,OACA,MACA,MACA,MACA,OACA,OACA,OACA,MACA,QACA,MACA,OACA,QACA,QACA,KACA,KACA,cACA,aACA,YACA,eACA,WACA,OACA,QACA,cACA,cACA,QACA,WACA,UACA,WACA,UACA,cACA,QACA,aACA,aACA,eACA,oBACA,UACA,WACA,WACA,YACA,eACA,eACA,gBACA,YACA,YACA,aACA,YACA,SACA,UACA,SACA,OACA,UACA,UACA,UACA,WACA,QACA,aACA,WACA,UACA,OACA,WACA,WACA,eACF,EACMC,EAAkB,CACtB,eACA,UACA,eACA,SACA,UACA,UACA,YACA,YACA,UACA,gBACA,gBACA,aACA,gBACA,gBACA,SACA,YACA,WACA,SACA,SACA,QACF,EAMMC,EAAW,CACf,SAAU,yBACV,QAASH,EACT,QARe,CACf,OACA,QACA,KACF,EAKE,SAAUC,EAAU,OAAOC,CAAe,CAC5C,EAEME,EAAoB,CACxB,UAAW,SACX,MAAO,IACP,IAAK,IACL,QAAS,KACX,EACMC,EAAoB,CACxB,UAAW,SACX,MAAO,IACP,IAAK,IACL,QAAS,KACX,EACMC,EAAY,CAChB,UAAW,SACX,MAAO,KACP,IAAK,IACP,EACMC,EAAe,CACnB,UAAW,SACX,MAAO,wDACT,EACMC,EAAS,CACb,cAAe,SACf,IAAK,IACL,SAAUL,EACV,SAAU,CAAEC,CAAkB,CAChC,EACMK,EAAsB,CAC1B,UAAW,WACX,MAAO,gBACP,YAAa,GACb,IAAK,KACL,SAAU,CACRV,EAAK,QAAQA,EAAK,WAAY,CAAE,OAAQ,CACtC,eAAgB,GAChB,SAAUI,CACZ,CAAE,CAAC,CACL,CACF,EACA,MAAO,CACL,KAAM,KACN,QAAS,CAAE,KAAM,EACjB,SAAUA,EACV,SAAU,CACRJ,EAAK,oBACLA,EAAK,qBACLK,EACAC,EACAC,EACAG,EACAD,EACAD,EACAR,EAAK,WACP,CACF,CACF,CAEAF,GAAO,QAAUC,KC5MjB,IAAAY,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CAYA,SAASC,GAAOC,EAAO,CAwUrB,MAAO,CACL,KAAM,SACN,QAAS,CACP,QACA,IACF,EACA,iBAAkB,GAClB,QAAS,0CACT,SAAU,CACR,SAAU,2BACV,QAhVa,CACf,SACA,SACA,YACA,iBACA,WACA,cACA,QACA,UACA,YACA,WACA,WACA,UACA,iBACA,oBACA,kBACA,iBACA,SACA,qBACA,WACA,qBACA,UACA,aACA,MACA,aACA,YACA,UACA,mBACA,iBACA,SACA,YACA,aACA,UACA,SACA,SACA,WACA,WACA,WACA,MACA,KACA,KACA,MACA,QACA,QACA,QACA,KACA,SACA,KACA,OACA,OACA,WACA,UACA,SACA,QACA,OACA,OACA,MACA,WACA,OACA,SACA,YACA,aACA,WACA,QACA,WACA,QACA,OACA,QACA,YACA,SACA,OACA,aACA,MACA,QACA,MACA,KACA,KACA,QACA,YACA,WACA,KACA,QACA,KACA,WACA,OACA,MACA,QACA,SACA,SACA,OACA,UACA,QACA,SACA,OACA,SACA,QACF,EAiPI,KA7OU,CACZ,OACA,gBACA,OACA,YACA,WACA,UACA,UACA,YACA,iBACA,yBACA,OACA,eACA,mBACA,mBACA,cACA,UACA,aACA,WACA,YACA,gBACA,WACA,eACA,YACA,UACA,aACA,kBACA,eACA,YACA,WACA,cACA,cACA,mBACA,UACA,YACA,sBACA,WACA,cACA,aACA,UACA,YACA,QACA,WACA,YACA,aACA,wBACA,qBACA,UACA,SACA,WACA,UACA,wBACA,mBACA,iBACA,mBACA,kBACA,qBACA,uBACA,oBACF,EAmLI,QAjLa,CACf,KACA,KACA,KACA,KACA,KACA,KACA,KACA,SACA,UACA,eACA,uBACA,cACA,cACA,sBACA,WACA,aACA,qBACA,cACA,sBACA,KACF,CA6JE,EACA,SA1Be,CA/EL,CACV,UAAW,WACX,MAAO,aACT,EArDiB,CACf,UAAW,WACX,SAAU,CACR,CACE,MAAO,WACP,IAAK,2IACP,EACA,CACE,MAAO,SACP,IAAK,mEACP,EACA,CACE,MAAO,UACP,IAAK,0EACP,EACA,CACE,MAAO,QACP,IAAK,KACL,WAAY,EACd,EACA,CACE,MAAO,QACP,IAAK,KACL,WAAY,EACd,EAEA,CAAE,MAAO,62DAA82D,EACv3D,CACE,MAAO,WACP,IAAK,KACL,WAAY,EACd,EACA,CACE,MAAO,SACP,IAAK,oEACP,EACA,CACE,MAAO,uCACP,IAAK,KACL,WAAY,EACd,CACF,CACF,EAmBe,CACb,UAAW,SACX,SAAU,CACR,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,KACP,UAAW,CACb,CACF,CACF,EACA,CACE,MAAO,IACP,IAAK,IACL,SAAU,CACR,CACE,MAAO,KACP,UAAW,CACb,CACF,CACF,CACF,CACF,EA9Be,CACb,UAAW,SACX,MAAO,uEACP,UAAW,CACb,EAiCgB,CACd,UAAW,UACX,MAAO,MACP,IAAK,MACL,UAAW,GACX,SAAU,CACR,CACE,UAAW,SACX,MAAO,MACT,CACF,CACF,EAhBmB,CACjB,UAAW,OACX,MAAO,WACT,EA9Cc,CACZ,UAAW,QACX,MAAO,qDACP,IAAK,GACP,EA4DiB,CACf,cAAe,4DACf,IAAK,KACL,WAAY,EACd,EAGe,CACb,MAAO,sCACP,IAAK,iBACL,YAAa,MACb,SAAU,CACR,CACE,MAAO,KACP,IAAK,KACL,YAAa,QACf,EACA,MACF,CACF,CAYA,CAiBA,CACF,CAEAF,GAAO,QAAUC,KCtWjB,IAAAE,GAAAC,EAAA,CAAAC,GAAAC,KAAA,CASA,SAASC,GAAOC,EAAM,CACpB,IAAMC,EAAS,CACb,UAAW,SACX,SAAU,CAAED,EAAK,gBAAiB,EAClC,SAAU,CACRA,EAAK,QAAQA,EAAK,iBAAkB,CAAE,QAAS,IAAK,CAAC,EACrDA,EAAK,QAAQA,EAAK,kBAAmB,CAAE,QAAS,IAAK,CAAC,CACxD,CACF,EACME,EAAaF,EAAK,sBAClBG,EAAS,CAAE,SAAU,CACzBH,EAAK,mBACLA,EAAK,aACP,CAAE,EACII,EAEJ,sfAyBF,MAAO,CACL,KAAM,SACN,QAAS,CAAE,KAAM,EACjB,SAAUA,EACV,SAAU,CACRJ,EAAK,oBACLA,EAAK,QACH,OACA,OACA,CAAE,SAAU,CACV,CACE,UAAW,SACX,MAAO,YACT,CACF,CAAE,CACJ,EACA,CACE,UAAW,SACX,MAAO,oBACP,IAAK,QACL,SAAU,CAAEA,EAAK,gBAAiB,CACpC,EACA,CAEE,MAAO,kDAAmD,EAC5D,CACE,UAAW,WACX,cAAe,cACf,IAAK,OACL,WAAY,GACZ,QAAS,UACT,SAAU,CACRE,EACA,CACE,UAAW,SACX,MAAO,KACP,IAAK,KACL,SAAUE,EACV,SAAU,CACR,OACAJ,EAAK,qBACLC,EACAE,CACF,CACF,CACF,CACF,EACA,CACE,UAAW,QACX,cAAe,kBACf,IAAK,KACL,WAAY,GACZ,QAAS,SACT,SAAU,CACR,CAAE,cAAe,oBAAqB,EACtCD,CACF,CACF,EACA,CACE,cAAe,YACf,IAAK,IACL,QAAS,OACT,SAAU,CAAEA,CAAW,CACzB,EACA,CACE,cAAe,MACf,IAAK,IACL,SAAU,CAAEA,CAAW,CACzB,EACA,CAAE,MAAO,IACT,EACAD,EACAE,CACF,CACF,CACF,CAEAL,GAAO,QAAUC,KC/HjB,IAAAM,GAAAC,EAAA,CAAAC,GAAAC,KAAA,KAAIC,EAAO,KAEXA,EAAK,iBAAiB,KAAM,IAAyB,EACrDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,YAAa,IAAgC,EACnEA,EAAK,iBAAiB,eAAgB,IAAmC,EACzEA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,cAAe,IAAkC,EACvEA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,cAAe,IAAkC,EACvEA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,WAAY,IAA+B,EACjEA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,YAAa,IAAgC,EACnEA,EAAK,iBAAiB,IAAK,IAAwB,EACnDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,YAAa,IAAgC,EACnEA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,eAAgB,IAAmC,EACzEA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,eAAgB,IAAmC,EACzEA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,IAAK,IAAwB,EACnDA,EAAK,iBAAiB,WAAY,IAA+B,EACjEA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,WAAY,IAA+B,EACjEA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,cAAe,IAAkC,EACvEA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,KAAM,IAAyB,EACrDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,KAAM,IAAyB,EACrDA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,YAAa,IAAgC,EACnEA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,iBAAkB,IAAqC,EAC7EA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,WAAY,IAA+B,EACjEA,EAAK,iBAAiB,cAAe,IAAkC,EACvEA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,cAAe,IAAkC,EACvEA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,YAAa,IAAgC,EACnEA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,WAAY,IAA+B,EACjEA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,KAAM,IAAyB,EACrDA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,eAAgB,IAAmC,EACzEA,EAAK,iBAAiB,YAAa,IAAgC,EACnEA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,WAAY,IAA+B,EACjEA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,YAAa,IAAgC,EACnEA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,cAAe,IAAkC,EACvEA,EAAK,iBAAiB,IAAK,IAAwB,EACnDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,IAAK,IAAwB,EACnDA,EAAK,iBAAiB,WAAY,IAA+B,EACjEA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,WAAY,IAA+B,EACjEA,EAAK,iBAAiB,WAAY,IAA+B,EACjEA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,gBAAiB,IAAoC,EAC3EA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,YAAa,IAAgC,EACnEA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,eAAgB,IAAmC,EACzEA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,KAAM,IAAyB,EACrDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,aAAc,IAAiC,EACrEA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,QAAS,IAA4B,EAC3DA,EAAK,iBAAiB,WAAY,IAA+B,EACjEA,EAAK,iBAAiB,gBAAiB,IAAoC,EAC3EA,EAAK,iBAAiB,UAAW,IAA8B,EAC/DA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,MAAO,IAA0B,EACvDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,OAAQ,IAA2B,EACzDA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,KAAM,IAAyB,EACrDA,EAAK,iBAAiB,SAAU,IAA6B,EAC7DA,EAAK,iBAAiB,SAAU,IAA6B,EAE7DA,EAAK,YAAcA,EACnBA,EAAK,QAAUA,EACfD,GAAO,QAAUC,ICrMjB,IAAAC,GAAAC,EAAA,MAAC,UAAW,CACR,IAAIC,EAAO,UAAW,CAElB,SAASC,GAAK,CAEd,CAEA,SAASC,EAAGC,EAAG,CACb,OAAO,mBAAmBA,EAAE,QAAQ,MAAO,GAAG,CAAC,CACjD,CAEA,SAASC,EAAGC,EAAKC,EAAK,CAClB,IAAIC,EAAOF,EAAI,OAAO,CAAC,EACnBG,EAAQF,EAAI,MAAMC,CAAI,EAE1B,OAAIA,IAASF,EAAcG,GAE3BH,EAAM,SAASA,EAAI,UAAU,CAAC,EAAG,EAAE,EAE5BG,EAAMH,EAAM,EAAIG,EAAM,OAASH,EAAMA,EAAM,CAAC,EACvD,CAEA,SAASI,EAAGJ,EAAKC,EAAK,CAQlB,QAPIC,EAAOF,EAAI,OAAO,CAAC,EACnBG,EAAQF,EAAI,MAAM,GAAG,EACrBI,EAAQ,CAAC,EACTC,EAAS,CAAC,EACVC,EAAM,CAAC,EACPC,EAAOR,EAAI,UAAU,CAAC,EAEjBS,EAAI,EAAGC,EAAKP,EAAM,OAAQM,EAAIC,EAAID,IAQvC,GAPAJ,EAAQF,EAAMM,CAAC,EAAE,MAAM,YAAY,EAG5BJ,IACHA,EAAQ,CAACF,EAAMM,CAAC,EAAGN,EAAMM,CAAC,EAAG,EAAE,GAG/BJ,EAAM,CAAC,EAAE,QAAQ,MAAO,EAAE,IAAM,GAAI,CAIpC,GAHAA,EAAM,CAAC,EAAIR,EAAGQ,EAAM,CAAC,GAAK,EAAE,EAGxBG,IAASH,EAAM,CAAC,EAAK,OAAOA,EAAM,CAAC,EAGvCE,EAAMF,EAAM,CAAC,EAAE,MAAM,kBAAkB,EAEnCE,GACAD,EAAOC,EAAI,CAAC,CAAC,EAAID,EAAOC,EAAI,CAAC,CAAC,GAAK,CAAC,EAEpCD,EAAOC,EAAI,CAAC,CAAC,EAAEA,EAAI,CAAC,CAAC,EAAIF,EAAM,CAAC,GAGhCC,EAAOD,EAAM,CAAC,CAAC,EAAIA,EAAM,CAAC,CAElC,CAGJ,OAAIH,IAASF,EAAcM,EAEpBA,EAAOE,CAAI,CACtB,CAEA,OAAO,SAASR,EAAKL,EAAK,CACtB,IAAIgB,EAAK,CAAC,EAAGJ,EAAKK,EAElB,GAAIZ,IAAQ,OAAU,OAAO,OAI7B,GAFAL,EAAMA,GAAO,OAAO,SAAS,SAAS,EAEjC,CAAEK,EAAO,OAAOL,EAIrB,GAFAK,EAAMA,EAAI,SAAS,EAEfO,EAAMZ,EAAI,MAAM,mBAAmB,EACnCgB,EAAG,SAAW,SACdA,EAAG,MAAQJ,EAAI,CAAC,MAEf,CAcD,IAXIA,EAAMZ,EAAI,MAAM,gBAAgB,KAChCA,EAAMY,EAAI,CAAC,EAAIA,EAAI,CAAC,IAIpBA,EAAMZ,EAAI,MAAM,YAAY,KAC5BgB,EAAG,KAAOJ,EAAI,CAAC,EACfZ,EAAMY,EAAI,CAAC,GAIXI,EAAG,MAAQX,EAAI,MAAM,IAAI,EAAK,OAAOI,EAAGJ,EAAKW,EAAG,IAAI,EASxD,IANIJ,EAAMZ,EAAI,MAAM,aAAa,KAC7BgB,EAAG,MAAQJ,EAAI,CAAC,EAChBZ,EAAMY,EAAI,CAAC,GAIXI,EAAG,OAASX,EAAI,MAAM,KAAK,EAAK,OAAOI,EAAGJ,EAAKW,EAAG,KAAK,EAmB3D,IAhBIJ,EAAMZ,EAAI,MAAM,kBAAkB,KAClCgB,EAAG,SAAWJ,EAAI,CAAC,EAAE,YAAY,EACjCZ,EAAMY,EAAI,CAAC,IAIXA,EAAMZ,EAAI,MAAM,aAAa,KAC7BgB,EAAG,KAAOJ,EAAI,CAAC,EACfZ,EAAMY,EAAI,CAAC,GAIfI,EAAG,MAAQA,EAAG,MAAQ,IAAI,QAAQ,WAAY,KAAK,EAG/CX,EAAI,MAAM,YAAY,IAAKA,EAAMA,EAAI,QAAQ,WAAY,KAAK,GAC9DA,EAAI,MAAM,KAAK,EAAK,OAAOD,EAAGC,EAAKW,EAAG,KAAK,UAAU,CAAC,CAAC,EAmC3D,GAhCAJ,EAAMR,EAAG,MAAOY,EAAG,KAAK,UAAU,CAAC,CAAC,EAEhCJ,IAAQA,EAAMA,EAAI,MAAM,iBAAiB,KACzCI,EAAG,KAAOJ,EAAI,CAAC,EACfI,EAAG,SAAWJ,EAAI,CAAC,EACnBI,EAAG,QAAUJ,EAAI,CAAC,IAIlBA,EAAMZ,EAAI,MAAM,iBAAiB,KACjCgB,EAAG,KAAOJ,EAAI,CAAC,EACfZ,EAAMY,EAAI,CAAC,IAIXA,EAAMZ,EAAI,MAAM,YAAY,KAC5BgB,EAAG,KAAOJ,EAAI,CAAC,EACfZ,EAAMY,EAAI,CAAC,GAIXI,EAAG,OACHJ,EAAMI,EAAG,KAAK,MAAM,YAAY,EAEhCA,EAAG,KAAOJ,EAAMA,EAAI,CAAC,EAAII,EAAG,KAC5BA,EAAG,KAAOJ,EAAMA,EAAI,CAAC,EAAI,QAI7BI,EAAG,SAAWhB,EAAI,YAAY,EAG1BK,EAAI,OAAO,CAAC,IAAM,IAAO,OAAOD,EAAGC,EAAKW,EAAG,QAAQ,EAGnD,SACAJ,EAAMI,EAAG,SAAS,MAAM,MAAI,EAExBJ,IACAI,EAAG,IAAMJ,EAAI,CAAC,EACdI,EAAG,OAASJ,EAAI,CAAC,EAAIA,EAAI,CAAC,EAAI,IAAMA,EAAI,CAAC,EAAI,OAC7CI,EAAG,IAAMJ,EAAI,CAAC,GAAK,SAK3BI,EAAG,KAAOA,EAAG,OAASA,EAAG,WAAa,QAAU,MAAQ,MACxDA,EAAG,SAAWA,EAAG,WAAaA,EAAG,OAAS,MAAQ,QAAU,OAChE,CAGA,GAAIX,KAAOW,EAAM,OAAOA,EAAGX,CAAG,EAG9B,GAAIA,IAAQ,KAAQ,OAAOW,CAI/B,CACJ,EAAG,EAEH,OAAO,IAAMhB,CACjB,GAAG,ICtLH,KACA,KAEA,OAAO,EAAI,OAAO,OAAS,KAE3B,KACA,KACA,KAEA,IAAMkB,GAAW,KACjB,OAAO,QAAU,IAAIA,GAErB,OAAO,KAAO,KACd", + "names": ["require_bootstrap", "__commonJSMin", "exports", "module", "require_github", "__commonJSMin", "exports", "module", "require_jquery", "__commonJSMin", "exports", "module", "global", "factory", "w", "window", "noGlobal", "arr", "getProto", "slice", "flat", "array", "push", "indexOf", "class2type", "toString", "hasOwn", "fnToString", "ObjectFunctionString", "support", "isFunction", "obj", "isWindow", "document", "preservedScriptAttributes", "DOMEval", "code", "node", "doc", "i", "val", "script", "toType", "version", "rhtmlSuffix", "jQuery", "selector", "context", "num", "elems", "ret", "callback", "elem", "_elem", "len", "j", "options", "name", "src", "copy", "copyIsArray", "clone", "target", "length", "deep", "msg", "proto", "Ctor", "isArrayLike", "nodeType", "results", "namespace", "docElem", "first", "second", "invert", "callbackInverse", "matches", "callbackExpect", "arg", "value", "_i", "type", "nodeName", "pop", "sort", "splice", "whitespace", "rtrimCSS", "a", "b", "bup", "rcssescape", "fcssescape", "ch", "asCodePoint", "sel", "preferredDoc", "pushNative", "Expr", "outermostContext", "sortInput", "hasDuplicate", "documentElement", "documentIsHTML", "rbuggyQSA", "expando", "dirruns", "done", "classCache", "createCache", "tokenCache", "compilerCache", "nonnativeSelectorCache", "sortOrder", "booleans", "identifier", "attributes", "pseudos", "rwhitespace", "rcomma", "rleadingCombinator", "rdescend", "rpseudo", "ridentifier", "matchExpr", "rinputs", "rheader", "rquickExpr", "rsibling", "runescape", "funescape", "escape", "nonHex", "high", "unloadHandler", "setDocument", "inDisabledFieldset", "addCombinator", "safeActiveElement", "els", "find", "seed", "m", "nid", "match", "groups", "newSelector", "newContext", "testContext", "tokenize", "toSelector", "select", "keys", "cache", "key", "markFunction", "fn", "assert", "el", "createInputPseudo", "createButtonPseudo", "createDisabledPseudo", "disabled", "createPositionalPseudo", "argument", "matchIndexes", "subWindow", "id", "attrId", "tag", "className", "input", "compare", "expr", "elements", "duplicates", "excess", "unquoted", "nodeNameSelector", "expectedNodeName", "pattern", "operator", "check", "result", "what", "_argument", "last", "simple", "forward", "ofType", "_context", "xml", "outerCache", "nodeIndex", "start", "dir", "parent", "useCache", "diff", "pseudo", "args", "idx", "matched", "matcher", "compile", "unmatched", "text", "lang", "elemLang", "hash", "attr", "_matchIndexes", "setFilters", "parseOnly", "tokens", "soFar", "preFilters", "cached", "combinator", "base", "skip", "checkNonElements", "doneName", "oldCache", "newCache", "elementMatcher", "matchers", "multipleContexts", "contexts", "condense", "map", "filter", "newUnmatched", "mapped", "setMatcher", "preFilter", "postFilter", "postFinder", "postSelector", "temp", "matcherOut", "preMap", "postMap", "preexisting", "matcherIn", "matcherFromTokens", "checkContext", "leadingRelative", "implicitRelative", "matchContext", "matchAnyContext", "matcherFromGroupMatchers", "elementMatchers", "setMatchers", "bySet", "byElement", "superMatcher", "outermost", "matchedCount", "setMatched", "contextBackup", "dirrunsUnique", "token", "compiled", "until", "truncate", "siblings", "n", "rneedsContext", "rsingleTag", "winnow", "qualifier", "not", "self", "rootjQuery", "init", "root", "rparentsprev", "guaranteedUnique", "targets", "l", "selectors", "cur", "sibling", "rnothtmlwhite", "createOptions", "object", "_", "flag", "firing", "memory", "fired", "locked", "list", "queue", "firingIndex", "fire", "add", "index", "Identity", "v", "Thrower", "ex", "adoptValue", "resolve", "reject", "noValue", "method", "func", "tuples", "state", "promise", "deferred", "fns", "newDefer", "tuple", "returned", "onFulfilled", "onRejected", "onProgress", "maxDepth", "depth", "handler", "special", "that", "mightThrow", "then", "process", "e", "stateString", "singleValue", "remaining", "resolveContexts", "resolveValues", "primary", "updateFunc", "rerrorNames", "error", "asyncError", "readyList", "wait", "completed", "access", "chainable", "emptyGet", "raw", "bulk", "_key", "rmsPrefix", "rdashAlpha", "fcamelCase", "_all", "letter", "camelCase", "string", "acceptData", "owner", "Data", "data", "prop", "dataPriv", "dataUser", "rbrace", "rmultiDash", "getData", "dataAttr", "attrs", "startLength", "hooks", "next", "setter", "tmp", "count", "defer", "pnum", "rcssNum", "cssExpand", "isAttached", "composed", "isHiddenWithinTree", "adjustCSS", "valueParts", "tween", "adjusted", "scale", "maxIterations", "currentValue", "initial", "unit", "initialInUnit", "defaultDisplayMap", "getDefaultDisplay", "display", "showHide", "show", "values", "rcheckableType", "rtagName", "rscriptType", "fragment", "div", "wrapMap", "getAll", "setGlobalEval", "refElements", "rhtml", "buildFragment", "scripts", "selection", "ignored", "wrap", "attached", "nodes", "rtypenamespace", "returnTrue", "returnFalse", "on", "types", "one", "origFn", "event", "handleObjIn", "eventHandle", "events", "t", "handleObj", "handlers", "namespaces", "origType", "elemData", "mappedTypes", "origCount", "nativeEvent", "handlerQueue", "matchedHandlers", "matchedSelectors", "delegateCount", "hook", "originalEvent", "leverageNative", "isSetup", "saved", "handle", "props", "delegateType", "focusMappedHandler", "attaches", "dataHolder", "orig", "fix", "related", "rnoInnerhtml", "rchecked", "rcleanScript", "manipulationTarget", "content", "disableScript", "restoreScript", "cloneCopyEvent", "dest", "pdataOld", "udataOld", "udataCur", "fixInput", "domManip", "collection", "hasScripts", "iNoClone", "valueIsFunction", "remove", "keepData", "html", "dataAndEvents", "deepDataAndEvents", "srcElements", "destElements", "inPage", "original", "insert", "rnumnonpx", "rcustomProp", "getStyles", "view", "swap", "old", "rboxStyle", "computeStyleTests", "container", "divStyle", "pixelPositionVal", "reliableMarginLeftVal", "roundPixelMeasures", "pixelBoxStylesVal", "boxSizingReliableVal", "scrollboxSizeVal", "measure", "reliableTrDimensionsVal", "table", "tr", "trChild", "trStyle", "curCSS", "computed", "width", "minWidth", "maxWidth", "isCustomProp", "style", "addGetHookIf", "conditionFn", "hookFn", "cssPrefixes", "emptyStyle", "vendorProps", "vendorPropName", "capName", "finalPropName", "final", "rdisplayswap", "cssShow", "cssNormalTransform", "setPositiveNumber", "subtract", "boxModelAdjustment", "dimension", "box", "isBorderBox", "styles", "computedVal", "extra", "delta", "marginDelta", "getWidthOrHeight", "boxSizingNeeded", "valueIsBorderBox", "offsetProp", "origName", "scrollboxSizeBuggy", "prefix", "suffix", "expanded", "parts", "Tween", "end", "easing", "percent", "eased", "p", "fxNow", "inProgress", "rfxtypes", "rrun", "schedule", "createFxNow", "genFx", "includeWidth", "which", "createTween", "animation", "Animation", "defaultPrefilter", "opts", "toggle", "oldfire", "propTween", "restoreDisplay", "isBox", "anim", "hidden", "dataShow", "propFilter", "specialEasing", "properties", "stopped", "tick", "currentTime", "gotoEnd", "prepend", "speed", "opt", "to", "empty", "optall", "doAnimation", "clearQueue", "stopQueue", "stop", "dequeue", "timers", "cssFn", "timer", "time", "timeout", "boolHook", "attrHandle", "nType", "attrNames", "getter", "isXML", "lowercaseName", "rfocusable", "rclickable", "tabindex", "stripAndCollapse", "getClass", "classesToArray", "classNames", "curValue", "finalValue", "stateVal", "isValidValue", "rreturn", "option", "max", "optionSet", "location", "nonce", "rquery", "parserErrorElem", "rfocusMorph", "stopPropagationCallback", "onlyHandlers", "bubbleType", "ontype", "lastElement", "eventPath", "rbracket", "rCRLF", "rsubmitterTypes", "rsubmittable", "buildParams", "traditional", "s", "valueOrFunction", "r20", "rhash", "rantiCache", "rheaders", "rlocalProtocol", "rnoContent", "rprotocol", "prefilters", "transports", "allTypes", "originAnchor", "addToPrefiltersOrTransports", "structure", "dataTypeExpression", "dataType", "dataTypes", "inspectPrefiltersOrTransports", "originalOptions", "jqXHR", "inspected", "seekingTransport", "inspect", "selected", "prefilterOrFactory", "dataTypeOrTransport", "ajaxExtend", "flatOptions", "ajaxHandleResponses", "responses", "ct", "finalDataType", "firstDataType", "contents", "ajaxConvert", "response", "isSuccess", "conv2", "current", "conv", "prev", "converters", "settings", "url", "transport", "cacheURL", "responseHeadersString", "responseHeaders", "timeoutTimer", "urlAnchor", "fireGlobals", "uncached", "callbackContext", "globalEventContext", "completeDeferred", "statusCode", "requestHeaders", "requestHeadersNames", "strAbort", "statusText", "finalText", "status", "nativeStatusText", "headers", "success", "modified", "htmlIsFunction", "xhrSuccessStatus", "xhrSupported", "errorCallback", "complete", "xhr", "evt", "oldCallbacks", "rjsonp", "originalSettings", "callbackName", "overwritten", "responseContainer", "jsonProp", "body", "keepScripts", "parsed", "params", "off", "responseText", "curPosition", "curLeft", "curCSSTop", "curTop", "curOffset", "curCSSLeft", "calculatePosition", "position", "curElem", "rect", "win", "offsetParent", "offset", "parentOffset", "top", "defaultExtra", "funcName", "margin", "fnOver", "fnOut", "rtrim", "proxy", "hold", "_jQuery", "_$", "require_transition", "__commonJSMin", "$", "transitionEnd", "el", "transEndEventNames", "name", "duration", "called", "$el", "callback", "e", "require_alert", "__commonJSMin", "$", "dismiss", "Alert", "el", "e", "$this", "selector", "$parent", "removeElement", "Plugin", "option", "data", "old", "require_button", "__commonJSMin", "$", "Button", "element", "options", "state", "d", "$el", "val", "data", "changed", "$parent", "$input", "Plugin", "option", "$this", "old", "e", "$btn", "require_carousel", "__commonJSMin", "$", "Carousel", "element", "options", "e", "item", "direction", "active", "activeIndex", "willWrap", "delta", "itemIndex", "pos", "that", "type", "next", "$active", "$next", "isCycling", "relatedTarget", "slideEvent", "$nextIndicator", "slidEvent", "Plugin", "option", "$this", "data", "action", "old", "clickHandler", "href", "target", "$target", "slideIndex", "$carousel", "require_collapse", "__commonJSMin", "$", "Collapse", "element", "options", "hasWidth", "activesData", "actives", "startEvent", "Plugin", "dimension", "complete", "scrollSize", "i", "$element", "getTargetFromTrigger", "$trigger", "isOpen", "href", "target", "option", "$this", "data", "old", "e", "$target", "require_dropdown", "__commonJSMin", "$", "backdrop", "toggle", "Dropdown", "element", "getParent", "$this", "selector", "$parent", "clearMenus", "e", "relatedTarget", "isActive", "desc", "$items", "index", "Plugin", "option", "data", "old", "require_modal", "__commonJSMin", "$", "Modal", "element", "options", "_relatedTarget", "that", "e", "transition", "callback", "animate", "doAnimate", "callbackRemove", "modalIsOverflowing", "fullWindowWidth", "documentElementRect", "bodyPad", "scrollbarWidth", "index", "actualPadding", "calculatedPadding", "padding", "scrollDiv", "Plugin", "option", "$this", "data", "old", "href", "target", "$target", "showEvent", "require_tooltip", "__commonJSMin", "$", "DISALLOWED_ATTRIBUTES", "uriAttrs", "ARIA_ATTRIBUTE_PATTERN", "DefaultWhitelist", "SAFE_URL_PATTERN", "DATA_URL_PATTERN", "allowedAttribute", "attr", "allowedAttributeList", "attrName", "regExp", "index", "value", "i", "l", "sanitizeHtml", "unsafeHtml", "whiteList", "sanitizeFn", "createdDocument", "whitelistKeys", "el", "elements", "len", "elName", "attributeList", "whitelistedAttributes", "j", "len2", "Tooltip", "element", "options", "type", "triggers", "trigger", "eventIn", "eventOut", "dataAttributes", "dataAttr", "defaults", "key", "obj", "self", "e", "inDom", "that", "$tip", "tipId", "placement", "autoToken", "autoPlace", "pos", "actualWidth", "actualHeight", "orgPlacement", "viewportDim", "calculatedOffset", "complete", "prevHoverState", "offset", "width", "height", "marginTop", "marginLeft", "props", "delta", "isVertical", "arrowDelta", "arrowOffsetPosition", "dimension", "title", "callback", "$e", "$element", "isBody", "elRect", "isSvg", "elOffset", "scroll", "outerDims", "viewportPadding", "viewportDimensions", "topEdgeOffset", "bottomEdgeOffset", "leftEdgeOffset", "rightEdgeOffset", "o", "prefix", "Plugin", "option", "$this", "data", "old", "require_popover", "__commonJSMin", "$", "Popover", "element", "options", "$tip", "title", "content", "typeContent", "$e", "o", "Plugin", "option", "$this", "data", "old", "require_scrollspy", "__commonJSMin", "$", "ScrollSpy", "element", "options", "that", "offsetMethod", "offsetBase", "$el", "href", "$href", "a", "b", "scrollTop", "scrollHeight", "maxScroll", "offsets", "targets", "activeTarget", "i", "target", "selector", "active", "Plugin", "option", "$this", "data", "old", "$spy", "require_tab", "__commonJSMin", "$", "Tab", "element", "$this", "$ul", "selector", "$previous", "hideEvent", "showEvent", "$target", "container", "callback", "$active", "transition", "next", "Plugin", "option", "data", "old", "clickHandler", "e", "require_affix", "__commonJSMin", "$", "Affix", "element", "options", "target", "scrollHeight", "height", "offsetTop", "offsetBottom", "scrollTop", "position", "targetHeight", "initializing", "colliderTop", "colliderHeight", "offset", "affix", "affixType", "e", "Plugin", "option", "$this", "data", "old", "$spy", "require_npm", "__commonJSMin", "require_jquery_twbsPagination", "__commonJSMin", "$", "window", "document", "undefined", "old", "TwbsPagination", "element", "options", "match", "regexp", "tagName", "page", "pages", "listItems", "prev", "i", "next", "type", "$itemContainer", "$itemContent", "itemText", "currentPage", "half", "start", "end", "itPage", "_this", "$this", "pageType", "evt", "c", "option", "args", "methodReturn", "data", "DOMIterator", "init_domiterator", "__esmMin", "_DOMIterator", "ctx", "iframes", "exclude", "iframesTimeout", "element", "selector", "selectors", "fn", "match", "sel", "filteredCtx", "isDescendant", "contexts", "ifr", "successFn", "errorFn", "doc", "ifrWin", "bl", "src", "called", "tout", "listener", "done", "eachCalled", "handled", "filter", "each", "end", "open", "checkEnd", "con", "whatToShow", "contents", "node", "prevNode", "compCurr", "prev", "compPrev", "after", "itr", "currIfr", "key", "ifrDict", "i", "eCb", "fCb", "eachCb", "filterCb", "doneCb", "elements", "retrieveNodes", "ifrNode", "ready", "Mark", "init_mark", "__esmMin", "init_domiterator", "ctx", "ua", "val", "DOMIterator", "msg", "level", "log", "str", "syn", "sens", "joinerPlaceholder", "index", "value", "k1", "k2", "spaces", "indx", "original", "nextChar", "joiner", "ignorePunctuation", "dct", "handled", "ch", "chars", "acc", "ls", "lsJoin", "limiter", "sv", "stack", "kw", "kwSplitted", "a", "b", "array", "last", "item", "start", "end", "valid", "range", "originalLength", "string", "max", "offset", "cb", "nodes", "node", "el", "hEl", "startNode", "ret", "repl", "dict", "filterCb", "eachCb", "n", "i", "sibl", "s", "e", "startStr", "endStr", "k", "j", "regex", "ignoreGroups", "endCb", "matchIdx", "match", "pos", "lastIndex", "ranges", "counter", "parent", "docFrag", "regexp", "opt", "totalMatches", "fn", "element", "kwArr", "kwArrLen", "handler", "matches", "term", "rawRanges", "sel", "matchesSel", "matchesExclude", "jquery_exports", "__export", "jquery_default", "import_jquery", "init_jquery", "__esmMin", "init_mark", "$", "sv", "opt", "Mark", "regexp", "ranges", "require_anchor", "__commonJSMin", "exports", "module", "root", "factory", "AnchorJS", "options", "_applyRemainingDefaultOptions", "opts", "selector", "elements", "elsWithIds", "idList", "elementID", "i", "index", "count", "tidyText", "newTidyText", "anchor", "hrefBase", "indexesToDrop", "_getElements", "_addBaselineStyles", "el", "domAnchor", "text", "textareaElement", "nonsafeChars", "hasLeftAnchor", "hasRightAnchor", "input", "style", "linkRule", "hoverRule", "anchorjsLinkFontFace", "pseudoElContent", "firstStyleEl", "require_core", "__commonJSMin", "exports", "module", "deepFreeze", "obj", "name", "prop", "type", "Response", "mode", "escapeHTML", "value", "inherit$1", "original", "objects", "result", "key", "SPAN_CLOSE", "emitsWrappingTags", "node", "scopeToCSSClass", "prefix", "pieces", "x", "i", "HTMLRenderer", "parseTree", "options", "text", "className", "newNode", "opts", "TokenTree", "_TokenTree", "scope", "builder", "child", "el", "TokenTreeEmitter", "emitter", "source", "re", "lookahead", "concat", "anyNumberOfTimes", "optional", "args", "stripOptionsFromArgs", "either", "countMatchGroups", "startsWith", "lexeme", "match", "BACKREF_RE", "_rewriteBackreferences", "regexps", "joinWith", "numCaptures", "regex", "offset", "out", "MATCH_NOTHING_RE", "IDENT_RE", "UNDERSCORE_IDENT_RE", "NUMBER_RE", "C_NUMBER_RE", "BINARY_NUMBER_RE", "RE_STARTERS_RE", "SHEBANG", "beginShebang", "m", "resp", "BACKSLASH_ESCAPE", "APOS_STRING_MODE", "QUOTE_STRING_MODE", "PHRASAL_WORDS_MODE", "COMMENT", "begin", "end", "modeOptions", "ENGLISH_WORD", "C_LINE_COMMENT_MODE", "C_BLOCK_COMMENT_MODE", "HASH_COMMENT_MODE", "NUMBER_MODE", "C_NUMBER_MODE", "BINARY_NUMBER_MODE", "REGEXP_MODE", "TITLE_MODE", "UNDERSCORE_TITLE_MODE", "METHOD_GUARD", "END_SAME_AS_BEGIN", "MODES", "skipIfHasPrecedingDot", "response", "scopeClassName", "_parent", "beginKeywords", "parent", "compileIllegal", "compileMatch", "compileRelevance", "beforeMatchExt", "originalMode", "COMMON_KEYWORDS", "DEFAULT_KEYWORD_SCOPE", "compileKeywords", "rawKeywords", "caseInsensitive", "scopeName", "compiledKeywords", "compileList", "keywordList", "keyword", "pair", "scoreForKeyword", "providedScore", "commonKeyword", "seenDeprecations", "error", "message", "warn", "deprecated", "version", "MultiClassError", "remapScopeNames", "regexes", "scopeNames", "emit", "positions", "beginMultiClass", "endMultiClass", "scopeSugar", "MultiClass", "compileLanguage", "language", "langRe", "global", "MultiRegex", "terminators", "s", "matchData", "ResumableMultiRegex", "index", "matcher", "m2", "buildModeRegex", "mm", "term", "compileMode", "cmode", "ext", "keywordPattern", "c", "expandOrCloneMode", "dependencyOnParent", "variant", "HTMLInjectionError", "reason", "html", "escape", "inherit", "NO_MATCH", "MAX_KEYWORD_HITS", "HLJS", "hljs", "languages", "aliases", "plugins", "SAFE_MODE", "LANGUAGE_NOT_FOUND", "PLAINTEXT_LANGUAGE", "shouldNotHighlight", "languageName", "blockLanguage", "block", "classes", "getLanguage", "_class", "highlight", "codeOrLanguageName", "optionsOrCode", "ignoreIllegals", "code", "context", "fire", "_highlight", "codeToHighlight", "continuation", "keywordHits", "keywordData", "matchText", "processKeywords", "top", "modeBuffer", "lastIndex", "buf", "word", "data", "kind", "keywordRelevance", "relevance", "cssClass", "emitKeyword", "processSubLanguage", "continuations", "highlightAuto", "processBuffer", "emitMultiClass", "max", "klass", "startNewMode", "endOfMode", "matchPlusRemainder", "matched", "doIgnore", "resumeScanAtSamePosition", "doBeginMatch", "newMode", "beforeCallbacks", "cb", "doEndMatch", "endMode", "origin", "processContinuations", "list", "current", "item", "lastMatch", "processLexeme", "textBeforeMatch", "err", "processed", "iterations", "md", "beforeMatch", "processedCount", "justTextHighlightResult", "languageSubset", "plaintext", "results", "autoDetection", "sorted", "a", "b", "best", "secondBest", "updateClassName", "element", "currentLang", "resultLang", "highlightElement", "configure", "userOptions", "initHighlighting", "highlightAll", "initHighlightingOnLoad", "wantsHighlight", "boot", "registerLanguage", "languageDefinition", "lang", "error$1", "registerAliases", "unregisterLanguage", "alias", "listLanguages", "aliasList", "upgradePluginAPI", "plugin", "addPlugin", "removePlugin", "event", "deprecateHighlightBlock", "require_c", "__commonJSMin", "exports", "module", "_1c", "hljs", "UNDERSCORE_IDENT_RE", "KEYWORD", "METAKEYWORD", "v7_system_constants", "v7_global_context_methods", "v8_global_context_methods", "v8_global_context_property", "BUILTIN", "v8_system_sets_of_values", "v8_system_enums_interface", "v8_system_enums_objects_properties", "v8_system_enums_exchange_plans", "v8_system_enums_tabular_document", "v8_system_enums_sheduler", "v8_system_enums_formatted_document", "v8_system_enums_query", "v8_system_enums_report_builder", "v8_system_enums_files", "v8_system_enums_query_builder", "v8_system_enums_data_analysis", "v8_system_enums_xml_json_xs_dom_xdto_ws", "v8_system_enums_data_composition_system", "v8_system_enums_email", "v8_system_enums_logbook", "v8_system_enums_cryptography", "v8_system_enums_zip", "v8_system_enums_other", "v8_system_enums_request_schema", "v8_system_enums_properties_of_metadata_objects", "v8_system_enums_differents", "CLASS", "TYPE", "LITERAL", "NUMBERS", "STRINGS", "DATE", "COMMENTS", "META", "SYMBOL", "FUNCTION", "require_abnf", "__commonJSMin", "exports", "module", "abnf", "hljs", "regex", "IDENT", "KEYWORDS", "COMMENT", "TERMINAL_BINARY", "TERMINAL_DECIMAL", "TERMINAL_HEXADECIMAL", "CASE_SENSITIVITY", "RULE_DECLARATION", "require_accesslog", "__commonJSMin", "exports", "module", "accesslog", "hljs", "regex", "HTTP_VERBS", "require_actionscript", "__commonJSMin", "exports", "module", "actionscript", "hljs", "regex", "IDENT_RE", "PKG_NAME_RE", "IDENT_FUNC_RETURN_TYPE_RE", "AS3_REST_ARG_MODE", "require_ada", "__commonJSMin", "exports", "module", "ada", "hljs", "INTEGER_RE", "EXPONENT_RE", "DECIMAL_LITERAL_RE", "BASED_INTEGER_RE", "NUMBER_RE", "ID_REGEX", "BAD_CHARS", "COMMENTS", "VAR_DECLS", "require_angelscript", "__commonJSMin", "exports", "module", "angelscript", "hljs", "builtInTypeMode", "objectHandleMode", "genericMode", "require_apache", "__commonJSMin", "exports", "module", "apache", "hljs", "NUMBER_REF", "NUMBER", "IP_ADDRESS", "PORT_NUMBER", "require_applescript", "__commonJSMin", "exports", "module", "applescript", "hljs", "regex", "STRING", "PARAMS", "COMMENT_MODE_1", "COMMENT_MODE_2", "COMMENTS", "KEYWORD_PATTERNS", "BUILT_IN_PATTERNS", "require_arcade", "__commonJSMin", "exports", "module", "arcade", "hljs", "IDENT_RE", "KEYWORDS", "SYMBOL", "NUMBER", "SUBST", "TEMPLATE_STRING", "PARAMS_CONTAINS", "require_arduino", "__commonJSMin", "exports", "module", "cPlusPlus", "hljs", "regex", "C_LINE_COMMENT_MODE", "DECLTYPE_AUTO_RE", "NAMESPACE_RE", "TEMPLATE_ARGUMENT_RE", "FUNCTION_TYPE_RE", "CPP_PRIMITIVE_TYPES", "CHARACTER_ESCAPES", "STRINGS", "NUMBERS", "PREPROCESSOR", "TITLE_MODE", "FUNCTION_TITLE", "RESERVED_KEYWORDS", "RESERVED_TYPES", "TYPE_HINTS", "FUNCTION_HINTS", "CPP_KEYWORDS", "FUNCTION_DISPATCH", "EXPRESSION_CONTAINS", "EXPRESSION_CONTEXT", "FUNCTION_DECLARATION", "arduino", "ARDUINO_KW", "ARDUINO", "kws", "require_armasm", "__commonJSMin", "exports", "module", "armasm", "hljs", "COMMENT", "require_xml", "__commonJSMin", "exports", "module", "xml", "hljs", "regex", "TAG_NAME_RE", "XML_IDENT_RE", "XML_ENTITIES", "XML_META_KEYWORDS", "XML_META_PAR_KEYWORDS", "APOS_META_STRING_MODE", "QUOTE_META_STRING_MODE", "TAG_INTERNALS", "require_asciidoc", "__commonJSMin", "exports", "module", "asciidoc", "hljs", "regex", "HORIZONTAL_RULE", "ESCAPED_FORMATTING", "STRONG", "EMPHASIS", "ADMONITION", "BULLET_LIST", "require_aspectj", "__commonJSMin", "exports", "module", "aspectj", "hljs", "regex", "KEYWORDS", "SHORTKEYS", "require_autohotkey", "__commonJSMin", "exports", "module", "autohotkey", "hljs", "BACKTICK_ESCAPE", "require_autoit", "__commonJSMin", "exports", "module", "autoit", "hljs", "KEYWORDS", "DIRECTIVES", "LITERAL", "BUILT_IN", "COMMENT", "VARIABLE", "STRING", "NUMBER", "PREPROCESSOR", "CONSTANT", "FUNCTION", "require_avrasm", "__commonJSMin", "exports", "module", "avrasm", "hljs", "require_awk", "__commonJSMin", "exports", "module", "awk", "hljs", "VARIABLE", "KEYWORDS", "STRING", "require_axapta", "__commonJSMin", "exports", "module", "axapta", "hljs", "IDENT_RE", "KEYWORDS", "CLASS_DEFINITION", "require_bash", "__commonJSMin", "exports", "module", "bash", "hljs", "regex", "VAR", "BRACED_VAR", "SUBST", "HERE_DOC", "QUOTE_STRING", "ESCAPED_QUOTE", "APOS_STRING", "ARITHMETIC", "SH_LIKE_SHELLS", "KNOWN_SHEBANG", "FUNCTION", "KEYWORDS", "LITERALS", "PATH_MODE", "SHELL_BUILT_INS", "BASH_BUILT_INS", "ZSH_BUILT_INS", "GNU_CORE_UTILS", "require_basic", "__commonJSMin", "exports", "module", "basic", "hljs", "require_bnf", "__commonJSMin", "exports", "module", "bnf", "hljs", "require_brainfuck", "__commonJSMin", "exports", "module", "brainfuck", "hljs", "LITERAL", "require_c", "__commonJSMin", "exports", "module", "c", "hljs", "regex", "C_LINE_COMMENT_MODE", "DECLTYPE_AUTO_RE", "NAMESPACE_RE", "TEMPLATE_ARGUMENT_RE", "FUNCTION_TYPE_RE", "TYPES", "CHARACTER_ESCAPES", "STRINGS", "NUMBERS", "PREPROCESSOR", "TITLE_MODE", "FUNCTION_TITLE", "KEYWORDS", "EXPRESSION_CONTAINS", "EXPRESSION_CONTEXT", "FUNCTION_DECLARATION", "require_cal", "__commonJSMin", "exports", "module", "cal", "hljs", "regex", "KEYWORDS", "LITERALS", "COMMENT_MODES", "STRING", "CHAR_STRING", "DATE", "DBL_QUOTED_VARIABLE", "PROCEDURE", "OBJECT_TYPES", "OBJECT", "require_capnproto", "__commonJSMin", "exports", "module", "capnproto", "hljs", "KEYWORDS", "TYPES", "LITERALS", "CLASS_DEFINITION", "require_ceylon", "__commonJSMin", "exports", "module", "ceylon", "hljs", "KEYWORDS", "DECLARATION_MODIFIERS", "DOCUMENTATION", "SUBST", "EXPRESSIONS", "require_clean", "__commonJSMin", "exports", "module", "clean", "hljs", "require_clojure", "__commonJSMin", "exports", "module", "clojure", "hljs", "SYMBOLSTART", "SYMBOL_RE", "globals", "keywords", "SYMBOL", "NUMBER", "CHARACTER", "REGEX", "STRING", "COMMA", "COMMENT", "LITERAL", "COLLECTION", "KEY", "LIST", "BODY", "NAME", "DEFAULT_CONTAINS", "GLOBAL", "require_clojure_repl", "__commonJSMin", "exports", "module", "clojureRepl", "hljs", "require_cmake", "__commonJSMin", "exports", "module", "cmake", "hljs", "require_coffeescript", "__commonJSMin", "exports", "module", "KEYWORDS", "LITERALS", "TYPES", "ERROR_TYPES", "BUILT_IN_GLOBALS", "BUILT_INS", "coffeescript", "hljs", "COFFEE_BUILT_INS", "COFFEE_LITERALS", "COFFEE_KEYWORDS", "NOT_VALID_KEYWORDS", "excluding", "list", "kw", "KEYWORDS$1", "JS_IDENT_RE", "SUBST", "EXPRESSIONS", "TITLE", "POSSIBLE_PARAMS_RE", "PARAMS", "CLASS_DEFINITION", "require_coq", "__commonJSMin", "exports", "module", "coq", "hljs", "require_cos", "__commonJSMin", "exports", "module", "cos", "hljs", "require_cpp", "__commonJSMin", "exports", "module", "cpp", "hljs", "regex", "C_LINE_COMMENT_MODE", "DECLTYPE_AUTO_RE", "NAMESPACE_RE", "TEMPLATE_ARGUMENT_RE", "FUNCTION_TYPE_RE", "CPP_PRIMITIVE_TYPES", "CHARACTER_ESCAPES", "STRINGS", "NUMBERS", "PREPROCESSOR", "TITLE_MODE", "FUNCTION_TITLE", "RESERVED_KEYWORDS", "RESERVED_TYPES", "TYPE_HINTS", "FUNCTION_HINTS", "CPP_KEYWORDS", "FUNCTION_DISPATCH", "EXPRESSION_CONTAINS", "EXPRESSION_CONTEXT", "FUNCTION_DECLARATION", "require_crmsh", "__commonJSMin", "exports", "module", "crmsh", "hljs", "RESOURCES", "COMMANDS", "PROPERTY_SETS", "KEYWORDS", "OPERATORS", "TYPES", "LITERALS", "require_crystal", "__commonJSMin", "exports", "module", "crystal", "hljs", "INT_SUFFIX", "FLOAT_SUFFIX", "CRYSTAL_IDENT_RE", "CRYSTAL_METHOD_RE", "CRYSTAL_PATH_RE", "CRYSTAL_KEYWORDS", "SUBST", "VARIABLE", "EXPANSION", "recursiveParen", "begin", "end", "contains", "STRING", "Q_STRING", "REGEXP", "REGEXP2", "ATTRIBUTE", "CRYSTAL_DEFAULT_CONTAINS", "require_csharp", "__commonJSMin", "exports", "module", "csharp", "hljs", "BUILT_IN_KEYWORDS", "FUNCTION_MODIFIERS", "LITERAL_KEYWORDS", "NORMAL_KEYWORDS", "CONTEXTUAL_KEYWORDS", "KEYWORDS", "TITLE_MODE", "NUMBERS", "VERBATIM_STRING", "VERBATIM_STRING_NO_LF", "SUBST", "SUBST_NO_LF", "INTERPOLATED_STRING", "INTERPOLATED_VERBATIM_STRING", "INTERPOLATED_VERBATIM_STRING_NO_LF", "STRING", "GENERIC_MODIFIER", "TYPE_IDENT_RE", "AT_IDENTIFIER", "require_csp", "__commonJSMin", "exports", "module", "csp", "hljs", "require_css", "__commonJSMin", "exports", "module", "MODES", "hljs", "TAGS", "MEDIA_FEATURES", "PSEUDO_CLASSES", "PSEUDO_ELEMENTS", "ATTRIBUTES", "css", "regex", "modes", "VENDOR_PREFIX", "AT_MODIFIERS", "AT_PROPERTY_RE", "IDENT_RE", "STRINGS", "require_d", "__commonJSMin", "exports", "module", "d", "hljs", "D_KEYWORDS", "decimal_integer_re", "decimal_integer_nosus_re", "binary_integer_re", "hexadecimal_digits_re", "hexadecimal_integer_re", "decimal_exponent_re", "decimal_float_re", "hexadecimal_float_re", "integer_re", "float_re", "escape_sequence_re", "D_INTEGER_MODE", "D_FLOAT_MODE", "D_CHARACTER_MODE", "D_STRING_MODE", "D_WYSIWYG_DELIMITED_STRING_MODE", "D_ALTERNATE_WYSIWYG_STRING_MODE", "D_HEX_STRING_MODE", "D_TOKEN_STRING_MODE", "D_HASHBANG_MODE", "D_SPECIAL_TOKEN_SEQUENCE_MODE", "D_ATTRIBUTE_MODE", "D_NESTING_COMMENT_MODE", "require_markdown", "__commonJSMin", "exports", "module", "markdown", "hljs", "regex", "INLINE_HTML", "HORIZONTAL_RULE", "CODE", "LIST", "LINK_REFERENCE", "URL_SCHEME", "LINK", "BOLD", "ITALIC", "BOLD_WITHOUT_ITALIC", "ITALIC_WITHOUT_BOLD", "CONTAINABLE", "m", "require_dart", "__commonJSMin", "exports", "module", "dart", "hljs", "SUBST", "BRACED_SUBST", "STRING", "BUILT_IN_TYPES", "NULLABLE_BUILT_IN_TYPES", "e", "require_delphi", "__commonJSMin", "exports", "module", "delphi", "hljs", "KEYWORDS", "COMMENT_MODES", "DIRECTIVE", "STRING", "NUMBER", "CHAR_STRING", "CLASS", "FUNCTION", "require_diff", "__commonJSMin", "exports", "module", "diff", "hljs", "regex", "require_django", "__commonJSMin", "exports", "module", "django", "hljs", "FILTER", "require_dns", "__commonJSMin", "exports", "module", "dns", "hljs", "require_dockerfile", "__commonJSMin", "exports", "module", "dockerfile", "hljs", "require_dos", "__commonJSMin", "exports", "module", "dos", "hljs", "COMMENT", "require_dsconfig", "__commonJSMin", "exports", "module", "dsconfig", "hljs", "require_dts", "__commonJSMin", "exports", "module", "dts", "hljs", "STRINGS", "NUMBERS", "PREPROCESSOR", "REFERENCE", "KEYWORD", "LABEL", "CELL_PROPERTY", "NODE", "ROOT_NODE", "ATTR_NO_VALUE", "ATTR", "PUNC", "require_dust", "__commonJSMin", "exports", "module", "dust", "hljs", "EXPRESSION_KEYWORDS", "require_ebnf", "__commonJSMin", "exports", "module", "ebnf", "hljs", "commentMode", "nonTerminalMode", "ruleBodyMode", "require_elixir", "__commonJSMin", "exports", "module", "elixir", "hljs", "regex", "ELIXIR_IDENT_RE", "ELIXIR_METHOD_RE", "KWS", "SUBST", "NUMBER", "BACKSLASH_ESCAPE", "SIGIL_DELIMITERS", "SIGIL_DELIMITER_MODES", "escapeSigilEnd", "end", "LOWERCASE_SIGIL", "x", "UPCASE_SIGIL", "REGEX_SIGIL", "STRING", "FUNCTION", "CLASS", "ELIXIR_DEFAULT_CONTAINS", "require_elm", "__commonJSMin", "exports", "module", "elm", "hljs", "COMMENT", "CONSTRUCTOR", "LIST", "RECORD", "CHARACTER", "require_ruby", "__commonJSMin", "exports", "module", "ruby", "hljs", "regex", "RUBY_METHOD_RE", "CLASS_NAME_RE", "CLASS_NAME_WITH_NAMESPACE_RE", "RUBY_KEYWORDS", "YARDOCTAG", "IRB_OBJECT", "COMMENT_MODES", "SUBST", "STRING", "decimal", "digits", "NUMBER", "PARAMS", "RUBY_DEFAULT_CONTAINS", "SIMPLE_PROMPT", "DEFAULT_PROMPT", "RVM_PROMPT", "IRB_DEFAULT", "require_erb", "__commonJSMin", "exports", "module", "erb", "hljs", "require_erlang_repl", "__commonJSMin", "exports", "module", "erlangRepl", "hljs", "regex", "require_erlang", "__commonJSMin", "exports", "module", "erlang", "hljs", "BASIC_ATOM_RE", "FUNCTION_NAME_RE", "ERLANG_RESERVED", "COMMENT", "NUMBER", "NAMED_FUN", "FUNCTION_CALL", "TUPLE", "VAR1", "VAR2", "RECORD_ACCESS", "BLOCK_STATEMENTS", "BASIC_MODES", "DIRECTIVES", "PARAMS", "require_excel", "__commonJSMin", "exports", "module", "excel", "hljs", "require_fix", "__commonJSMin", "exports", "module", "fix", "hljs", "require_flix", "__commonJSMin", "exports", "module", "flix", "hljs", "CHAR", "STRING", "METHOD", "require_fortran", "__commonJSMin", "exports", "module", "fortran", "hljs", "regex", "PARAMS", "COMMENT", "OPTIONAL_NUMBER_SUFFIX", "OPTIONAL_NUMBER_EXP", "NUMBER", "FUNCTION_DEF", "STRING", "require_fsharp", "__commonJSMin", "exports", "module", "escape", "value", "source", "re", "lookahead", "concat", "args", "x", "stripOptionsFromArgs", "opts", "either", "fsharp", "hljs", "KEYWORDS", "BANG_KEYWORD_MODE", "PREPROCESSOR_KEYWORDS", "LITERALS", "SPECIAL_IDENTIFIERS", "KNOWN_TYPES", "ALL_KEYWORDS", "COMMENT", "IDENTIFIER_RE", "QUOTED_IDENTIFIER", "BEGIN_GENERIC_TYPE_SYMBOL_RE", "GENERIC_TYPE_SYMBOL", "makeOperatorMode", "includeEqual", "allOperatorChars", "OPERATOR_CHARS", "OPERATOR_CHAR_RE", "OPERATOR_CHAR_OR_DOT_RE", "OPERATOR_FIRST_CHAR_OF_MULTIPLE_RE", "SYMBOLIC_OPERATOR_RE", "OPERATOR", "OPERATOR_WITHOUT_EQUAL", "makeTypeAnnotationMode", "prefix", "prefixScope", "TYPE_ANNOTATION", "DISCRIMINATED_UNION_TYPE_ANNOTATION", "TYPE_DECLARATION", "COMPUTATION_EXPRESSION", "PREPROCESSOR", "NUMBER", "QUOTED_STRING", "VERBATIM_STRING", "TRIPLE_QUOTED_STRING", "SUBST", "INTERPOLATED_STRING", "INTERPOLATED_VERBATIM_STRING", "INTERPOLATED_TRIPLE_QUOTED_STRING", "CHAR_LITERAL", "require_gams", "__commonJSMin", "exports", "module", "gams", "hljs", "regex", "KEYWORDS", "PARAMS", "SYMBOLS", "QSTR", "ASSIGNMENT", "COMMENT_WORD", "DESCTEXT", "require_gauss", "__commonJSMin", "exports", "module", "gauss", "hljs", "KEYWORDS", "AT_COMMENT_MODE", "PREPROCESSOR", "STRUCT_TYPE", "PARSE_PARAMS", "FUNCTION_DEF", "DEFINITION", "beginKeywords", "end", "inherits", "mode", "BUILT_IN_REF", "STRING_REF", "FUNCTION_REF", "FUNCTION_REF_PARAMS", "require_gcode", "__commonJSMin", "exports", "module", "gcode", "hljs", "GCODE_IDENT_RE", "GCODE_CLOSE_RE", "GCODE_KEYWORDS", "GCODE_START", "NUMBER", "GCODE_CODE", "require_gherkin", "__commonJSMin", "exports", "module", "gherkin", "hljs", "require_glsl", "__commonJSMin", "exports", "module", "glsl", "hljs", "require_gml", "__commonJSMin", "exports", "module", "gml", "hljs", "require_go", "__commonJSMin", "exports", "module", "go", "hljs", "KEYWORDS", "require_golo", "__commonJSMin", "exports", "module", "golo", "hljs", "require_gradle", "__commonJSMin", "exports", "module", "gradle", "hljs", "require_graphql", "__commonJSMin", "exports", "module", "graphql", "hljs", "regex", "GQL_NAME", "require_groovy", "__commonJSMin", "exports", "module", "variants", "obj", "groovy", "hljs", "regex", "IDENT_RE", "COMMENT", "REGEXP", "NUMBER", "STRING", "CLASS_DEFINITION", "require_haml", "__commonJSMin", "exports", "module", "haml", "hljs", "require_handlebars", "__commonJSMin", "exports", "module", "handlebars", "hljs", "regex", "BUILT_INS", "LITERALS", "DOUBLE_QUOTED_ID_REGEX", "SINGLE_QUOTED_ID_REGEX", "BRACKET_QUOTED_ID_REGEX", "PLAIN_ID_REGEX", "PATH_DELIMITER_REGEX", "ANY_ID", "IDENTIFIER_REGEX", "HASH_PARAM_REGEX", "HELPER_NAME_OR_PATH_EXPRESSION", "HELPER_PARAMETER", "SUB_EXPRESSION", "HASH", "BLOCK_PARAMS", "HELPER_PARAMETERS", "SUB_EXPRESSION_CONTENTS", "OPENING_BLOCK_MUSTACHE_CONTENTS", "CLOSING_BLOCK_MUSTACHE_CONTENTS", "BASIC_MUSTACHE_CONTENTS", "require_haskell", "__commonJSMin", "exports", "module", "haskell", "hljs", "COMMENT", "PRAGMA", "PREPROCESSOR", "CONSTRUCTOR", "LIST", "RECORD", "decimalDigits", "hexDigits", "binaryDigits", "octalDigits", "NUMBER", "require_haxe", "__commonJSMin", "exports", "module", "haxe", "hljs", "require_hsp", "__commonJSMin", "exports", "module", "hsp", "hljs", "require_http", "__commonJSMin", "exports", "module", "http", "hljs", "regex", "VERSION", "HEADER_NAME", "HEADER", "HEADERS_AND_BODY", "require_hy", "__commonJSMin", "exports", "module", "hy", "hljs", "SYMBOLSTART", "SYMBOL_RE", "keywords", "SIMPLE_NUMBER_RE", "SYMBOL", "NUMBER", "STRING", "COMMENT", "LITERAL", "COLLECTION", "HINT", "HINT_COL", "KEY", "LIST", "BODY", "NAME", "DEFAULT_CONTAINS", "require_inform7", "__commonJSMin", "exports", "module", "inform7", "hljs", "START_BRACKET", "END_BRACKET", "require_ini", "__commonJSMin", "exports", "module", "ini", "hljs", "regex", "NUMBERS", "COMMENTS", "VARIABLES", "LITERALS", "STRINGS", "ARRAY", "BARE_KEY", "QUOTED_KEY_DOUBLE_QUOTE", "QUOTED_KEY_SINGLE_QUOTE", "ANY_KEY", "DOTTED_KEY", "require_irpf90", "__commonJSMin", "exports", "module", "irpf90", "hljs", "regex", "PARAMS", "OPTIONAL_NUMBER_SUFFIX", "OPTIONAL_NUMBER_EXP", "NUMBER", "require_isbl", "__commonJSMin", "exports", "module", "isbl", "hljs", "UNDERSCORE_IDENT_RE", "FUNCTION_NAME_IDENT_RE", "KEYWORD", "sysres_constants", "base_constants", "base_group_name_constants", "decision_block_properties_constants", "file_extension_constants", "job_block_properties_constants", "language_code_constants", "launching_external_applications_constants", "link_kind_constants", "lock_type_constants", "monitor_block_properties_constants", "notice_block_properties_constants", "object_events_constants", "object_params_constants", "other_constants", "privileges_constants", "pseudoreference_code_constants", "requisite_ISBCertificateType_values_constants", "requisite_ISBEDocStorageType_values_constants", "requisite_compType2_values_constants", "requisite_name_constants", "result_constants", "rule_identification_constants", "script_block_properties_constants", "subtask_block_properties_constants", "system_component_constants", "system_dialogs_constants", "system_reference_names_constants", "table_name_constants", "test_constants", "using_the_dialog_windows_constants", "using_the_document_constants", "using_the_EA_and_encryption_constants", "using_the_ISBL_editor_constants", "wait_block_properties_constants", "sysres_common_constants", "CONSTANTS", "TAccountType", "TActionEnabledMode", "TAddPosition", "TAlignment", "TAreaShowMode", "TCertificateInvalidationReason", "TCertificateType", "TCheckListBoxItemState", "TCloseOnEsc", "TCompType", "TConditionFormat", "TConnectionIntent", "TContentKind", "TControlType", "TCriterionContentType", "TCultureType", "TDataSetEventType", "TDataSetState", "TDateFormatType", "TDateOffsetType", "TDateTimeKind", "TDeaAccessRights", "TDocumentDefaultAction", "TEditMode", "TEditorCloseObservType", "TEdmsApplicationAction", "TEDocumentLockType", "TEDocumentStepShowMode", "TEDocumentStepVersionType", "TEDocumentStorageFunction", "TEDocumentStorageType", "TEDocumentVersionSourceType", "TEDocumentVersionState", "TEncodeType", "TExceptionCategory", "TExportedSignaturesType", "TExportedVersionType", "TFieldDataType", "TFolderType", "TGridRowHeight", "THyperlinkType", "TImageFileFormat", "TImageMode", "TImageType", "TInplaceHintKind", "TISBLContext", "TItemShow", "TJobKind", "TJoinType", "TLabelPos", "TLicensingType", "TLifeCycleStageFontColor", "TLifeCycleStageFontStyle", "TLockableDevelopmentComponentType", "TMaxRecordCountRestrictionType", "TRangeValueType", "TRelativeDate", "TReportDestination", "TReqDataType", "TRequisiteEventType", "TSBTimeType", "TSearchShowMode", "TSelectMode", "TSignatureType", "TSignerContentType", "TStringsSortType", "TStringValueType", "TStructuredObjectAttributeType", "TTaskAbortReason", "TTextValueType", "TUserObjectStatus", "TUserType", "TValuesBuildType", "TViewMode", "TViewSelectionMode", "TWizardActionType", "TWizardFormElementProperty", "TWizardFormElementType", "TWizardParamType", "TWizardStepResult", "TWizardStepType", "TWorkAccessType", "TWorkflowBlockType", "TWorkflowDataType", "TWorkImportance", "TWorkRouteType", "TWorkState", "TWorkTextBuildingMode", "ENUMS", "system_functions", "predefined_variables", "interfaces", "BUILTIN", "CLASS", "LITERAL", "NUMBERS", "STRINGS", "DOCTAGS", "ISBL_LINE_COMMENT_MODE", "ISBL_BLOCK_COMMENT_MODE", "COMMENTS", "KEYWORDS", "METHODS", "TYPES", "VARIABLES", "FUNCTION_TITLE", "require_java", "__commonJSMin", "exports", "module", "decimalDigits", "frac", "hexDigits", "NUMERIC", "recurRegex", "re", "substitution", "depth", "java", "hljs", "regex", "JAVA_IDENT_RE", "GENERIC_IDENT_RE", "KEYWORDS", "ANNOTATION", "PARAMS", "require_javascript", "__commonJSMin", "exports", "module", "IDENT_RE", "KEYWORDS", "LITERALS", "TYPES", "ERROR_TYPES", "BUILT_IN_GLOBALS", "BUILT_IN_VARIABLES", "BUILT_INS", "javascript", "hljs", "regex", "hasClosingTag", "match", "after", "tag", "IDENT_RE$1", "FRAGMENT", "XML_SELF_CLOSING", "XML_TAG", "response", "afterMatchIndex", "nextChar", "m", "afterMatch", "KEYWORDS$1", "decimalDigits", "frac", "decimalInteger", "NUMBER", "SUBST", "HTML_TEMPLATE", "CSS_TEMPLATE", "GRAPHQL_TEMPLATE", "TEMPLATE_STRING", "COMMENT", "SUBST_INTERNALS", "SUBST_AND_COMMENTS", "PARAMS_CONTAINS", "PARAMS", "CLASS_OR_EXTENDS", "CLASS_REFERENCE", "USE_STRICT", "FUNCTION_DEFINITION", "UPPER_CASE_CONSTANT", "noneOf", "list", "FUNCTION_CALL", "PROPERTY_ACCESS", "GETTER_OR_SETTER", "FUNC_LEAD_IN_RE", "FUNCTION_VARIABLE", "require_jboss_cli", "__commonJSMin", "exports", "module", "jbossCli", "hljs", "PARAMSBLOCK", "OPERATION", "PATH", "COMMAND_PARAMS", "require_json", "__commonJSMin", "exports", "module", "json", "hljs", "ATTRIBUTE", "PUNCTUATION", "LITERALS", "LITERALS_MODE", "require_julia", "__commonJSMin", "exports", "module", "julia", "hljs", "VARIABLE_NAME_RE", "KEYWORDS", "DEFAULT", "NUMBER", "CHAR", "INTERPOLATION", "INTERPOLATED_VARIABLE", "STRING", "COMMAND", "MACROCALL", "COMMENT", "require_julia_repl", "__commonJSMin", "exports", "module", "juliaRepl", "hljs", "require_kotlin", "__commonJSMin", "exports", "module", "decimalDigits", "frac", "hexDigits", "NUMERIC", "kotlin", "hljs", "KEYWORDS", "KEYWORDS_WITH_LABEL", "LABEL", "SUBST", "VARIABLE", "STRING", "ANNOTATION_USE_SITE", "ANNOTATION", "KOTLIN_NUMBER_MODE", "KOTLIN_NESTED_COMMENT", "KOTLIN_PAREN_TYPE", "KOTLIN_PAREN_TYPE2", "require_lasso", "__commonJSMin", "exports", "module", "lasso", "hljs", "LASSO_IDENT_RE", "LASSO_ANGLE_RE", "LASSO_CLOSE_RE", "LASSO_KEYWORDS", "HTML_COMMENT", "LASSO_NOPROCESS", "LASSO_START", "LASSO_DATAMEMBER", "LASSO_CODE", "require_latex", "__commonJSMin", "exports", "module", "latex", "hljs", "KNOWN_CONTROL_WORDS", "word", "L3_REGEX", "pattern", "L2_VARIANTS", "DOUBLE_CARET_VARIANTS", "CONTROL_SEQUENCE", "MACRO_PARAM", "DOUBLE_CARET_CHAR", "SPECIAL_CATCODE", "MAGIC_COMMENT", "COMMENT", "EVERYTHING_BUT_VERBATIM", "BRACE_GROUP_NO_VERBATIM", "ARGUMENT_BRACES", "ARGUMENT_BRACKETS", "SPACE_GOBBLER", "ARGUMENT_M", "ARGUMENT_O", "ARGUMENT_AND_THEN", "arg", "starts_mode", "CSNAME", "csname", "BEGIN_ENV", "envname", "VERBATIM_DELIMITED_EQUAL", "innerName", "VERBATIM_DELIMITED_ENV", "VERBATIM_DELIMITED_BRACES", "VERBATIM", "suffix", "prefix", "require_ldif", "__commonJSMin", "exports", "module", "ldif", "hljs", "require_leaf", "__commonJSMin", "exports", "module", "leaf", "hljs", "require_less", "__commonJSMin", "exports", "module", "MODES", "hljs", "TAGS", "MEDIA_FEATURES", "PSEUDO_CLASSES", "PSEUDO_ELEMENTS", "ATTRIBUTES", "PSEUDO_SELECTORS", "less", "modes", "PSEUDO_SELECTORS$1", "AT_MODIFIERS", "IDENT_RE", "INTERP_IDENT_RE", "RULES", "VALUE_MODES", "STRING_MODE", "c", "IDENT_MODE", "name", "begin", "relevance", "AT_KEYWORDS", "PARENS_MODE", "VALUE_WITH_RULESETS", "MIXIN_GUARD_MODE", "RULE_MODE", "AT_RULE_MODE", "VAR_RULE_MODE", "SELECTOR_MODE", "PSEUDO_SELECTOR_MODE", "require_lisp", "__commonJSMin", "exports", "module", "lisp", "hljs", "LISP_IDENT_RE", "MEC_RE", "LISP_SIMPLE_NUMBER_RE", "LITERAL", "NUMBER", "STRING", "COMMENT", "VARIABLE", "KEYWORD", "IDENT", "MEC", "QUOTED", "QUOTED_ATOM", "LIST", "BODY", "require_livecodeserver", "__commonJSMin", "exports", "module", "livecodeserver", "hljs", "VARIABLE", "COMMENT_MODES", "TITLE1", "TITLE2", "require_livescript", "__commonJSMin", "exports", "module", "KEYWORDS", "LITERALS", "TYPES", "ERROR_TYPES", "BUILT_IN_GLOBALS", "BUILT_INS", "livescript", "hljs", "LIVESCRIPT_BUILT_INS", "LIVESCRIPT_LITERALS", "LIVESCRIPT_KEYWORDS", "KEYWORDS$1", "JS_IDENT_RE", "TITLE", "SUBST", "SUBST_SIMPLE", "EXPRESSIONS", "PARAMS", "SYMBOLS", "CLASS_DEFINITION", "require_llvm", "__commonJSMin", "exports", "module", "llvm", "hljs", "regex", "IDENT_RE", "TYPE", "OPERATOR", "PUNCTUATION", "NUMBER", "LABEL", "VARIABLE", "FUNCTION", "require_lsl", "__commonJSMin", "exports", "module", "lsl", "hljs", "LSL_STRINGS", "LSL_NUMBERS", "LSL_CONSTANTS", "LSL_FUNCTIONS", "require_lua", "__commonJSMin", "exports", "module", "lua", "hljs", "OPENING_LONG_BRACKET", "CLOSING_LONG_BRACKET", "LONG_BRACKETS", "COMMENTS", "require_makefile", "__commonJSMin", "exports", "module", "makefile", "hljs", "VARIABLE", "QUOTE_STRING", "FUNC", "ASSIGNMENT", "META", "TARGET", "require_mathematica", "__commonJSMin", "exports", "module", "SYSTEM_SYMBOLS", "mathematica", "hljs", "regex", "BASE_RE", "BASE_DIGITS_RE", "NUMBER_RE", "BASE_NUMBER_RE", "ACCURACY_RE", "PRECISION_RE", "APPROXIMATE_NUMBER_RE", "SCIENTIFIC_NOTATION_RE", "NUMBERS", "SYMBOL_RE", "SYSTEM_SYMBOLS_SET", "SYMBOLS", "match", "response", "NAMED_CHARACTER", "OPERATORS", "PATTERNS", "SLOTS", "BRACES", "MESSAGES", "require_matlab", "__commonJSMin", "exports", "module", "matlab", "hljs", "TRANSPOSE_RE", "TRANSPOSE", "require_maxima", "__commonJSMin", "exports", "module", "maxima", "hljs", "require_mel", "__commonJSMin", "exports", "module", "mel", "hljs", "require_mercury", "__commonJSMin", "exports", "module", "mercury", "hljs", "KEYWORDS", "COMMENT", "NUMCODE", "ATOM", "STRING", "STRING_FMT", "require_mipsasm", "__commonJSMin", "exports", "module", "mipsasm", "hljs", "require_mizar", "__commonJSMin", "exports", "module", "mizar", "hljs", "require_perl", "__commonJSMin", "exports", "module", "perl", "hljs", "regex", "KEYWORDS", "REGEX_MODIFIERS", "PERL_KEYWORDS", "SUBST", "METHOD", "VAR", "STRING_CONTAINS", "REGEX_DELIMS", "PAIRED_DOUBLE_RE", "prefix", "open", "close", "middle", "PAIRED_RE", "PERL_DEFAULT_CONTAINS", "require_mojolicious", "__commonJSMin", "exports", "module", "mojolicious", "hljs", "require_monkey", "__commonJSMin", "exports", "module", "monkey", "hljs", "NUMBER", "FUNC_DEFINITION", "CLASS_DEFINITION", "require_moonscript", "__commonJSMin", "exports", "module", "moonscript", "hljs", "KEYWORDS", "JS_IDENT_RE", "SUBST", "EXPRESSIONS", "TITLE", "POSSIBLE_PARAMS_RE", "PARAMS", "require_n1ql", "__commonJSMin", "exports", "module", "n1ql", "hljs", "require_nestedtext", "__commonJSMin", "exports", "module", "nestedtext", "hljs", "NESTED", "DICTIONARY_ITEM", "STRING", "LIST_ITEM", "require_nginx", "__commonJSMin", "exports", "module", "nginx", "hljs", "regex", "VAR", "DEFAULT", "require_nim", "__commonJSMin", "exports", "module", "nim", "hljs", "require_nix", "__commonJSMin", "exports", "module", "nix", "hljs", "KEYWORDS", "ANTIQUOTE", "ESCAPED_DOLLAR", "ATTRS", "STRING", "EXPRESSIONS", "require_node_repl", "__commonJSMin", "exports", "module", "nodeRepl", "hljs", "require_nsis", "__commonJSMin", "exports", "module", "nsis", "hljs", "regex", "LANGUAGE_CONSTANTS", "PARAM_NAMES", "COMPILER_FLAGS", "CONSTANTS", "DEFINES", "VARIABLES", "LANGUAGES", "PARAMETERS", "COMPILER", "ESCAPE_CHARS", "PLUGINS", "STRING", "KEYWORDS", "LITERALS", "FUNCTION_DEFINITION", "VARIABLE_DEFINITION", "require_objectivec", "__commonJSMin", "exports", "module", "objectivec", "hljs", "API_CLASS", "IDENTIFIER_RE", "KEYWORDS", "CLASS_KEYWORDS", "require_ocaml", "__commonJSMin", "exports", "module", "ocaml", "hljs", "require_openscad", "__commonJSMin", "exports", "module", "openscad", "hljs", "SPECIAL_VARS", "LITERALS", "NUMBERS", "STRING", "PREPRO", "PARAMS", "MODIFIERS", "FUNCTIONS", "require_oxygene", "__commonJSMin", "exports", "module", "oxygene", "hljs", "OXYGENE_KEYWORDS", "CURLY_COMMENT", "PAREN_COMMENT", "STRING", "CHAR_STRING", "FUNCTION", "SEMICOLON", "require_parser3", "__commonJSMin", "exports", "module", "parser3", "hljs", "CURLY_SUBCOMMENT", "require_pf", "__commonJSMin", "exports", "module", "pf", "hljs", "MACRO", "TABLE", "require_pgsql", "__commonJSMin", "exports", "module", "pgsql", "hljs", "COMMENT_MODE", "UNQUOTED_IDENT", "DOLLAR_STRING", "LABEL", "SQL_KW", "ROLE_ATTRS", "PLPGSQL_KW", "TYPES", "TYPES_RE", "val", "SQL_BI", "PLPGSQL_BI", "PLPGSQL_EXCEPTIONS", "FUNCTIONS_RE", "require_php", "__commonJSMin", "exports", "module", "php", "hljs", "regex", "NOT_PERL_ETC", "IDENT_RE", "PASCAL_CASE_CLASS_NAME_RE", "VARIABLE", "PREPROCESSOR", "SUBST", "SINGLE_QUOTED", "DOUBLE_QUOTED", "HEREDOC", "m", "resp", "NOWDOC", "WHITESPACE", "STRING", "NUMBER", "LITERALS", "KWS", "BUILT_INS", "KEYWORDS", "items", "result", "item", "normalizeKeywords", "CONSTRUCTOR_CALL", "CONSTANT_REFERENCE", "LEFT_AND_RIGHT_SIDE_OF_DOUBLE_COLON", "NAMED_ARGUMENT", "PARAMS_MODE", "FUNCTION_INVOKE", "ATTRIBUTE_CONTAINS", "ATTRIBUTES", "require_php_template", "__commonJSMin", "exports", "module", "phpTemplate", "hljs", "require_plaintext", "__commonJSMin", "exports", "module", "plaintext", "hljs", "require_pony", "__commonJSMin", "exports", "module", "pony", "hljs", "KEYWORDS", "TRIPLE_QUOTE_STRING_MODE", "QUOTE_STRING_MODE", "SINGLE_QUOTE_CHAR_MODE", "TYPE_NAME", "PRIMED_NAME", "require_powershell", "__commonJSMin", "exports", "module", "powershell", "hljs", "TYPES", "VALID_VERBS", "COMPARISON_OPERATORS", "KEYWORDS", "TITLE_NAME_RE", "BACKTICK_ESCAPE", "VAR", "LITERAL", "QUOTE_STRING", "APOS_STRING", "PS_HELPTAGS", "PS_COMMENT", "CMDLETS", "PS_CLASS", "PS_FUNCTION", "PS_USING", "PS_ARGUMENTS", "HASH_SIGNS", "PS_METHODS", "GENTLEMANS_SET", "PS_TYPE", "require_processing", "__commonJSMin", "exports", "module", "processing", "hljs", "regex", "BUILT_INS", "IDENT", "FUNC_NAME", "NEW_CLASS", "PROPERTY", "CLASS", "TYPES", "CLASSES", "require_profile", "__commonJSMin", "exports", "module", "profile", "hljs", "require_prolog", "__commonJSMin", "exports", "module", "prolog", "hljs", "ATOM", "VAR", "PARENTED", "LIST", "LINE_COMMENT", "BACKTICK_STRING", "CHAR_CODE", "SPACE_CODE", "inner", "require_properties", "__commonJSMin", "exports", "module", "properties", "hljs", "WS0", "WS1", "EQUAL_DELIM", "WS_DELIM", "DELIM", "KEY", "DELIM_AND_VALUE", "require_protobuf", "__commonJSMin", "exports", "module", "protobuf", "hljs", "KEYWORDS", "TYPES", "CLASS_DEFINITION", "require_puppet", "__commonJSMin", "exports", "module", "puppet", "hljs", "PUPPET_KEYWORDS", "COMMENT", "IDENT_RE", "TITLE", "VARIABLE", "STRING", "require_purebasic", "__commonJSMin", "exports", "module", "purebasic", "hljs", "STRINGS", "CONSTANTS", "require_python", "__commonJSMin", "exports", "module", "python", "hljs", "regex", "IDENT_RE", "RESERVED_WORDS", "KEYWORDS", "PROMPT", "SUBST", "LITERAL_BRACKET", "STRING", "digitpart", "pointfloat", "lookahead", "NUMBER", "COMMENT_TYPE", "PARAMS", "require_python_repl", "__commonJSMin", "exports", "module", "pythonRepl", "hljs", "require_q", "__commonJSMin", "exports", "module", "q", "hljs", "require_qml", "__commonJSMin", "exports", "module", "qml", "hljs", "regex", "KEYWORDS", "QML_IDENT_RE", "PROPERTY", "SIGNAL", "ID_ID", "QML_ATTRIBUTE", "QML_OBJECT", "require_r", "__commonJSMin", "exports", "module", "r", "hljs", "regex", "IDENT_RE", "NUMBER_TYPES_RE", "OPERATORS_RE", "PUNCTUATION_RE", "require_reasonml", "__commonJSMin", "exports", "module", "reasonml", "hljs", "orReValues", "ops", "op", "char", "RE_IDENT", "RE_MODULE_IDENT", "RE_PARAM_TYPEPARAM", "RE_PARAM_TYPE", "RE_PARAM", "RE_OPERATOR", "RE_OPERATOR_SPACED", "KEYWORDS", "RE_NUMBER", "NUMBER_MODE", "OPERATOR_MODE", "LIST_CONTENTS_MODES", "MODULE_ACCESS_CONTENTS", "PARAMS_CONTENTS", "PARAMS_MODE", "FUNCTION_BLOCK_MODE", "CONSTRUCTOR_MODE", "PATTERN_MATCH_BLOCK_MODE", "MODULE_ACCESS_MODE", "require_rib", "__commonJSMin", "exports", "module", "rib", "hljs", "require_roboconf", "__commonJSMin", "exports", "module", "roboconf", "hljs", "IDENTIFIER", "PROPERTY", "require_routeros", "__commonJSMin", "exports", "module", "routeros", "hljs", "STATEMENTS", "GLOBAL_COMMANDS", "COMMON_COMMANDS", "LITERALS", "OBJECTS", "VAR", "QUOTE_STRING", "APOS_STRING", "require_rsl", "__commonJSMin", "exports", "module", "rsl", "hljs", "BUILT_INS", "TYPES", "KEYWORDS", "CLASS_DEFINITION", "require_ruleslanguage", "__commonJSMin", "exports", "module", "ruleslanguage", "hljs", "require_rust", "__commonJSMin", "exports", "module", "rust", "hljs", "regex", "FUNCTION_INVOKE", "NUMBER_SUFFIX", "KEYWORDS", "LITERALS", "BUILTINS", "TYPES", "require_sas", "__commonJSMin", "exports", "module", "sas", "hljs", "regex", "SAS_KEYWORDS", "FUNCTIONS", "MACRO_FUNCTIONS", "require_scala", "__commonJSMin", "exports", "module", "scala", "hljs", "regex", "ANNOTATION", "SUBST", "STRING", "TYPE", "NAME", "CLASS", "METHOD", "EXTENSION", "END", "INLINE_MODES", "USING_PARAM_CLAUSE", "require_scheme", "__commonJSMin", "exports", "module", "scheme", "hljs", "SCHEME_IDENT_RE", "SCHEME_SIMPLE_NUMBER_RE", "SCHEME_COMPLEX_NUMBER_RE", "KEYWORDS", "LITERAL", "NUMBER", "STRING", "COMMENT_MODES", "IDENT", "QUOTED_IDENT", "BODY", "QUOTED_LIST", "NAME", "LIST", "require_scilab", "__commonJSMin", "exports", "module", "scilab", "hljs", "COMMON_CONTAINS", "require_scss", "__commonJSMin", "exports", "module", "MODES", "hljs", "TAGS", "MEDIA_FEATURES", "PSEUDO_CLASSES", "PSEUDO_ELEMENTS", "ATTRIBUTES", "scss", "modes", "PSEUDO_ELEMENTS$1", "PSEUDO_CLASSES$1", "AT_IDENTIFIER", "AT_MODIFIERS", "VARIABLE", "require_shell", "__commonJSMin", "exports", "module", "shell", "hljs", "require_smali", "__commonJSMin", "exports", "module", "smali", "hljs", "smali_instr_low_prio", "smali_instr_high_prio", "smali_keywords", "require_smalltalk", "__commonJSMin", "exports", "module", "smalltalk", "hljs", "VAR_IDENT_RE", "CHAR", "SYMBOL", "require_sml", "__commonJSMin", "exports", "module", "sml", "hljs", "require_sqf", "__commonJSMin", "exports", "module", "sqf", "hljs", "VARIABLE", "FUNCTION", "STRINGS", "KEYWORDS", "LITERAL", "BUILT_IN", "PREPROCESSOR", "require_sql", "__commonJSMin", "exports", "module", "sql", "hljs", "regex", "COMMENT_MODE", "STRING", "QUOTED_IDENTIFIER", "LITERALS", "MULTI_WORD_TYPES", "TYPES", "NON_RESERVED_WORDS", "RESERVED_WORDS", "RESERVED_FUNCTIONS", "POSSIBLE_WITHOUT_PARENS", "COMBOS", "FUNCTIONS", "KEYWORDS", "keyword", "VARIABLE", "OPERATOR", "FUNCTION_CALL", "reduceRelevancy", "list", "exceptions", "when", "qualifyFn", "item", "x", "require_stan", "__commonJSMin", "exports", "module", "stan", "hljs", "regex", "BLOCKS", "STATEMENTS", "TYPES", "FUNCTIONS", "DISTRIBUTIONS", "BLOCK_COMMENT", "INCLUDE", "RANGE_CONSTRAINTS", "require_stata", "__commonJSMin", "exports", "module", "stata", "hljs", "require_step21", "__commonJSMin", "exports", "module", "step21", "hljs", "require_stylus", "__commonJSMin", "exports", "module", "MODES", "hljs", "TAGS", "MEDIA_FEATURES", "PSEUDO_CLASSES", "PSEUDO_ELEMENTS", "ATTRIBUTES", "stylus", "modes", "AT_MODIFIERS", "VARIABLE", "AT_KEYWORDS", "LOOKAHEAD_TAG_END", "require_subunit", "__commonJSMin", "exports", "module", "subunit", "hljs", "require_swift", "__commonJSMin", "exports", "module", "source", "re", "lookahead", "concat", "args", "x", "stripOptionsFromArgs", "opts", "either", "keywordWrapper", "keyword", "dotKeywords", "optionalDotKeywords", "keywordTypes", "keywords", "literals", "precedencegroupKeywords", "numberSignKeywords", "builtIns", "operatorHead", "operatorCharacter", "operator", "identifierHead", "identifierCharacter", "identifier", "typeIdentifier", "keywordAttributes", "availabilityKeywords", "swift", "hljs", "WHITESPACE", "BLOCK_COMMENT", "COMMENTS", "DOT_KEYWORD", "KEYWORD_GUARD", "PLAIN_KEYWORDS", "kw", "REGEX_KEYWORDS", "KEYWORD", "KEYWORDS", "KEYWORD_MODES", "BUILT_IN_GUARD", "BUILT_IN", "BUILT_INS", "OPERATOR_GUARD", "OPERATOR", "OPERATORS", "decimalDigits", "hexDigits", "NUMBER", "ESCAPED_CHARACTER", "rawDelimiter", "ESCAPED_NEWLINE", "INTERPOLATION", "MULTILINE_STRING", "SINGLE_LINE_STRING", "STRING", "QUOTED_IDENTIFIER", "IMPLICIT_PARAMETER", "PROPERTY_WRAPPER_PROJECTION", "IDENTIFIERS", "AVAILABLE_ATTRIBUTE", "KEYWORD_ATTRIBUTE", "USER_DEFINED_ATTRIBUTE", "ATTRIBUTES", "TYPE", "GENERIC_ARGUMENTS", "TUPLE_ELEMENT_NAME", "TUPLE", "GENERIC_PARAMETERS", "FUNCTION_PARAMETER_NAME", "FUNCTION_PARAMETERS", "FUNCTION", "INIT_SUBSCRIPT", "OPERATOR_DECLARATION", "PRECEDENCEGROUP", "variant", "interpolation", "mode", "submodes", "require_taggerscript", "__commonJSMin", "exports", "module", "taggerscript", "hljs", "require_yaml", "__commonJSMin", "exports", "module", "yaml", "hljs", "LITERALS", "URI_CHARACTERS", "KEY", "TEMPLATE_VARIABLES", "STRING", "CONTAINER_STRING", "DATE_RE", "TIME_RE", "FRACTION_RE", "ZONE_RE", "TIMESTAMP", "VALUE_CONTAINER", "OBJECT", "ARRAY", "MODES", "VALUE_MODES", "require_tap", "__commonJSMin", "exports", "module", "tap", "hljs", "require_tcl", "__commonJSMin", "exports", "module", "tcl", "hljs", "regex", "TCL_IDENT", "NUMBER", "require_thrift", "__commonJSMin", "exports", "module", "thrift", "hljs", "TYPES", "require_tp", "__commonJSMin", "exports", "module", "tp", "hljs", "TPID", "TPLABEL", "TPDATA", "TPIO", "require_twig", "__commonJSMin", "exports", "module", "twig", "hljs", "regex", "FUNCTION_NAMES", "FILTERS", "TAG_NAMES", "t", "STRING", "NUMBER", "PARAMS", "FUNCTIONS", "FILTER", "tagNamed", "tagnames", "relevance", "CUSTOM_TAG_RE", "TAG", "CUSTOM_TAG", "require_typescript", "__commonJSMin", "exports", "module", "IDENT_RE", "KEYWORDS", "LITERALS", "TYPES", "ERROR_TYPES", "BUILT_IN_GLOBALS", "BUILT_IN_VARIABLES", "BUILT_INS", "javascript", "hljs", "regex", "hasClosingTag", "match", "after", "tag", "IDENT_RE$1", "FRAGMENT", "XML_SELF_CLOSING", "XML_TAG", "response", "afterMatchIndex", "nextChar", "m", "afterMatch", "KEYWORDS$1", "decimalDigits", "frac", "decimalInteger", "NUMBER", "SUBST", "HTML_TEMPLATE", "CSS_TEMPLATE", "GRAPHQL_TEMPLATE", "TEMPLATE_STRING", "COMMENT", "SUBST_INTERNALS", "SUBST_AND_COMMENTS", "PARAMS_CONTAINS", "PARAMS", "CLASS_OR_EXTENDS", "CLASS_REFERENCE", "USE_STRICT", "FUNCTION_DEFINITION", "UPPER_CASE_CONSTANT", "noneOf", "list", "FUNCTION_CALL", "PROPERTY_ACCESS", "GETTER_OR_SETTER", "FUNC_LEAD_IN_RE", "FUNCTION_VARIABLE", "typescript", "tsLanguage", "NAMESPACE", "INTERFACE", "TS_SPECIFIC_KEYWORDS", "DECORATOR", "swapMode", "mode", "label", "replacement", "indx", "functionDeclaration", "require_vala", "__commonJSMin", "exports", "module", "vala", "hljs", "require_vbnet", "__commonJSMin", "exports", "module", "vbnet", "hljs", "regex", "CHARACTER", "STRING", "MM_DD_YYYY", "YYYY_MM_DD", "TIME_12H", "TIME_24H", "DATE", "NUMBER", "LABEL", "DOC_COMMENT", "COMMENT", "require_vbscript", "__commonJSMin", "exports", "module", "vbscript", "hljs", "regex", "BUILT_IN_FUNCTIONS", "BUILT_IN_OBJECTS", "BUILT_IN_CALL", "require_vbscript_html", "__commonJSMin", "exports", "module", "vbscriptHtml", "hljs", "require_verilog", "__commonJSMin", "exports", "module", "verilog", "hljs", "regex", "KEYWORDS", "BUILT_IN_CONSTANTS", "DIRECTIVES", "require_vhdl", "__commonJSMin", "exports", "module", "vhdl", "hljs", "INTEGER_RE", "EXPONENT_RE", "DECIMAL_LITERAL_RE", "BASED_INTEGER_RE", "NUMBER_RE", "require_vim", "__commonJSMin", "exports", "module", "vim", "hljs", "require_wasm", "__commonJSMin", "exports", "module", "wasm", "hljs", "BLOCK_COMMENT", "LINE_COMMENT", "KWS", "FUNCTION_REFERENCE", "ARGUMENT", "PARENS", "NUMBER", "TYPE", "MATH_OPERATIONS", "require_wren", "__commonJSMin", "exports", "module", "wren", "hljs", "regex", "IDENT_RE", "KEYWORDS", "LITERALS", "LANGUAGE_VARS", "CORE_CLASSES", "OPERATORS", "FUNCTION", "FUNCTION_DEFINITION", "CLASS_DEFINITION", "OPERATOR", "TRIPLE_STRING", "PROPERTY", "FIELD", "CLASS_REFERENCE", "NUMBER", "SETTER", "COMMENT_DOCS", "SUBST", "STRING", "ALL_KWS", "VARIABLE", "require_x86asm", "__commonJSMin", "exports", "module", "x86asm", "hljs", "require_xl", "__commonJSMin", "exports", "module", "xl", "hljs", "KWS", "BUILT_INS", "BUILTIN_MODULES", "KEYWORDS", "DOUBLE_QUOTE_TEXT", "SINGLE_QUOTE_TEXT", "LONG_TEXT", "BASED_NUMBER", "IMPORT", "FUNCTION_DEFINITION", "require_xquery", "__commonJSMin", "exports", "module", "xquery", "_hljs", "require_zephir", "__commonJSMin", "exports", "module", "zephir", "hljs", "STRING", "TITLE_MODE", "NUMBER", "KEYWORDS", "require_lib", "__commonJSMin", "exports", "module", "hljs", "require_url", "__commonJSMin", "url", "_t", "_d", "s", "_i", "arg", "str", "sptr", "split", "_f", "field", "params", "tmp", "arg2", "i", "ii", "_l", "tmp2", "AnchorJS"] +} diff --git a/docs/styles/glyphicons-halflings-regular-ACNUA6UY.ttf b/docs/styles/glyphicons-halflings-regular-ACNUA6UY.ttf new file mode 100644 index 000000000..1413fc609 Binary files /dev/null and b/docs/styles/glyphicons-halflings-regular-ACNUA6UY.ttf differ diff --git a/docs/styles/glyphicons-halflings-regular-JOUF32XT.woff b/docs/styles/glyphicons-halflings-regular-JOUF32XT.woff new file mode 100644 index 000000000..9e612858f Binary files /dev/null and b/docs/styles/glyphicons-halflings-regular-JOUF32XT.woff differ diff --git a/docs/styles/glyphicons-halflings-regular-PIHUWCJO.eot b/docs/styles/glyphicons-halflings-regular-PIHUWCJO.eot new file mode 100644 index 000000000..b93a4953f Binary files /dev/null and b/docs/styles/glyphicons-halflings-regular-PIHUWCJO.eot differ diff --git a/docs/styles/glyphicons-halflings-regular-QXYEM3FU.svg b/docs/styles/glyphicons-halflings-regular-QXYEM3FU.svg new file mode 100644 index 000000000..94fb5490a --- /dev/null +++ b/docs/styles/glyphicons-halflings-regular-QXYEM3FU.svg @@ -0,0 +1,288 @@ +<?xml version="1.0" standalone="no"?> +<!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 1.1//EN" "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd" > +<svg xmlns="http://www.w3.org/2000/svg"> +<metadata></metadata> +<defs> +<font id="glyphicons_halflingsregular" horiz-adv-x="1200" > +<font-face units-per-em="1200" ascent="960" descent="-240" /> +<missing-glyph horiz-adv-x="500" /> +<glyph horiz-adv-x="0" /> +<glyph horiz-adv-x="400" /> +<glyph unicode=" " /> +<glyph unicode="*" d="M600 1100q15 0 34 -1.5t30 -3.5l11 -1q10 -2 17.5 -10.5t7.5 -18.5v-224l158 158q7 7 18 8t19 -6l106 -106q7 -8 6 -19t-8 -18l-158 -158h224q10 0 18.5 -7.5t10.5 -17.5q6 -41 6 -75q0 -15 -1.5 -34t-3.5 -30l-1 -11q-2 -10 -10.5 -17.5t-18.5 -7.5h-224l158 -158 q7 -7 8 -18t-6 -19l-106 -106q-8 -7 -19 -6t-18 8l-158 158v-224q0 -10 -7.5 -18.5t-17.5 -10.5q-41 -6 -75 -6q-15 0 -34 1.5t-30 3.5l-11 1q-10 2 -17.5 10.5t-7.5 18.5v224l-158 -158q-7 -7 -18 -8t-19 6l-106 106q-7 8 -6 19t8 18l158 158h-224q-10 0 -18.5 7.5 t-10.5 17.5q-6 41 -6 75q0 15 1.5 34t3.5 30l1 11q2 10 10.5 17.5t18.5 7.5h224l-158 158q-7 7 -8 18t6 19l106 106q8 7 19 6t18 -8l158 -158v224q0 10 7.5 18.5t17.5 10.5q41 6 75 6z" /> +<glyph unicode="+" d="M450 1100h200q21 0 35.5 -14.5t14.5 -35.5v-350h350q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-350v-350q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v350h-350q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5 h350v350q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode=" " /> +<glyph unicode="¥" d="M825 1100h250q10 0 12.5 -5t-5.5 -13l-364 -364q-6 -6 -11 -18h268q10 0 13 -6t-3 -14l-120 -160q-6 -8 -18 -14t-22 -6h-125v-100h275q10 0 13 -6t-3 -14l-120 -160q-6 -8 -18 -14t-22 -6h-125v-174q0 -11 -7.5 -18.5t-18.5 -7.5h-148q-11 0 -18.5 7.5t-7.5 18.5v174 h-275q-10 0 -13 6t3 14l120 160q6 8 18 14t22 6h125v100h-275q-10 0 -13 6t3 14l120 160q6 8 18 14t22 6h118q-5 12 -11 18l-364 364q-8 8 -5.5 13t12.5 5h250q25 0 43 -18l164 -164q8 -8 18 -8t18 8l164 164q18 18 43 18z" /> +<glyph unicode=" " horiz-adv-x="650" /> +<glyph unicode=" " horiz-adv-x="1300" /> +<glyph unicode=" " horiz-adv-x="650" /> +<glyph unicode=" " horiz-adv-x="1300" /> +<glyph unicode=" " horiz-adv-x="433" /> +<glyph unicode=" " horiz-adv-x="325" /> +<glyph unicode=" " horiz-adv-x="216" /> +<glyph unicode=" " horiz-adv-x="216" /> +<glyph unicode=" " horiz-adv-x="162" /> +<glyph unicode=" " horiz-adv-x="260" /> +<glyph unicode=" " horiz-adv-x="72" /> +<glyph unicode=" " horiz-adv-x="260" /> +<glyph unicode=" " horiz-adv-x="325" /> +<glyph unicode="€" d="M744 1198q242 0 354 -189q60 -104 66 -209h-181q0 45 -17.5 82.5t-43.5 61.5t-58 40.5t-60.5 24t-51.5 7.5q-19 0 -40.5 -5.5t-49.5 -20.5t-53 -38t-49 -62.5t-39 -89.5h379l-100 -100h-300q-6 -50 -6 -100h406l-100 -100h-300q9 -74 33 -132t52.5 -91t61.5 -54.5t59 -29 t47 -7.5q22 0 50.5 7.5t60.5 24.5t58 41t43.5 61t17.5 80h174q-30 -171 -128 -278q-107 -117 -274 -117q-206 0 -324 158q-36 48 -69 133t-45 204h-217l100 100h112q1 47 6 100h-218l100 100h134q20 87 51 153.5t62 103.5q117 141 297 141z" /> +<glyph unicode="₽" d="M428 1200h350q67 0 120 -13t86 -31t57 -49.5t35 -56.5t17 -64.5t6.5 -60.5t0.5 -57v-16.5v-16.5q0 -36 -0.5 -57t-6.5 -61t-17 -65t-35 -57t-57 -50.5t-86 -31.5t-120 -13h-178l-2 -100h288q10 0 13 -6t-3 -14l-120 -160q-6 -8 -18 -14t-22 -6h-138v-175q0 -11 -5.5 -18 t-15.5 -7h-149q-10 0 -17.5 7.5t-7.5 17.5v175h-267q-10 0 -13 6t3 14l120 160q6 8 18 14t22 6h117v100h-267q-10 0 -13 6t3 14l120 160q6 8 18 14t22 6h117v475q0 10 7.5 17.5t17.5 7.5zM600 1000v-300h203q64 0 86.5 33t22.5 119q0 84 -22.5 116t-86.5 32h-203z" /> +<glyph unicode="−" d="M250 700h800q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-800q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="⌛" d="M1000 1200v-150q0 -21 -14.5 -35.5t-35.5 -14.5h-50v-100q0 -91 -49.5 -165.5t-130.5 -109.5q81 -35 130.5 -109.5t49.5 -165.5v-150h50q21 0 35.5 -14.5t14.5 -35.5v-150h-800v150q0 21 14.5 35.5t35.5 14.5h50v150q0 91 49.5 165.5t130.5 109.5q-81 35 -130.5 109.5 t-49.5 165.5v100h-50q-21 0 -35.5 14.5t-14.5 35.5v150h800zM400 1000v-100q0 -60 32.5 -109.5t87.5 -73.5q28 -12 44 -37t16 -55t-16 -55t-44 -37q-55 -24 -87.5 -73.5t-32.5 -109.5v-150h400v150q0 60 -32.5 109.5t-87.5 73.5q-28 12 -44 37t-16 55t16 55t44 37 q55 24 87.5 73.5t32.5 109.5v100h-400z" /> +<glyph unicode="◼" horiz-adv-x="500" d="M0 0z" /> +<glyph unicode="☁" d="M503 1089q110 0 200.5 -59.5t134.5 -156.5q44 14 90 14q120 0 205 -86.5t85 -206.5q0 -121 -85 -207.5t-205 -86.5h-750q-79 0 -135.5 57t-56.5 137q0 69 42.5 122.5t108.5 67.5q-2 12 -2 37q0 153 108 260.5t260 107.5z" /> +<glyph unicode="⛺" d="M774 1193.5q16 -9.5 20.5 -27t-5.5 -33.5l-136 -187l467 -746h30q20 0 35 -18.5t15 -39.5v-42h-1200v42q0 21 15 39.5t35 18.5h30l468 746l-135 183q-10 16 -5.5 34t20.5 28t34 5.5t28 -20.5l111 -148l112 150q9 16 27 20.5t34 -5zM600 200h377l-182 112l-195 534v-646z " /> +<glyph unicode="✉" d="M25 1100h1150q10 0 12.5 -5t-5.5 -13l-564 -567q-8 -8 -18 -8t-18 8l-564 567q-8 8 -5.5 13t12.5 5zM18 882l264 -264q8 -8 8 -18t-8 -18l-264 -264q-8 -8 -13 -5.5t-5 12.5v550q0 10 5 12.5t13 -5.5zM918 618l264 264q8 8 13 5.5t5 -12.5v-550q0 -10 -5 -12.5t-13 5.5 l-264 264q-8 8 -8 18t8 18zM818 482l364 -364q8 -8 5.5 -13t-12.5 -5h-1150q-10 0 -12.5 5t5.5 13l364 364q8 8 18 8t18 -8l164 -164q8 -8 18 -8t18 8l164 164q8 8 18 8t18 -8z" /> +<glyph unicode="✏" d="M1011 1210q19 0 33 -13l153 -153q13 -14 13 -33t-13 -33l-99 -92l-214 214l95 96q13 14 32 14zM1013 800l-615 -614l-214 214l614 614zM317 96l-333 -112l110 335z" /> +<glyph unicode="" d="M700 650v-550h250q21 0 35.5 -14.5t14.5 -35.5v-50h-800v50q0 21 14.5 35.5t35.5 14.5h250v550l-500 550h1200z" /> +<glyph unicode="" d="M368 1017l645 163q39 15 63 0t24 -49v-831q0 -55 -41.5 -95.5t-111.5 -63.5q-79 -25 -147 -4.5t-86 75t25.5 111.5t122.5 82q72 24 138 8v521l-600 -155v-606q0 -42 -44 -90t-109 -69q-79 -26 -147 -5.5t-86 75.5t25.5 111.5t122.5 82.5q72 24 138 7v639q0 38 14.5 59 t53.5 34z" /> +<glyph unicode="" d="M500 1191q100 0 191 -39t156.5 -104.5t104.5 -156.5t39 -191l-1 -2l1 -5q0 -141 -78 -262l275 -274q23 -26 22.5 -44.5t-22.5 -42.5l-59 -58q-26 -20 -46.5 -20t-39.5 20l-275 274q-119 -77 -261 -77l-5 1l-2 -1q-100 0 -191 39t-156.5 104.5t-104.5 156.5t-39 191 t39 191t104.5 156.5t156.5 104.5t191 39zM500 1022q-88 0 -162 -43t-117 -117t-43 -162t43 -162t117 -117t162 -43t162 43t117 117t43 162t-43 162t-117 117t-162 43z" /> +<glyph unicode="" d="M649 949q48 68 109.5 104t121.5 38.5t118.5 -20t102.5 -64t71 -100.5t27 -123q0 -57 -33.5 -117.5t-94 -124.5t-126.5 -127.5t-150 -152.5t-146 -174q-62 85 -145.5 174t-150 152.5t-126.5 127.5t-93.5 124.5t-33.5 117.5q0 64 28 123t73 100.5t104 64t119 20 t120.5 -38.5t104.5 -104z" /> +<glyph unicode="" d="M407 800l131 353q7 19 17.5 19t17.5 -19l129 -353h421q21 0 24 -8.5t-14 -20.5l-342 -249l130 -401q7 -20 -0.5 -25.5t-24.5 6.5l-343 246l-342 -247q-17 -12 -24.5 -6.5t-0.5 25.5l130 400l-347 251q-17 12 -14 20.5t23 8.5h429z" /> +<glyph unicode="" d="M407 800l131 353q7 19 17.5 19t17.5 -19l129 -353h421q21 0 24 -8.5t-14 -20.5l-342 -249l130 -401q7 -20 -0.5 -25.5t-24.5 6.5l-343 246l-342 -247q-17 -12 -24.5 -6.5t-0.5 25.5l130 400l-347 251q-17 12 -14 20.5t23 8.5h429zM477 700h-240l197 -142l-74 -226 l193 139l195 -140l-74 229l192 140h-234l-78 211z" /> +<glyph unicode="" d="M600 1200q124 0 212 -88t88 -212v-250q0 -46 -31 -98t-69 -52v-75q0 -10 6 -21.5t15 -17.5l358 -230q9 -5 15 -16.5t6 -21.5v-93q0 -10 -7.5 -17.5t-17.5 -7.5h-1150q-10 0 -17.5 7.5t-7.5 17.5v93q0 10 6 21.5t15 16.5l358 230q9 6 15 17.5t6 21.5v75q-38 0 -69 52 t-31 98v250q0 124 88 212t212 88z" /> +<glyph unicode="" d="M25 1100h1150q10 0 17.5 -7.5t7.5 -17.5v-1050q0 -10 -7.5 -17.5t-17.5 -7.5h-1150q-10 0 -17.5 7.5t-7.5 17.5v1050q0 10 7.5 17.5t17.5 7.5zM100 1000v-100h100v100h-100zM875 1000h-550q-10 0 -17.5 -7.5t-7.5 -17.5v-350q0 -10 7.5 -17.5t17.5 -7.5h550 q10 0 17.5 7.5t7.5 17.5v350q0 10 -7.5 17.5t-17.5 7.5zM1000 1000v-100h100v100h-100zM100 800v-100h100v100h-100zM1000 800v-100h100v100h-100zM100 600v-100h100v100h-100zM1000 600v-100h100v100h-100zM875 500h-550q-10 0 -17.5 -7.5t-7.5 -17.5v-350q0 -10 7.5 -17.5 t17.5 -7.5h550q10 0 17.5 7.5t7.5 17.5v350q0 10 -7.5 17.5t-17.5 7.5zM100 400v-100h100v100h-100zM1000 400v-100h100v100h-100zM100 200v-100h100v100h-100zM1000 200v-100h100v100h-100z" /> +<glyph unicode="" d="M50 1100h400q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-400q-21 0 -35.5 14.5t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5zM650 1100h400q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-400q-21 0 -35.5 14.5t-14.5 35.5v400 q0 21 14.5 35.5t35.5 14.5zM50 500h400q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-400q-21 0 -35.5 14.5t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5zM650 500h400q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-400 q-21 0 -35.5 14.5t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M50 1100h200q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5zM450 1100h200q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v200 q0 21 14.5 35.5t35.5 14.5zM850 1100h200q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5zM50 700h200q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-200 q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5zM450 700h200q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5zM850 700h200q21 0 35.5 -14.5t14.5 -35.5v-200 q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5zM50 300h200q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5zM450 300h200 q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5zM850 300h200q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5 t35.5 14.5z" /> +<glyph unicode="" d="M50 1100h200q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5zM450 1100h700q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-700q-21 0 -35.5 14.5t-14.5 35.5v200 q0 21 14.5 35.5t35.5 14.5zM50 700h200q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5zM450 700h700q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-700 q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5zM50 300h200q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5zM450 300h700q21 0 35.5 -14.5t14.5 -35.5v-200 q0 -21 -14.5 -35.5t-35.5 -14.5h-700q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M465 477l571 571q8 8 18 8t17 -8l177 -177q8 -7 8 -17t-8 -18l-783 -784q-7 -8 -17.5 -8t-17.5 8l-384 384q-8 8 -8 18t8 17l177 177q7 8 17 8t18 -8l171 -171q7 -7 18 -7t18 7z" /> +<glyph unicode="" d="M904 1083l178 -179q8 -8 8 -18.5t-8 -17.5l-267 -268l267 -268q8 -7 8 -17.5t-8 -18.5l-178 -178q-8 -8 -18.5 -8t-17.5 8l-268 267l-268 -267q-7 -8 -17.5 -8t-18.5 8l-178 178q-8 8 -8 18.5t8 17.5l267 268l-267 268q-8 7 -8 17.5t8 18.5l178 178q8 8 18.5 8t17.5 -8 l268 -267l268 268q7 7 17.5 7t18.5 -7z" /> +<glyph unicode="" d="M507 1177q98 0 187.5 -38.5t154.5 -103.5t103.5 -154.5t38.5 -187.5q0 -141 -78 -262l300 -299q8 -8 8 -18.5t-8 -18.5l-109 -108q-7 -8 -17.5 -8t-18.5 8l-300 299q-119 -77 -261 -77q-98 0 -188 38.5t-154.5 103t-103 154.5t-38.5 188t38.5 187.5t103 154.5 t154.5 103.5t188 38.5zM506.5 1023q-89.5 0 -165.5 -44t-120 -120.5t-44 -166t44 -165.5t120 -120t165.5 -44t166 44t120.5 120t44 165.5t-44 166t-120.5 120.5t-166 44zM425 900h150q10 0 17.5 -7.5t7.5 -17.5v-75h75q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5 t-17.5 -7.5h-75v-75q0 -10 -7.5 -17.5t-17.5 -7.5h-150q-10 0 -17.5 7.5t-7.5 17.5v75h-75q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5h75v75q0 10 7.5 17.5t17.5 7.5z" /> +<glyph unicode="" d="M507 1177q98 0 187.5 -38.5t154.5 -103.5t103.5 -154.5t38.5 -187.5q0 -141 -78 -262l300 -299q8 -8 8 -18.5t-8 -18.5l-109 -108q-7 -8 -17.5 -8t-18.5 8l-300 299q-119 -77 -261 -77q-98 0 -188 38.5t-154.5 103t-103 154.5t-38.5 188t38.5 187.5t103 154.5 t154.5 103.5t188 38.5zM506.5 1023q-89.5 0 -165.5 -44t-120 -120.5t-44 -166t44 -165.5t120 -120t165.5 -44t166 44t120.5 120t44 165.5t-44 166t-120.5 120.5t-166 44zM325 800h350q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-350q-10 0 -17.5 7.5 t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5z" /> +<glyph unicode="" d="M550 1200h100q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5zM800 975v166q167 -62 272 -209.5t105 -331.5q0 -117 -45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5 t-184.5 123t-123 184.5t-45.5 224q0 184 105 331.5t272 209.5v-166q-103 -55 -165 -155t-62 -220q0 -116 57 -214.5t155.5 -155.5t214.5 -57t214.5 57t155.5 155.5t57 214.5q0 120 -62 220t-165 155z" /> +<glyph unicode="" d="M1025 1200h150q10 0 17.5 -7.5t7.5 -17.5v-1150q0 -10 -7.5 -17.5t-17.5 -7.5h-150q-10 0 -17.5 7.5t-7.5 17.5v1150q0 10 7.5 17.5t17.5 7.5zM725 800h150q10 0 17.5 -7.5t7.5 -17.5v-750q0 -10 -7.5 -17.5t-17.5 -7.5h-150q-10 0 -17.5 7.5t-7.5 17.5v750 q0 10 7.5 17.5t17.5 7.5zM425 500h150q10 0 17.5 -7.5t7.5 -17.5v-450q0 -10 -7.5 -17.5t-17.5 -7.5h-150q-10 0 -17.5 7.5t-7.5 17.5v450q0 10 7.5 17.5t17.5 7.5zM125 300h150q10 0 17.5 -7.5t7.5 -17.5v-250q0 -10 -7.5 -17.5t-17.5 -7.5h-150q-10 0 -17.5 7.5t-7.5 17.5 v250q0 10 7.5 17.5t17.5 7.5z" /> +<glyph unicode="" d="M600 1174q33 0 74 -5l38 -152l5 -1q49 -14 94 -39l5 -2l134 80q61 -48 104 -105l-80 -134l3 -5q25 -44 39 -93l1 -6l152 -38q5 -43 5 -73q0 -34 -5 -74l-152 -38l-1 -6q-15 -49 -39 -93l-3 -5l80 -134q-48 -61 -104 -105l-134 81l-5 -3q-44 -25 -94 -39l-5 -2l-38 -151 q-43 -5 -74 -5q-33 0 -74 5l-38 151l-5 2q-49 14 -94 39l-5 3l-134 -81q-60 48 -104 105l80 134l-3 5q-25 45 -38 93l-2 6l-151 38q-6 42 -6 74q0 33 6 73l151 38l2 6q13 48 38 93l3 5l-80 134q47 61 105 105l133 -80l5 2q45 25 94 39l5 1l38 152q43 5 74 5zM600 815 q-89 0 -152 -63t-63 -151.5t63 -151.5t152 -63t152 63t63 151.5t-63 151.5t-152 63z" /> +<glyph unicode="" d="M500 1300h300q41 0 70.5 -29.5t29.5 -70.5v-100h275q10 0 17.5 -7.5t7.5 -17.5v-75h-1100v75q0 10 7.5 17.5t17.5 7.5h275v100q0 41 29.5 70.5t70.5 29.5zM500 1200v-100h300v100h-300zM1100 900v-800q0 -41 -29.5 -70.5t-70.5 -29.5h-700q-41 0 -70.5 29.5t-29.5 70.5 v800h900zM300 800v-700h100v700h-100zM500 800v-700h100v700h-100zM700 800v-700h100v700h-100zM900 800v-700h100v700h-100z" /> +<glyph unicode="" d="M18 618l620 608q8 7 18.5 7t17.5 -7l608 -608q8 -8 5.5 -13t-12.5 -5h-175v-575q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5t-7.5 17.5v375h-300v-375q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5t-7.5 17.5v575h-175q-10 0 -12.5 5t5.5 13z" /> +<glyph unicode="" d="M600 1200v-400q0 -41 29.5 -70.5t70.5 -29.5h300v-650q0 -21 -14.5 -35.5t-35.5 -14.5h-800q-21 0 -35.5 14.5t-14.5 35.5v1100q0 21 14.5 35.5t35.5 14.5h450zM1000 800h-250q-21 0 -35.5 14.5t-14.5 35.5v250z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM600 1027q-116 0 -214.5 -57t-155.5 -155.5t-57 -214.5t57 -214.5 t155.5 -155.5t214.5 -57t214.5 57t155.5 155.5t57 214.5t-57 214.5t-155.5 155.5t-214.5 57zM525 900h50q10 0 17.5 -7.5t7.5 -17.5v-275h175q10 0 17.5 -7.5t7.5 -17.5v-50q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5t-7.5 17.5v350q0 10 7.5 17.5t17.5 7.5z" /> +<glyph unicode="" d="M1300 0h-538l-41 400h-242l-41 -400h-538l431 1200h209l-21 -300h162l-20 300h208zM515 800l-27 -300h224l-27 300h-170z" /> +<glyph unicode="" d="M550 1200h200q21 0 35.5 -14.5t14.5 -35.5v-450h191q20 0 25.5 -11.5t-7.5 -27.5l-327 -400q-13 -16 -32 -16t-32 16l-327 400q-13 16 -7.5 27.5t25.5 11.5h191v450q0 21 14.5 35.5t35.5 14.5zM1125 400h50q10 0 17.5 -7.5t7.5 -17.5v-350q0 -10 -7.5 -17.5t-17.5 -7.5 h-1050q-10 0 -17.5 7.5t-7.5 17.5v350q0 10 7.5 17.5t17.5 7.5h50q10 0 17.5 -7.5t7.5 -17.5v-175h900v175q0 10 7.5 17.5t17.5 7.5z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM600 1027q-116 0 -214.5 -57t-155.5 -155.5t-57 -214.5t57 -214.5 t155.5 -155.5t214.5 -57t214.5 57t155.5 155.5t57 214.5t-57 214.5t-155.5 155.5t-214.5 57zM525 900h150q10 0 17.5 -7.5t7.5 -17.5v-275h137q21 0 26 -11.5t-8 -27.5l-223 -275q-13 -16 -32 -16t-32 16l-223 275q-13 16 -8 27.5t26 11.5h137v275q0 10 7.5 17.5t17.5 7.5z " /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM600 1027q-116 0 -214.5 -57t-155.5 -155.5t-57 -214.5t57 -214.5 t155.5 -155.5t214.5 -57t214.5 57t155.5 155.5t57 214.5t-57 214.5t-155.5 155.5t-214.5 57zM632 914l223 -275q13 -16 8 -27.5t-26 -11.5h-137v-275q0 -10 -7.5 -17.5t-17.5 -7.5h-150q-10 0 -17.5 7.5t-7.5 17.5v275h-137q-21 0 -26 11.5t8 27.5l223 275q13 16 32 16 t32 -16z" /> +<glyph unicode="" d="M225 1200h750q10 0 19.5 -7t12.5 -17l186 -652q7 -24 7 -49v-425q0 -12 -4 -27t-9 -17q-12 -6 -37 -6h-1100q-12 0 -27 4t-17 8q-6 13 -6 38l1 425q0 25 7 49l185 652q3 10 12.5 17t19.5 7zM878 1000h-556q-10 0 -19 -7t-11 -18l-87 -450q-2 -11 4 -18t16 -7h150 q10 0 19.5 -7t11.5 -17l38 -152q2 -10 11.5 -17t19.5 -7h250q10 0 19.5 7t11.5 17l38 152q2 10 11.5 17t19.5 7h150q10 0 16 7t4 18l-87 450q-2 11 -11 18t-19 7z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM600 1027q-116 0 -214.5 -57t-155.5 -155.5t-57 -214.5t57 -214.5 t155.5 -155.5t214.5 -57t214.5 57t155.5 155.5t57 214.5t-57 214.5t-155.5 155.5t-214.5 57zM540 820l253 -190q17 -12 17 -30t-17 -30l-253 -190q-16 -12 -28 -6.5t-12 26.5v400q0 21 12 26.5t28 -6.5z" /> +<glyph unicode="" d="M947 1060l135 135q7 7 12.5 5t5.5 -13v-362q0 -10 -7.5 -17.5t-17.5 -7.5h-362q-11 0 -13 5.5t5 12.5l133 133q-109 76 -238 76q-116 0 -214.5 -57t-155.5 -155.5t-57 -214.5t57 -214.5t155.5 -155.5t214.5 -57t214.5 57t155.5 155.5t57 214.5h150q0 -117 -45.5 -224 t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5q192 0 347 -117z" /> +<glyph unicode="" d="M947 1060l135 135q7 7 12.5 5t5.5 -13v-361q0 -11 -7.5 -18.5t-18.5 -7.5h-361q-11 0 -13 5.5t5 12.5l134 134q-110 75 -239 75q-116 0 -214.5 -57t-155.5 -155.5t-57 -214.5h-150q0 117 45.5 224t123 184.5t184.5 123t224 45.5q192 0 347 -117zM1027 600h150 q0 -117 -45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5q-192 0 -348 118l-134 -134q-7 -8 -12.5 -5.5t-5.5 12.5v360q0 11 7.5 18.5t18.5 7.5h360q10 0 12.5 -5.5t-5.5 -12.5l-133 -133q110 -76 240 -76q116 0 214.5 57t155.5 155.5t57 214.5z" /> +<glyph unicode="" d="M125 1200h1050q10 0 17.5 -7.5t7.5 -17.5v-1150q0 -10 -7.5 -17.5t-17.5 -7.5h-1050q-10 0 -17.5 7.5t-7.5 17.5v1150q0 10 7.5 17.5t17.5 7.5zM1075 1000h-850q-10 0 -17.5 -7.5t-7.5 -17.5v-850q0 -10 7.5 -17.5t17.5 -7.5h850q10 0 17.5 7.5t7.5 17.5v850 q0 10 -7.5 17.5t-17.5 7.5zM325 900h50q10 0 17.5 -7.5t7.5 -17.5v-50q0 -10 -7.5 -17.5t-17.5 -7.5h-50q-10 0 -17.5 7.5t-7.5 17.5v50q0 10 7.5 17.5t17.5 7.5zM525 900h450q10 0 17.5 -7.5t7.5 -17.5v-50q0 -10 -7.5 -17.5t-17.5 -7.5h-450q-10 0 -17.5 7.5t-7.5 17.5v50 q0 10 7.5 17.5t17.5 7.5zM325 700h50q10 0 17.5 -7.5t7.5 -17.5v-50q0 -10 -7.5 -17.5t-17.5 -7.5h-50q-10 0 -17.5 7.5t-7.5 17.5v50q0 10 7.5 17.5t17.5 7.5zM525 700h450q10 0 17.5 -7.5t7.5 -17.5v-50q0 -10 -7.5 -17.5t-17.5 -7.5h-450q-10 0 -17.5 7.5t-7.5 17.5v50 q0 10 7.5 17.5t17.5 7.5zM325 500h50q10 0 17.5 -7.5t7.5 -17.5v-50q0 -10 -7.5 -17.5t-17.5 -7.5h-50q-10 0 -17.5 7.5t-7.5 17.5v50q0 10 7.5 17.5t17.5 7.5zM525 500h450q10 0 17.5 -7.5t7.5 -17.5v-50q0 -10 -7.5 -17.5t-17.5 -7.5h-450q-10 0 -17.5 7.5t-7.5 17.5v50 q0 10 7.5 17.5t17.5 7.5zM325 300h50q10 0 17.5 -7.5t7.5 -17.5v-50q0 -10 -7.5 -17.5t-17.5 -7.5h-50q-10 0 -17.5 7.5t-7.5 17.5v50q0 10 7.5 17.5t17.5 7.5zM525 300h450q10 0 17.5 -7.5t7.5 -17.5v-50q0 -10 -7.5 -17.5t-17.5 -7.5h-450q-10 0 -17.5 7.5t-7.5 17.5v50 q0 10 7.5 17.5t17.5 7.5z" /> +<glyph unicode="" d="M900 800v200q0 83 -58.5 141.5t-141.5 58.5h-300q-82 0 -141 -59t-59 -141v-200h-100q-41 0 -70.5 -29.5t-29.5 -70.5v-600q0 -41 29.5 -70.5t70.5 -29.5h900q41 0 70.5 29.5t29.5 70.5v600q0 41 -29.5 70.5t-70.5 29.5h-100zM400 800v150q0 21 15 35.5t35 14.5h200 q20 0 35 -14.5t15 -35.5v-150h-300z" /> +<glyph unicode="" d="M125 1100h50q10 0 17.5 -7.5t7.5 -17.5v-1075h-100v1075q0 10 7.5 17.5t17.5 7.5zM1075 1052q4 0 9 -2q16 -6 16 -23v-421q0 -6 -3 -12q-33 -59 -66.5 -99t-65.5 -58t-56.5 -24.5t-52.5 -6.5q-26 0 -57.5 6.5t-52.5 13.5t-60 21q-41 15 -63 22.5t-57.5 15t-65.5 7.5 q-85 0 -160 -57q-7 -5 -15 -5q-6 0 -11 3q-14 7 -14 22v438q22 55 82 98.5t119 46.5q23 2 43 0.5t43 -7t32.5 -8.5t38 -13t32.5 -11q41 -14 63.5 -21t57 -14t63.5 -7q103 0 183 87q7 8 18 8z" /> +<glyph unicode="" d="M600 1175q116 0 227 -49.5t192.5 -131t131 -192.5t49.5 -227v-300q0 -10 -7.5 -17.5t-17.5 -7.5h-50q-10 0 -17.5 7.5t-7.5 17.5v300q0 127 -70.5 231.5t-184.5 161.5t-245 57t-245 -57t-184.5 -161.5t-70.5 -231.5v-300q0 -10 -7.5 -17.5t-17.5 -7.5h-50 q-10 0 -17.5 7.5t-7.5 17.5v300q0 116 49.5 227t131 192.5t192.5 131t227 49.5zM220 500h160q8 0 14 -6t6 -14v-460q0 -8 -6 -14t-14 -6h-160q-8 0 -14 6t-6 14v460q0 8 6 14t14 6zM820 500h160q8 0 14 -6t6 -14v-460q0 -8 -6 -14t-14 -6h-160q-8 0 -14 6t-6 14v460 q0 8 6 14t14 6z" /> +<glyph unicode="" d="M321 814l258 172q9 6 15 2.5t6 -13.5v-750q0 -10 -6 -13.5t-15 2.5l-258 172q-21 14 -46 14h-250q-10 0 -17.5 7.5t-7.5 17.5v350q0 10 7.5 17.5t17.5 7.5h250q25 0 46 14zM900 668l120 120q7 7 17 7t17 -7l34 -34q7 -7 7 -17t-7 -17l-120 -120l120 -120q7 -7 7 -17 t-7 -17l-34 -34q-7 -7 -17 -7t-17 7l-120 119l-120 -119q-7 -7 -17 -7t-17 7l-34 34q-7 7 -7 17t7 17l119 120l-119 120q-7 7 -7 17t7 17l34 34q7 8 17 8t17 -8z" /> +<glyph unicode="" d="M321 814l258 172q9 6 15 2.5t6 -13.5v-750q0 -10 -6 -13.5t-15 2.5l-258 172q-21 14 -46 14h-250q-10 0 -17.5 7.5t-7.5 17.5v350q0 10 7.5 17.5t17.5 7.5h250q25 0 46 14zM766 900h4q10 -1 16 -10q96 -129 96 -290q0 -154 -90 -281q-6 -9 -17 -10l-3 -1q-9 0 -16 6 l-29 23q-7 7 -8.5 16.5t4.5 17.5q72 103 72 229q0 132 -78 238q-6 8 -4.5 18t9.5 17l29 22q7 5 15 5z" /> +<glyph unicode="" d="M967 1004h3q11 -1 17 -10q135 -179 135 -396q0 -105 -34 -206.5t-98 -185.5q-7 -9 -17 -10h-3q-9 0 -16 6l-42 34q-8 6 -9 16t5 18q111 150 111 328q0 90 -29.5 176t-84.5 157q-6 9 -5 19t10 16l42 33q7 5 15 5zM321 814l258 172q9 6 15 2.5t6 -13.5v-750q0 -10 -6 -13.5 t-15 2.5l-258 172q-21 14 -46 14h-250q-10 0 -17.5 7.5t-7.5 17.5v350q0 10 7.5 17.5t17.5 7.5h250q25 0 46 14zM766 900h4q10 -1 16 -10q96 -129 96 -290q0 -154 -90 -281q-6 -9 -17 -10l-3 -1q-9 0 -16 6l-29 23q-7 7 -8.5 16.5t4.5 17.5q72 103 72 229q0 132 -78 238 q-6 8 -4.5 18.5t9.5 16.5l29 22q7 5 15 5z" /> +<glyph unicode="" d="M500 900h100v-100h-100v-100h-400v-100h-100v600h500v-300zM1200 700h-200v-100h200v-200h-300v300h-200v300h-100v200h600v-500zM100 1100v-300h300v300h-300zM800 1100v-300h300v300h-300zM300 900h-100v100h100v-100zM1000 900h-100v100h100v-100zM300 500h200v-500 h-500v500h200v100h100v-100zM800 300h200v-100h-100v-100h-200v100h-100v100h100v200h-200v100h300v-300zM100 400v-300h300v300h-300zM300 200h-100v100h100v-100zM1200 200h-100v100h100v-100zM700 0h-100v100h100v-100zM1200 0h-300v100h300v-100z" /> +<glyph unicode="" d="M100 200h-100v1000h100v-1000zM300 200h-100v1000h100v-1000zM700 200h-200v1000h200v-1000zM900 200h-100v1000h100v-1000zM1200 200h-200v1000h200v-1000zM400 0h-300v100h300v-100zM600 0h-100v91h100v-91zM800 0h-100v91h100v-91zM1100 0h-200v91h200v-91z" /> +<glyph unicode="" d="M500 1200l682 -682q8 -8 8 -18t-8 -18l-464 -464q-8 -8 -18 -8t-18 8l-682 682l1 475q0 10 7.5 17.5t17.5 7.5h474zM319.5 1024.5q-29.5 29.5 -71 29.5t-71 -29.5t-29.5 -71.5t29.5 -71.5t71 -29.5t71 29.5t29.5 71.5t-29.5 71.5z" /> +<glyph unicode="" d="M500 1200l682 -682q8 -8 8 -18t-8 -18l-464 -464q-8 -8 -18 -8t-18 8l-682 682l1 475q0 10 7.5 17.5t17.5 7.5h474zM800 1200l682 -682q8 -8 8 -18t-8 -18l-464 -464q-8 -8 -18 -8t-18 8l-56 56l424 426l-700 700h150zM319.5 1024.5q-29.5 29.5 -71 29.5t-71 -29.5 t-29.5 -71.5t29.5 -71.5t71 -29.5t71 29.5t29.5 71.5t-29.5 71.5z" /> +<glyph unicode="" d="M300 1200h825q75 0 75 -75v-900q0 -25 -18 -43l-64 -64q-8 -8 -13 -5.5t-5 12.5v950q0 10 -7.5 17.5t-17.5 7.5h-700q-25 0 -43 -18l-64 -64q-8 -8 -5.5 -13t12.5 -5h700q10 0 17.5 -7.5t7.5 -17.5v-950q0 -10 -7.5 -17.5t-17.5 -7.5h-850q-10 0 -17.5 7.5t-7.5 17.5v975 q0 25 18 43l139 139q18 18 43 18z" /> +<glyph unicode="" d="M250 1200h800q21 0 35.5 -14.5t14.5 -35.5v-1150l-450 444l-450 -445v1151q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M822 1200h-444q-11 0 -19 -7.5t-9 -17.5l-78 -301q-7 -24 7 -45l57 -108q6 -9 17.5 -15t21.5 -6h450q10 0 21.5 6t17.5 15l62 108q14 21 7 45l-83 301q-1 10 -9 17.5t-19 7.5zM1175 800h-150q-10 0 -21 -6.5t-15 -15.5l-78 -156q-4 -9 -15 -15.5t-21 -6.5h-550 q-10 0 -21 6.5t-15 15.5l-78 156q-4 9 -15 15.5t-21 6.5h-150q-10 0 -17.5 -7.5t-7.5 -17.5v-650q0 -10 7.5 -17.5t17.5 -7.5h150q10 0 17.5 7.5t7.5 17.5v150q0 10 7.5 17.5t17.5 7.5h750q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 7.5 -17.5t17.5 -7.5h150q10 0 17.5 7.5 t7.5 17.5v650q0 10 -7.5 17.5t-17.5 7.5zM850 200h-500q-10 0 -19.5 -7t-11.5 -17l-38 -152q-2 -10 3.5 -17t15.5 -7h600q10 0 15.5 7t3.5 17l-38 152q-2 10 -11.5 17t-19.5 7z" /> +<glyph unicode="" d="M500 1100h200q56 0 102.5 -20.5t72.5 -50t44 -59t25 -50.5l6 -20h150q41 0 70.5 -29.5t29.5 -70.5v-600q0 -41 -29.5 -70.5t-70.5 -29.5h-1000q-41 0 -70.5 29.5t-29.5 70.5v600q0 41 29.5 70.5t70.5 29.5h150q2 8 6.5 21.5t24 48t45 61t72 48t102.5 21.5zM900 800v-100 h100v100h-100zM600 730q-95 0 -162.5 -67.5t-67.5 -162.5t67.5 -162.5t162.5 -67.5t162.5 67.5t67.5 162.5t-67.5 162.5t-162.5 67.5zM600 603q43 0 73 -30t30 -73t-30 -73t-73 -30t-73 30t-30 73t30 73t73 30z" /> +<glyph unicode="" d="M681 1199l385 -998q20 -50 60 -92q18 -19 36.5 -29.5t27.5 -11.5l10 -2v-66h-417v66q53 0 75 43.5t5 88.5l-82 222h-391q-58 -145 -92 -234q-11 -34 -6.5 -57t25.5 -37t46 -20t55 -6v-66h-365v66q56 24 84 52q12 12 25 30.5t20 31.5l7 13l399 1006h93zM416 521h340 l-162 457z" /> +<glyph unicode="" d="M753 641q5 -1 14.5 -4.5t36 -15.5t50.5 -26.5t53.5 -40t50.5 -54.5t35.5 -70t14.5 -87q0 -67 -27.5 -125.5t-71.5 -97.5t-98.5 -66.5t-108.5 -40.5t-102 -13h-500v89q41 7 70.5 32.5t29.5 65.5v827q0 24 -0.5 34t-3.5 24t-8.5 19.5t-17 13.5t-28 12.5t-42.5 11.5v71 l471 -1q57 0 115.5 -20.5t108 -57t80.5 -94t31 -124.5q0 -51 -15.5 -96.5t-38 -74.5t-45 -50.5t-38.5 -30.5zM400 700h139q78 0 130.5 48.5t52.5 122.5q0 41 -8.5 70.5t-29.5 55.5t-62.5 39.5t-103.5 13.5h-118v-350zM400 200h216q80 0 121 50.5t41 130.5q0 90 -62.5 154.5 t-156.5 64.5h-159v-400z" /> +<glyph unicode="" d="M877 1200l2 -57q-83 -19 -116 -45.5t-40 -66.5l-132 -839q-9 -49 13 -69t96 -26v-97h-500v97q186 16 200 98l173 832q3 17 3 30t-1.5 22.5t-9 17.5t-13.5 12.5t-21.5 10t-26 8.5t-33.5 10q-13 3 -19 5v57h425z" /> +<glyph unicode="" d="M1300 900h-50q0 21 -4 37t-9.5 26.5t-18 17.5t-22 11t-28.5 5.5t-31 2t-37 0.5h-200v-850q0 -22 25 -34.5t50 -13.5l25 -2v-100h-400v100q4 0 11 0.5t24 3t30 7t24 15t11 24.5v850h-200q-25 0 -37 -0.5t-31 -2t-28.5 -5.5t-22 -11t-18 -17.5t-9.5 -26.5t-4 -37h-50v300 h1000v-300zM175 1000h-75v-800h75l-125 -167l-125 167h75v800h-75l125 167z" /> +<glyph unicode="" d="M1100 900h-50q0 21 -4 37t-9.5 26.5t-18 17.5t-22 11t-28.5 5.5t-31 2t-37 0.5h-200v-650q0 -22 25 -34.5t50 -13.5l25 -2v-100h-400v100q4 0 11 0.5t24 3t30 7t24 15t11 24.5v650h-200q-25 0 -37 -0.5t-31 -2t-28.5 -5.5t-22 -11t-18 -17.5t-9.5 -26.5t-4 -37h-50v300 h1000v-300zM1167 50l-167 -125v75h-800v-75l-167 125l167 125v-75h800v75z" /> +<glyph unicode="" d="M50 1100h600q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-600q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM50 800h1000q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-1000q-21 0 -35.5 14.5t-14.5 35.5v100 q0 21 14.5 35.5t35.5 14.5zM50 500h800q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-800q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM50 200h1100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-1100 q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M250 1100h700q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-700q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM50 800h1100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-1100q-21 0 -35.5 14.5t-14.5 35.5v100 q0 21 14.5 35.5t35.5 14.5zM250 500h700q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-700q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM50 200h1100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-1100 q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M500 950v100q0 21 14.5 35.5t35.5 14.5h600q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-600q-21 0 -35.5 14.5t-14.5 35.5zM100 650v100q0 21 14.5 35.5t35.5 14.5h1000q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-1000 q-21 0 -35.5 14.5t-14.5 35.5zM300 350v100q0 21 14.5 35.5t35.5 14.5h800q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-800q-21 0 -35.5 14.5t-14.5 35.5zM0 50v100q0 21 14.5 35.5t35.5 14.5h1100q21 0 35.5 -14.5t14.5 -35.5v-100 q0 -21 -14.5 -35.5t-35.5 -14.5h-1100q-21 0 -35.5 14.5t-14.5 35.5z" /> +<glyph unicode="" d="M50 1100h1100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-1100q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM50 800h1100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-1100q-21 0 -35.5 14.5t-14.5 35.5v100 q0 21 14.5 35.5t35.5 14.5zM50 500h1100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-1100q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM50 200h1100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-1100 q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M50 1100h100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM350 1100h800q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-800q-21 0 -35.5 14.5t-14.5 35.5v100 q0 21 14.5 35.5t35.5 14.5zM50 800h100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM350 800h800q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-800 q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM50 500h100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM350 500h800q21 0 35.5 -14.5t14.5 -35.5v-100 q0 -21 -14.5 -35.5t-35.5 -14.5h-800q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM50 200h100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM350 200h800 q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-800q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M400 0h-100v1100h100v-1100zM550 1100h100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM550 800h500q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-500 q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM267 550l-167 -125v75h-200v100h200v75zM550 500h300q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-300q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM550 200h600 q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-600q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M50 1100h100q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM900 0h-100v1100h100v-1100zM50 800h500q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-500 q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM1100 600h200v-100h-200v-75l-167 125l167 125v-75zM50 500h300q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-300q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5zM50 200h600 q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-600q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M75 1000h750q31 0 53 -22t22 -53v-650q0 -31 -22 -53t-53 -22h-750q-31 0 -53 22t-22 53v650q0 31 22 53t53 22zM1200 300l-300 300l300 300v-600z" /> +<glyph unicode="" d="M44 1100h1112q18 0 31 -13t13 -31v-1012q0 -18 -13 -31t-31 -13h-1112q-18 0 -31 13t-13 31v1012q0 18 13 31t31 13zM100 1000v-737l247 182l298 -131l-74 156l293 318l236 -288v500h-1000zM342 884q56 0 95 -39t39 -94.5t-39 -95t-95 -39.5t-95 39.5t-39 95t39 94.5 t95 39z" /> +<glyph unicode="" d="M648 1169q117 0 216 -60t156.5 -161t57.5 -218q0 -115 -70 -258q-69 -109 -158 -225.5t-143 -179.5l-54 -62q-9 8 -25.5 24.5t-63.5 67.5t-91 103t-98.5 128t-95.5 148q-60 132 -60 249q0 88 34 169.5t91.5 142t137 96.5t166.5 36zM652.5 974q-91.5 0 -156.5 -65 t-65 -157t65 -156.5t156.5 -64.5t156.5 64.5t65 156.5t-65 157t-156.5 65z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM600 173v854q-116 0 -214.5 -57t-155.5 -155.5t-57 -214.5t57 -214.5 t155.5 -155.5t214.5 -57z" /> +<glyph unicode="" d="M554 1295q21 -72 57.5 -143.5t76 -130t83 -118t82.5 -117t70 -116t49.5 -126t18.5 -136.5q0 -71 -25.5 -135t-68.5 -111t-99 -82t-118.5 -54t-125.5 -23q-84 5 -161.5 34t-139.5 78.5t-99 125t-37 164.5q0 69 18 136.5t49.5 126.5t69.5 116.5t81.5 117.5t83.5 119 t76.5 131t58.5 143zM344 710q-23 -33 -43.5 -70.5t-40.5 -102.5t-17 -123q1 -37 14.5 -69.5t30 -52t41 -37t38.5 -24.5t33 -15q21 -7 32 -1t13 22l6 34q2 10 -2.5 22t-13.5 19q-5 4 -14 12t-29.5 40.5t-32.5 73.5q-26 89 6 271q2 11 -6 11q-8 1 -15 -10z" /> +<glyph unicode="" d="M1000 1013l108 115q2 1 5 2t13 2t20.5 -1t25 -9.5t28.5 -21.5q22 -22 27 -43t0 -32l-6 -10l-108 -115zM350 1100h400q50 0 105 -13l-187 -187h-368q-41 0 -70.5 -29.5t-29.5 -70.5v-500q0 -41 29.5 -70.5t70.5 -29.5h500q41 0 70.5 29.5t29.5 70.5v182l200 200v-332 q0 -165 -93.5 -257.5t-256.5 -92.5h-400q-165 0 -257.5 92.5t-92.5 257.5v400q0 165 92.5 257.5t257.5 92.5zM1009 803l-362 -362l-161 -50l55 170l355 355z" /> +<glyph unicode="" d="M350 1100h361q-164 -146 -216 -200h-195q-41 0 -70.5 -29.5t-29.5 -70.5v-500q0 -41 29.5 -70.5t70.5 -29.5h500q41 0 70.5 29.5t29.5 70.5l200 153v-103q0 -165 -92.5 -257.5t-257.5 -92.5h-400q-165 0 -257.5 92.5t-92.5 257.5v400q0 165 92.5 257.5t257.5 92.5z M824 1073l339 -301q8 -7 8 -17.5t-8 -17.5l-340 -306q-7 -6 -12.5 -4t-6.5 11v203q-26 1 -54.5 0t-78.5 -7.5t-92 -17.5t-86 -35t-70 -57q10 59 33 108t51.5 81.5t65 58.5t68.5 40.5t67 24.5t56 13.5t40 4.5v210q1 10 6.5 12.5t13.5 -4.5z" /> +<glyph unicode="" d="M350 1100h350q60 0 127 -23l-178 -177h-349q-41 0 -70.5 -29.5t-29.5 -70.5v-500q0 -41 29.5 -70.5t70.5 -29.5h500q41 0 70.5 29.5t29.5 70.5v69l200 200v-219q0 -165 -92.5 -257.5t-257.5 -92.5h-400q-165 0 -257.5 92.5t-92.5 257.5v400q0 165 92.5 257.5t257.5 92.5z M643 639l395 395q7 7 17.5 7t17.5 -7l101 -101q7 -7 7 -17.5t-7 -17.5l-531 -532q-7 -7 -17.5 -7t-17.5 7l-248 248q-7 7 -7 17.5t7 17.5l101 101q7 7 17.5 7t17.5 -7l111 -111q8 -7 18 -7t18 7z" /> +<glyph unicode="" d="M318 918l264 264q8 8 18 8t18 -8l260 -264q7 -8 4.5 -13t-12.5 -5h-170v-200h200v173q0 10 5 12t13 -5l264 -260q8 -7 8 -17.5t-8 -17.5l-264 -265q-8 -7 -13 -5t-5 12v173h-200v-200h170q10 0 12.5 -5t-4.5 -13l-260 -264q-8 -8 -18 -8t-18 8l-264 264q-8 8 -5.5 13 t12.5 5h175v200h-200v-173q0 -10 -5 -12t-13 5l-264 265q-8 7 -8 17.5t8 17.5l264 260q8 7 13 5t5 -12v-173h200v200h-175q-10 0 -12.5 5t5.5 13z" /> +<glyph unicode="" d="M250 1100h100q21 0 35.5 -14.5t14.5 -35.5v-438l464 453q15 14 25.5 10t10.5 -25v-1000q0 -21 -10.5 -25t-25.5 10l-464 453v-438q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v1000q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M50 1100h100q21 0 35.5 -14.5t14.5 -35.5v-438l464 453q15 14 25.5 10t10.5 -25v-438l464 453q15 14 25.5 10t10.5 -25v-1000q0 -21 -10.5 -25t-25.5 10l-464 453v-438q0 -21 -10.5 -25t-25.5 10l-464 453v-438q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5 t-14.5 35.5v1000q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M1200 1050v-1000q0 -21 -10.5 -25t-25.5 10l-464 453v-438q0 -21 -10.5 -25t-25.5 10l-492 480q-15 14 -15 35t15 35l492 480q15 14 25.5 10t10.5 -25v-438l464 453q15 14 25.5 10t10.5 -25z" /> +<glyph unicode="" d="M243 1074l814 -498q18 -11 18 -26t-18 -26l-814 -498q-18 -11 -30.5 -4t-12.5 28v1000q0 21 12.5 28t30.5 -4z" /> +<glyph unicode="" d="M250 1000h200q21 0 35.5 -14.5t14.5 -35.5v-800q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v800q0 21 14.5 35.5t35.5 14.5zM650 1000h200q21 0 35.5 -14.5t14.5 -35.5v-800q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v800 q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M1100 950v-800q0 -21 -14.5 -35.5t-35.5 -14.5h-800q-21 0 -35.5 14.5t-14.5 35.5v800q0 21 14.5 35.5t35.5 14.5h800q21 0 35.5 -14.5t14.5 -35.5z" /> +<glyph unicode="" d="M500 612v438q0 21 10.5 25t25.5 -10l492 -480q15 -14 15 -35t-15 -35l-492 -480q-15 -14 -25.5 -10t-10.5 25v438l-464 -453q-15 -14 -25.5 -10t-10.5 25v1000q0 21 10.5 25t25.5 -10z" /> +<glyph unicode="" d="M1048 1102l100 1q20 0 35 -14.5t15 -35.5l5 -1000q0 -21 -14.5 -35.5t-35.5 -14.5l-100 -1q-21 0 -35.5 14.5t-14.5 35.5l-2 437l-463 -454q-14 -15 -24.5 -10.5t-10.5 25.5l-2 437l-462 -455q-15 -14 -25.5 -9.5t-10.5 24.5l-5 1000q0 21 10.5 25.5t25.5 -10.5l466 -450 l-2 438q0 20 10.5 24.5t25.5 -9.5l466 -451l-2 438q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M850 1100h100q21 0 35.5 -14.5t14.5 -35.5v-1000q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v438l-464 -453q-15 -14 -25.5 -10t-10.5 25v1000q0 21 10.5 25t25.5 -10l464 -453v438q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M686 1081l501 -540q15 -15 10.5 -26t-26.5 -11h-1042q-22 0 -26.5 11t10.5 26l501 540q15 15 36 15t36 -15zM150 400h1000q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-1000q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M885 900l-352 -353l352 -353l-197 -198l-552 552l552 550z" /> +<glyph unicode="" d="M1064 547l-551 -551l-198 198l353 353l-353 353l198 198z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM650 900h-100q-21 0 -35.5 -14.5t-14.5 -35.5v-150h-150 q-21 0 -35.5 -14.5t-14.5 -35.5v-100q0 -21 14.5 -35.5t35.5 -14.5h150v-150q0 -21 14.5 -35.5t35.5 -14.5h100q21 0 35.5 14.5t14.5 35.5v150h150q21 0 35.5 14.5t14.5 35.5v100q0 21 -14.5 35.5t-35.5 14.5h-150v150q0 21 -14.5 35.5t-35.5 14.5z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM850 700h-500q-21 0 -35.5 -14.5t-14.5 -35.5v-100q0 -21 14.5 -35.5 t35.5 -14.5h500q21 0 35.5 14.5t14.5 35.5v100q0 21 -14.5 35.5t-35.5 14.5z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM741.5 913q-12.5 0 -21.5 -9l-120 -120l-120 120q-9 9 -21.5 9 t-21.5 -9l-141 -141q-9 -9 -9 -21.5t9 -21.5l120 -120l-120 -120q-9 -9 -9 -21.5t9 -21.5l141 -141q9 -9 21.5 -9t21.5 9l120 120l120 -120q9 -9 21.5 -9t21.5 9l141 141q9 9 9 21.5t-9 21.5l-120 120l120 120q9 9 9 21.5t-9 21.5l-141 141q-9 9 -21.5 9z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM546 623l-84 85q-7 7 -17.5 7t-18.5 -7l-139 -139q-7 -8 -7 -18t7 -18 l242 -241q7 -8 17.5 -8t17.5 8l375 375q7 7 7 17.5t-7 18.5l-139 139q-7 7 -17.5 7t-17.5 -7z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM588 941q-29 0 -59 -5.5t-63 -20.5t-58 -38.5t-41.5 -63t-16.5 -89.5 q0 -25 20 -25h131q30 -5 35 11q6 20 20.5 28t45.5 8q20 0 31.5 -10.5t11.5 -28.5q0 -23 -7 -34t-26 -18q-1 0 -13.5 -4t-19.5 -7.5t-20 -10.5t-22 -17t-18.5 -24t-15.5 -35t-8 -46q-1 -8 5.5 -16.5t20.5 -8.5h173q7 0 22 8t35 28t37.5 48t29.5 74t12 100q0 47 -17 83 t-42.5 57t-59.5 34.5t-64 18t-59 4.5zM675 400h-150q-10 0 -17.5 -7.5t-7.5 -17.5v-150q0 -10 7.5 -17.5t17.5 -7.5h150q10 0 17.5 7.5t7.5 17.5v150q0 10 -7.5 17.5t-17.5 7.5z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM675 1000h-150q-10 0 -17.5 -7.5t-7.5 -17.5v-150q0 -10 7.5 -17.5 t17.5 -7.5h150q10 0 17.5 7.5t7.5 17.5v150q0 10 -7.5 17.5t-17.5 7.5zM675 700h-250q-10 0 -17.5 -7.5t-7.5 -17.5v-50q0 -10 7.5 -17.5t17.5 -7.5h75v-200h-75q-10 0 -17.5 -7.5t-7.5 -17.5v-50q0 -10 7.5 -17.5t17.5 -7.5h350q10 0 17.5 7.5t7.5 17.5v50q0 10 -7.5 17.5 t-17.5 7.5h-75v275q0 10 -7.5 17.5t-17.5 7.5z" /> +<glyph unicode="" d="M525 1200h150q10 0 17.5 -7.5t7.5 -17.5v-194q103 -27 178.5 -102.5t102.5 -178.5h194q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-194q-27 -103 -102.5 -178.5t-178.5 -102.5v-194q0 -10 -7.5 -17.5t-17.5 -7.5h-150q-10 0 -17.5 7.5t-7.5 17.5v194 q-103 27 -178.5 102.5t-102.5 178.5h-194q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5h194q27 103 102.5 178.5t178.5 102.5v194q0 10 7.5 17.5t17.5 7.5zM700 893v-168q0 -10 -7.5 -17.5t-17.5 -7.5h-150q-10 0 -17.5 7.5t-7.5 17.5v168q-68 -23 -119 -74 t-74 -119h168q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-168q23 -68 74 -119t119 -74v168q0 10 7.5 17.5t17.5 7.5h150q10 0 17.5 -7.5t7.5 -17.5v-168q68 23 119 74t74 119h-168q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5h168 q-23 68 -74 119t-119 74z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM600 1027q-116 0 -214.5 -57t-155.5 -155.5t-57 -214.5t57 -214.5 t155.5 -155.5t214.5 -57t214.5 57t155.5 155.5t57 214.5t-57 214.5t-155.5 155.5t-214.5 57zM759 823l64 -64q7 -7 7 -17.5t-7 -17.5l-124 -124l124 -124q7 -7 7 -17.5t-7 -17.5l-64 -64q-7 -7 -17.5 -7t-17.5 7l-124 124l-124 -124q-7 -7 -17.5 -7t-17.5 7l-64 64 q-7 7 -7 17.5t7 17.5l124 124l-124 124q-7 7 -7 17.5t7 17.5l64 64q7 7 17.5 7t17.5 -7l124 -124l124 124q7 7 17.5 7t17.5 -7z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM600 1027q-116 0 -214.5 -57t-155.5 -155.5t-57 -214.5t57 -214.5 t155.5 -155.5t214.5 -57t214.5 57t155.5 155.5t57 214.5t-57 214.5t-155.5 155.5t-214.5 57zM782 788l106 -106q7 -7 7 -17.5t-7 -17.5l-320 -321q-8 -7 -18 -7t-18 7l-202 203q-8 7 -8 17.5t8 17.5l106 106q7 8 17.5 8t17.5 -8l79 -79l197 197q7 7 17.5 7t17.5 -7z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM600 1027q-116 0 -214.5 -57t-155.5 -155.5t-57 -214.5q0 -120 65 -225 l587 587q-105 65 -225 65zM965 819l-584 -584q104 -62 219 -62q116 0 214.5 57t155.5 155.5t57 214.5q0 115 -62 219z" /> +<glyph unicode="" d="M39 582l522 427q16 13 27.5 8t11.5 -26v-291h550q21 0 35.5 -14.5t14.5 -35.5v-200q0 -21 -14.5 -35.5t-35.5 -14.5h-550v-291q0 -21 -11.5 -26t-27.5 8l-522 427q-16 13 -16 32t16 32z" /> +<glyph unicode="" d="M639 1009l522 -427q16 -13 16 -32t-16 -32l-522 -427q-16 -13 -27.5 -8t-11.5 26v291h-550q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5h550v291q0 21 11.5 26t27.5 -8z" /> +<glyph unicode="" d="M682 1161l427 -522q13 -16 8 -27.5t-26 -11.5h-291v-550q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v550h-291q-21 0 -26 11.5t8 27.5l427 522q13 16 32 16t32 -16z" /> +<glyph unicode="" d="M550 1200h200q21 0 35.5 -14.5t14.5 -35.5v-550h291q21 0 26 -11.5t-8 -27.5l-427 -522q-13 -16 -32 -16t-32 16l-427 522q-13 16 -8 27.5t26 11.5h291v550q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M639 1109l522 -427q16 -13 16 -32t-16 -32l-522 -427q-16 -13 -27.5 -8t-11.5 26v291q-94 -2 -182 -20t-170.5 -52t-147 -92.5t-100.5 -135.5q5 105 27 193.5t67.5 167t113 135t167 91.5t225.5 42v262q0 21 11.5 26t27.5 -8z" /> +<glyph unicode="" d="M850 1200h300q21 0 35.5 -14.5t14.5 -35.5v-300q0 -21 -10.5 -25t-24.5 10l-94 94l-249 -249q-8 -7 -18 -7t-18 7l-106 106q-7 8 -7 18t7 18l249 249l-94 94q-14 14 -10 24.5t25 10.5zM350 0h-300q-21 0 -35.5 14.5t-14.5 35.5v300q0 21 10.5 25t24.5 -10l94 -94l249 249 q8 7 18 7t18 -7l106 -106q7 -8 7 -18t-7 -18l-249 -249l94 -94q14 -14 10 -24.5t-25 -10.5z" /> +<glyph unicode="" d="M1014 1120l106 -106q7 -8 7 -18t-7 -18l-249 -249l94 -94q14 -14 10 -24.5t-25 -10.5h-300q-21 0 -35.5 14.5t-14.5 35.5v300q0 21 10.5 25t24.5 -10l94 -94l249 249q8 7 18 7t18 -7zM250 600h300q21 0 35.5 -14.5t14.5 -35.5v-300q0 -21 -10.5 -25t-24.5 10l-94 94 l-249 -249q-8 -7 -18 -7t-18 7l-106 106q-7 8 -7 18t7 18l249 249l-94 94q-14 14 -10 24.5t25 10.5z" /> +<glyph unicode="" d="M600 1177q117 0 224 -45.5t184.5 -123t123 -184.5t45.5 -224t-45.5 -224t-123 -184.5t-184.5 -123t-224 -45.5t-224 45.5t-184.5 123t-123 184.5t-45.5 224t45.5 224t123 184.5t184.5 123t224 45.5zM704 900h-208q-20 0 -32 -14.5t-8 -34.5l58 -302q4 -20 21.5 -34.5 t37.5 -14.5h54q20 0 37.5 14.5t21.5 34.5l58 302q4 20 -8 34.5t-32 14.5zM675 400h-150q-10 0 -17.5 -7.5t-7.5 -17.5v-150q0 -10 7.5 -17.5t17.5 -7.5h150q10 0 17.5 7.5t7.5 17.5v150q0 10 -7.5 17.5t-17.5 7.5z" /> +<glyph unicode="" d="M260 1200q9 0 19 -2t15 -4l5 -2q22 -10 44 -23l196 -118q21 -13 36 -24q29 -21 37 -12q11 13 49 35l196 118q22 13 45 23q17 7 38 7q23 0 47 -16.5t37 -33.5l13 -16q14 -21 18 -45l25 -123l8 -44q1 -9 8.5 -14.5t17.5 -5.5h61q10 0 17.5 -7.5t7.5 -17.5v-50 q0 -10 -7.5 -17.5t-17.5 -7.5h-50q-10 0 -17.5 -7.5t-7.5 -17.5v-175h-400v300h-200v-300h-400v175q0 10 -7.5 17.5t-17.5 7.5h-50q-10 0 -17.5 7.5t-7.5 17.5v50q0 10 7.5 17.5t17.5 7.5h61q11 0 18 3t7 8q0 4 9 52l25 128q5 25 19 45q2 3 5 7t13.5 15t21.5 19.5t26.5 15.5 t29.5 7zM915 1079l-166 -162q-7 -7 -5 -12t12 -5h219q10 0 15 7t2 17l-51 149q-3 10 -11 12t-15 -6zM463 917l-177 157q-8 7 -16 5t-11 -12l-51 -143q-3 -10 2 -17t15 -7h231q11 0 12.5 5t-5.5 12zM500 0h-375q-10 0 -17.5 7.5t-7.5 17.5v375h400v-400zM1100 400v-375 q0 -10 -7.5 -17.5t-17.5 -7.5h-375v400h400z" /> +<glyph unicode="" d="M1165 1190q8 3 21 -6.5t13 -17.5q-2 -178 -24.5 -323.5t-55.5 -245.5t-87 -174.5t-102.5 -118.5t-118 -68.5t-118.5 -33t-120 -4.5t-105 9.5t-90 16.5q-61 12 -78 11q-4 1 -12.5 0t-34 -14.5t-52.5 -40.5l-153 -153q-26 -24 -37 -14.5t-11 43.5q0 64 42 102q8 8 50.5 45 t66.5 58q19 17 35 47t13 61q-9 55 -10 102.5t7 111t37 130t78 129.5q39 51 80 88t89.5 63.5t94.5 45t113.5 36t129 31t157.5 37t182 47.5zM1116 1098q-8 9 -22.5 -3t-45.5 -50q-38 -47 -119 -103.5t-142 -89.5l-62 -33q-56 -30 -102 -57t-104 -68t-102.5 -80.5t-85.5 -91 t-64 -104.5q-24 -56 -31 -86t2 -32t31.5 17.5t55.5 59.5q25 30 94 75.5t125.5 77.5t147.5 81q70 37 118.5 69t102 79.5t99 111t86.5 148.5q22 50 24 60t-6 19z" /> +<glyph unicode="" d="M653 1231q-39 -67 -54.5 -131t-10.5 -114.5t24.5 -96.5t47.5 -80t63.5 -62.5t68.5 -46.5t65 -30q-4 7 -17.5 35t-18.5 39.5t-17 39.5t-17 43t-13 42t-9.5 44.5t-2 42t4 43t13.5 39t23 38.5q96 -42 165 -107.5t105 -138t52 -156t13 -159t-19 -149.5q-13 -55 -44 -106.5 t-68 -87t-78.5 -64.5t-72.5 -45t-53 -22q-72 -22 -127 -11q-31 6 -13 19q6 3 17 7q13 5 32.5 21t41 44t38.5 63.5t21.5 81.5t-6.5 94.5t-50 107t-104 115.5q10 -104 -0.5 -189t-37 -140.5t-65 -93t-84 -52t-93.5 -11t-95 24.5q-80 36 -131.5 114t-53.5 171q-2 23 0 49.5 t4.5 52.5t13.5 56t27.5 60t46 64.5t69.5 68.5q-8 -53 -5 -102.5t17.5 -90t34 -68.5t44.5 -39t49 -2q31 13 38.5 36t-4.5 55t-29 64.5t-36 75t-26 75.5q-15 85 2 161.5t53.5 128.5t85.5 92.5t93.5 61t81.5 25.5z" /> +<glyph unicode="" d="M600 1094q82 0 160.5 -22.5t140 -59t116.5 -82.5t94.5 -95t68 -95t42.5 -82.5t14 -57.5t-14 -57.5t-43 -82.5t-68.5 -95t-94.5 -95t-116.5 -82.5t-140 -59t-159.5 -22.5t-159.5 22.5t-140 59t-116.5 82.5t-94.5 95t-68.5 95t-43 82.5t-14 57.5t14 57.5t42.5 82.5t68 95 t94.5 95t116.5 82.5t140 59t160.5 22.5zM888 829q-15 15 -18 12t5 -22q25 -57 25 -119q0 -124 -88 -212t-212 -88t-212 88t-88 212q0 59 23 114q8 19 4.5 22t-17.5 -12q-70 -69 -160 -184q-13 -16 -15 -40.5t9 -42.5q22 -36 47 -71t70 -82t92.5 -81t113 -58.5t133.5 -24.5 t133.5 24t113 58.5t92.5 81.5t70 81.5t47 70.5q11 18 9 42.5t-14 41.5q-90 117 -163 189zM448 727l-35 -36q-15 -15 -19.5 -38.5t4.5 -41.5q37 -68 93 -116q16 -13 38.5 -11t36.5 17l35 34q14 15 12.5 33.5t-16.5 33.5q-44 44 -89 117q-11 18 -28 20t-32 -12z" /> +<glyph unicode="" d="M592 0h-148l31 120q-91 20 -175.5 68.5t-143.5 106.5t-103.5 119t-66.5 110t-22 76q0 21 14 57.5t42.5 82.5t68 95t94.5 95t116.5 82.5t140 59t160.5 22.5q61 0 126 -15l32 121h148zM944 770l47 181q108 -85 176.5 -192t68.5 -159q0 -26 -19.5 -71t-59.5 -102t-93 -112 t-129 -104.5t-158 -75.5l46 173q77 49 136 117t97 131q11 18 9 42.5t-14 41.5q-54 70 -107 130zM310 824q-70 -69 -160 -184q-13 -16 -15 -40.5t9 -42.5q18 -30 39 -60t57 -70.5t74 -73t90 -61t105 -41.5l41 154q-107 18 -178.5 101.5t-71.5 193.5q0 59 23 114q8 19 4.5 22 t-17.5 -12zM448 727l-35 -36q-15 -15 -19.5 -38.5t4.5 -41.5q37 -68 93 -116q16 -13 38.5 -11t36.5 17l12 11l22 86l-3 4q-44 44 -89 117q-11 18 -28 20t-32 -12z" /> +<glyph unicode="" d="M-90 100l642 1066q20 31 48 28.5t48 -35.5l642 -1056q21 -32 7.5 -67.5t-50.5 -35.5h-1294q-37 0 -50.5 34t7.5 66zM155 200h345v75q0 10 7.5 17.5t17.5 7.5h150q10 0 17.5 -7.5t7.5 -17.5v-75h345l-445 723zM496 700h208q20 0 32 -14.5t8 -34.5l-58 -252 q-4 -20 -21.5 -34.5t-37.5 -14.5h-54q-20 0 -37.5 14.5t-21.5 34.5l-58 252q-4 20 8 34.5t32 14.5z" /> +<glyph unicode="" d="M650 1200q62 0 106 -44t44 -106v-339l363 -325q15 -14 26 -38.5t11 -44.5v-41q0 -20 -12 -26.5t-29 5.5l-359 249v-263q100 -93 100 -113v-64q0 -21 -13 -29t-32 1l-205 128l-205 -128q-19 -9 -32 -1t-13 29v64q0 20 100 113v263l-359 -249q-17 -12 -29 -5.5t-12 26.5v41 q0 20 11 44.5t26 38.5l363 325v339q0 62 44 106t106 44z" /> +<glyph unicode="" d="M850 1200h100q21 0 35.5 -14.5t14.5 -35.5v-50h50q21 0 35.5 -14.5t14.5 -35.5v-150h-1100v150q0 21 14.5 35.5t35.5 14.5h50v50q0 21 14.5 35.5t35.5 14.5h100q21 0 35.5 -14.5t14.5 -35.5v-50h500v50q0 21 14.5 35.5t35.5 14.5zM1100 800v-750q0 -21 -14.5 -35.5 t-35.5 -14.5h-1000q-21 0 -35.5 14.5t-14.5 35.5v750h1100zM100 600v-100h100v100h-100zM300 600v-100h100v100h-100zM500 600v-100h100v100h-100zM700 600v-100h100v100h-100zM900 600v-100h100v100h-100zM100 400v-100h100v100h-100zM300 400v-100h100v100h-100zM500 400 v-100h100v100h-100zM700 400v-100h100v100h-100zM900 400v-100h100v100h-100zM100 200v-100h100v100h-100zM300 200v-100h100v100h-100zM500 200v-100h100v100h-100zM700 200v-100h100v100h-100zM900 200v-100h100v100h-100z" /> +<glyph unicode="" d="M1135 1165l249 -230q15 -14 15 -35t-15 -35l-249 -230q-14 -14 -24.5 -10t-10.5 25v150h-159l-600 -600h-291q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5h209l600 600h241v150q0 21 10.5 25t24.5 -10zM522 819l-141 -141l-122 122h-209q-21 0 -35.5 14.5 t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5h291zM1135 565l249 -230q15 -14 15 -35t-15 -35l-249 -230q-14 -14 -24.5 -10t-10.5 25v150h-241l-181 181l141 141l122 -122h159v150q0 21 10.5 25t24.5 -10z" /> +<glyph unicode="" d="M100 1100h1000q41 0 70.5 -29.5t29.5 -70.5v-600q0 -41 -29.5 -70.5t-70.5 -29.5h-596l-304 -300v300h-100q-41 0 -70.5 29.5t-29.5 70.5v600q0 41 29.5 70.5t70.5 29.5z" /> +<glyph unicode="" d="M150 1200h200q21 0 35.5 -14.5t14.5 -35.5v-250h-300v250q0 21 14.5 35.5t35.5 14.5zM850 1200h200q21 0 35.5 -14.5t14.5 -35.5v-250h-300v250q0 21 14.5 35.5t35.5 14.5zM1100 800v-300q0 -41 -3 -77.5t-15 -89.5t-32 -96t-58 -89t-89 -77t-129 -51t-174 -20t-174 20 t-129 51t-89 77t-58 89t-32 96t-15 89.5t-3 77.5v300h300v-250v-27v-42.5t1.5 -41t5 -38t10 -35t16.5 -30t25.5 -24.5t35 -19t46.5 -12t60 -4t60 4.5t46.5 12.5t35 19.5t25 25.5t17 30.5t10 35t5 38t2 40.5t-0.5 42v25v250h300z" /> +<glyph unicode="" d="M1100 411l-198 -199l-353 353l-353 -353l-197 199l551 551z" /> +<glyph unicode="" d="M1101 789l-550 -551l-551 551l198 199l353 -353l353 353z" /> +<glyph unicode="" d="M404 1000h746q21 0 35.5 -14.5t14.5 -35.5v-551h150q21 0 25 -10.5t-10 -24.5l-230 -249q-14 -15 -35 -15t-35 15l-230 249q-14 14 -10 24.5t25 10.5h150v401h-381zM135 984l230 -249q14 -14 10 -24.5t-25 -10.5h-150v-400h385l215 -200h-750q-21 0 -35.5 14.5 t-14.5 35.5v550h-150q-21 0 -25 10.5t10 24.5l230 249q14 15 35 15t35 -15z" /> +<glyph unicode="" d="M56 1200h94q17 0 31 -11t18 -27l38 -162h896q24 0 39 -18.5t10 -42.5l-100 -475q-5 -21 -27 -42.5t-55 -21.5h-633l48 -200h535q21 0 35.5 -14.5t14.5 -35.5t-14.5 -35.5t-35.5 -14.5h-50v-50q0 -21 -14.5 -35.5t-35.5 -14.5t-35.5 14.5t-14.5 35.5v50h-300v-50 q0 -21 -14.5 -35.5t-35.5 -14.5t-35.5 14.5t-14.5 35.5v50h-31q-18 0 -32.5 10t-20.5 19l-5 10l-201 961h-54q-20 0 -35 14.5t-15 35.5t15 35.5t35 14.5z" /> +<glyph unicode="" d="M1200 1000v-100h-1200v100h200q0 41 29.5 70.5t70.5 29.5h300q41 0 70.5 -29.5t29.5 -70.5h500zM0 800h1200v-800h-1200v800z" /> +<glyph unicode="" d="M200 800l-200 -400v600h200q0 41 29.5 70.5t70.5 29.5h300q42 0 71 -29.5t29 -70.5h500v-200h-1000zM1500 700l-300 -700h-1200l300 700h1200z" /> +<glyph unicode="" d="M635 1184l230 -249q14 -14 10 -24.5t-25 -10.5h-150v-601h150q21 0 25 -10.5t-10 -24.5l-230 -249q-14 -15 -35 -15t-35 15l-230 249q-14 14 -10 24.5t25 10.5h150v601h-150q-21 0 -25 10.5t10 24.5l230 249q14 15 35 15t35 -15z" /> +<glyph unicode="" d="M936 864l249 -229q14 -15 14 -35.5t-14 -35.5l-249 -229q-15 -15 -25.5 -10.5t-10.5 24.5v151h-600v-151q0 -20 -10.5 -24.5t-25.5 10.5l-249 229q-14 15 -14 35.5t14 35.5l249 229q15 15 25.5 10.5t10.5 -25.5v-149h600v149q0 21 10.5 25.5t25.5 -10.5z" /> +<glyph unicode="" d="M1169 400l-172 732q-5 23 -23 45.5t-38 22.5h-672q-20 0 -38 -20t-23 -41l-172 -739h1138zM1100 300h-1000q-41 0 -70.5 -29.5t-29.5 -70.5v-100q0 -41 29.5 -70.5t70.5 -29.5h1000q41 0 70.5 29.5t29.5 70.5v100q0 41 -29.5 70.5t-70.5 29.5zM800 100v100h100v-100h-100 zM1000 100v100h100v-100h-100z" /> +<glyph unicode="" d="M1150 1100q21 0 35.5 -14.5t14.5 -35.5v-850q0 -21 -14.5 -35.5t-35.5 -14.5t-35.5 14.5t-14.5 35.5v850q0 21 14.5 35.5t35.5 14.5zM1000 200l-675 200h-38l47 -276q3 -16 -5.5 -20t-29.5 -4h-7h-84q-20 0 -34.5 14t-18.5 35q-55 337 -55 351v250v6q0 16 1 23.5t6.5 14 t17.5 6.5h200l675 250v-850zM0 750v-250q-4 0 -11 0.5t-24 6t-30 15t-24 30t-11 48.5v50q0 26 10.5 46t25 30t29 16t25.5 7z" /> +<glyph unicode="" d="M553 1200h94q20 0 29 -10.5t3 -29.5l-18 -37q83 -19 144 -82.5t76 -140.5l63 -327l118 -173h17q19 0 33 -14.5t14 -35t-13 -40.5t-31 -27q-8 -4 -23 -9.5t-65 -19.5t-103 -25t-132.5 -20t-158.5 -9q-57 0 -115 5t-104 12t-88.5 15.5t-73.5 17.5t-54.5 16t-35.5 12l-11 4 q-18 8 -31 28t-13 40.5t14 35t33 14.5h17l118 173l63 327q15 77 76 140t144 83l-18 32q-6 19 3.5 32t28.5 13zM498 110q50 -6 102 -6q53 0 102 6q-12 -49 -39.5 -79.5t-62.5 -30.5t-63 30.5t-39 79.5z" /> +<glyph unicode="" d="M800 946l224 78l-78 -224l234 -45l-180 -155l180 -155l-234 -45l78 -224l-224 78l-45 -234l-155 180l-155 -180l-45 234l-224 -78l78 224l-234 45l180 155l-180 155l234 45l-78 224l224 -78l45 234l155 -180l155 180z" /> +<glyph unicode="" d="M650 1200h50q40 0 70 -40.5t30 -84.5v-150l-28 -125h328q40 0 70 -40.5t30 -84.5v-100q0 -45 -29 -74l-238 -344q-16 -24 -38 -40.5t-45 -16.5h-250q-7 0 -42 25t-66 50l-31 25h-61q-45 0 -72.5 18t-27.5 57v400q0 36 20 63l145 196l96 198q13 28 37.5 48t51.5 20z M650 1100l-100 -212l-150 -213v-375h100l136 -100h214l250 375v125h-450l50 225v175h-50zM50 800h100q21 0 35.5 -14.5t14.5 -35.5v-500q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v500q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M600 1100h250q23 0 45 -16.5t38 -40.5l238 -344q29 -29 29 -74v-100q0 -44 -30 -84.5t-70 -40.5h-328q28 -118 28 -125v-150q0 -44 -30 -84.5t-70 -40.5h-50q-27 0 -51.5 20t-37.5 48l-96 198l-145 196q-20 27 -20 63v400q0 39 27.5 57t72.5 18h61q124 100 139 100z M50 1000h100q21 0 35.5 -14.5t14.5 -35.5v-500q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v500q0 21 14.5 35.5t35.5 14.5zM636 1000l-136 -100h-100v-375l150 -213l100 -212h50v175l-50 225h450v125l-250 375h-214z" /> +<glyph unicode="" d="M356 873l363 230q31 16 53 -6l110 -112q13 -13 13.5 -32t-11.5 -34l-84 -121h302q84 0 138 -38t54 -110t-55 -111t-139 -39h-106l-131 -339q-6 -21 -19.5 -41t-28.5 -20h-342q-7 0 -90 81t-83 94v525q0 17 14 35.5t28 28.5zM400 792v-503l100 -89h293l131 339 q6 21 19.5 41t28.5 20h203q21 0 30.5 25t0.5 50t-31 25h-456h-7h-6h-5.5t-6 0.5t-5 1.5t-5 2t-4 2.5t-4 4t-2.5 4.5q-12 25 5 47l146 183l-86 83zM50 800h100q21 0 35.5 -14.5t14.5 -35.5v-500q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v500 q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M475 1103l366 -230q2 -1 6 -3.5t14 -10.5t18 -16.5t14.5 -20t6.5 -22.5v-525q0 -13 -86 -94t-93 -81h-342q-15 0 -28.5 20t-19.5 41l-131 339h-106q-85 0 -139.5 39t-54.5 111t54 110t138 38h302l-85 121q-11 15 -10.5 34t13.5 32l110 112q22 22 53 6zM370 945l146 -183 q17 -22 5 -47q-2 -2 -3.5 -4.5t-4 -4t-4 -2.5t-5 -2t-5 -1.5t-6 -0.5h-6h-6.5h-6h-475v-100h221q15 0 29 -20t20 -41l130 -339h294l106 89v503l-342 236zM1050 800h100q21 0 35.5 -14.5t14.5 -35.5v-500q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5 v500q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M550 1294q72 0 111 -55t39 -139v-106l339 -131q21 -6 41 -19.5t20 -28.5v-342q0 -7 -81 -90t-94 -83h-525q-17 0 -35.5 14t-28.5 28l-9 14l-230 363q-16 31 6 53l112 110q13 13 32 13.5t34 -11.5l121 -84v302q0 84 38 138t110 54zM600 972v203q0 21 -25 30.5t-50 0.5 t-25 -31v-456v-7v-6v-5.5t-0.5 -6t-1.5 -5t-2 -5t-2.5 -4t-4 -4t-4.5 -2.5q-25 -12 -47 5l-183 146l-83 -86l236 -339h503l89 100v293l-339 131q-21 6 -41 19.5t-20 28.5zM450 200h500q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-500 q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M350 1100h500q21 0 35.5 14.5t14.5 35.5v100q0 21 -14.5 35.5t-35.5 14.5h-500q-21 0 -35.5 -14.5t-14.5 -35.5v-100q0 -21 14.5 -35.5t35.5 -14.5zM600 306v-106q0 -84 -39 -139t-111 -55t-110 54t-38 138v302l-121 -84q-15 -12 -34 -11.5t-32 13.5l-112 110 q-22 22 -6 53l230 363q1 2 3.5 6t10.5 13.5t16.5 17t20 13.5t22.5 6h525q13 0 94 -83t81 -90v-342q0 -15 -20 -28.5t-41 -19.5zM308 900l-236 -339l83 -86l183 146q22 17 47 5q2 -1 4.5 -2.5t4 -4t2.5 -4t2 -5t1.5 -5t0.5 -6v-5.5v-6v-7v-456q0 -22 25 -31t50 0.5t25 30.5 v203q0 15 20 28.5t41 19.5l339 131v293l-89 100h-503z" /> +<glyph unicode="" d="M600 1178q118 0 225 -45.5t184.5 -123t123 -184.5t45.5 -225t-45.5 -225t-123 -184.5t-184.5 -123t-225 -45.5t-225 45.5t-184.5 123t-123 184.5t-45.5 225t45.5 225t123 184.5t184.5 123t225 45.5zM914 632l-275 223q-16 13 -27.5 8t-11.5 -26v-137h-275 q-10 0 -17.5 -7.5t-7.5 -17.5v-150q0 -10 7.5 -17.5t17.5 -7.5h275v-137q0 -21 11.5 -26t27.5 8l275 223q16 13 16 32t-16 32z" /> +<glyph unicode="" d="M600 1178q118 0 225 -45.5t184.5 -123t123 -184.5t45.5 -225t-45.5 -225t-123 -184.5t-184.5 -123t-225 -45.5t-225 45.5t-184.5 123t-123 184.5t-45.5 225t45.5 225t123 184.5t184.5 123t225 45.5zM561 855l-275 -223q-16 -13 -16 -32t16 -32l275 -223q16 -13 27.5 -8 t11.5 26v137h275q10 0 17.5 7.5t7.5 17.5v150q0 10 -7.5 17.5t-17.5 7.5h-275v137q0 21 -11.5 26t-27.5 -8z" /> +<glyph unicode="" d="M600 1178q118 0 225 -45.5t184.5 -123t123 -184.5t45.5 -225t-45.5 -225t-123 -184.5t-184.5 -123t-225 -45.5t-225 45.5t-184.5 123t-123 184.5t-45.5 225t45.5 225t123 184.5t184.5 123t225 45.5zM855 639l-223 275q-13 16 -32 16t-32 -16l-223 -275q-13 -16 -8 -27.5 t26 -11.5h137v-275q0 -10 7.5 -17.5t17.5 -7.5h150q10 0 17.5 7.5t7.5 17.5v275h137q21 0 26 11.5t-8 27.5z" /> +<glyph unicode="" d="M600 1178q118 0 225 -45.5t184.5 -123t123 -184.5t45.5 -225t-45.5 -225t-123 -184.5t-184.5 -123t-225 -45.5t-225 45.5t-184.5 123t-123 184.5t-45.5 225t45.5 225t123 184.5t184.5 123t225 45.5zM675 900h-150q-10 0 -17.5 -7.5t-7.5 -17.5v-275h-137q-21 0 -26 -11.5 t8 -27.5l223 -275q13 -16 32 -16t32 16l223 275q13 16 8 27.5t-26 11.5h-137v275q0 10 -7.5 17.5t-17.5 7.5z" /> +<glyph unicode="" d="M600 1176q116 0 222.5 -46t184 -123.5t123.5 -184t46 -222.5t-46 -222.5t-123.5 -184t-184 -123.5t-222.5 -46t-222.5 46t-184 123.5t-123.5 184t-46 222.5t46 222.5t123.5 184t184 123.5t222.5 46zM627 1101q-15 -12 -36.5 -20.5t-35.5 -12t-43 -8t-39 -6.5 q-15 -3 -45.5 0t-45.5 -2q-20 -7 -51.5 -26.5t-34.5 -34.5q-3 -11 6.5 -22.5t8.5 -18.5q-3 -34 -27.5 -91t-29.5 -79q-9 -34 5 -93t8 -87q0 -9 17 -44.5t16 -59.5q12 0 23 -5t23.5 -15t19.5 -14q16 -8 33 -15t40.5 -15t34.5 -12q21 -9 52.5 -32t60 -38t57.5 -11 q7 -15 -3 -34t-22.5 -40t-9.5 -38q13 -21 23 -34.5t27.5 -27.5t36.5 -18q0 -7 -3.5 -16t-3.5 -14t5 -17q104 -2 221 112q30 29 46.5 47t34.5 49t21 63q-13 8 -37 8.5t-36 7.5q-15 7 -49.5 15t-51.5 19q-18 0 -41 -0.5t-43 -1.5t-42 -6.5t-38 -16.5q-51 -35 -66 -12 q-4 1 -3.5 25.5t0.5 25.5q-6 13 -26.5 17.5t-24.5 6.5q1 15 -0.5 30.5t-7 28t-18.5 11.5t-31 -21q-23 -25 -42 4q-19 28 -8 58q6 16 22 22q6 -1 26 -1.5t33.5 -4t19.5 -13.5q7 -12 18 -24t21.5 -20.5t20 -15t15.5 -10.5l5 -3q2 12 7.5 30.5t8 34.5t-0.5 32q-3 18 3.5 29 t18 22.5t15.5 24.5q6 14 10.5 35t8 31t15.5 22.5t34 22.5q-6 18 10 36q8 0 24 -1.5t24.5 -1.5t20 4.5t20.5 15.5q-10 23 -31 42.5t-37.5 29.5t-49 27t-43.5 23q0 1 2 8t3 11.5t1.5 10.5t-1 9.5t-4.5 4.5q31 -13 58.5 -14.5t38.5 2.5l12 5q5 28 -9.5 46t-36.5 24t-50 15 t-41 20q-18 -4 -37 0zM613 994q0 -17 8 -42t17 -45t9 -23q-8 1 -39.5 5.5t-52.5 10t-37 16.5q3 11 16 29.5t16 25.5q10 -10 19 -10t14 6t13.5 14.5t16.5 12.5z" /> +<glyph unicode="" d="M756 1157q164 92 306 -9l-259 -138l145 -232l251 126q6 -89 -34 -156.5t-117 -110.5q-60 -34 -127 -39.5t-126 16.5l-596 -596q-15 -16 -36.5 -16t-36.5 16l-111 110q-15 15 -15 36.5t15 37.5l600 599q-34 101 5.5 201.5t135.5 154.5z" /> +<glyph unicode="" horiz-adv-x="1220" d="M100 1196h1000q41 0 70.5 -29.5t29.5 -70.5v-100q0 -41 -29.5 -70.5t-70.5 -29.5h-1000q-41 0 -70.5 29.5t-29.5 70.5v100q0 41 29.5 70.5t70.5 29.5zM1100 1096h-200v-100h200v100zM100 796h1000q41 0 70.5 -29.5t29.5 -70.5v-100q0 -41 -29.5 -70.5t-70.5 -29.5h-1000 q-41 0 -70.5 29.5t-29.5 70.5v100q0 41 29.5 70.5t70.5 29.5zM1100 696h-500v-100h500v100zM100 396h1000q41 0 70.5 -29.5t29.5 -70.5v-100q0 -41 -29.5 -70.5t-70.5 -29.5h-1000q-41 0 -70.5 29.5t-29.5 70.5v100q0 41 29.5 70.5t70.5 29.5zM1100 296h-300v-100h300v100z " /> +<glyph unicode="" d="M150 1200h900q21 0 35.5 -14.5t14.5 -35.5t-14.5 -35.5t-35.5 -14.5h-900q-21 0 -35.5 14.5t-14.5 35.5t14.5 35.5t35.5 14.5zM700 500v-300l-200 -200v500l-350 500h900z" /> +<glyph unicode="" d="M500 1200h200q41 0 70.5 -29.5t29.5 -70.5v-100h300q41 0 70.5 -29.5t29.5 -70.5v-400h-500v100h-200v-100h-500v400q0 41 29.5 70.5t70.5 29.5h300v100q0 41 29.5 70.5t70.5 29.5zM500 1100v-100h200v100h-200zM1200 400v-200q0 -41 -29.5 -70.5t-70.5 -29.5h-1000 q-41 0 -70.5 29.5t-29.5 70.5v200h1200z" /> +<glyph unicode="" d="M50 1200h300q21 0 25 -10.5t-10 -24.5l-94 -94l199 -199q7 -8 7 -18t-7 -18l-106 -106q-8 -7 -18 -7t-18 7l-199 199l-94 -94q-14 -14 -24.5 -10t-10.5 25v300q0 21 14.5 35.5t35.5 14.5zM850 1200h300q21 0 35.5 -14.5t14.5 -35.5v-300q0 -21 -10.5 -25t-24.5 10l-94 94 l-199 -199q-8 -7 -18 -7t-18 7l-106 106q-7 8 -7 18t7 18l199 199l-94 94q-14 14 -10 24.5t25 10.5zM364 470l106 -106q7 -8 7 -18t-7 -18l-199 -199l94 -94q14 -14 10 -24.5t-25 -10.5h-300q-21 0 -35.5 14.5t-14.5 35.5v300q0 21 10.5 25t24.5 -10l94 -94l199 199 q8 7 18 7t18 -7zM1071 271l94 94q14 14 24.5 10t10.5 -25v-300q0 -21 -14.5 -35.5t-35.5 -14.5h-300q-21 0 -25 10.5t10 24.5l94 94l-199 199q-7 8 -7 18t7 18l106 106q8 7 18 7t18 -7z" /> +<glyph unicode="" d="M596 1192q121 0 231.5 -47.5t190 -127t127 -190t47.5 -231.5t-47.5 -231.5t-127 -190.5t-190 -127t-231.5 -47t-231.5 47t-190.5 127t-127 190.5t-47 231.5t47 231.5t127 190t190.5 127t231.5 47.5zM596 1010q-112 0 -207.5 -55.5t-151 -151t-55.5 -207.5t55.5 -207.5 t151 -151t207.5 -55.5t207.5 55.5t151 151t55.5 207.5t-55.5 207.5t-151 151t-207.5 55.5zM454.5 905q22.5 0 38.5 -16t16 -38.5t-16 -39t-38.5 -16.5t-38.5 16.5t-16 39t16 38.5t38.5 16zM754.5 905q22.5 0 38.5 -16t16 -38.5t-16 -39t-38 -16.5q-14 0 -29 10l-55 -145 q17 -23 17 -51q0 -36 -25.5 -61.5t-61.5 -25.5t-61.5 25.5t-25.5 61.5q0 32 20.5 56.5t51.5 29.5l122 126l1 1q-9 14 -9 28q0 23 16 39t38.5 16zM345.5 709q22.5 0 38.5 -16t16 -38.5t-16 -38.5t-38.5 -16t-38.5 16t-16 38.5t16 38.5t38.5 16zM854.5 709q22.5 0 38.5 -16 t16 -38.5t-16 -38.5t-38.5 -16t-38.5 16t-16 38.5t16 38.5t38.5 16z" /> +<glyph unicode="" d="M546 173l469 470q91 91 99 192q7 98 -52 175.5t-154 94.5q-22 4 -47 4q-34 0 -66.5 -10t-56.5 -23t-55.5 -38t-48 -41.5t-48.5 -47.5q-376 -375 -391 -390q-30 -27 -45 -41.5t-37.5 -41t-32 -46.5t-16 -47.5t-1.5 -56.5q9 -62 53.5 -95t99.5 -33q74 0 125 51l548 548 q36 36 20 75q-7 16 -21.5 26t-32.5 10q-26 0 -50 -23q-13 -12 -39 -38l-341 -338q-15 -15 -35.5 -15.5t-34.5 13.5t-14 34.5t14 34.5q327 333 361 367q35 35 67.5 51.5t78.5 16.5q14 0 29 -1q44 -8 74.5 -35.5t43.5 -68.5q14 -47 2 -96.5t-47 -84.5q-12 -11 -32 -32 t-79.5 -81t-114.5 -115t-124.5 -123.5t-123 -119.5t-96.5 -89t-57 -45q-56 -27 -120 -27q-70 0 -129 32t-93 89q-48 78 -35 173t81 163l511 511q71 72 111 96q91 55 198 55q80 0 152 -33q78 -36 129.5 -103t66.5 -154q17 -93 -11 -183.5t-94 -156.5l-482 -476 q-15 -15 -36 -16t-37 14t-17.5 34t14.5 35z" /> +<glyph unicode="" d="M649 949q48 68 109.5 104t121.5 38.5t118.5 -20t102.5 -64t71 -100.5t27 -123q0 -57 -33.5 -117.5t-94 -124.5t-126.5 -127.5t-150 -152.5t-146 -174q-62 85 -145.5 174t-150 152.5t-126.5 127.5t-93.5 124.5t-33.5 117.5q0 64 28 123t73 100.5t104 64t119 20 t120.5 -38.5t104.5 -104zM896 972q-33 0 -64.5 -19t-56.5 -46t-47.5 -53.5t-43.5 -45.5t-37.5 -19t-36 19t-40 45.5t-43 53.5t-54 46t-65.5 19q-67 0 -122.5 -55.5t-55.5 -132.5q0 -23 13.5 -51t46 -65t57.5 -63t76 -75l22 -22q15 -14 44 -44t50.5 -51t46 -44t41 -35t23 -12 t23.5 12t42.5 36t46 44t52.5 52t44 43q4 4 12 13q43 41 63.5 62t52 55t46 55t26 46t11.5 44q0 79 -53 133.5t-120 54.5z" /> +<glyph unicode="" d="M776.5 1214q93.5 0 159.5 -66l141 -141q66 -66 66 -160q0 -42 -28 -95.5t-62 -87.5l-29 -29q-31 53 -77 99l-18 18l95 95l-247 248l-389 -389l212 -212l-105 -106l-19 18l-141 141q-66 66 -66 159t66 159l283 283q65 66 158.5 66zM600 706l105 105q10 -8 19 -17l141 -141 q66 -66 66 -159t-66 -159l-283 -283q-66 -66 -159 -66t-159 66l-141 141q-66 66 -66 159.5t66 159.5l55 55q29 -55 75 -102l18 -17l-95 -95l247 -248l389 389z" /> +<glyph unicode="" d="M603 1200q85 0 162 -15t127 -38t79 -48t29 -46v-953q0 -41 -29.5 -70.5t-70.5 -29.5h-600q-41 0 -70.5 29.5t-29.5 70.5v953q0 21 30 46.5t81 48t129 37.5t163 15zM300 1000v-700h600v700h-600zM600 254q-43 0 -73.5 -30.5t-30.5 -73.5t30.5 -73.5t73.5 -30.5t73.5 30.5 t30.5 73.5t-30.5 73.5t-73.5 30.5z" /> +<glyph unicode="" d="M902 1185l283 -282q15 -15 15 -36t-14.5 -35.5t-35.5 -14.5t-35 15l-36 35l-279 -267v-300l-212 210l-308 -307l-280 -203l203 280l307 308l-210 212h300l267 279l-35 36q-15 14 -15 35t14.5 35.5t35.5 14.5t35 -15z" /> +<glyph unicode="" d="M700 1248v-78q38 -5 72.5 -14.5t75.5 -31.5t71 -53.5t52 -84t24 -118.5h-159q-4 36 -10.5 59t-21 45t-40 35.5t-64.5 20.5v-307l64 -13q34 -7 64 -16.5t70 -32t67.5 -52.5t47.5 -80t20 -112q0 -139 -89 -224t-244 -97v-77h-100v79q-150 16 -237 103q-40 40 -52.5 93.5 t-15.5 139.5h139q5 -77 48.5 -126t117.5 -65v335l-27 8q-46 14 -79 26.5t-72 36t-63 52t-40 72.5t-16 98q0 70 25 126t67.5 92t94.5 57t110 27v77h100zM600 754v274q-29 -4 -50 -11t-42 -21.5t-31.5 -41.5t-10.5 -65q0 -29 7 -50.5t16.5 -34t28.5 -22.5t31.5 -14t37.5 -10 q9 -3 13 -4zM700 547v-310q22 2 42.5 6.5t45 15.5t41.5 27t29 42t12 59.5t-12.5 59.5t-38 44.5t-53 31t-66.5 24.5z" /> +<glyph unicode="" d="M561 1197q84 0 160.5 -40t123.5 -109.5t47 -147.5h-153q0 40 -19.5 71.5t-49.5 48.5t-59.5 26t-55.5 9q-37 0 -79 -14.5t-62 -35.5q-41 -44 -41 -101q0 -26 13.5 -63t26.5 -61t37 -66q6 -9 9 -14h241v-100h-197q8 -50 -2.5 -115t-31.5 -95q-45 -62 -99 -112 q34 10 83 17.5t71 7.5q32 1 102 -16t104 -17q83 0 136 30l50 -147q-31 -19 -58 -30.5t-55 -15.5t-42 -4.5t-46 -0.5q-23 0 -76 17t-111 32.5t-96 11.5q-39 -3 -82 -16t-67 -25l-23 -11l-55 145q4 3 16 11t15.5 10.5t13 9t15.5 12t14.5 14t17.5 18.5q48 55 54 126.5 t-30 142.5h-221v100h166q-23 47 -44 104q-7 20 -12 41.5t-6 55.5t6 66.5t29.5 70.5t58.5 71q97 88 263 88z" /> +<glyph unicode="" d="M400 300h150q21 0 25 -11t-10 -25l-230 -250q-14 -15 -35 -15t-35 15l-230 250q-14 14 -10 25t25 11h150v900h200v-900zM935 1184l230 -249q14 -14 10 -24.5t-25 -10.5h-150v-900h-200v900h-150q-21 0 -25 10.5t10 24.5l230 249q14 15 35 15t35 -15z" /> +<glyph unicode="" d="M1000 700h-100v100h-100v-100h-100v500h300v-500zM400 300h150q21 0 25 -11t-10 -25l-230 -250q-14 -15 -35 -15t-35 15l-230 250q-14 14 -10 25t25 11h150v900h200v-900zM801 1100v-200h100v200h-100zM1000 350l-200 -250h200v-100h-300v150l200 250h-200v100h300v-150z " /> +<glyph unicode="" d="M400 300h150q21 0 25 -11t-10 -25l-230 -250q-14 -15 -35 -15t-35 15l-230 250q-14 14 -10 25t25 11h150v900h200v-900zM1000 1050l-200 -250h200v-100h-300v150l200 250h-200v100h300v-150zM1000 0h-100v100h-100v-100h-100v500h300v-500zM801 400v-200h100v200h-100z " /> +<glyph unicode="" d="M400 300h150q21 0 25 -11t-10 -25l-230 -250q-14 -15 -35 -15t-35 15l-230 250q-14 14 -10 25t25 11h150v900h200v-900zM1000 700h-100v400h-100v100h200v-500zM1100 0h-100v100h-200v400h300v-500zM901 400v-200h100v200h-100z" /> +<glyph unicode="" d="M400 300h150q21 0 25 -11t-10 -25l-230 -250q-14 -15 -35 -15t-35 15l-230 250q-14 14 -10 25t25 11h150v900h200v-900zM1100 700h-100v100h-200v400h300v-500zM901 1100v-200h100v200h-100zM1000 0h-100v400h-100v100h200v-500z" /> +<glyph unicode="" d="M400 300h150q21 0 25 -11t-10 -25l-230 -250q-14 -15 -35 -15t-35 15l-230 250q-14 14 -10 25t25 11h150v900h200v-900zM900 1000h-200v200h200v-200zM1000 700h-300v200h300v-200zM1100 400h-400v200h400v-200zM1200 100h-500v200h500v-200z" /> +<glyph unicode="" d="M400 300h150q21 0 25 -11t-10 -25l-230 -250q-14 -15 -35 -15t-35 15l-230 250q-14 14 -10 25t25 11h150v900h200v-900zM1200 1000h-500v200h500v-200zM1100 700h-400v200h400v-200zM1000 400h-300v200h300v-200zM900 100h-200v200h200v-200z" /> +<glyph unicode="" d="M350 1100h400q162 0 256 -93.5t94 -256.5v-400q0 -165 -93.5 -257.5t-256.5 -92.5h-400q-165 0 -257.5 92.5t-92.5 257.5v400q0 165 92.5 257.5t257.5 92.5zM800 900h-500q-41 0 -70.5 -29.5t-29.5 -70.5v-500q0 -41 29.5 -70.5t70.5 -29.5h500q41 0 70.5 29.5t29.5 70.5 v500q0 41 -29.5 70.5t-70.5 29.5z" /> +<glyph unicode="" d="M350 1100h400q165 0 257.5 -92.5t92.5 -257.5v-400q0 -165 -92.5 -257.5t-257.5 -92.5h-400q-163 0 -256.5 92.5t-93.5 257.5v400q0 163 94 256.5t256 93.5zM800 900h-500q-41 0 -70.5 -29.5t-29.5 -70.5v-500q0 -41 29.5 -70.5t70.5 -29.5h500q41 0 70.5 29.5t29.5 70.5 v500q0 41 -29.5 70.5t-70.5 29.5zM440 770l253 -190q17 -12 17 -30t-17 -30l-253 -190q-16 -12 -28 -6.5t-12 26.5v400q0 21 12 26.5t28 -6.5z" /> +<glyph unicode="" d="M350 1100h400q163 0 256.5 -94t93.5 -256v-400q0 -165 -92.5 -257.5t-257.5 -92.5h-400q-165 0 -257.5 92.5t-92.5 257.5v400q0 163 92.5 256.5t257.5 93.5zM800 900h-500q-41 0 -70.5 -29.5t-29.5 -70.5v-500q0 -41 29.5 -70.5t70.5 -29.5h500q41 0 70.5 29.5t29.5 70.5 v500q0 41 -29.5 70.5t-70.5 29.5zM350 700h400q21 0 26.5 -12t-6.5 -28l-190 -253q-12 -17 -30 -17t-30 17l-190 253q-12 16 -6.5 28t26.5 12z" /> +<glyph unicode="" d="M350 1100h400q165 0 257.5 -92.5t92.5 -257.5v-400q0 -163 -92.5 -256.5t-257.5 -93.5h-400q-163 0 -256.5 94t-93.5 256v400q0 165 92.5 257.5t257.5 92.5zM800 900h-500q-41 0 -70.5 -29.5t-29.5 -70.5v-500q0 -41 29.5 -70.5t70.5 -29.5h500q41 0 70.5 29.5t29.5 70.5 v500q0 41 -29.5 70.5t-70.5 29.5zM580 693l190 -253q12 -16 6.5 -28t-26.5 -12h-400q-21 0 -26.5 12t6.5 28l190 253q12 17 30 17t30 -17z" /> +<glyph unicode="" d="M550 1100h400q165 0 257.5 -92.5t92.5 -257.5v-400q0 -165 -92.5 -257.5t-257.5 -92.5h-400q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5h450q41 0 70.5 29.5t29.5 70.5v500q0 41 -29.5 70.5t-70.5 29.5h-450q-21 0 -35.5 14.5t-14.5 35.5v100 q0 21 14.5 35.5t35.5 14.5zM338 867l324 -284q16 -14 16 -33t-16 -33l-324 -284q-16 -14 -27 -9t-11 26v150h-250q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5h250v150q0 21 11 26t27 -9z" /> +<glyph unicode="" d="M793 1182l9 -9q8 -10 5 -27q-3 -11 -79 -225.5t-78 -221.5l300 1q24 0 32.5 -17.5t-5.5 -35.5q-1 0 -133.5 -155t-267 -312.5t-138.5 -162.5q-12 -15 -26 -15h-9l-9 8q-9 11 -4 32q2 9 42 123.5t79 224.5l39 110h-302q-23 0 -31 19q-10 21 6 41q75 86 209.5 237.5 t228 257t98.5 111.5q9 16 25 16h9z" /> +<glyph unicode="" d="M350 1100h400q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-450q-41 0 -70.5 -29.5t-29.5 -70.5v-500q0 -41 29.5 -70.5t70.5 -29.5h450q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-400q-165 0 -257.5 92.5t-92.5 257.5v400 q0 165 92.5 257.5t257.5 92.5zM938 867l324 -284q16 -14 16 -33t-16 -33l-324 -284q-16 -14 -27 -9t-11 26v150h-250q-21 0 -35.5 14.5t-14.5 35.5v200q0 21 14.5 35.5t35.5 14.5h250v150q0 21 11 26t27 -9z" /> +<glyph unicode="" d="M750 1200h400q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -10.5 -25t-24.5 10l-109 109l-312 -312q-15 -15 -35.5 -15t-35.5 15l-141 141q-15 15 -15 35.5t15 35.5l312 312l-109 109q-14 14 -10 24.5t25 10.5zM456 900h-156q-41 0 -70.5 -29.5t-29.5 -70.5v-500 q0 -41 29.5 -70.5t70.5 -29.5h500q41 0 70.5 29.5t29.5 70.5v148l200 200v-298q0 -165 -93.5 -257.5t-256.5 -92.5h-400q-165 0 -257.5 92.5t-92.5 257.5v400q0 165 92.5 257.5t257.5 92.5h300z" /> +<glyph unicode="" d="M600 1186q119 0 227.5 -46.5t187 -125t125 -187t46.5 -227.5t-46.5 -227.5t-125 -187t-187 -125t-227.5 -46.5t-227.5 46.5t-187 125t-125 187t-46.5 227.5t46.5 227.5t125 187t187 125t227.5 46.5zM600 1022q-115 0 -212 -56.5t-153.5 -153.5t-56.5 -212t56.5 -212 t153.5 -153.5t212 -56.5t212 56.5t153.5 153.5t56.5 212t-56.5 212t-153.5 153.5t-212 56.5zM600 794q80 0 137 -57t57 -137t-57 -137t-137 -57t-137 57t-57 137t57 137t137 57z" /> +<glyph unicode="" d="M450 1200h200q21 0 35.5 -14.5t14.5 -35.5v-350h245q20 0 25 -11t-9 -26l-383 -426q-14 -15 -33.5 -15t-32.5 15l-379 426q-13 15 -8.5 26t25.5 11h250v350q0 21 14.5 35.5t35.5 14.5zM50 300h1000q21 0 35.5 -14.5t14.5 -35.5v-250h-1100v250q0 21 14.5 35.5t35.5 14.5z M900 200v-50h100v50h-100z" /> +<glyph unicode="" d="M583 1182l378 -435q14 -15 9 -31t-26 -16h-244v-250q0 -20 -17 -35t-39 -15h-200q-20 0 -32 14.5t-12 35.5v250h-250q-20 0 -25.5 16.5t8.5 31.5l383 431q14 16 33.5 17t33.5 -14zM50 300h1000q21 0 35.5 -14.5t14.5 -35.5v-250h-1100v250q0 21 14.5 35.5t35.5 14.5z M900 200v-50h100v50h-100z" /> +<glyph unicode="" d="M396 723l369 369q7 7 17.5 7t17.5 -7l139 -139q7 -8 7 -18.5t-7 -17.5l-525 -525q-7 -8 -17.5 -8t-17.5 8l-292 291q-7 8 -7 18t7 18l139 139q8 7 18.5 7t17.5 -7zM50 300h1000q21 0 35.5 -14.5t14.5 -35.5v-250h-1100v250q0 21 14.5 35.5t35.5 14.5zM900 200v-50h100v50 h-100z" /> +<glyph unicode="" d="M135 1023l142 142q14 14 35 14t35 -14l77 -77l-212 -212l-77 76q-14 15 -14 36t14 35zM655 855l210 210q14 14 24.5 10t10.5 -25l-2 -599q-1 -20 -15.5 -35t-35.5 -15l-597 -1q-21 0 -25 10.5t10 24.5l208 208l-154 155l212 212zM50 300h1000q21 0 35.5 -14.5t14.5 -35.5 v-250h-1100v250q0 21 14.5 35.5t35.5 14.5zM900 200v-50h100v50h-100z" /> +<glyph unicode="" d="M350 1200l599 -2q20 -1 35 -15.5t15 -35.5l1 -597q0 -21 -10.5 -25t-24.5 10l-208 208l-155 -154l-212 212l155 154l-210 210q-14 14 -10 24.5t25 10.5zM524 512l-76 -77q-15 -14 -36 -14t-35 14l-142 142q-14 14 -14 35t14 35l77 77zM50 300h1000q21 0 35.5 -14.5 t14.5 -35.5v-250h-1100v250q0 21 14.5 35.5t35.5 14.5zM900 200v-50h100v50h-100z" /> +<glyph unicode="" d="M1200 103l-483 276l-314 -399v423h-399l1196 796v-1096zM483 424v-230l683 953z" /> +<glyph unicode="" d="M1100 1000v-850q0 -21 -14.5 -35.5t-35.5 -14.5h-150v400h-700v-400h-150q-21 0 -35.5 14.5t-14.5 35.5v1000q0 20 14.5 35t35.5 15h250v-300h500v300h100zM700 1000h-100v200h100v-200z" /> +<glyph unicode="" d="M1100 1000l-2 -149l-299 -299l-95 95q-9 9 -21.5 9t-21.5 -9l-149 -147h-312v-400h-150q-21 0 -35.5 14.5t-14.5 35.5v1000q0 20 14.5 35t35.5 15h250v-300h500v300h100zM700 1000h-100v200h100v-200zM1132 638l106 -106q7 -7 7 -17.5t-7 -17.5l-420 -421q-8 -7 -18 -7 t-18 7l-202 203q-8 7 -8 17.5t8 17.5l106 106q7 8 17.5 8t17.5 -8l79 -79l297 297q7 7 17.5 7t17.5 -7z" /> +<glyph unicode="" d="M1100 1000v-269l-103 -103l-134 134q-15 15 -33.5 16.5t-34.5 -12.5l-266 -266h-329v-400h-150q-21 0 -35.5 14.5t-14.5 35.5v1000q0 20 14.5 35t35.5 15h250v-300h500v300h100zM700 1000h-100v200h100v-200zM1202 572l70 -70q15 -15 15 -35.5t-15 -35.5l-131 -131 l131 -131q15 -15 15 -35.5t-15 -35.5l-70 -70q-15 -15 -35.5 -15t-35.5 15l-131 131l-131 -131q-15 -15 -35.5 -15t-35.5 15l-70 70q-15 15 -15 35.5t15 35.5l131 131l-131 131q-15 15 -15 35.5t15 35.5l70 70q15 15 35.5 15t35.5 -15l131 -131l131 131q15 15 35.5 15 t35.5 -15z" /> +<glyph unicode="" d="M1100 1000v-300h-350q-21 0 -35.5 -14.5t-14.5 -35.5v-150h-500v-400h-150q-21 0 -35.5 14.5t-14.5 35.5v1000q0 20 14.5 35t35.5 15h250v-300h500v300h100zM700 1000h-100v200h100v-200zM850 600h100q21 0 35.5 -14.5t14.5 -35.5v-250h150q21 0 25 -10.5t-10 -24.5 l-230 -230q-14 -14 -35 -14t-35 14l-230 230q-14 14 -10 24.5t25 10.5h150v250q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M1100 1000v-400l-165 165q-14 15 -35 15t-35 -15l-263 -265h-402v-400h-150q-21 0 -35.5 14.5t-14.5 35.5v1000q0 20 14.5 35t35.5 15h250v-300h500v300h100zM700 1000h-100v200h100v-200zM935 565l230 -229q14 -15 10 -25.5t-25 -10.5h-150v-250q0 -20 -14.5 -35 t-35.5 -15h-100q-21 0 -35.5 15t-14.5 35v250h-150q-21 0 -25 10.5t10 25.5l230 229q14 15 35 15t35 -15z" /> +<glyph unicode="" d="M50 1100h1100q21 0 35.5 -14.5t14.5 -35.5v-150h-1200v150q0 21 14.5 35.5t35.5 14.5zM1200 800v-550q0 -21 -14.5 -35.5t-35.5 -14.5h-1100q-21 0 -35.5 14.5t-14.5 35.5v550h1200zM100 500v-200h400v200h-400z" /> +<glyph unicode="" d="M935 1165l248 -230q14 -14 14 -35t-14 -35l-248 -230q-14 -14 -24.5 -10t-10.5 25v150h-400v200h400v150q0 21 10.5 25t24.5 -10zM200 800h-50q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5h50v-200zM400 800h-100v200h100v-200zM18 435l247 230 q14 14 24.5 10t10.5 -25v-150h400v-200h-400v-150q0 -21 -10.5 -25t-24.5 10l-247 230q-15 14 -15 35t15 35zM900 300h-100v200h100v-200zM1000 500h51q20 0 34.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-34.5 -14.5h-51v200z" /> +<glyph unicode="" d="M862 1073l276 116q25 18 43.5 8t18.5 -41v-1106q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v397q-4 1 -11 5t-24 17.5t-30 29t-24 42t-11 56.5v359q0 31 18.5 65t43.5 52zM550 1200q22 0 34.5 -12.5t14.5 -24.5l1 -13v-450q0 -28 -10.5 -59.5 t-25 -56t-29 -45t-25.5 -31.5l-10 -11v-447q0 -21 -14.5 -35.5t-35.5 -14.5h-200q-21 0 -35.5 14.5t-14.5 35.5v447q-4 4 -11 11.5t-24 30.5t-30 46t-24 55t-11 60v450q0 2 0.5 5.5t4 12t8.5 15t14.5 12t22.5 5.5q20 0 32.5 -12.5t14.5 -24.5l3 -13v-350h100v350v5.5t2.5 12 t7 15t15 12t25.5 5.5q23 0 35.5 -12.5t13.5 -24.5l1 -13v-350h100v350q0 2 0.5 5.5t3 12t7 15t15 12t24.5 5.5z" /> +<glyph unicode="" d="M1200 1100v-56q-4 0 -11 -0.5t-24 -3t-30 -7.5t-24 -15t-11 -24v-888q0 -22 25 -34.5t50 -13.5l25 -2v-56h-400v56q75 0 87.5 6.5t12.5 43.5v394h-500v-394q0 -37 12.5 -43.5t87.5 -6.5v-56h-400v56q4 0 11 0.5t24 3t30 7.5t24 15t11 24v888q0 22 -25 34.5t-50 13.5 l-25 2v56h400v-56q-75 0 -87.5 -6.5t-12.5 -43.5v-394h500v394q0 37 -12.5 43.5t-87.5 6.5v56h400z" /> +<glyph unicode="" d="M675 1000h375q21 0 35.5 -14.5t14.5 -35.5v-150h-105l-295 -98v98l-200 200h-400l100 100h375zM100 900h300q41 0 70.5 -29.5t29.5 -70.5v-500q0 -41 -29.5 -70.5t-70.5 -29.5h-300q-41 0 -70.5 29.5t-29.5 70.5v500q0 41 29.5 70.5t70.5 29.5zM100 800v-200h300v200 h-300zM1100 535l-400 -133v163l400 133v-163zM100 500v-200h300v200h-300zM1100 398v-248q0 -21 -14.5 -35.5t-35.5 -14.5h-375l-100 -100h-375l-100 100h400l200 200h105z" /> +<glyph unicode="" d="M17 1007l162 162q17 17 40 14t37 -22l139 -194q14 -20 11 -44.5t-20 -41.5l-119 -118q102 -142 228 -268t267 -227l119 118q17 17 42.5 19t44.5 -12l192 -136q19 -14 22.5 -37.5t-13.5 -40.5l-163 -162q-3 -1 -9.5 -1t-29.5 2t-47.5 6t-62.5 14.5t-77.5 26.5t-90 42.5 t-101.5 60t-111 83t-119 108.5q-74 74 -133.5 150.5t-94.5 138.5t-60 119.5t-34.5 100t-15 74.5t-4.5 48z" /> +<glyph unicode="" d="M600 1100q92 0 175 -10.5t141.5 -27t108.5 -36.5t81.5 -40t53.5 -37t31 -27l9 -10v-200q0 -21 -14.5 -33t-34.5 -9l-202 34q-20 3 -34.5 20t-14.5 38v146q-141 24 -300 24t-300 -24v-146q0 -21 -14.5 -38t-34.5 -20l-202 -34q-20 -3 -34.5 9t-14.5 33v200q3 4 9.5 10.5 t31 26t54 37.5t80.5 39.5t109 37.5t141 26.5t175 10.5zM600 795q56 0 97 -9.5t60 -23.5t30 -28t12 -24l1 -10v-50l365 -303q14 -15 24.5 -40t10.5 -45v-212q0 -21 -14.5 -35.5t-35.5 -14.5h-1100q-21 0 -35.5 14.5t-14.5 35.5v212q0 20 10.5 45t24.5 40l365 303v50 q0 4 1 10.5t12 23t30 29t60 22.5t97 10z" /> +<glyph unicode="" d="M1100 700l-200 -200h-600l-200 200v500h200v-200h200v200h200v-200h200v200h200v-500zM250 400h700q21 0 35.5 -14.5t14.5 -35.5t-14.5 -35.5t-35.5 -14.5h-12l137 -100h-950l137 100h-12q-21 0 -35.5 14.5t-14.5 35.5t14.5 35.5t35.5 14.5zM50 100h1100q21 0 35.5 -14.5 t14.5 -35.5v-50h-1200v50q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M700 1100h-100q-41 0 -70.5 -29.5t-29.5 -70.5v-1000h300v1000q0 41 -29.5 70.5t-70.5 29.5zM1100 800h-100q-41 0 -70.5 -29.5t-29.5 -70.5v-700h300v700q0 41 -29.5 70.5t-70.5 29.5zM400 0h-300v400q0 41 29.5 70.5t70.5 29.5h100q41 0 70.5 -29.5t29.5 -70.5v-400z " /> +<glyph unicode="" d="M200 1100h700q124 0 212 -88t88 -212v-500q0 -124 -88 -212t-212 -88h-700q-124 0 -212 88t-88 212v500q0 124 88 212t212 88zM100 900v-700h900v700h-900zM500 700h-200v-100h200v-300h-300v100h200v100h-200v300h300v-100zM900 700v-300l-100 -100h-200v500h200z M700 700v-300h100v300h-100z" /> +<glyph unicode="" d="M200 1100h700q124 0 212 -88t88 -212v-500q0 -124 -88 -212t-212 -88h-700q-124 0 -212 88t-88 212v500q0 124 88 212t212 88zM100 900v-700h900v700h-900zM500 300h-100v200h-100v-200h-100v500h100v-200h100v200h100v-500zM900 700v-300l-100 -100h-200v500h200z M700 700v-300h100v300h-100z" /> +<glyph unicode="" d="M200 1100h700q124 0 212 -88t88 -212v-500q0 -124 -88 -212t-212 -88h-700q-124 0 -212 88t-88 212v500q0 124 88 212t212 88zM100 900v-700h900v700h-900zM500 700h-200v-300h200v-100h-300v500h300v-100zM900 700h-200v-300h200v-100h-300v500h300v-100z" /> +<glyph unicode="" d="M200 1100h700q124 0 212 -88t88 -212v-500q0 -124 -88 -212t-212 -88h-700q-124 0 -212 88t-88 212v500q0 124 88 212t212 88zM100 900v-700h900v700h-900zM500 400l-300 150l300 150v-300zM900 550l-300 -150v300z" /> +<glyph unicode="" d="M200 1100h700q124 0 212 -88t88 -212v-500q0 -124 -88 -212t-212 -88h-700q-124 0 -212 88t-88 212v500q0 124 88 212t212 88zM100 900v-700h900v700h-900zM900 300h-700v500h700v-500zM800 700h-130q-38 0 -66.5 -43t-28.5 -108t27 -107t68 -42h130v300zM300 700v-300 h130q41 0 68 42t27 107t-28.5 108t-66.5 43h-130z" /> +<glyph unicode="" d="M200 1100h700q124 0 212 -88t88 -212v-500q0 -124 -88 -212t-212 -88h-700q-124 0 -212 88t-88 212v500q0 124 88 212t212 88zM100 900v-700h900v700h-900zM500 700h-200v-100h200v-300h-300v100h200v100h-200v300h300v-100zM900 300h-100v400h-100v100h200v-500z M700 300h-100v100h100v-100z" /> +<glyph unicode="" d="M200 1100h700q124 0 212 -88t88 -212v-500q0 -124 -88 -212t-212 -88h-700q-124 0 -212 88t-88 212v500q0 124 88 212t212 88zM100 900v-700h900v700h-900zM300 700h200v-400h-300v500h100v-100zM900 300h-100v400h-100v100h200v-500zM300 600v-200h100v200h-100z M700 300h-100v100h100v-100z" /> +<glyph unicode="" d="M200 1100h700q124 0 212 -88t88 -212v-500q0 -124 -88 -212t-212 -88h-700q-124 0 -212 88t-88 212v500q0 124 88 212t212 88zM100 900v-700h900v700h-900zM500 500l-199 -200h-100v50l199 200v150h-200v100h300v-300zM900 300h-100v400h-100v100h200v-500zM701 300h-100 v100h100v-100z" /> +<glyph unicode="" d="M600 1191q120 0 229.5 -47t188.5 -126t126 -188.5t47 -229.5t-47 -229.5t-126 -188.5t-188.5 -126t-229.5 -47t-229.5 47t-188.5 126t-126 188.5t-47 229.5t47 229.5t126 188.5t188.5 126t229.5 47zM600 1021q-114 0 -211 -56.5t-153.5 -153.5t-56.5 -211t56.5 -211 t153.5 -153.5t211 -56.5t211 56.5t153.5 153.5t56.5 211t-56.5 211t-153.5 153.5t-211 56.5zM800 700h-300v-200h300v-100h-300l-100 100v200l100 100h300v-100z" /> +<glyph unicode="" d="M600 1191q120 0 229.5 -47t188.5 -126t126 -188.5t47 -229.5t-47 -229.5t-126 -188.5t-188.5 -126t-229.5 -47t-229.5 47t-188.5 126t-126 188.5t-47 229.5t47 229.5t126 188.5t188.5 126t229.5 47zM600 1021q-114 0 -211 -56.5t-153.5 -153.5t-56.5 -211t56.5 -211 t153.5 -153.5t211 -56.5t211 56.5t153.5 153.5t56.5 211t-56.5 211t-153.5 153.5t-211 56.5zM800 700v-100l-50 -50l100 -100v-50h-100l-100 100h-150v-100h-100v400h300zM500 700v-100h200v100h-200z" /> +<glyph unicode="" d="M503 1089q110 0 200.5 -59.5t134.5 -156.5q44 14 90 14q120 0 205 -86.5t85 -207t-85 -207t-205 -86.5h-128v250q0 21 -14.5 35.5t-35.5 14.5h-300q-21 0 -35.5 -14.5t-14.5 -35.5v-250h-222q-80 0 -136 57.5t-56 136.5q0 69 43 122.5t108 67.5q-2 19 -2 37q0 100 49 185 t134 134t185 49zM525 500h150q10 0 17.5 -7.5t7.5 -17.5v-275h137q21 0 26 -11.5t-8 -27.5l-223 -244q-13 -16 -32 -16t-32 16l-223 244q-13 16 -8 27.5t26 11.5h137v275q0 10 7.5 17.5t17.5 7.5z" /> +<glyph unicode="" d="M502 1089q110 0 201 -59.5t135 -156.5q43 15 89 15q121 0 206 -86.5t86 -206.5q0 -99 -60 -181t-150 -110l-378 360q-13 16 -31.5 16t-31.5 -16l-381 -365h-9q-79 0 -135.5 57.5t-56.5 136.5q0 69 43 122.5t108 67.5q-2 19 -2 38q0 100 49 184.5t133.5 134t184.5 49.5z M632 467l223 -228q13 -16 8 -27.5t-26 -11.5h-137v-275q0 -10 -7.5 -17.5t-17.5 -7.5h-150q-10 0 -17.5 7.5t-7.5 17.5v275h-137q-21 0 -26 11.5t8 27.5q199 204 223 228q19 19 31.5 19t32.5 -19z" /> +<glyph unicode="" d="M700 100v100h400l-270 300h170l-270 300h170l-300 333l-300 -333h170l-270 -300h170l-270 -300h400v-100h-50q-21 0 -35.5 -14.5t-14.5 -35.5v-50h400v50q0 21 -14.5 35.5t-35.5 14.5h-50z" /> +<glyph unicode="" d="M600 1179q94 0 167.5 -56.5t99.5 -145.5q89 -6 150.5 -71.5t61.5 -155.5q0 -61 -29.5 -112.5t-79.5 -82.5q9 -29 9 -55q0 -74 -52.5 -126.5t-126.5 -52.5q-55 0 -100 30v-251q21 0 35.5 -14.5t14.5 -35.5v-50h-300v50q0 21 14.5 35.5t35.5 14.5v251q-45 -30 -100 -30 q-74 0 -126.5 52.5t-52.5 126.5q0 18 4 38q-47 21 -75.5 65t-28.5 97q0 74 52.5 126.5t126.5 52.5q5 0 23 -2q0 2 -1 10t-1 13q0 116 81.5 197.5t197.5 81.5z" /> +<glyph unicode="" d="M1010 1010q111 -111 150.5 -260.5t0 -299t-150.5 -260.5q-83 -83 -191.5 -126.5t-218.5 -43.5t-218.5 43.5t-191.5 126.5q-111 111 -150.5 260.5t0 299t150.5 260.5q83 83 191.5 126.5t218.5 43.5t218.5 -43.5t191.5 -126.5zM476 1065q-4 0 -8 -1q-121 -34 -209.5 -122.5 t-122.5 -209.5q-4 -12 2.5 -23t18.5 -14l36 -9q3 -1 7 -1q23 0 29 22q27 96 98 166q70 71 166 98q11 3 17.5 13.5t3.5 22.5l-9 35q-3 13 -14 19q-7 4 -15 4zM512 920q-4 0 -9 -2q-80 -24 -138.5 -82.5t-82.5 -138.5q-4 -13 2 -24t19 -14l34 -9q4 -1 8 -1q22 0 28 21 q18 58 58.5 98.5t97.5 58.5q12 3 18 13.5t3 21.5l-9 35q-3 12 -14 19q-7 4 -15 4zM719.5 719.5q-49.5 49.5 -119.5 49.5t-119.5 -49.5t-49.5 -119.5t49.5 -119.5t119.5 -49.5t119.5 49.5t49.5 119.5t-49.5 119.5zM855 551q-22 0 -28 -21q-18 -58 -58.5 -98.5t-98.5 -57.5 q-11 -4 -17 -14.5t-3 -21.5l9 -35q3 -12 14 -19q7 -4 15 -4q4 0 9 2q80 24 138.5 82.5t82.5 138.5q4 13 -2.5 24t-18.5 14l-34 9q-4 1 -8 1zM1000 515q-23 0 -29 -22q-27 -96 -98 -166q-70 -71 -166 -98q-11 -3 -17.5 -13.5t-3.5 -22.5l9 -35q3 -13 14 -19q7 -4 15 -4 q4 0 8 1q121 34 209.5 122.5t122.5 209.5q4 12 -2.5 23t-18.5 14l-36 9q-3 1 -7 1z" /> +<glyph unicode="" d="M700 800h300v-380h-180v200h-340v-200h-380v755q0 10 7.5 17.5t17.5 7.5h575v-400zM1000 900h-200v200zM700 300h162l-212 -212l-212 212h162v200h100v-200zM520 0h-395q-10 0 -17.5 7.5t-7.5 17.5v395zM1000 220v-195q0 -10 -7.5 -17.5t-17.5 -7.5h-195z" /> +<glyph unicode="" d="M700 800h300v-520l-350 350l-550 -550v1095q0 10 7.5 17.5t17.5 7.5h575v-400zM1000 900h-200v200zM862 200h-162v-200h-100v200h-162l212 212zM480 0h-355q-10 0 -17.5 7.5t-7.5 17.5v55h380v-80zM1000 80v-55q0 -10 -7.5 -17.5t-17.5 -7.5h-155v80h180z" /> +<glyph unicode="" d="M1162 800h-162v-200h100l100 -100h-300v300h-162l212 212zM200 800h200q27 0 40 -2t29.5 -10.5t23.5 -30t7 -57.5h300v-100h-600l-200 -350v450h100q0 36 7 57.5t23.5 30t29.5 10.5t40 2zM800 400h240l-240 -400h-800l300 500h500v-100z" /> +<glyph unicode="" d="M650 1100h100q21 0 35.5 -14.5t14.5 -35.5v-50h50q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-300q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5h50v50q0 21 14.5 35.5t35.5 14.5zM1000 850v150q41 0 70.5 -29.5t29.5 -70.5v-800 q0 -41 -29.5 -70.5t-70.5 -29.5h-600q-1 0 -20 4l246 246l-326 326v324q0 41 29.5 70.5t70.5 29.5v-150q0 -62 44 -106t106 -44h300q62 0 106 44t44 106zM412 250l-212 -212v162h-200v100h200v162z" /> +<glyph unicode="" d="M450 1100h100q21 0 35.5 -14.5t14.5 -35.5v-50h50q21 0 35.5 -14.5t14.5 -35.5v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-300q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5h50v50q0 21 14.5 35.5t35.5 14.5zM800 850v150q41 0 70.5 -29.5t29.5 -70.5v-500 h-200v-300h200q0 -36 -7 -57.5t-23.5 -30t-29.5 -10.5t-40 -2h-600q-41 0 -70.5 29.5t-29.5 70.5v800q0 41 29.5 70.5t70.5 29.5v-150q0 -62 44 -106t106 -44h300q62 0 106 44t44 106zM1212 250l-212 -212v162h-200v100h200v162z" /> +<glyph unicode="" d="M658 1197l637 -1104q23 -38 7 -65.5t-60 -27.5h-1276q-44 0 -60 27.5t7 65.5l637 1104q22 39 54 39t54 -39zM704 800h-208q-20 0 -32 -14.5t-8 -34.5l58 -302q4 -20 21.5 -34.5t37.5 -14.5h54q20 0 37.5 14.5t21.5 34.5l58 302q4 20 -8 34.5t-32 14.5zM500 300v-100h200 v100h-200z" /> +<glyph unicode="" d="M425 1100h250q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5zM425 800h250q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5 t17.5 7.5zM825 800h250q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5zM25 500h250q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5t-7.5 17.5v150 q0 10 7.5 17.5t17.5 7.5zM425 500h250q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5zM825 500h250q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5t-7.5 17.5 v150q0 10 7.5 17.5t17.5 7.5zM25 200h250q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5zM425 200h250q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5 t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5zM825 200h250q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-250q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5z" /> +<glyph unicode="" d="M700 1200h100v-200h-100v-100h350q62 0 86.5 -39.5t-3.5 -94.5l-66 -132q-41 -83 -81 -134h-772q-40 51 -81 134l-66 132q-28 55 -3.5 94.5t86.5 39.5h350v100h-100v200h100v100h200v-100zM250 400h700q21 0 35.5 -14.5t14.5 -35.5t-14.5 -35.5t-35.5 -14.5h-12l137 -100 h-950l138 100h-13q-21 0 -35.5 14.5t-14.5 35.5t14.5 35.5t35.5 14.5zM50 100h1100q21 0 35.5 -14.5t14.5 -35.5v-50h-1200v50q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M600 1300q40 0 68.5 -29.5t28.5 -70.5h-194q0 41 28.5 70.5t68.5 29.5zM443 1100h314q18 -37 18 -75q0 -8 -3 -25h328q41 0 44.5 -16.5t-30.5 -38.5l-175 -145h-678l-178 145q-34 22 -29 38.5t46 16.5h328q-3 17 -3 25q0 38 18 75zM250 700h700q21 0 35.5 -14.5 t14.5 -35.5t-14.5 -35.5t-35.5 -14.5h-150v-200l275 -200h-950l275 200v200h-150q-21 0 -35.5 14.5t-14.5 35.5t14.5 35.5t35.5 14.5zM50 100h1100q21 0 35.5 -14.5t14.5 -35.5v-50h-1200v50q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M600 1181q75 0 128 -53t53 -128t-53 -128t-128 -53t-128 53t-53 128t53 128t128 53zM602 798h46q34 0 55.5 -28.5t21.5 -86.5q0 -76 39 -183h-324q39 107 39 183q0 58 21.5 86.5t56.5 28.5h45zM250 400h700q21 0 35.5 -14.5t14.5 -35.5t-14.5 -35.5t-35.5 -14.5h-13 l138 -100h-950l137 100h-12q-21 0 -35.5 14.5t-14.5 35.5t14.5 35.5t35.5 14.5zM50 100h1100q21 0 35.5 -14.5t14.5 -35.5v-50h-1200v50q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M600 1300q47 0 92.5 -53.5t71 -123t25.5 -123.5q0 -78 -55.5 -133.5t-133.5 -55.5t-133.5 55.5t-55.5 133.5q0 62 34 143l144 -143l111 111l-163 163q34 26 63 26zM602 798h46q34 0 55.5 -28.5t21.5 -86.5q0 -76 39 -183h-324q39 107 39 183q0 58 21.5 86.5t56.5 28.5h45 zM250 400h700q21 0 35.5 -14.5t14.5 -35.5t-14.5 -35.5t-35.5 -14.5h-13l138 -100h-950l137 100h-12q-21 0 -35.5 14.5t-14.5 35.5t14.5 35.5t35.5 14.5zM50 100h1100q21 0 35.5 -14.5t14.5 -35.5v-50h-1200v50q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M600 1200l300 -161v-139h-300q0 -57 18.5 -108t50 -91.5t63 -72t70 -67.5t57.5 -61h-530q-60 83 -90.5 177.5t-30.5 178.5t33 164.5t87.5 139.5t126 96.5t145.5 41.5v-98zM250 400h700q21 0 35.5 -14.5t14.5 -35.5t-14.5 -35.5t-35.5 -14.5h-13l138 -100h-950l137 100 h-12q-21 0 -35.5 14.5t-14.5 35.5t14.5 35.5t35.5 14.5zM50 100h1100q21 0 35.5 -14.5t14.5 -35.5v-50h-1200v50q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M600 1300q41 0 70.5 -29.5t29.5 -70.5v-78q46 -26 73 -72t27 -100v-50h-400v50q0 54 27 100t73 72v78q0 41 29.5 70.5t70.5 29.5zM400 800h400q54 0 100 -27t72 -73h-172v-100h200v-100h-200v-100h200v-100h-200v-100h200q0 -83 -58.5 -141.5t-141.5 -58.5h-400 q-83 0 -141.5 58.5t-58.5 141.5v400q0 83 58.5 141.5t141.5 58.5z" /> +<glyph unicode="" d="M150 1100h900q21 0 35.5 -14.5t14.5 -35.5v-500q0 -21 -14.5 -35.5t-35.5 -14.5h-900q-21 0 -35.5 14.5t-14.5 35.5v500q0 21 14.5 35.5t35.5 14.5zM125 400h950q10 0 17.5 -7.5t7.5 -17.5v-50q0 -10 -7.5 -17.5t-17.5 -7.5h-283l224 -224q13 -13 13 -31.5t-13 -32 t-31.5 -13.5t-31.5 13l-88 88h-524l-87 -88q-13 -13 -32 -13t-32 13.5t-13 32t13 31.5l224 224h-289q-10 0 -17.5 7.5t-7.5 17.5v50q0 10 7.5 17.5t17.5 7.5zM541 300l-100 -100h324l-100 100h-124z" /> +<glyph unicode="" d="M200 1100h800q83 0 141.5 -58.5t58.5 -141.5v-200h-100q0 41 -29.5 70.5t-70.5 29.5h-250q-41 0 -70.5 -29.5t-29.5 -70.5h-100q0 41 -29.5 70.5t-70.5 29.5h-250q-41 0 -70.5 -29.5t-29.5 -70.5h-100v200q0 83 58.5 141.5t141.5 58.5zM100 600h1000q41 0 70.5 -29.5 t29.5 -70.5v-300h-1200v300q0 41 29.5 70.5t70.5 29.5zM300 100v-50q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v50h200zM1100 100v-50q0 -21 -14.5 -35.5t-35.5 -14.5h-100q-21 0 -35.5 14.5t-14.5 35.5v50h200z" /> +<glyph unicode="" d="M480 1165l682 -683q31 -31 31 -75.5t-31 -75.5l-131 -131h-481l-517 518q-32 31 -32 75.5t32 75.5l295 296q31 31 75.5 31t76.5 -31zM108 794l342 -342l303 304l-341 341zM250 100h800q21 0 35.5 -14.5t14.5 -35.5v-50h-900v50q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M1057 647l-189 506q-8 19 -27.5 33t-40.5 14h-400q-21 0 -40.5 -14t-27.5 -33l-189 -506q-8 -19 1.5 -33t30.5 -14h625v-150q0 -21 14.5 -35.5t35.5 -14.5t35.5 14.5t14.5 35.5v150h125q21 0 30.5 14t1.5 33zM897 0h-595v50q0 21 14.5 35.5t35.5 14.5h50v50 q0 21 14.5 35.5t35.5 14.5h48v300h200v-300h47q21 0 35.5 -14.5t14.5 -35.5v-50h50q21 0 35.5 -14.5t14.5 -35.5v-50z" /> +<glyph unicode="" d="M900 800h300v-575q0 -10 -7.5 -17.5t-17.5 -7.5h-375v591l-300 300v84q0 10 7.5 17.5t17.5 7.5h375v-400zM1200 900h-200v200zM400 600h300v-575q0 -10 -7.5 -17.5t-17.5 -7.5h-650q-10 0 -17.5 7.5t-7.5 17.5v950q0 10 7.5 17.5t17.5 7.5h375v-400zM700 700h-200v200z " /> +<glyph unicode="" d="M484 1095h195q75 0 146 -32.5t124 -86t89.5 -122.5t48.5 -142q18 -14 35 -20q31 -10 64.5 6.5t43.5 48.5q10 34 -15 71q-19 27 -9 43q5 8 12.5 11t19 -1t23.5 -16q41 -44 39 -105q-3 -63 -46 -106.5t-104 -43.5h-62q-7 -55 -35 -117t-56 -100l-39 -234q-3 -20 -20 -34.5 t-38 -14.5h-100q-21 0 -33 14.5t-9 34.5l12 70q-49 -14 -91 -14h-195q-24 0 -65 8l-11 -64q-3 -20 -20 -34.5t-38 -14.5h-100q-21 0 -33 14.5t-9 34.5l26 157q-84 74 -128 175l-159 53q-19 7 -33 26t-14 40v50q0 21 14.5 35.5t35.5 14.5h124q11 87 56 166l-111 95 q-16 14 -12.5 23.5t24.5 9.5h203q116 101 250 101zM675 1000h-250q-10 0 -17.5 -7.5t-7.5 -17.5v-50q0 -10 7.5 -17.5t17.5 -7.5h250q10 0 17.5 7.5t7.5 17.5v50q0 10 -7.5 17.5t-17.5 7.5z" /> +<glyph unicode="" d="M641 900l423 247q19 8 42 2.5t37 -21.5l32 -38q14 -15 12.5 -36t-17.5 -34l-139 -120h-390zM50 1100h106q67 0 103 -17t66 -71l102 -212h823q21 0 35.5 -14.5t14.5 -35.5v-50q0 -21 -14 -40t-33 -26l-737 -132q-23 -4 -40 6t-26 25q-42 67 -100 67h-300q-62 0 -106 44 t-44 106v200q0 62 44 106t106 44zM173 928h-80q-19 0 -28 -14t-9 -35v-56q0 -51 42 -51h134q16 0 21.5 8t5.5 24q0 11 -16 45t-27 51q-18 28 -43 28zM550 727q-32 0 -54.5 -22.5t-22.5 -54.5t22.5 -54.5t54.5 -22.5t54.5 22.5t22.5 54.5t-22.5 54.5t-54.5 22.5zM130 389 l152 130q18 19 34 24t31 -3.5t24.5 -17.5t25.5 -28q28 -35 50.5 -51t48.5 -13l63 5l48 -179q13 -61 -3.5 -97.5t-67.5 -79.5l-80 -69q-47 -40 -109 -35.5t-103 51.5l-130 151q-40 47 -35.5 109.5t51.5 102.5zM380 377l-102 -88q-31 -27 2 -65l37 -43q13 -15 27.5 -19.5 t31.5 6.5l61 53q19 16 14 49q-2 20 -12 56t-17 45q-11 12 -19 14t-23 -8z" /> +<glyph unicode="" d="M625 1200h150q10 0 17.5 -7.5t7.5 -17.5v-109q79 -33 131 -87.5t53 -128.5q1 -46 -15 -84.5t-39 -61t-46 -38t-39 -21.5l-17 -6q6 0 15 -1.5t35 -9t50 -17.5t53 -30t50 -45t35.5 -64t14.5 -84q0 -59 -11.5 -105.5t-28.5 -76.5t-44 -51t-49.5 -31.5t-54.5 -16t-49.5 -6.5 t-43.5 -1v-75q0 -10 -7.5 -17.5t-17.5 -7.5h-150q-10 0 -17.5 7.5t-7.5 17.5v75h-100v-75q0 -10 -7.5 -17.5t-17.5 -7.5h-150q-10 0 -17.5 7.5t-7.5 17.5v75h-175q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5h75v600h-75q-10 0 -17.5 7.5t-7.5 17.5v150 q0 10 7.5 17.5t17.5 7.5h175v75q0 10 7.5 17.5t17.5 7.5h150q10 0 17.5 -7.5t7.5 -17.5v-75h100v75q0 10 7.5 17.5t17.5 7.5zM400 900v-200h263q28 0 48.5 10.5t30 25t15 29t5.5 25.5l1 10q0 4 -0.5 11t-6 24t-15 30t-30 24t-48.5 11h-263zM400 500v-200h363q28 0 48.5 10.5 t30 25t15 29t5.5 25.5l1 10q0 4 -0.5 11t-6 24t-15 30t-30 24t-48.5 11h-363z" /> +<glyph unicode="" d="M212 1198h780q86 0 147 -61t61 -147v-416q0 -51 -18 -142.5t-36 -157.5l-18 -66q-29 -87 -93.5 -146.5t-146.5 -59.5h-572q-82 0 -147 59t-93 147q-8 28 -20 73t-32 143.5t-20 149.5v416q0 86 61 147t147 61zM600 1045q-70 0 -132.5 -11.5t-105.5 -30.5t-78.5 -41.5 t-57 -45t-36 -41t-20.5 -30.5l-6 -12l156 -243h560l156 243q-2 5 -6 12.5t-20 29.5t-36.5 42t-57 44.5t-79 42t-105 29.5t-132.5 12zM762 703h-157l195 261z" /> +<glyph unicode="" d="M475 1300h150q103 0 189 -86t86 -189v-500q0 -41 -42 -83t-83 -42h-450q-41 0 -83 42t-42 83v500q0 103 86 189t189 86zM700 300v-225q0 -21 -27 -48t-48 -27h-150q-21 0 -48 27t-27 48v225h300z" /> +<glyph unicode="" d="M475 1300h96q0 -150 89.5 -239.5t239.5 -89.5v-446q0 -41 -42 -83t-83 -42h-450q-41 0 -83 42t-42 83v500q0 103 86 189t189 86zM700 300v-225q0 -21 -27 -48t-48 -27h-150q-21 0 -48 27t-27 48v225h300z" /> +<glyph unicode="" d="M1294 767l-638 -283l-378 170l-78 -60v-224l100 -150v-199l-150 148l-150 -149v200l100 150v250q0 4 -0.5 10.5t0 9.5t1 8t3 8t6.5 6l47 40l-147 65l642 283zM1000 380l-350 -166l-350 166v147l350 -165l350 165v-147z" /> +<glyph unicode="" d="M250 800q62 0 106 -44t44 -106t-44 -106t-106 -44t-106 44t-44 106t44 106t106 44zM650 800q62 0 106 -44t44 -106t-44 -106t-106 -44t-106 44t-44 106t44 106t106 44zM1050 800q62 0 106 -44t44 -106t-44 -106t-106 -44t-106 44t-44 106t44 106t106 44z" /> +<glyph unicode="" d="M550 1100q62 0 106 -44t44 -106t-44 -106t-106 -44t-106 44t-44 106t44 106t106 44zM550 700q62 0 106 -44t44 -106t-44 -106t-106 -44t-106 44t-44 106t44 106t106 44zM550 300q62 0 106 -44t44 -106t-44 -106t-106 -44t-106 44t-44 106t44 106t106 44z" /> +<glyph unicode="" d="M125 1100h950q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-950q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5zM125 700h950q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-950q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5 t17.5 7.5zM125 300h950q10 0 17.5 -7.5t7.5 -17.5v-150q0 -10 -7.5 -17.5t-17.5 -7.5h-950q-10 0 -17.5 7.5t-7.5 17.5v150q0 10 7.5 17.5t17.5 7.5z" /> +<glyph unicode="" d="M350 1200h500q162 0 256 -93.5t94 -256.5v-500q0 -165 -93.5 -257.5t-256.5 -92.5h-500q-165 0 -257.5 92.5t-92.5 257.5v500q0 165 92.5 257.5t257.5 92.5zM900 1000h-600q-41 0 -70.5 -29.5t-29.5 -70.5v-600q0 -41 29.5 -70.5t70.5 -29.5h600q41 0 70.5 29.5 t29.5 70.5v600q0 41 -29.5 70.5t-70.5 29.5zM350 900h500q21 0 35.5 -14.5t14.5 -35.5v-300q0 -21 -14.5 -35.5t-35.5 -14.5h-500q-21 0 -35.5 14.5t-14.5 35.5v300q0 21 14.5 35.5t35.5 14.5zM400 800v-200h400v200h-400z" /> +<glyph unicode="" d="M150 1100h1000q21 0 35.5 -14.5t14.5 -35.5t-14.5 -35.5t-35.5 -14.5h-50v-200h50q21 0 35.5 -14.5t14.5 -35.5t-14.5 -35.5t-35.5 -14.5h-50v-200h50q21 0 35.5 -14.5t14.5 -35.5t-14.5 -35.5t-35.5 -14.5h-50v-200h50q21 0 35.5 -14.5t14.5 -35.5t-14.5 -35.5 t-35.5 -14.5h-1000q-21 0 -35.5 14.5t-14.5 35.5t14.5 35.5t35.5 14.5h50v200h-50q-21 0 -35.5 14.5t-14.5 35.5t14.5 35.5t35.5 14.5h50v200h-50q-21 0 -35.5 14.5t-14.5 35.5t14.5 35.5t35.5 14.5h50v200h-50q-21 0 -35.5 14.5t-14.5 35.5t14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M650 1187q87 -67 118.5 -156t0 -178t-118.5 -155q-87 66 -118.5 155t0 178t118.5 156zM300 800q124 0 212 -88t88 -212q-124 0 -212 88t-88 212zM1000 800q0 -124 -88 -212t-212 -88q0 124 88 212t212 88zM300 500q124 0 212 -88t88 -212q-124 0 -212 88t-88 212z M1000 500q0 -124 -88 -212t-212 -88q0 124 88 212t212 88zM700 199v-144q0 -21 -14.5 -35.5t-35.5 -14.5t-35.5 14.5t-14.5 35.5v142q40 -4 43 -4q17 0 57 6z" /> +<glyph unicode="" d="M745 878l69 19q25 6 45 -12l298 -295q11 -11 15 -26.5t-2 -30.5q-5 -14 -18 -23.5t-28 -9.5h-8q1 0 1 -13q0 -29 -2 -56t-8.5 -62t-20 -63t-33 -53t-51 -39t-72.5 -14h-146q-184 0 -184 288q0 24 10 47q-20 4 -62 4t-63 -4q11 -24 11 -47q0 -288 -184 -288h-142 q-48 0 -84.5 21t-56 51t-32 71.5t-16 75t-3.5 68.5q0 13 2 13h-7q-15 0 -27.5 9.5t-18.5 23.5q-6 15 -2 30.5t15 25.5l298 296q20 18 46 11l76 -19q20 -5 30.5 -22.5t5.5 -37.5t-22.5 -31t-37.5 -5l-51 12l-182 -193h891l-182 193l-44 -12q-20 -5 -37.5 6t-22.5 31t6 37.5 t31 22.5z" /> +<glyph unicode="" d="M1200 900h-50q0 21 -4 37t-9.5 26.5t-18 17.5t-22 11t-28.5 5.5t-31 2t-37 0.5h-200v-850q0 -22 25 -34.5t50 -13.5l25 -2v-100h-400v100q4 0 11 0.5t24 3t30 7t24 15t11 24.5v850h-200q-25 0 -37 -0.5t-31 -2t-28.5 -5.5t-22 -11t-18 -17.5t-9.5 -26.5t-4 -37h-50v300 h1000v-300zM500 450h-25q0 15 -4 24.5t-9 14.5t-17 7.5t-20 3t-25 0.5h-100v-425q0 -11 12.5 -17.5t25.5 -7.5h12v-50h-200v50q50 0 50 25v425h-100q-17 0 -25 -0.5t-20 -3t-17 -7.5t-9 -14.5t-4 -24.5h-25v150h500v-150z" /> +<glyph unicode="" d="M1000 300v50q-25 0 -55 32q-14 14 -25 31t-16 27l-4 11l-289 747h-69l-300 -754q-18 -35 -39 -56q-9 -9 -24.5 -18.5t-26.5 -14.5l-11 -5v-50h273v50q-49 0 -78.5 21.5t-11.5 67.5l69 176h293l61 -166q13 -34 -3.5 -66.5t-55.5 -32.5v-50h312zM412 691l134 342l121 -342 h-255zM1100 150v-100q0 -21 -14.5 -35.5t-35.5 -14.5h-1000q-21 0 -35.5 14.5t-14.5 35.5v100q0 21 14.5 35.5t35.5 14.5h1000q21 0 35.5 -14.5t14.5 -35.5z" /> +<glyph unicode="" d="M50 1200h1100q21 0 35.5 -14.5t14.5 -35.5v-1100q0 -21 -14.5 -35.5t-35.5 -14.5h-1100q-21 0 -35.5 14.5t-14.5 35.5v1100q0 21 14.5 35.5t35.5 14.5zM611 1118h-70q-13 0 -18 -12l-299 -753q-17 -32 -35 -51q-18 -18 -56 -34q-12 -5 -12 -18v-50q0 -8 5.5 -14t14.5 -6 h273q8 0 14 6t6 14v50q0 8 -6 14t-14 6q-55 0 -71 23q-10 14 0 39l63 163h266l57 -153q11 -31 -6 -55q-12 -17 -36 -17q-8 0 -14 -6t-6 -14v-50q0 -8 6 -14t14 -6h313q8 0 14 6t6 14v50q0 7 -5.5 13t-13.5 7q-17 0 -42 25q-25 27 -40 63h-1l-288 748q-5 12 -19 12zM639 611 h-197l103 264z" /> +<glyph unicode="" d="M1200 1100h-1200v100h1200v-100zM50 1000h400q21 0 35.5 -14.5t14.5 -35.5v-900q0 -21 -14.5 -35.5t-35.5 -14.5h-400q-21 0 -35.5 14.5t-14.5 35.5v900q0 21 14.5 35.5t35.5 14.5zM650 1000h400q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-400 q-21 0 -35.5 14.5t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5zM700 900v-300h300v300h-300z" /> +<glyph unicode="" d="M50 1200h400q21 0 35.5 -14.5t14.5 -35.5v-900q0 -21 -14.5 -35.5t-35.5 -14.5h-400q-21 0 -35.5 14.5t-14.5 35.5v900q0 21 14.5 35.5t35.5 14.5zM650 700h400q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-400q-21 0 -35.5 14.5t-14.5 35.5v400 q0 21 14.5 35.5t35.5 14.5zM700 600v-300h300v300h-300zM1200 0h-1200v100h1200v-100z" /> +<glyph unicode="" d="M50 1000h400q21 0 35.5 -14.5t14.5 -35.5v-350h100v150q0 21 14.5 35.5t35.5 14.5h400q21 0 35.5 -14.5t14.5 -35.5v-150h100v-100h-100v-150q0 -21 -14.5 -35.5t-35.5 -14.5h-400q-21 0 -35.5 14.5t-14.5 35.5v150h-100v-350q0 -21 -14.5 -35.5t-35.5 -14.5h-400 q-21 0 -35.5 14.5t-14.5 35.5v800q0 21 14.5 35.5t35.5 14.5zM700 700v-300h300v300h-300z" /> +<glyph unicode="" d="M100 0h-100v1200h100v-1200zM250 1100h400q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-400q-21 0 -35.5 14.5t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5zM300 1000v-300h300v300h-300zM250 500h900q21 0 35.5 -14.5t14.5 -35.5v-400 q0 -21 -14.5 -35.5t-35.5 -14.5h-900q-21 0 -35.5 14.5t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M600 1100h150q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-150v-100h450q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-900q-21 0 -35.5 14.5t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5h350v100h-150q-21 0 -35.5 14.5 t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5h150v100h100v-100zM400 1000v-300h300v300h-300z" /> +<glyph unicode="" d="M1200 0h-100v1200h100v-1200zM550 1100h400q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-400q-21 0 -35.5 14.5t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5zM600 1000v-300h300v300h-300zM50 500h900q21 0 35.5 -14.5t14.5 -35.5v-400 q0 -21 -14.5 -35.5t-35.5 -14.5h-900q-21 0 -35.5 14.5t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5z" /> +<glyph unicode="" d="M865 565l-494 -494q-23 -23 -41 -23q-14 0 -22 13.5t-8 38.5v1000q0 25 8 38.5t22 13.5q18 0 41 -23l494 -494q14 -14 14 -35t-14 -35z" /> +<glyph unicode="" d="M335 635l494 494q29 29 50 20.5t21 -49.5v-1000q0 -41 -21 -49.5t-50 20.5l-494 494q-14 14 -14 35t14 35z" /> +<glyph unicode="" d="M100 900h1000q41 0 49.5 -21t-20.5 -50l-494 -494q-14 -14 -35 -14t-35 14l-494 494q-29 29 -20.5 50t49.5 21z" /> +<glyph unicode="" d="M635 865l494 -494q29 -29 20.5 -50t-49.5 -21h-1000q-41 0 -49.5 21t20.5 50l494 494q14 14 35 14t35 -14z" /> +<glyph unicode="" d="M700 741v-182l-692 -323v221l413 193l-413 193v221zM1200 0h-800v200h800v-200z" /> +<glyph unicode="" d="M1200 900h-200v-100h200v-100h-300v300h200v100h-200v100h300v-300zM0 700h50q0 21 4 37t9.5 26.5t18 17.5t22 11t28.5 5.5t31 2t37 0.5h100v-550q0 -22 -25 -34.5t-50 -13.5l-25 -2v-100h400v100q-4 0 -11 0.5t-24 3t-30 7t-24 15t-11 24.5v550h100q25 0 37 -0.5t31 -2 t28.5 -5.5t22 -11t18 -17.5t9.5 -26.5t4 -37h50v300h-800v-300z" /> +<glyph unicode="" d="M800 700h-50q0 21 -4 37t-9.5 26.5t-18 17.5t-22 11t-28.5 5.5t-31 2t-37 0.5h-100v-550q0 -22 25 -34.5t50 -14.5l25 -1v-100h-400v100q4 0 11 0.5t24 3t30 7t24 15t11 24.5v550h-100q-25 0 -37 -0.5t-31 -2t-28.5 -5.5t-22 -11t-18 -17.5t-9.5 -26.5t-4 -37h-50v300 h800v-300zM1100 200h-200v-100h200v-100h-300v300h200v100h-200v100h300v-300z" /> +<glyph unicode="" d="M701 1098h160q16 0 21 -11t-7 -23l-464 -464l464 -464q12 -12 7 -23t-21 -11h-160q-13 0 -23 9l-471 471q-7 8 -7 18t7 18l471 471q10 9 23 9z" /> +<glyph unicode="" d="M339 1098h160q13 0 23 -9l471 -471q7 -8 7 -18t-7 -18l-471 -471q-10 -9 -23 -9h-160q-16 0 -21 11t7 23l464 464l-464 464q-12 12 -7 23t21 11z" /> +<glyph unicode="" d="M1087 882q11 -5 11 -21v-160q0 -13 -9 -23l-471 -471q-8 -7 -18 -7t-18 7l-471 471q-9 10 -9 23v160q0 16 11 21t23 -7l464 -464l464 464q12 12 23 7z" /> +<glyph unicode="" d="M618 993l471 -471q9 -10 9 -23v-160q0 -16 -11 -21t-23 7l-464 464l-464 -464q-12 -12 -23 -7t-11 21v160q0 13 9 23l471 471q8 7 18 7t18 -7z" /> +<glyph unicode="" d="M1000 1200q0 -124 -88 -212t-212 -88q0 124 88 212t212 88zM450 1000h100q21 0 40 -14t26 -33l79 -194q5 1 16 3q34 6 54 9.5t60 7t65.5 1t61 -10t56.5 -23t42.5 -42t29 -64t5 -92t-19.5 -121.5q-1 -7 -3 -19.5t-11 -50t-20.5 -73t-32.5 -81.5t-46.5 -83t-64 -70 t-82.5 -50q-13 -5 -42 -5t-65.5 2.5t-47.5 2.5q-14 0 -49.5 -3.5t-63 -3.5t-43.5 7q-57 25 -104.5 78.5t-75 111.5t-46.5 112t-26 90l-7 35q-15 63 -18 115t4.5 88.5t26 64t39.5 43.5t52 25.5t58.5 13t62.5 2t59.5 -4.5t55.5 -8l-147 192q-12 18 -5.5 30t27.5 12z" /> +<glyph unicode="🔑" d="M250 1200h600q21 0 35.5 -14.5t14.5 -35.5v-400q0 -21 -14.5 -35.5t-35.5 -14.5h-150v-500l-255 -178q-19 -9 -32 -1t-13 29v650h-150q-21 0 -35.5 14.5t-14.5 35.5v400q0 21 14.5 35.5t35.5 14.5zM400 1100v-100h300v100h-300z" /> +<glyph unicode="🚪" d="M250 1200h750q39 0 69.5 -40.5t30.5 -84.5v-933l-700 -117v950l600 125h-700v-1000h-100v1025q0 23 15.5 49t34.5 26zM500 525v-100l100 20v100z" /> +</font> +</defs></svg> \ No newline at end of file diff --git a/docs/styles/glyphicons-halflings-regular-W4DYDFZM.woff2 b/docs/styles/glyphicons-halflings-regular-W4DYDFZM.woff2 new file mode 100644 index 000000000..64539b54c Binary files /dev/null and b/docs/styles/glyphicons-halflings-regular-W4DYDFZM.woff2 differ diff --git a/docs/styles/main.css b/docs/styles/main.css index e7ce917a5..45ab2d28c 100644 --- a/docs/styles/main.css +++ b/docs/styles/main.css @@ -1,64 +1,64 @@ -blockquote{ - font-size: 0.9em; - background-color: #fffbe8; -} - -.alert { - padding: 7px; -} - -.alert h5{ - margin-bottom: 0; -} - -.alert a{ - color: black; -} - -.alert-info{ - color: #32789a; - background-color: #ebf8ff; - border-color: #d0f7ff; -} - -.navbar-brand { - padding: 1px; -} - -article[data-uid="MongoDB.Entities"] h4{ - border-bottom: 1px solid #d6d6d6; -} - -.actions-container { - display: flex; - flex-wrap: wrap; - justify-content: center; -} - -.actions-container div{ - background-color: #555555; - padding: 0.1em; - margin: 0.5em; - flex: 0 0 225px; - text-align: center; - border-radius: 5px; - font-size: 2em; - font-weight: 600; -} - -.actions-container a{ - color: #fffffff2; -} - -.actions-container div:hover{ - background-color: #000000; -} - -pre{ - max-height: 600px; -} - -pre code{ - white-space: pre; - padding: 0; -} +blockquote{ + font-size: 0.9em; + background-color: #fffbe8; +} + +.alert { + padding: 7px; +} + +.alert h5{ + margin-bottom: 0; +} + +.alert a{ + color: black; +} + +.alert-info{ + color: #32789a; + background-color: #ebf8ff; + border-color: #d0f7ff; +} + +.navbar-brand { + padding: 1px; +} + +article[data-uid="MongoDB.Entities"] h4{ + border-bottom: 1px solid #d6d6d6; +} + +.actions-container { + display: flex; + flex-wrap: wrap; + justify-content: center; +} + +.actions-container div{ + background-color: #555555; + padding: 0.1em; + margin: 0.5em; + flex: 0 0 225px; + text-align: center; + border-radius: 5px; + font-size: 2em; + font-weight: 600; +} + +.actions-container a{ + color: #fffffff2; +} + +.actions-container div:hover{ + background-color: #000000; +} + +pre{ + max-height: 600px; +} + +pre code{ + white-space: pre; + padding: 0; +} diff --git a/docs/styles/main.js b/docs/styles/main.js index b716efe0b..53616c226 100644 --- a/docs/styles/main.js +++ b/docs/styles/main.js @@ -1 +1,2 @@ -// Copyright (c) Microsoft. All rights reserved. Licensed under the MIT license. See LICENSE file in the project root for full license information. +// Licensed to the .NET Foundation under one or more agreements. +// The .NET Foundation licenses this file to you under the MIT license. diff --git a/docs/styles/search-worker.min.js b/docs/styles/search-worker.min.js new file mode 100644 index 000000000..1dd073d15 --- /dev/null +++ b/docs/styles/search-worker.min.js @@ -0,0 +1,57 @@ +(()=>{var H=(t,e)=>()=>(e||t((e={exports:{}}).exports,e),e.exports);var W=H((M,q)=>{(function(){var t=function(e){var r=new t.Builder;return r.pipeline.add(t.trimmer,t.stopWordFilter,t.stemmer),r.searchPipeline.add(t.stemmer),e.call(r,r),r.build()};t.version="2.3.9";t.utils={},t.utils.warn=function(e){return function(r){e.console&&console.warn&&console.warn(r)}}(this),t.utils.asString=function(e){return e==null?"":e.toString()},t.utils.clone=function(e){if(e==null)return e;for(var r=Object.create(null),i=Object.keys(e),n=0;n<i.length;n++){var s=i[n],o=e[s];if(Array.isArray(o)){r[s]=o.slice();continue}if(typeof o=="string"||typeof o=="number"||typeof o=="boolean"){r[s]=o;continue}throw new TypeError("clone is not deep and does not support nested objects")}return r},t.FieldRef=function(e,r,i){this.docRef=e,this.fieldName=r,this._stringValue=i},t.FieldRef.joiner="/",t.FieldRef.fromString=function(e){var r=e.indexOf(t.FieldRef.joiner);if(r===-1)throw"malformed field ref string";var i=e.slice(0,r),n=e.slice(r+1);return new t.FieldRef(n,i,e)},t.FieldRef.prototype.toString=function(){return this._stringValue==null&&(this._stringValue=this.fieldName+t.FieldRef.joiner+this.docRef),this._stringValue};t.Set=function(e){if(this.elements=Object.create(null),e){this.length=e.length;for(var r=0;r<this.length;r++)this.elements[e[r]]=!0}else this.length=0},t.Set.complete={intersect:function(e){return e},union:function(){return this},contains:function(){return!0}},t.Set.empty={intersect:function(){return this},union:function(e){return e},contains:function(){return!1}},t.Set.prototype.contains=function(e){return!!this.elements[e]},t.Set.prototype.intersect=function(e){var r,i,n,s=[];if(e===t.Set.complete)return this;if(e===t.Set.empty)return e;this.length<e.length?(r=this,i=e):(r=e,i=this),n=Object.keys(r.elements);for(var o=0;o<n.length;o++){var u=n[o];u in i.elements&&s.push(u)}return new t.Set(s)},t.Set.prototype.union=function(e){return e===t.Set.complete?t.Set.complete:e===t.Set.empty?this:new t.Set(Object.keys(this.elements).concat(Object.keys(e.elements)))},t.idf=function(e,r){var i=0;for(var n in e)n!="_index"&&(i+=Object.keys(e[n]).length);var s=(r-i+.5)/(i+.5);return Math.log(1+Math.abs(s))},t.Token=function(e,r){this.str=e||"",this.metadata=r||{}},t.Token.prototype.toString=function(){return this.str},t.Token.prototype.update=function(e){return this.str=e(this.str,this.metadata),this},t.Token.prototype.clone=function(e){return e=e||function(r){return r},new t.Token(e(this.str,this.metadata),this.metadata)};t.tokenizer=function(e,r){if(e==null||e==null)return[];if(Array.isArray(e))return e.map(function(v){return new t.Token(t.utils.asString(v).toLowerCase(),t.utils.clone(r))});for(var i=e.toString().toLowerCase(),n=i.length,s=[],o=0,u=0;o<=n;o++){var l=i.charAt(o),a=o-u;if(l.match(t.tokenizer.separator)||o==n){if(a>0){var d=t.utils.clone(r)||{};d.position=[u,a],d.index=s.length,s.push(new t.Token(i.slice(u,o),d))}u=o+1}}return s},t.tokenizer.separator=/[\s\-]+/;t.Pipeline=function(){this._stack=[]},t.Pipeline.registeredFunctions=Object.create(null),t.Pipeline.registerFunction=function(e,r){r in this.registeredFunctions&&t.utils.warn("Overwriting existing registered function: "+r),e.label=r,t.Pipeline.registeredFunctions[e.label]=e},t.Pipeline.warnIfFunctionNotRegistered=function(e){var r=e.label&&e.label in this.registeredFunctions;r||t.utils.warn(`Function is not registered with pipeline. This may cause problems when serialising the index. +`,e)},t.Pipeline.load=function(e){var r=new t.Pipeline;return e.forEach(function(i){var n=t.Pipeline.registeredFunctions[i];if(n)r.add(n);else throw new Error("Cannot load unregistered function: "+i)}),r},t.Pipeline.prototype.add=function(){var e=Array.prototype.slice.call(arguments);e.forEach(function(r){t.Pipeline.warnIfFunctionNotRegistered(r),this._stack.push(r)},this)},t.Pipeline.prototype.after=function(e,r){t.Pipeline.warnIfFunctionNotRegistered(r);var i=this._stack.indexOf(e);if(i==-1)throw new Error("Cannot find existingFn");i=i+1,this._stack.splice(i,0,r)},t.Pipeline.prototype.before=function(e,r){t.Pipeline.warnIfFunctionNotRegistered(r);var i=this._stack.indexOf(e);if(i==-1)throw new Error("Cannot find existingFn");this._stack.splice(i,0,r)},t.Pipeline.prototype.remove=function(e){var r=this._stack.indexOf(e);r!=-1&&this._stack.splice(r,1)},t.Pipeline.prototype.run=function(e){for(var r=this._stack.length,i=0;i<r;i++){for(var n=this._stack[i],s=[],o=0;o<e.length;o++){var u=n(e[o],o,e);if(!(u==null||u===""))if(Array.isArray(u))for(var l=0;l<u.length;l++)s.push(u[l]);else s.push(u)}e=s}return e},t.Pipeline.prototype.runString=function(e,r){var i=new t.Token(e,r);return this.run([i]).map(function(n){return n.toString()})},t.Pipeline.prototype.reset=function(){this._stack=[]},t.Pipeline.prototype.toJSON=function(){return this._stack.map(function(e){return t.Pipeline.warnIfFunctionNotRegistered(e),e.label})};t.Vector=function(e){this._magnitude=0,this.elements=e||[]},t.Vector.prototype.positionForIndex=function(e){if(this.elements.length==0)return 0;for(var r=0,i=this.elements.length/2,n=i-r,s=Math.floor(n/2),o=this.elements[s*2];n>1&&(o<e&&(r=s),o>e&&(i=s),o!=e);)n=i-r,s=r+Math.floor(n/2),o=this.elements[s*2];if(o==e||o>e)return s*2;if(o<e)return(s+1)*2},t.Vector.prototype.insert=function(e,r){this.upsert(e,r,function(){throw"duplicate index"})},t.Vector.prototype.upsert=function(e,r,i){this._magnitude=0;var n=this.positionForIndex(e);this.elements[n]==e?this.elements[n+1]=i(this.elements[n+1],r):this.elements.splice(n,0,e,r)},t.Vector.prototype.magnitude=function(){if(this._magnitude)return this._magnitude;for(var e=0,r=this.elements.length,i=1;i<r;i+=2){var n=this.elements[i];e+=n*n}return this._magnitude=Math.sqrt(e)},t.Vector.prototype.dot=function(e){for(var r=0,i=this.elements,n=e.elements,s=i.length,o=n.length,u=0,l=0,a=0,d=0;a<s&&d<o;)u=i[a],l=n[d],u<l?a+=2:u>l?d+=2:u==l&&(r+=i[a+1]*n[d+1],a+=2,d+=2);return r},t.Vector.prototype.similarity=function(e){return this.dot(e)/this.magnitude()||0},t.Vector.prototype.toArray=function(){for(var e=new Array(this.elements.length/2),r=1,i=0;r<this.elements.length;r+=2,i++)e[i]=this.elements[r];return e},t.Vector.prototype.toJSON=function(){return this.elements};t.stemmer=function(){var e={ational:"ate",tional:"tion",enci:"ence",anci:"ance",izer:"ize",bli:"ble",alli:"al",entli:"ent",eli:"e",ousli:"ous",ization:"ize",ation:"ate",ator:"ate",alism:"al",iveness:"ive",fulness:"ful",ousness:"ous",aliti:"al",iviti:"ive",biliti:"ble",logi:"log"},r={icate:"ic",ative:"",alize:"al",iciti:"ic",ical:"ic",ful:"",ness:""},i="[^aeiou]",n="[aeiouy]",s=i+"[^aeiouy]*",o=n+"[aeiou]*",u="^("+s+")?"+o+s,l="^("+s+")?"+o+s+"("+o+")?$",a="^("+s+")?"+o+s+o+s,d="^("+s+")?"+n,v=new RegExp(u),p=new RegExp(a),S=new RegExp(l),x=new RegExp(d),L=/^(.+?)(ss|i)es$/,f=/^(.+?)([^s])s$/,y=/^(.+?)eed$/,w=/^(.+?)(ed|ing)$/,b=/.$/,k=/(at|bl|iz)$/,I=new RegExp("([^aeiouylsz])\\1$"),A=new RegExp("^"+s+n+"[^aeiouwxy]$"),F=/^(.+?[^aeiou])y$/,V=/^(.+?)(ational|tional|enci|anci|izer|bli|alli|entli|eli|ousli|ization|ation|ator|alism|iveness|fulness|ousness|aliti|iviti|biliti|logi)$/,j=/^(.+?)(icate|ative|alize|iciti|ical|ful|ness)$/,C=/^(.+?)(al|ance|ence|er|ic|able|ible|ant|ement|ment|ent|ou|ism|ate|iti|ous|ive|ize)$/,N=/^(.+?)(s|t)(ion)$/,E=/^(.+?)e$/,B=/ll$/,z=new RegExp("^"+s+n+"[^aeiouwxy]$"),D=function(h){var g,T,P,c,m,O,R;if(h.length<3)return h;if(P=h.substr(0,1),P=="y"&&(h=P.toUpperCase()+h.substr(1)),c=L,m=f,c.test(h)?h=h.replace(c,"$1$2"):m.test(h)&&(h=h.replace(m,"$1$2")),c=y,m=w,c.test(h)){var Q=c.exec(h);c=v,c.test(Q[1])&&(c=b,h=h.replace(c,""))}else if(m.test(h)){var Q=m.exec(h);g=Q[1],m=x,m.test(g)&&(h=g,m=k,O=I,R=A,m.test(h)?h=h+"e":O.test(h)?(c=b,h=h.replace(c,"")):R.test(h)&&(h=h+"e"))}if(c=F,c.test(h)){var Q=c.exec(h);g=Q[1],h=g+"i"}if(c=V,c.test(h)){var Q=c.exec(h);g=Q[1],T=Q[2],c=v,c.test(g)&&(h=g+e[T])}if(c=j,c.test(h)){var Q=c.exec(h);g=Q[1],T=Q[2],c=v,c.test(g)&&(h=g+r[T])}if(c=C,m=N,c.test(h)){var Q=c.exec(h);g=Q[1],c=p,c.test(g)&&(h=g)}else if(m.test(h)){var Q=m.exec(h);g=Q[1]+Q[2],m=p,m.test(g)&&(h=g)}if(c=E,c.test(h)){var Q=c.exec(h);g=Q[1],c=p,m=S,O=z,(c.test(g)||m.test(g)&&!O.test(g))&&(h=g)}return c=B,m=p,c.test(h)&&m.test(h)&&(c=b,h=h.replace(c,"")),P=="y"&&(h=P.toLowerCase()+h.substr(1)),h};return function(_){return _.update(D)}}(),t.Pipeline.registerFunction(t.stemmer,"stemmer");t.generateStopWordFilter=function(e){var r=e.reduce(function(i,n){return i[n]=n,i},{});return function(i){if(i&&r[i.toString()]!==i.toString())return i}},t.stopWordFilter=t.generateStopWordFilter(["a","able","about","across","after","all","almost","also","am","among","an","and","any","are","as","at","be","because","been","but","by","can","cannot","could","dear","did","do","does","either","else","ever","every","for","from","get","got","had","has","have","he","her","hers","him","his","how","however","i","if","in","into","is","it","its","just","least","let","like","likely","may","me","might","most","must","my","neither","no","nor","not","of","off","often","on","only","or","other","our","own","rather","said","say","says","she","should","since","so","some","than","that","the","their","them","then","there","these","they","this","tis","to","too","twas","us","wants","was","we","were","what","when","where","which","while","who","whom","why","will","with","would","yet","you","your"]),t.Pipeline.registerFunction(t.stopWordFilter,"stopWordFilter");t.trimmer=function(e){return e.update(function(r){return r.replace(/^\W+/,"").replace(/\W+$/,"")})},t.Pipeline.registerFunction(t.trimmer,"trimmer");t.TokenSet=function(){this.final=!1,this.edges={},this.id=t.TokenSet._nextId,t.TokenSet._nextId+=1},t.TokenSet._nextId=1,t.TokenSet.fromArray=function(e){for(var r=new t.TokenSet.Builder,i=0,n=e.length;i<n;i++)r.insert(e[i]);return r.finish(),r.root},t.TokenSet.fromClause=function(e){return"editDistance"in e?t.TokenSet.fromFuzzyString(e.term,e.editDistance):t.TokenSet.fromString(e.term)},t.TokenSet.fromFuzzyString=function(e,r){for(var i=new t.TokenSet,n=[{node:i,editsRemaining:r,str:e}];n.length;){var s=n.pop();if(s.str.length>0){var o=s.str.charAt(0),u;o in s.node.edges?u=s.node.edges[o]:(u=new t.TokenSet,s.node.edges[o]=u),s.str.length==1&&(u.final=!0),n.push({node:u,editsRemaining:s.editsRemaining,str:s.str.slice(1)})}if(s.editsRemaining!=0){if("*"in s.node.edges)var l=s.node.edges["*"];else{var l=new t.TokenSet;s.node.edges["*"]=l}if(s.str.length==0&&(l.final=!0),n.push({node:l,editsRemaining:s.editsRemaining-1,str:s.str}),s.str.length>1&&n.push({node:s.node,editsRemaining:s.editsRemaining-1,str:s.str.slice(1)}),s.str.length==1&&(s.node.final=!0),s.str.length>=1){if("*"in s.node.edges)var a=s.node.edges["*"];else{var a=new t.TokenSet;s.node.edges["*"]=a}s.str.length==1&&(a.final=!0),n.push({node:a,editsRemaining:s.editsRemaining-1,str:s.str.slice(1)})}if(s.str.length>1){var d=s.str.charAt(0),v=s.str.charAt(1),p;v in s.node.edges?p=s.node.edges[v]:(p=new t.TokenSet,s.node.edges[v]=p),s.str.length==1&&(p.final=!0),n.push({node:p,editsRemaining:s.editsRemaining-1,str:d+s.str.slice(2)})}}}return i},t.TokenSet.fromString=function(e){for(var r=new t.TokenSet,i=r,n=0,s=e.length;n<s;n++){var o=e[n],u=n==s-1;if(o=="*")r.edges[o]=r,r.final=u;else{var l=new t.TokenSet;l.final=u,r.edges[o]=l,r=l}}return i},t.TokenSet.prototype.toArray=function(){for(var e=[],r=[{prefix:"",node:this}];r.length;){var i=r.pop(),n=Object.keys(i.node.edges),s=n.length;i.node.final&&(i.prefix.charAt(0),e.push(i.prefix));for(var o=0;o<s;o++){var u=n[o];r.push({prefix:i.prefix.concat(u),node:i.node.edges[u]})}}return e},t.TokenSet.prototype.toString=function(){if(this._str)return this._str;for(var e=this.final?"1":"0",r=Object.keys(this.edges).sort(),i=r.length,n=0;n<i;n++){var s=r[n],o=this.edges[s];e=e+s+o.id}return e},t.TokenSet.prototype.intersect=function(e){for(var r=new t.TokenSet,i=void 0,n=[{qNode:e,output:r,node:this}];n.length;){i=n.pop();for(var s=Object.keys(i.qNode.edges),o=s.length,u=Object.keys(i.node.edges),l=u.length,a=0;a<o;a++)for(var d=s[a],v=0;v<l;v++){var p=u[v];if(p==d||d=="*"){var S=i.node.edges[p],x=i.qNode.edges[d],L=S.final&&x.final,f=void 0;p in i.output.edges?(f=i.output.edges[p],f.final=f.final||L):(f=new t.TokenSet,f.final=L,i.output.edges[p]=f),n.push({qNode:x,output:f,node:S})}}}return r},t.TokenSet.Builder=function(){this.previousWord="",this.root=new t.TokenSet,this.uncheckedNodes=[],this.minimizedNodes={}},t.TokenSet.Builder.prototype.insert=function(e){var r,i=0;if(e<this.previousWord)throw new Error("Out of order word insertion");for(var n=0;n<e.length&&n<this.previousWord.length&&e[n]==this.previousWord[n];n++)i++;this.minimize(i),this.uncheckedNodes.length==0?r=this.root:r=this.uncheckedNodes[this.uncheckedNodes.length-1].child;for(var n=i;n<e.length;n++){var s=new t.TokenSet,o=e[n];r.edges[o]=s,this.uncheckedNodes.push({parent:r,char:o,child:s}),r=s}r.final=!0,this.previousWord=e},t.TokenSet.Builder.prototype.finish=function(){this.minimize(0)},t.TokenSet.Builder.prototype.minimize=function(e){for(var r=this.uncheckedNodes.length-1;r>=e;r--){var i=this.uncheckedNodes[r],n=i.child.toString();n in this.minimizedNodes?i.parent.edges[i.char]=this.minimizedNodes[n]:(i.child._str=n,this.minimizedNodes[n]=i.child),this.uncheckedNodes.pop()}};t.Index=function(e){this.invertedIndex=e.invertedIndex,this.fieldVectors=e.fieldVectors,this.tokenSet=e.tokenSet,this.fields=e.fields,this.pipeline=e.pipeline},t.Index.prototype.search=function(e){return this.query(function(r){var i=new t.QueryParser(e,r);i.parse()})},t.Index.prototype.query=function(e){for(var r=new t.Query(this.fields),i=Object.create(null),n=Object.create(null),s=Object.create(null),o=Object.create(null),u=Object.create(null),l=0;l<this.fields.length;l++)n[this.fields[l]]=new t.Vector;e.call(r,r);for(var l=0;l<r.clauses.length;l++){var a=r.clauses[l],d=null,v=t.Set.empty;a.usePipeline?d=this.pipeline.runString(a.term,{fields:a.fields}):d=[a.term];for(var p=0;p<d.length;p++){var S=d[p];a.term=S;var x=t.TokenSet.fromClause(a),L=this.tokenSet.intersect(x).toArray();if(L.length===0&&a.presence===t.Query.presence.REQUIRED){for(var f=0;f<a.fields.length;f++){var y=a.fields[f];o[y]=t.Set.empty}break}for(var w=0;w<L.length;w++)for(var b=L[w],k=this.invertedIndex[b],I=k._index,f=0;f<a.fields.length;f++){var y=a.fields[f],A=k[y],F=Object.keys(A),V=b+"/"+y,j=new t.Set(F);if(a.presence==t.Query.presence.REQUIRED&&(v=v.union(j),o[y]===void 0&&(o[y]=t.Set.complete)),a.presence==t.Query.presence.PROHIBITED){u[y]===void 0&&(u[y]=t.Set.empty),u[y]=u[y].union(j);continue}if(n[y].upsert(I,a.boost,function(J,G){return J+G}),!s[V]){for(var C=0;C<F.length;C++){var N=F[C],E=new t.FieldRef(N,y),B=A[N],z;(z=i[E])===void 0?i[E]=new t.MatchData(b,y,B):z.add(b,y,B)}s[V]=!0}}}if(a.presence===t.Query.presence.REQUIRED)for(var f=0;f<a.fields.length;f++){var y=a.fields[f];o[y]=o[y].intersect(v)}}for(var D=t.Set.complete,_=t.Set.empty,l=0;l<this.fields.length;l++){var y=this.fields[l];o[y]&&(D=D.intersect(o[y])),u[y]&&(_=_.union(u[y]))}var h=Object.keys(i),g=[],T=Object.create(null);if(r.isNegated()){h=Object.keys(this.fieldVectors);for(var l=0;l<h.length;l++){var E=h[l],P=t.FieldRef.fromString(E);i[E]=new t.MatchData}}for(var l=0;l<h.length;l++){var P=t.FieldRef.fromString(h[l]),c=P.docRef;if(D.contains(c)&&!_.contains(c)){var m=this.fieldVectors[P],O=n[P.fieldName].similarity(m),R;if((R=T[c])!==void 0)R.score+=O,R.matchData.combine(i[P]);else{var Q={ref:c,score:O,matchData:i[P]};T[c]=Q,g.push(Q)}}}return g.sort(function($,U){return U.score-$.score})},t.Index.prototype.toJSON=function(){var e=Object.keys(this.invertedIndex).sort().map(function(i){return[i,this.invertedIndex[i]]},this),r=Object.keys(this.fieldVectors).map(function(i){return[i,this.fieldVectors[i].toJSON()]},this);return{version:t.version,fields:this.fields,fieldVectors:r,invertedIndex:e,pipeline:this.pipeline.toJSON()}},t.Index.load=function(e){var r={},i={},n=e.fieldVectors,s=Object.create(null),o=e.invertedIndex,u=new t.TokenSet.Builder,l=t.Pipeline.load(e.pipeline);e.version!=t.version&&t.utils.warn("Version mismatch when loading serialised index. Current version of lunr '"+t.version+"' does not match serialized index '"+e.version+"'");for(var a=0;a<n.length;a++){var d=n[a],v=d[0],p=d[1];i[v]=new t.Vector(p)}for(var a=0;a<o.length;a++){var d=o[a],S=d[0],x=d[1];u.insert(S),s[S]=x}return u.finish(),r.fields=e.fields,r.fieldVectors=i,r.invertedIndex=s,r.tokenSet=u.root,r.pipeline=l,new t.Index(r)};t.Builder=function(){this._ref="id",this._fields=Object.create(null),this._documents=Object.create(null),this.invertedIndex=Object.create(null),this.fieldTermFrequencies={},this.fieldLengths={},this.tokenizer=t.tokenizer,this.pipeline=new t.Pipeline,this.searchPipeline=new t.Pipeline,this.documentCount=0,this._b=.75,this._k1=1.2,this.termIndex=0,this.metadataWhitelist=[]},t.Builder.prototype.ref=function(e){this._ref=e},t.Builder.prototype.field=function(e,r){if(/\//.test(e))throw new RangeError("Field '"+e+"' contains illegal character '/'");this._fields[e]=r||{}},t.Builder.prototype.b=function(e){e<0?this._b=0:e>1?this._b=1:this._b=e},t.Builder.prototype.k1=function(e){this._k1=e},t.Builder.prototype.add=function(e,r){var i=e[this._ref],n=Object.keys(this._fields);this._documents[i]=r||{},this.documentCount+=1;for(var s=0;s<n.length;s++){var o=n[s],u=this._fields[o].extractor,l=u?u(e):e[o],a=this.tokenizer(l,{fields:[o]}),d=this.pipeline.run(a),v=new t.FieldRef(i,o),p=Object.create(null);this.fieldTermFrequencies[v]=p,this.fieldLengths[v]=0,this.fieldLengths[v]+=d.length;for(var S=0;S<d.length;S++){var x=d[S];if(p[x]==null&&(p[x]=0),p[x]+=1,this.invertedIndex[x]==null){var L=Object.create(null);L._index=this.termIndex,this.termIndex+=1;for(var f=0;f<n.length;f++)L[n[f]]=Object.create(null);this.invertedIndex[x]=L}this.invertedIndex[x][o][i]==null&&(this.invertedIndex[x][o][i]=Object.create(null));for(var y=0;y<this.metadataWhitelist.length;y++){var w=this.metadataWhitelist[y],b=x.metadata[w];this.invertedIndex[x][o][i][w]==null&&(this.invertedIndex[x][o][i][w]=[]),this.invertedIndex[x][o][i][w].push(b)}}}},t.Builder.prototype.calculateAverageFieldLengths=function(){for(var e=Object.keys(this.fieldLengths),r=e.length,i={},n={},s=0;s<r;s++){var o=t.FieldRef.fromString(e[s]),u=o.fieldName;n[u]||(n[u]=0),n[u]+=1,i[u]||(i[u]=0),i[u]+=this.fieldLengths[o]}for(var l=Object.keys(this._fields),s=0;s<l.length;s++){var a=l[s];i[a]=i[a]/n[a]}this.averageFieldLength=i},t.Builder.prototype.createFieldVectors=function(){for(var e={},r=Object.keys(this.fieldTermFrequencies),i=r.length,n=Object.create(null),s=0;s<i;s++){for(var o=t.FieldRef.fromString(r[s]),u=o.fieldName,l=this.fieldLengths[o],a=new t.Vector,d=this.fieldTermFrequencies[o],v=Object.keys(d),p=v.length,S=this._fields[u].boost||1,x=this._documents[o.docRef].boost||1,L=0;L<p;L++){var f=v[L],y=d[f],w=this.invertedIndex[f]._index,b,k,I;n[f]===void 0?(b=t.idf(this.invertedIndex[f],this.documentCount),n[f]=b):b=n[f],k=b*((this._k1+1)*y)/(this._k1*(1-this._b+this._b*(l/this.averageFieldLength[u]))+y),k*=S,k*=x,I=Math.round(k*1e3)/1e3,a.insert(w,I)}e[o]=a}this.fieldVectors=e},t.Builder.prototype.createTokenSet=function(){this.tokenSet=t.TokenSet.fromArray(Object.keys(this.invertedIndex).sort())},t.Builder.prototype.build=function(){return this.calculateAverageFieldLengths(),this.createFieldVectors(),this.createTokenSet(),new t.Index({invertedIndex:this.invertedIndex,fieldVectors:this.fieldVectors,tokenSet:this.tokenSet,fields:Object.keys(this._fields),pipeline:this.searchPipeline})},t.Builder.prototype.use=function(e){var r=Array.prototype.slice.call(arguments,1);r.unshift(this),e.apply(this,r)},t.MatchData=function(e,r,i){for(var n=Object.create(null),s=Object.keys(i||{}),o=0;o<s.length;o++){var u=s[o];n[u]=i[u].slice()}this.metadata=Object.create(null),e!==void 0&&(this.metadata[e]=Object.create(null),this.metadata[e][r]=n)},t.MatchData.prototype.combine=function(e){for(var r=Object.keys(e.metadata),i=0;i<r.length;i++){var n=r[i],s=Object.keys(e.metadata[n]);this.metadata[n]==null&&(this.metadata[n]=Object.create(null));for(var o=0;o<s.length;o++){var u=s[o],l=Object.keys(e.metadata[n][u]);this.metadata[n][u]==null&&(this.metadata[n][u]=Object.create(null));for(var a=0;a<l.length;a++){var d=l[a];this.metadata[n][u][d]==null?this.metadata[n][u][d]=e.metadata[n][u][d]:this.metadata[n][u][d]=this.metadata[n][u][d].concat(e.metadata[n][u][d])}}}},t.MatchData.prototype.add=function(e,r,i){if(!(e in this.metadata)){this.metadata[e]=Object.create(null),this.metadata[e][r]=i;return}if(!(r in this.metadata[e])){this.metadata[e][r]=i;return}for(var n=Object.keys(i),s=0;s<n.length;s++){var o=n[s];o in this.metadata[e][r]?this.metadata[e][r][o]=this.metadata[e][r][o].concat(i[o]):this.metadata[e][r][o]=i[o]}},t.Query=function(e){this.clauses=[],this.allFields=e},t.Query.wildcard=new String("*"),t.Query.wildcard.NONE=0,t.Query.wildcard.LEADING=1,t.Query.wildcard.TRAILING=2,t.Query.presence={OPTIONAL:1,REQUIRED:2,PROHIBITED:3},t.Query.prototype.clause=function(e){return"fields"in e||(e.fields=this.allFields),"boost"in e||(e.boost=1),"usePipeline"in e||(e.usePipeline=!0),"wildcard"in e||(e.wildcard=t.Query.wildcard.NONE),e.wildcard&t.Query.wildcard.LEADING&&e.term.charAt(0)!=t.Query.wildcard&&(e.term="*"+e.term),e.wildcard&t.Query.wildcard.TRAILING&&e.term.slice(-1)!=t.Query.wildcard&&(e.term=""+e.term+"*"),"presence"in e||(e.presence=t.Query.presence.OPTIONAL),this.clauses.push(e),this},t.Query.prototype.isNegated=function(){for(var e=0;e<this.clauses.length;e++)if(this.clauses[e].presence!=t.Query.presence.PROHIBITED)return!1;return!0},t.Query.prototype.term=function(e,r){if(Array.isArray(e))return e.forEach(function(n){this.term(n,t.utils.clone(r))},this),this;var i=r||{};return i.term=e.toString(),this.clause(i),this},t.QueryParseError=function(e,r,i){this.name="QueryParseError",this.message=e,this.start=r,this.end=i},t.QueryParseError.prototype=new Error,t.QueryLexer=function(e){this.lexemes=[],this.str=e,this.length=e.length,this.pos=0,this.start=0,this.escapeCharPositions=[]},t.QueryLexer.prototype.run=function(){for(var e=t.QueryLexer.lexText;e;)e=e(this)},t.QueryLexer.prototype.sliceString=function(){for(var e=[],r=this.start,i=this.pos,n=0;n<this.escapeCharPositions.length;n++)i=this.escapeCharPositions[n],e.push(this.str.slice(r,i)),r=i+1;return e.push(this.str.slice(r,this.pos)),this.escapeCharPositions.length=0,e.join("")},t.QueryLexer.prototype.emit=function(e){this.lexemes.push({type:e,str:this.sliceString(),start:this.start,end:this.pos}),this.start=this.pos},t.QueryLexer.prototype.escapeCharacter=function(){this.escapeCharPositions.push(this.pos-1),this.pos+=1},t.QueryLexer.prototype.next=function(){if(this.pos>=this.length)return t.QueryLexer.EOS;var e=this.str.charAt(this.pos);return this.pos+=1,e},t.QueryLexer.prototype.width=function(){return this.pos-this.start},t.QueryLexer.prototype.ignore=function(){this.start==this.pos&&(this.pos+=1),this.start=this.pos},t.QueryLexer.prototype.backup=function(){this.pos-=1},t.QueryLexer.prototype.acceptDigitRun=function(){var e,r;do e=this.next(),r=e.charCodeAt(0);while(r>47&&r<58);e!=t.QueryLexer.EOS&&this.backup()},t.QueryLexer.prototype.more=function(){return this.pos<this.length},t.QueryLexer.EOS="EOS",t.QueryLexer.FIELD="FIELD",t.QueryLexer.TERM="TERM",t.QueryLexer.EDIT_DISTANCE="EDIT_DISTANCE",t.QueryLexer.BOOST="BOOST",t.QueryLexer.PRESENCE="PRESENCE",t.QueryLexer.lexField=function(e){return e.backup(),e.emit(t.QueryLexer.FIELD),e.ignore(),t.QueryLexer.lexText},t.QueryLexer.lexTerm=function(e){if(e.width()>1&&(e.backup(),e.emit(t.QueryLexer.TERM)),e.ignore(),e.more())return t.QueryLexer.lexText},t.QueryLexer.lexEditDistance=function(e){return e.ignore(),e.acceptDigitRun(),e.emit(t.QueryLexer.EDIT_DISTANCE),t.QueryLexer.lexText},t.QueryLexer.lexBoost=function(e){return e.ignore(),e.acceptDigitRun(),e.emit(t.QueryLexer.BOOST),t.QueryLexer.lexText},t.QueryLexer.lexEOS=function(e){e.width()>0&&e.emit(t.QueryLexer.TERM)},t.QueryLexer.termSeparator=t.tokenizer.separator,t.QueryLexer.lexText=function(e){for(;;){var r=e.next();if(r==t.QueryLexer.EOS)return t.QueryLexer.lexEOS;if(r.charCodeAt(0)==92){e.escapeCharacter();continue}if(r==":")return t.QueryLexer.lexField;if(r=="~")return e.backup(),e.width()>0&&e.emit(t.QueryLexer.TERM),t.QueryLexer.lexEditDistance;if(r=="^")return e.backup(),e.width()>0&&e.emit(t.QueryLexer.TERM),t.QueryLexer.lexBoost;if(r=="+"&&e.width()===1||r=="-"&&e.width()===1)return e.emit(t.QueryLexer.PRESENCE),t.QueryLexer.lexText;if(r.match(t.QueryLexer.termSeparator))return t.QueryLexer.lexTerm}},t.QueryParser=function(e,r){this.lexer=new t.QueryLexer(e),this.query=r,this.currentClause={},this.lexemeIdx=0},t.QueryParser.prototype.parse=function(){this.lexer.run(),this.lexemes=this.lexer.lexemes;for(var e=t.QueryParser.parseClause;e;)e=e(this);return this.query},t.QueryParser.prototype.peekLexeme=function(){return this.lexemes[this.lexemeIdx]},t.QueryParser.prototype.consumeLexeme=function(){var e=this.peekLexeme();return this.lexemeIdx+=1,e},t.QueryParser.prototype.nextClause=function(){var e=this.currentClause;this.query.clause(e),this.currentClause={}},t.QueryParser.parseClause=function(e){var r=e.peekLexeme();if(r!=null)switch(r.type){case t.QueryLexer.PRESENCE:return t.QueryParser.parsePresence;case t.QueryLexer.FIELD:return t.QueryParser.parseField;case t.QueryLexer.TERM:return t.QueryParser.parseTerm;default:var i="expected either a field or a term, found "+r.type;throw r.str.length>=1&&(i+=" with value '"+r.str+"'"),new t.QueryParseError(i,r.start,r.end)}},t.QueryParser.parsePresence=function(e){var r=e.consumeLexeme();if(r!=null){switch(r.str){case"-":e.currentClause.presence=t.Query.presence.PROHIBITED;break;case"+":e.currentClause.presence=t.Query.presence.REQUIRED;break;default:var i="unrecognised presence operator'"+r.str+"'";throw new t.QueryParseError(i,r.start,r.end)}var n=e.peekLexeme();if(n==null){var i="expecting term or field, found nothing";throw new t.QueryParseError(i,r.start,r.end)}switch(n.type){case t.QueryLexer.FIELD:return t.QueryParser.parseField;case t.QueryLexer.TERM:return t.QueryParser.parseTerm;default:var i="expecting term or field, found '"+n.type+"'";throw new t.QueryParseError(i,n.start,n.end)}}},t.QueryParser.parseField=function(e){var r=e.consumeLexeme();if(r!=null){if(e.query.allFields.indexOf(r.str)==-1){var i=e.query.allFields.map(function(o){return"'"+o+"'"}).join(", "),n="unrecognised field '"+r.str+"', possible fields: "+i;throw new t.QueryParseError(n,r.start,r.end)}e.currentClause.fields=[r.str];var s=e.peekLexeme();if(s==null){var n="expecting term, found nothing";throw new t.QueryParseError(n,r.start,r.end)}switch(s.type){case t.QueryLexer.TERM:return t.QueryParser.parseTerm;default:var n="expecting term, found '"+s.type+"'";throw new t.QueryParseError(n,s.start,s.end)}}},t.QueryParser.parseTerm=function(e){var r=e.consumeLexeme();if(r!=null){e.currentClause.term=r.str.toLowerCase(),r.str.indexOf("*")!=-1&&(e.currentClause.usePipeline=!1);var i=e.peekLexeme();if(i==null){e.nextClause();return}switch(i.type){case t.QueryLexer.TERM:return e.nextClause(),t.QueryParser.parseTerm;case t.QueryLexer.FIELD:return e.nextClause(),t.QueryParser.parseField;case t.QueryLexer.EDIT_DISTANCE:return t.QueryParser.parseEditDistance;case t.QueryLexer.BOOST:return t.QueryParser.parseBoost;case t.QueryLexer.PRESENCE:return e.nextClause(),t.QueryParser.parsePresence;default:var n="Unexpected lexeme type '"+i.type+"'";throw new t.QueryParseError(n,i.start,i.end)}}},t.QueryParser.parseEditDistance=function(e){var r=e.consumeLexeme();if(r!=null){var i=parseInt(r.str,10);if(isNaN(i)){var n="edit distance must be numeric";throw new t.QueryParseError(n,r.start,r.end)}e.currentClause.editDistance=i;var s=e.peekLexeme();if(s==null){e.nextClause();return}switch(s.type){case t.QueryLexer.TERM:return e.nextClause(),t.QueryParser.parseTerm;case t.QueryLexer.FIELD:return e.nextClause(),t.QueryParser.parseField;case t.QueryLexer.EDIT_DISTANCE:return t.QueryParser.parseEditDistance;case t.QueryLexer.BOOST:return t.QueryParser.parseBoost;case t.QueryLexer.PRESENCE:return e.nextClause(),t.QueryParser.parsePresence;default:var n="Unexpected lexeme type '"+s.type+"'";throw new t.QueryParseError(n,s.start,s.end)}}},t.QueryParser.parseBoost=function(e){var r=e.consumeLexeme();if(r!=null){var i=parseInt(r.str,10);if(isNaN(i)){var n="boost must be numeric";throw new t.QueryParseError(n,r.start,r.end)}e.currentClause.boost=i;var s=e.peekLexeme();if(s==null){e.nextClause();return}switch(s.type){case t.QueryLexer.TERM:return e.nextClause(),t.QueryParser.parseTerm;case t.QueryLexer.FIELD:return e.nextClause(),t.QueryParser.parseField;case t.QueryLexer.EDIT_DISTANCE:return t.QueryParser.parseEditDistance;case t.QueryLexer.BOOST:return t.QueryParser.parseBoost;case t.QueryLexer.PRESENCE:return e.nextClause(),t.QueryParser.parsePresence;default:var n="Unexpected lexeme type '"+s.type+"'";throw new t.QueryParseError(n,s.start,s.end)}}},function(e,r){typeof define=="function"&&define.amd?define(r):typeof M=="object"?q.exports=r():e.lunr=r()}(this,function(){return t})})()});(function(){let t=W();var e,r=null,i={};t.tokenizer.separator=/[\s\-\.\(\)]+/;var n=new XMLHttpRequest;n.open("GET","../search-stopwords.json"),n.onload=function(){this.status==200&&(r=JSON.parse(this.responseText),o())},n.send();var s=new XMLHttpRequest;s.open("GET","../index.json"),s.onload=function(){this.status==200&&(i=JSON.parse(this.responseText),o(),postMessage({e:"index-ready"}))},s.send(),onmessage=function(l){var a=l.data.q,d=e.search(a),v=[];d.forEach(function(p){var S=i[p.ref];v.push({href:S.href,title:S.title,keywords:S.keywords})}),postMessage({e:"query-ready",q:a,d:v})};function o(){r!==null&&!u(i)&&(e=t(function(){this.pipeline.remove(t.stopWordFilter),this.ref("href"),this.field("title",{boost:50}),this.field("keywords",{boost:20});for(var l in i)i.hasOwnProperty(l)&&this.add(i[l]);var a=t.generateStopWordFilter(r);t.Pipeline.registerFunction(a,"docfxStopWordFilter"),this.pipeline.add(a),this.searchPipeline.add(a)}))}function u(l){if(!l)return!0;for(var a in l)if(l.hasOwnProperty(a))return!1;return!0}})();})(); +/*! Bundled license information: + +@default/lunr/lunr.js: + (** + * lunr - http://lunrjs.com - A bit like Solr, but much smaller and not as bright - 2.3.9 + * Copyright (C) 2020 Oliver Nightingale + * @license MIT + *) + (*! + * lunr.utils + * Copyright (C) 2020 Oliver Nightingale + *) + (*! + * lunr.Set + * Copyright (C) 2020 Oliver Nightingale + *) + (*! + * lunr.tokenizer + * Copyright (C) 2020 Oliver Nightingale + *) + (*! + * lunr.Pipeline + * Copyright (C) 2020 Oliver Nightingale + *) + (*! + * lunr.Vector + * Copyright (C) 2020 Oliver Nightingale + *) + (*! + * lunr.stemmer + * Copyright (C) 2020 Oliver Nightingale + * Includes code from - http://tartarus.org/~martin/PorterStemmer/js.txt + *) + (*! + * lunr.stopWordFilter + * Copyright (C) 2020 Oliver Nightingale + *) + (*! + * lunr.trimmer + * Copyright (C) 2020 Oliver Nightingale + *) + (*! + * lunr.TokenSet + * Copyright (C) 2020 Oliver Nightingale + *) + (*! + * lunr.Index + * Copyright (C) 2020 Oliver Nightingale + *) + (*! + * lunr.Builder + * Copyright (C) 2020 Oliver Nightingale + *) +*/ +//# sourceMappingURL=search-worker.min.js.map diff --git a/docs/styles/search-worker.min.js.map b/docs/styles/search-worker.min.js.map new file mode 100644 index 000000000..153449a6d --- /dev/null +++ b/docs/styles/search-worker.min.js.map @@ -0,0 +1,7 @@ +{ + "version": 3, + "sources": ["../../node_modules/@default/lunr/lunr.js", "../src/search-worker.js"], + "sourcesContent": ["/**\n * lunr - http://lunrjs.com - A bit like Solr, but much smaller and not as bright - 2.3.9\n * Copyright (C) 2020 Oliver Nightingale\n * @license MIT\n */\n\n;(function(){\n\n/**\n * A convenience function for configuring and constructing\n * a new lunr Index.\n *\n * A lunr.Builder instance is created and the pipeline setup\n * with a trimmer, stop word filter and stemmer.\n *\n * This builder object is yielded to the configuration function\n * that is passed as a parameter, allowing the list of fields\n * and other builder parameters to be customised.\n *\n * All documents _must_ be added within the passed config function.\n *\n * @example\n * var idx = lunr(function () {\n * this.field('title')\n * this.field('body')\n * this.ref('id')\n *\n * documents.forEach(function (doc) {\n * this.add(doc)\n * }, this)\n * })\n *\n * @see {@link lunr.Builder}\n * @see {@link lunr.Pipeline}\n * @see {@link lunr.trimmer}\n * @see {@link lunr.stopWordFilter}\n * @see {@link lunr.stemmer}\n * @namespace {function} lunr\n */\nvar lunr = function (config) {\n var builder = new lunr.Builder\n\n builder.pipeline.add(\n lunr.trimmer,\n lunr.stopWordFilter,\n lunr.stemmer\n )\n\n builder.searchPipeline.add(\n lunr.stemmer\n )\n\n config.call(builder, builder)\n return builder.build()\n}\n\nlunr.version = \"2.3.9\"\n/*!\n * lunr.utils\n * Copyright (C) 2020 Oliver Nightingale\n */\n\n/**\n * A namespace containing utils for the rest of the lunr library\n * @namespace lunr.utils\n */\nlunr.utils = {}\n\n/**\n * Print a warning message to the console.\n *\n * @param {String} message The message to be printed.\n * @memberOf lunr.utils\n * @function\n */\nlunr.utils.warn = (function (global) {\n /* eslint-disable no-console */\n return function (message) {\n if (global.console && console.warn) {\n console.warn(message)\n }\n }\n /* eslint-enable no-console */\n})(this)\n\n/**\n * Convert an object to a string.\n *\n * In the case of `null` and `undefined` the function returns\n * the empty string, in all other cases the result of calling\n * `toString` on the passed object is returned.\n *\n * @param {Any} obj The object to convert to a string.\n * @return {String} string representation of the passed object.\n * @memberOf lunr.utils\n */\nlunr.utils.asString = function (obj) {\n if (obj === void 0 || obj === null) {\n return \"\"\n } else {\n return obj.toString()\n }\n}\n\n/**\n * Clones an object.\n *\n * Will create a copy of an existing object such that any mutations\n * on the copy cannot affect the original.\n *\n * Only shallow objects are supported, passing a nested object to this\n * function will cause a TypeError.\n *\n * Objects with primitives, and arrays of primitives are supported.\n *\n * @param {Object} obj The object to clone.\n * @return {Object} a clone of the passed object.\n * @throws {TypeError} when a nested object is passed.\n * @memberOf Utils\n */\nlunr.utils.clone = function (obj) {\n if (obj === null || obj === undefined) {\n return obj\n }\n\n var clone = Object.create(null),\n keys = Object.keys(obj)\n\n for (var i = 0; i < keys.length; i++) {\n var key = keys[i],\n val = obj[key]\n\n if (Array.isArray(val)) {\n clone[key] = val.slice()\n continue\n }\n\n if (typeof val === 'string' ||\n typeof val === 'number' ||\n typeof val === 'boolean') {\n clone[key] = val\n continue\n }\n\n throw new TypeError(\"clone is not deep and does not support nested objects\")\n }\n\n return clone\n}\nlunr.FieldRef = function (docRef, fieldName, stringValue) {\n this.docRef = docRef\n this.fieldName = fieldName\n this._stringValue = stringValue\n}\n\nlunr.FieldRef.joiner = \"/\"\n\nlunr.FieldRef.fromString = function (s) {\n var n = s.indexOf(lunr.FieldRef.joiner)\n\n if (n === -1) {\n throw \"malformed field ref string\"\n }\n\n var fieldRef = s.slice(0, n),\n docRef = s.slice(n + 1)\n\n return new lunr.FieldRef (docRef, fieldRef, s)\n}\n\nlunr.FieldRef.prototype.toString = function () {\n if (this._stringValue == undefined) {\n this._stringValue = this.fieldName + lunr.FieldRef.joiner + this.docRef\n }\n\n return this._stringValue\n}\n/*!\n * lunr.Set\n * Copyright (C) 2020 Oliver Nightingale\n */\n\n/**\n * A lunr set.\n *\n * @constructor\n */\nlunr.Set = function (elements) {\n this.elements = Object.create(null)\n\n if (elements) {\n this.length = elements.length\n\n for (var i = 0; i < this.length; i++) {\n this.elements[elements[i]] = true\n }\n } else {\n this.length = 0\n }\n}\n\n/**\n * A complete set that contains all elements.\n *\n * @static\n * @readonly\n * @type {lunr.Set}\n */\nlunr.Set.complete = {\n intersect: function (other) {\n return other\n },\n\n union: function () {\n return this\n },\n\n contains: function () {\n return true\n }\n}\n\n/**\n * An empty set that contains no elements.\n *\n * @static\n * @readonly\n * @type {lunr.Set}\n */\nlunr.Set.empty = {\n intersect: function () {\n return this\n },\n\n union: function (other) {\n return other\n },\n\n contains: function () {\n return false\n }\n}\n\n/**\n * Returns true if this set contains the specified object.\n *\n * @param {object} object - Object whose presence in this set is to be tested.\n * @returns {boolean} - True if this set contains the specified object.\n */\nlunr.Set.prototype.contains = function (object) {\n return !!this.elements[object]\n}\n\n/**\n * Returns a new set containing only the elements that are present in both\n * this set and the specified set.\n *\n * @param {lunr.Set} other - set to intersect with this set.\n * @returns {lunr.Set} a new set that is the intersection of this and the specified set.\n */\n\nlunr.Set.prototype.intersect = function (other) {\n var a, b, elements, intersection = []\n\n if (other === lunr.Set.complete) {\n return this\n }\n\n if (other === lunr.Set.empty) {\n return other\n }\n\n if (this.length < other.length) {\n a = this\n b = other\n } else {\n a = other\n b = this\n }\n\n elements = Object.keys(a.elements)\n\n for (var i = 0; i < elements.length; i++) {\n var element = elements[i]\n if (element in b.elements) {\n intersection.push(element)\n }\n }\n\n return new lunr.Set (intersection)\n}\n\n/**\n * Returns a new set combining the elements of this and the specified set.\n *\n * @param {lunr.Set} other - set to union with this set.\n * @return {lunr.Set} a new set that is the union of this and the specified set.\n */\n\nlunr.Set.prototype.union = function (other) {\n if (other === lunr.Set.complete) {\n return lunr.Set.complete\n }\n\n if (other === lunr.Set.empty) {\n return this\n }\n\n return new lunr.Set(Object.keys(this.elements).concat(Object.keys(other.elements)))\n}\n/**\n * A function to calculate the inverse document frequency for\n * a posting. This is shared between the builder and the index\n *\n * @private\n * @param {object} posting - The posting for a given term\n * @param {number} documentCount - The total number of documents.\n */\nlunr.idf = function (posting, documentCount) {\n var documentsWithTerm = 0\n\n for (var fieldName in posting) {\n if (fieldName == '_index') continue // Ignore the term index, its not a field\n documentsWithTerm += Object.keys(posting[fieldName]).length\n }\n\n var x = (documentCount - documentsWithTerm + 0.5) / (documentsWithTerm + 0.5)\n\n return Math.log(1 + Math.abs(x))\n}\n\n/**\n * A token wraps a string representation of a token\n * as it is passed through the text processing pipeline.\n *\n * @constructor\n * @param {string} [str=''] - The string token being wrapped.\n * @param {object} [metadata={}] - Metadata associated with this token.\n */\nlunr.Token = function (str, metadata) {\n this.str = str || \"\"\n this.metadata = metadata || {}\n}\n\n/**\n * Returns the token string that is being wrapped by this object.\n *\n * @returns {string}\n */\nlunr.Token.prototype.toString = function () {\n return this.str\n}\n\n/**\n * A token update function is used when updating or optionally\n * when cloning a token.\n *\n * @callback lunr.Token~updateFunction\n * @param {string} str - The string representation of the token.\n * @param {Object} metadata - All metadata associated with this token.\n */\n\n/**\n * Applies the given function to the wrapped string token.\n *\n * @example\n * token.update(function (str, metadata) {\n * return str.toUpperCase()\n * })\n *\n * @param {lunr.Token~updateFunction} fn - A function to apply to the token string.\n * @returns {lunr.Token}\n */\nlunr.Token.prototype.update = function (fn) {\n this.str = fn(this.str, this.metadata)\n return this\n}\n\n/**\n * Creates a clone of this token. Optionally a function can be\n * applied to the cloned token.\n *\n * @param {lunr.Token~updateFunction} [fn] - An optional function to apply to the cloned token.\n * @returns {lunr.Token}\n */\nlunr.Token.prototype.clone = function (fn) {\n fn = fn || function (s) { return s }\n return new lunr.Token (fn(this.str, this.metadata), this.metadata)\n}\n/*!\n * lunr.tokenizer\n * Copyright (C) 2020 Oliver Nightingale\n */\n\n/**\n * A function for splitting a string into tokens ready to be inserted into\n * the search index. Uses `lunr.tokenizer.separator` to split strings, change\n * the value of this property to change how strings are split into tokens.\n *\n * This tokenizer will convert its parameter to a string by calling `toString` and\n * then will split this string on the character in `lunr.tokenizer.separator`.\n * Arrays will have their elements converted to strings and wrapped in a lunr.Token.\n *\n * Optional metadata can be passed to the tokenizer, this metadata will be cloned and\n * added as metadata to every token that is created from the object to be tokenized.\n *\n * @static\n * @param {?(string|object|object[])} obj - The object to convert into tokens\n * @param {?object} metadata - Optional metadata to associate with every token\n * @returns {lunr.Token[]}\n * @see {@link lunr.Pipeline}\n */\nlunr.tokenizer = function (obj, metadata) {\n if (obj == null || obj == undefined) {\n return []\n }\n\n if (Array.isArray(obj)) {\n return obj.map(function (t) {\n return new lunr.Token(\n lunr.utils.asString(t).toLowerCase(),\n lunr.utils.clone(metadata)\n )\n })\n }\n\n var str = obj.toString().toLowerCase(),\n len = str.length,\n tokens = []\n\n for (var sliceEnd = 0, sliceStart = 0; sliceEnd <= len; sliceEnd++) {\n var char = str.charAt(sliceEnd),\n sliceLength = sliceEnd - sliceStart\n\n if ((char.match(lunr.tokenizer.separator) || sliceEnd == len)) {\n\n if (sliceLength > 0) {\n var tokenMetadata = lunr.utils.clone(metadata) || {}\n tokenMetadata[\"position\"] = [sliceStart, sliceLength]\n tokenMetadata[\"index\"] = tokens.length\n\n tokens.push(\n new lunr.Token (\n str.slice(sliceStart, sliceEnd),\n tokenMetadata\n )\n )\n }\n\n sliceStart = sliceEnd + 1\n }\n\n }\n\n return tokens\n}\n\n/**\n * The separator used to split a string into tokens. Override this property to change the behaviour of\n * `lunr.tokenizer` behaviour when tokenizing strings. By default this splits on whitespace and hyphens.\n *\n * @static\n * @see lunr.tokenizer\n */\nlunr.tokenizer.separator = /[\\s\\-]+/\n/*!\n * lunr.Pipeline\n * Copyright (C) 2020 Oliver Nightingale\n */\n\n/**\n * lunr.Pipelines maintain an ordered list of functions to be applied to all\n * tokens in documents entering the search index and queries being ran against\n * the index.\n *\n * An instance of lunr.Index created with the lunr shortcut will contain a\n * pipeline with a stop word filter and an English language stemmer. Extra\n * functions can be added before or after either of these functions or these\n * default functions can be removed.\n *\n * When run the pipeline will call each function in turn, passing a token, the\n * index of that token in the original list of all tokens and finally a list of\n * all the original tokens.\n *\n * The output of functions in the pipeline will be passed to the next function\n * in the pipeline. To exclude a token from entering the index the function\n * should return undefined, the rest of the pipeline will not be called with\n * this token.\n *\n * For serialisation of pipelines to work, all functions used in an instance of\n * a pipeline should be registered with lunr.Pipeline. Registered functions can\n * then be loaded. If trying to load a serialised pipeline that uses functions\n * that are not registered an error will be thrown.\n *\n * If not planning on serialising the pipeline then registering pipeline functions\n * is not necessary.\n *\n * @constructor\n */\nlunr.Pipeline = function () {\n this._stack = []\n}\n\nlunr.Pipeline.registeredFunctions = Object.create(null)\n\n/**\n * A pipeline function maps lunr.Token to lunr.Token. A lunr.Token contains the token\n * string as well as all known metadata. A pipeline function can mutate the token string\n * or mutate (or add) metadata for a given token.\n *\n * A pipeline function can indicate that the passed token should be discarded by returning\n * null, undefined or an empty string. This token will not be passed to any downstream pipeline\n * functions and will not be added to the index.\n *\n * Multiple tokens can be returned by returning an array of tokens. Each token will be passed\n * to any downstream pipeline functions and all will returned tokens will be added to the index.\n *\n * Any number of pipeline functions may be chained together using a lunr.Pipeline.\n *\n * @interface lunr.PipelineFunction\n * @param {lunr.Token} token - A token from the document being processed.\n * @param {number} i - The index of this token in the complete list of tokens for this document/field.\n * @param {lunr.Token[]} tokens - All tokens for this document/field.\n * @returns {(?lunr.Token|lunr.Token[])}\n */\n\n/**\n * Register a function with the pipeline.\n *\n * Functions that are used in the pipeline should be registered if the pipeline\n * needs to be serialised, or a serialised pipeline needs to be loaded.\n *\n * Registering a function does not add it to a pipeline, functions must still be\n * added to instances of the pipeline for them to be used when running a pipeline.\n *\n * @param {lunr.PipelineFunction} fn - The function to check for.\n * @param {String} label - The label to register this function with\n */\nlunr.Pipeline.registerFunction = function (fn, label) {\n if (label in this.registeredFunctions) {\n lunr.utils.warn('Overwriting existing registered function: ' + label)\n }\n\n fn.label = label\n lunr.Pipeline.registeredFunctions[fn.label] = fn\n}\n\n/**\n * Warns if the function is not registered as a Pipeline function.\n *\n * @param {lunr.PipelineFunction} fn - The function to check for.\n * @private\n */\nlunr.Pipeline.warnIfFunctionNotRegistered = function (fn) {\n var isRegistered = fn.label && (fn.label in this.registeredFunctions)\n\n if (!isRegistered) {\n lunr.utils.warn('Function is not registered with pipeline. This may cause problems when serialising the index.\\n', fn)\n }\n}\n\n/**\n * Loads a previously serialised pipeline.\n *\n * All functions to be loaded must already be registered with lunr.Pipeline.\n * If any function from the serialised data has not been registered then an\n * error will be thrown.\n *\n * @param {Object} serialised - The serialised pipeline to load.\n * @returns {lunr.Pipeline}\n */\nlunr.Pipeline.load = function (serialised) {\n var pipeline = new lunr.Pipeline\n\n serialised.forEach(function (fnName) {\n var fn = lunr.Pipeline.registeredFunctions[fnName]\n\n if (fn) {\n pipeline.add(fn)\n } else {\n throw new Error('Cannot load unregistered function: ' + fnName)\n }\n })\n\n return pipeline\n}\n\n/**\n * Adds new functions to the end of the pipeline.\n *\n * Logs a warning if the function has not been registered.\n *\n * @param {lunr.PipelineFunction[]} functions - Any number of functions to add to the pipeline.\n */\nlunr.Pipeline.prototype.add = function () {\n var fns = Array.prototype.slice.call(arguments)\n\n fns.forEach(function (fn) {\n lunr.Pipeline.warnIfFunctionNotRegistered(fn)\n this._stack.push(fn)\n }, this)\n}\n\n/**\n * Adds a single function after a function that already exists in the\n * pipeline.\n *\n * Logs a warning if the function has not been registered.\n *\n * @param {lunr.PipelineFunction} existingFn - A function that already exists in the pipeline.\n * @param {lunr.PipelineFunction} newFn - The new function to add to the pipeline.\n */\nlunr.Pipeline.prototype.after = function (existingFn, newFn) {\n lunr.Pipeline.warnIfFunctionNotRegistered(newFn)\n\n var pos = this._stack.indexOf(existingFn)\n if (pos == -1) {\n throw new Error('Cannot find existingFn')\n }\n\n pos = pos + 1\n this._stack.splice(pos, 0, newFn)\n}\n\n/**\n * Adds a single function before a function that already exists in the\n * pipeline.\n *\n * Logs a warning if the function has not been registered.\n *\n * @param {lunr.PipelineFunction} existingFn - A function that already exists in the pipeline.\n * @param {lunr.PipelineFunction} newFn - The new function to add to the pipeline.\n */\nlunr.Pipeline.prototype.before = function (existingFn, newFn) {\n lunr.Pipeline.warnIfFunctionNotRegistered(newFn)\n\n var pos = this._stack.indexOf(existingFn)\n if (pos == -1) {\n throw new Error('Cannot find existingFn')\n }\n\n this._stack.splice(pos, 0, newFn)\n}\n\n/**\n * Removes a function from the pipeline.\n *\n * @param {lunr.PipelineFunction} fn The function to remove from the pipeline.\n */\nlunr.Pipeline.prototype.remove = function (fn) {\n var pos = this._stack.indexOf(fn)\n if (pos == -1) {\n return\n }\n\n this._stack.splice(pos, 1)\n}\n\n/**\n * Runs the current list of functions that make up the pipeline against the\n * passed tokens.\n *\n * @param {Array} tokens The tokens to run through the pipeline.\n * @returns {Array}\n */\nlunr.Pipeline.prototype.run = function (tokens) {\n var stackLength = this._stack.length\n\n for (var i = 0; i < stackLength; i++) {\n var fn = this._stack[i]\n var memo = []\n\n for (var j = 0; j < tokens.length; j++) {\n var result = fn(tokens[j], j, tokens)\n\n if (result === null || result === void 0 || result === '') continue\n\n if (Array.isArray(result)) {\n for (var k = 0; k < result.length; k++) {\n memo.push(result[k])\n }\n } else {\n memo.push(result)\n }\n }\n\n tokens = memo\n }\n\n return tokens\n}\n\n/**\n * Convenience method for passing a string through a pipeline and getting\n * strings out. This method takes care of wrapping the passed string in a\n * token and mapping the resulting tokens back to strings.\n *\n * @param {string} str - The string to pass through the pipeline.\n * @param {?object} metadata - Optional metadata to associate with the token\n * passed to the pipeline.\n * @returns {string[]}\n */\nlunr.Pipeline.prototype.runString = function (str, metadata) {\n var token = new lunr.Token (str, metadata)\n\n return this.run([token]).map(function (t) {\n return t.toString()\n })\n}\n\n/**\n * Resets the pipeline by removing any existing processors.\n *\n */\nlunr.Pipeline.prototype.reset = function () {\n this._stack = []\n}\n\n/**\n * Returns a representation of the pipeline ready for serialisation.\n *\n * Logs a warning if the function has not been registered.\n *\n * @returns {Array}\n */\nlunr.Pipeline.prototype.toJSON = function () {\n return this._stack.map(function (fn) {\n lunr.Pipeline.warnIfFunctionNotRegistered(fn)\n\n return fn.label\n })\n}\n/*!\n * lunr.Vector\n * Copyright (C) 2020 Oliver Nightingale\n */\n\n/**\n * A vector is used to construct the vector space of documents and queries. These\n * vectors support operations to determine the similarity between two documents or\n * a document and a query.\n *\n * Normally no parameters are required for initializing a vector, but in the case of\n * loading a previously dumped vector the raw elements can be provided to the constructor.\n *\n * For performance reasons vectors are implemented with a flat array, where an elements\n * index is immediately followed by its value. E.g. [index, value, index, value]. This\n * allows the underlying array to be as sparse as possible and still offer decent\n * performance when being used for vector calculations.\n *\n * @constructor\n * @param {Number[]} [elements] - The flat list of element index and element value pairs.\n */\nlunr.Vector = function (elements) {\n this._magnitude = 0\n this.elements = elements || []\n}\n\n\n/**\n * Calculates the position within the vector to insert a given index.\n *\n * This is used internally by insert and upsert. If there are duplicate indexes then\n * the position is returned as if the value for that index were to be updated, but it\n * is the callers responsibility to check whether there is a duplicate at that index\n *\n * @param {Number} insertIdx - The index at which the element should be inserted.\n * @returns {Number}\n */\nlunr.Vector.prototype.positionForIndex = function (index) {\n // For an empty vector the tuple can be inserted at the beginning\n if (this.elements.length == 0) {\n return 0\n }\n\n var start = 0,\n end = this.elements.length / 2,\n sliceLength = end - start,\n pivotPoint = Math.floor(sliceLength / 2),\n pivotIndex = this.elements[pivotPoint * 2]\n\n while (sliceLength > 1) {\n if (pivotIndex < index) {\n start = pivotPoint\n }\n\n if (pivotIndex > index) {\n end = pivotPoint\n }\n\n if (pivotIndex == index) {\n break\n }\n\n sliceLength = end - start\n pivotPoint = start + Math.floor(sliceLength / 2)\n pivotIndex = this.elements[pivotPoint * 2]\n }\n\n if (pivotIndex == index) {\n return pivotPoint * 2\n }\n\n if (pivotIndex > index) {\n return pivotPoint * 2\n }\n\n if (pivotIndex < index) {\n return (pivotPoint + 1) * 2\n }\n}\n\n/**\n * Inserts an element at an index within the vector.\n *\n * Does not allow duplicates, will throw an error if there is already an entry\n * for this index.\n *\n * @param {Number} insertIdx - The index at which the element should be inserted.\n * @param {Number} val - The value to be inserted into the vector.\n */\nlunr.Vector.prototype.insert = function (insertIdx, val) {\n this.upsert(insertIdx, val, function () {\n throw \"duplicate index\"\n })\n}\n\n/**\n * Inserts or updates an existing index within the vector.\n *\n * @param {Number} insertIdx - The index at which the element should be inserted.\n * @param {Number} val - The value to be inserted into the vector.\n * @param {function} fn - A function that is called for updates, the existing value and the\n * requested value are passed as arguments\n */\nlunr.Vector.prototype.upsert = function (insertIdx, val, fn) {\n this._magnitude = 0\n var position = this.positionForIndex(insertIdx)\n\n if (this.elements[position] == insertIdx) {\n this.elements[position + 1] = fn(this.elements[position + 1], val)\n } else {\n this.elements.splice(position, 0, insertIdx, val)\n }\n}\n\n/**\n * Calculates the magnitude of this vector.\n *\n * @returns {Number}\n */\nlunr.Vector.prototype.magnitude = function () {\n if (this._magnitude) return this._magnitude\n\n var sumOfSquares = 0,\n elementsLength = this.elements.length\n\n for (var i = 1; i < elementsLength; i += 2) {\n var val = this.elements[i]\n sumOfSquares += val * val\n }\n\n return this._magnitude = Math.sqrt(sumOfSquares)\n}\n\n/**\n * Calculates the dot product of this vector and another vector.\n *\n * @param {lunr.Vector} otherVector - The vector to compute the dot product with.\n * @returns {Number}\n */\nlunr.Vector.prototype.dot = function (otherVector) {\n var dotProduct = 0,\n a = this.elements, b = otherVector.elements,\n aLen = a.length, bLen = b.length,\n aVal = 0, bVal = 0,\n i = 0, j = 0\n\n while (i < aLen && j < bLen) {\n aVal = a[i], bVal = b[j]\n if (aVal < bVal) {\n i += 2\n } else if (aVal > bVal) {\n j += 2\n } else if (aVal == bVal) {\n dotProduct += a[i + 1] * b[j + 1]\n i += 2\n j += 2\n }\n }\n\n return dotProduct\n}\n\n/**\n * Calculates the similarity between this vector and another vector.\n *\n * @param {lunr.Vector} otherVector - The other vector to calculate the\n * similarity with.\n * @returns {Number}\n */\nlunr.Vector.prototype.similarity = function (otherVector) {\n return this.dot(otherVector) / this.magnitude() || 0\n}\n\n/**\n * Converts the vector to an array of the elements within the vector.\n *\n * @returns {Number[]}\n */\nlunr.Vector.prototype.toArray = function () {\n var output = new Array (this.elements.length / 2)\n\n for (var i = 1, j = 0; i < this.elements.length; i += 2, j++) {\n output[j] = this.elements[i]\n }\n\n return output\n}\n\n/**\n * A JSON serializable representation of the vector.\n *\n * @returns {Number[]}\n */\nlunr.Vector.prototype.toJSON = function () {\n return this.elements\n}\n/* eslint-disable */\n/*!\n * lunr.stemmer\n * Copyright (C) 2020 Oliver Nightingale\n * Includes code from - http://tartarus.org/~martin/PorterStemmer/js.txt\n */\n\n/**\n * lunr.stemmer is an english language stemmer, this is a JavaScript\n * implementation of the PorterStemmer taken from http://tartarus.org/~martin\n *\n * @static\n * @implements {lunr.PipelineFunction}\n * @param {lunr.Token} token - The string to stem\n * @returns {lunr.Token}\n * @see {@link lunr.Pipeline}\n * @function\n */\nlunr.stemmer = (function(){\n var step2list = {\n \"ational\" : \"ate\",\n \"tional\" : \"tion\",\n \"enci\" : \"ence\",\n \"anci\" : \"ance\",\n \"izer\" : \"ize\",\n \"bli\" : \"ble\",\n \"alli\" : \"al\",\n \"entli\" : \"ent\",\n \"eli\" : \"e\",\n \"ousli\" : \"ous\",\n \"ization\" : \"ize\",\n \"ation\" : \"ate\",\n \"ator\" : \"ate\",\n \"alism\" : \"al\",\n \"iveness\" : \"ive\",\n \"fulness\" : \"ful\",\n \"ousness\" : \"ous\",\n \"aliti\" : \"al\",\n \"iviti\" : \"ive\",\n \"biliti\" : \"ble\",\n \"logi\" : \"log\"\n },\n\n step3list = {\n \"icate\" : \"ic\",\n \"ative\" : \"\",\n \"alize\" : \"al\",\n \"iciti\" : \"ic\",\n \"ical\" : \"ic\",\n \"ful\" : \"\",\n \"ness\" : \"\"\n },\n\n c = \"[^aeiou]\", // consonant\n v = \"[aeiouy]\", // vowel\n C = c + \"[^aeiouy]*\", // consonant sequence\n V = v + \"[aeiou]*\", // vowel sequence\n\n mgr0 = \"^(\" + C + \")?\" + V + C, // [C]VC... is m>0\n meq1 = \"^(\" + C + \")?\" + V + C + \"(\" + V + \")?$\", // [C]VC[V] is m=1\n mgr1 = \"^(\" + C + \")?\" + V + C + V + C, // [C]VCVC... is m>1\n s_v = \"^(\" + C + \")?\" + v; // vowel in stem\n\n var re_mgr0 = new RegExp(mgr0);\n var re_mgr1 = new RegExp(mgr1);\n var re_meq1 = new RegExp(meq1);\n var re_s_v = new RegExp(s_v);\n\n var re_1a = /^(.+?)(ss|i)es$/;\n var re2_1a = /^(.+?)([^s])s$/;\n var re_1b = /^(.+?)eed$/;\n var re2_1b = /^(.+?)(ed|ing)$/;\n var re_1b_2 = /.$/;\n var re2_1b_2 = /(at|bl|iz)$/;\n var re3_1b_2 = new RegExp(\"([^aeiouylsz])\\\\1$\");\n var re4_1b_2 = new RegExp(\"^\" + C + v + \"[^aeiouwxy]$\");\n\n var re_1c = /^(.+?[^aeiou])y$/;\n var re_2 = /^(.+?)(ational|tional|enci|anci|izer|bli|alli|entli|eli|ousli|ization|ation|ator|alism|iveness|fulness|ousness|aliti|iviti|biliti|logi)$/;\n\n var re_3 = /^(.+?)(icate|ative|alize|iciti|ical|ful|ness)$/;\n\n var re_4 = /^(.+?)(al|ance|ence|er|ic|able|ible|ant|ement|ment|ent|ou|ism|ate|iti|ous|ive|ize)$/;\n var re2_4 = /^(.+?)(s|t)(ion)$/;\n\n var re_5 = /^(.+?)e$/;\n var re_5_1 = /ll$/;\n var re3_5 = new RegExp(\"^\" + C + v + \"[^aeiouwxy]$\");\n\n var porterStemmer = function porterStemmer(w) {\n var stem,\n suffix,\n firstch,\n re,\n re2,\n re3,\n re4;\n\n if (w.length < 3) { return w; }\n\n firstch = w.substr(0,1);\n if (firstch == \"y\") {\n w = firstch.toUpperCase() + w.substr(1);\n }\n\n // Step 1a\n re = re_1a\n re2 = re2_1a;\n\n if (re.test(w)) { w = w.replace(re,\"$1$2\"); }\n else if (re2.test(w)) { w = w.replace(re2,\"$1$2\"); }\n\n // Step 1b\n re = re_1b;\n re2 = re2_1b;\n if (re.test(w)) {\n var fp = re.exec(w);\n re = re_mgr0;\n if (re.test(fp[1])) {\n re = re_1b_2;\n w = w.replace(re,\"\");\n }\n } else if (re2.test(w)) {\n var fp = re2.exec(w);\n stem = fp[1];\n re2 = re_s_v;\n if (re2.test(stem)) {\n w = stem;\n re2 = re2_1b_2;\n re3 = re3_1b_2;\n re4 = re4_1b_2;\n if (re2.test(w)) { w = w + \"e\"; }\n else if (re3.test(w)) { re = re_1b_2; w = w.replace(re,\"\"); }\n else if (re4.test(w)) { w = w + \"e\"; }\n }\n }\n\n // Step 1c - replace suffix y or Y by i if preceded by a non-vowel which is not the first letter of the word (so cry -> cri, by -> by, say -> say)\n re = re_1c;\n if (re.test(w)) {\n var fp = re.exec(w);\n stem = fp[1];\n w = stem + \"i\";\n }\n\n // Step 2\n re = re_2;\n if (re.test(w)) {\n var fp = re.exec(w);\n stem = fp[1];\n suffix = fp[2];\n re = re_mgr0;\n if (re.test(stem)) {\n w = stem + step2list[suffix];\n }\n }\n\n // Step 3\n re = re_3;\n if (re.test(w)) {\n var fp = re.exec(w);\n stem = fp[1];\n suffix = fp[2];\n re = re_mgr0;\n if (re.test(stem)) {\n w = stem + step3list[suffix];\n }\n }\n\n // Step 4\n re = re_4;\n re2 = re2_4;\n if (re.test(w)) {\n var fp = re.exec(w);\n stem = fp[1];\n re = re_mgr1;\n if (re.test(stem)) {\n w = stem;\n }\n } else if (re2.test(w)) {\n var fp = re2.exec(w);\n stem = fp[1] + fp[2];\n re2 = re_mgr1;\n if (re2.test(stem)) {\n w = stem;\n }\n }\n\n // Step 5\n re = re_5;\n if (re.test(w)) {\n var fp = re.exec(w);\n stem = fp[1];\n re = re_mgr1;\n re2 = re_meq1;\n re3 = re3_5;\n if (re.test(stem) || (re2.test(stem) && !(re3.test(stem)))) {\n w = stem;\n }\n }\n\n re = re_5_1;\n re2 = re_mgr1;\n if (re.test(w) && re2.test(w)) {\n re = re_1b_2;\n w = w.replace(re,\"\");\n }\n\n // and turn initial Y back to y\n\n if (firstch == \"y\") {\n w = firstch.toLowerCase() + w.substr(1);\n }\n\n return w;\n };\n\n return function (token) {\n return token.update(porterStemmer);\n }\n})();\n\nlunr.Pipeline.registerFunction(lunr.stemmer, 'stemmer')\n/*!\n * lunr.stopWordFilter\n * Copyright (C) 2020 Oliver Nightingale\n */\n\n/**\n * lunr.generateStopWordFilter builds a stopWordFilter function from the provided\n * list of stop words.\n *\n * The built in lunr.stopWordFilter is built using this generator and can be used\n * to generate custom stopWordFilters for applications or non English languages.\n *\n * @function\n * @param {Array} token The token to pass through the filter\n * @returns {lunr.PipelineFunction}\n * @see lunr.Pipeline\n * @see lunr.stopWordFilter\n */\nlunr.generateStopWordFilter = function (stopWords) {\n var words = stopWords.reduce(function (memo, stopWord) {\n memo[stopWord] = stopWord\n return memo\n }, {})\n\n return function (token) {\n if (token && words[token.toString()] !== token.toString()) return token\n }\n}\n\n/**\n * lunr.stopWordFilter is an English language stop word list filter, any words\n * contained in the list will not be passed through the filter.\n *\n * This is intended to be used in the Pipeline. If the token does not pass the\n * filter then undefined will be returned.\n *\n * @function\n * @implements {lunr.PipelineFunction}\n * @params {lunr.Token} token - A token to check for being a stop word.\n * @returns {lunr.Token}\n * @see {@link lunr.Pipeline}\n */\nlunr.stopWordFilter = lunr.generateStopWordFilter([\n 'a',\n 'able',\n 'about',\n 'across',\n 'after',\n 'all',\n 'almost',\n 'also',\n 'am',\n 'among',\n 'an',\n 'and',\n 'any',\n 'are',\n 'as',\n 'at',\n 'be',\n 'because',\n 'been',\n 'but',\n 'by',\n 'can',\n 'cannot',\n 'could',\n 'dear',\n 'did',\n 'do',\n 'does',\n 'either',\n 'else',\n 'ever',\n 'every',\n 'for',\n 'from',\n 'get',\n 'got',\n 'had',\n 'has',\n 'have',\n 'he',\n 'her',\n 'hers',\n 'him',\n 'his',\n 'how',\n 'however',\n 'i',\n 'if',\n 'in',\n 'into',\n 'is',\n 'it',\n 'its',\n 'just',\n 'least',\n 'let',\n 'like',\n 'likely',\n 'may',\n 'me',\n 'might',\n 'most',\n 'must',\n 'my',\n 'neither',\n 'no',\n 'nor',\n 'not',\n 'of',\n 'off',\n 'often',\n 'on',\n 'only',\n 'or',\n 'other',\n 'our',\n 'own',\n 'rather',\n 'said',\n 'say',\n 'says',\n 'she',\n 'should',\n 'since',\n 'so',\n 'some',\n 'than',\n 'that',\n 'the',\n 'their',\n 'them',\n 'then',\n 'there',\n 'these',\n 'they',\n 'this',\n 'tis',\n 'to',\n 'too',\n 'twas',\n 'us',\n 'wants',\n 'was',\n 'we',\n 'were',\n 'what',\n 'when',\n 'where',\n 'which',\n 'while',\n 'who',\n 'whom',\n 'why',\n 'will',\n 'with',\n 'would',\n 'yet',\n 'you',\n 'your'\n])\n\nlunr.Pipeline.registerFunction(lunr.stopWordFilter, 'stopWordFilter')\n/*!\n * lunr.trimmer\n * Copyright (C) 2020 Oliver Nightingale\n */\n\n/**\n * lunr.trimmer is a pipeline function for trimming non word\n * characters from the beginning and end of tokens before they\n * enter the index.\n *\n * This implementation may not work correctly for non latin\n * characters and should either be removed or adapted for use\n * with languages with non-latin characters.\n *\n * @static\n * @implements {lunr.PipelineFunction}\n * @param {lunr.Token} token The token to pass through the filter\n * @returns {lunr.Token}\n * @see lunr.Pipeline\n */\nlunr.trimmer = function (token) {\n return token.update(function (s) {\n return s.replace(/^\\W+/, '').replace(/\\W+$/, '')\n })\n}\n\nlunr.Pipeline.registerFunction(lunr.trimmer, 'trimmer')\n/*!\n * lunr.TokenSet\n * Copyright (C) 2020 Oliver Nightingale\n */\n\n/**\n * A token set is used to store the unique list of all tokens\n * within an index. Token sets are also used to represent an\n * incoming query to the index, this query token set and index\n * token set are then intersected to find which tokens to look\n * up in the inverted index.\n *\n * A token set can hold multiple tokens, as in the case of the\n * index token set, or it can hold a single token as in the\n * case of a simple query token set.\n *\n * Additionally token sets are used to perform wildcard matching.\n * Leading, contained and trailing wildcards are supported, and\n * from this edit distance matching can also be provided.\n *\n * Token sets are implemented as a minimal finite state automata,\n * where both common prefixes and suffixes are shared between tokens.\n * This helps to reduce the space used for storing the token set.\n *\n * @constructor\n */\nlunr.TokenSet = function () {\n this.final = false\n this.edges = {}\n this.id = lunr.TokenSet._nextId\n lunr.TokenSet._nextId += 1\n}\n\n/**\n * Keeps track of the next, auto increment, identifier to assign\n * to a new tokenSet.\n *\n * TokenSets require a unique identifier to be correctly minimised.\n *\n * @private\n */\nlunr.TokenSet._nextId = 1\n\n/**\n * Creates a TokenSet instance from the given sorted array of words.\n *\n * @param {String[]} arr - A sorted array of strings to create the set from.\n * @returns {lunr.TokenSet}\n * @throws Will throw an error if the input array is not sorted.\n */\nlunr.TokenSet.fromArray = function (arr) {\n var builder = new lunr.TokenSet.Builder\n\n for (var i = 0, len = arr.length; i < len; i++) {\n builder.insert(arr[i])\n }\n\n builder.finish()\n return builder.root\n}\n\n/**\n * Creates a token set from a query clause.\n *\n * @private\n * @param {Object} clause - A single clause from lunr.Query.\n * @param {string} clause.term - The query clause term.\n * @param {number} [clause.editDistance] - The optional edit distance for the term.\n * @returns {lunr.TokenSet}\n */\nlunr.TokenSet.fromClause = function (clause) {\n if ('editDistance' in clause) {\n return lunr.TokenSet.fromFuzzyString(clause.term, clause.editDistance)\n } else {\n return lunr.TokenSet.fromString(clause.term)\n }\n}\n\n/**\n * Creates a token set representing a single string with a specified\n * edit distance.\n *\n * Insertions, deletions, substitutions and transpositions are each\n * treated as an edit distance of 1.\n *\n * Increasing the allowed edit distance will have a dramatic impact\n * on the performance of both creating and intersecting these TokenSets.\n * It is advised to keep the edit distance less than 3.\n *\n * @param {string} str - The string to create the token set from.\n * @param {number} editDistance - The allowed edit distance to match.\n * @returns {lunr.Vector}\n */\nlunr.TokenSet.fromFuzzyString = function (str, editDistance) {\n var root = new lunr.TokenSet\n\n var stack = [{\n node: root,\n editsRemaining: editDistance,\n str: str\n }]\n\n while (stack.length) {\n var frame = stack.pop()\n\n // no edit\n if (frame.str.length > 0) {\n var char = frame.str.charAt(0),\n noEditNode\n\n if (char in frame.node.edges) {\n noEditNode = frame.node.edges[char]\n } else {\n noEditNode = new lunr.TokenSet\n frame.node.edges[char] = noEditNode\n }\n\n if (frame.str.length == 1) {\n noEditNode.final = true\n }\n\n stack.push({\n node: noEditNode,\n editsRemaining: frame.editsRemaining,\n str: frame.str.slice(1)\n })\n }\n\n if (frame.editsRemaining == 0) {\n continue\n }\n\n // insertion\n if (\"*\" in frame.node.edges) {\n var insertionNode = frame.node.edges[\"*\"]\n } else {\n var insertionNode = new lunr.TokenSet\n frame.node.edges[\"*\"] = insertionNode\n }\n\n if (frame.str.length == 0) {\n insertionNode.final = true\n }\n\n stack.push({\n node: insertionNode,\n editsRemaining: frame.editsRemaining - 1,\n str: frame.str\n })\n\n // deletion\n // can only do a deletion if we have enough edits remaining\n // and if there are characters left to delete in the string\n if (frame.str.length > 1) {\n stack.push({\n node: frame.node,\n editsRemaining: frame.editsRemaining - 1,\n str: frame.str.slice(1)\n })\n }\n\n // deletion\n // just removing the last character from the str\n if (frame.str.length == 1) {\n frame.node.final = true\n }\n\n // substitution\n // can only do a substitution if we have enough edits remaining\n // and if there are characters left to substitute\n if (frame.str.length >= 1) {\n if (\"*\" in frame.node.edges) {\n var substitutionNode = frame.node.edges[\"*\"]\n } else {\n var substitutionNode = new lunr.TokenSet\n frame.node.edges[\"*\"] = substitutionNode\n }\n\n if (frame.str.length == 1) {\n substitutionNode.final = true\n }\n\n stack.push({\n node: substitutionNode,\n editsRemaining: frame.editsRemaining - 1,\n str: frame.str.slice(1)\n })\n }\n\n // transposition\n // can only do a transposition if there are edits remaining\n // and there are enough characters to transpose\n if (frame.str.length > 1) {\n var charA = frame.str.charAt(0),\n charB = frame.str.charAt(1),\n transposeNode\n\n if (charB in frame.node.edges) {\n transposeNode = frame.node.edges[charB]\n } else {\n transposeNode = new lunr.TokenSet\n frame.node.edges[charB] = transposeNode\n }\n\n if (frame.str.length == 1) {\n transposeNode.final = true\n }\n\n stack.push({\n node: transposeNode,\n editsRemaining: frame.editsRemaining - 1,\n str: charA + frame.str.slice(2)\n })\n }\n }\n\n return root\n}\n\n/**\n * Creates a TokenSet from a string.\n *\n * The string may contain one or more wildcard characters (*)\n * that will allow wildcard matching when intersecting with\n * another TokenSet.\n *\n * @param {string} str - The string to create a TokenSet from.\n * @returns {lunr.TokenSet}\n */\nlunr.TokenSet.fromString = function (str) {\n var node = new lunr.TokenSet,\n root = node\n\n /*\n * Iterates through all characters within the passed string\n * appending a node for each character.\n *\n * When a wildcard character is found then a self\n * referencing edge is introduced to continually match\n * any number of any characters.\n */\n for (var i = 0, len = str.length; i < len; i++) {\n var char = str[i],\n final = (i == len - 1)\n\n if (char == \"*\") {\n node.edges[char] = node\n node.final = final\n\n } else {\n var next = new lunr.TokenSet\n next.final = final\n\n node.edges[char] = next\n node = next\n }\n }\n\n return root\n}\n\n/**\n * Converts this TokenSet into an array of strings\n * contained within the TokenSet.\n *\n * This is not intended to be used on a TokenSet that\n * contains wildcards, in these cases the results are\n * undefined and are likely to cause an infinite loop.\n *\n * @returns {string[]}\n */\nlunr.TokenSet.prototype.toArray = function () {\n var words = []\n\n var stack = [{\n prefix: \"\",\n node: this\n }]\n\n while (stack.length) {\n var frame = stack.pop(),\n edges = Object.keys(frame.node.edges),\n len = edges.length\n\n if (frame.node.final) {\n /* In Safari, at this point the prefix is sometimes corrupted, see:\n * https://github.com/olivernn/lunr.js/issues/279 Calling any\n * String.prototype method forces Safari to \"cast\" this string to what\n * it's supposed to be, fixing the bug. */\n frame.prefix.charAt(0)\n words.push(frame.prefix)\n }\n\n for (var i = 0; i < len; i++) {\n var edge = edges[i]\n\n stack.push({\n prefix: frame.prefix.concat(edge),\n node: frame.node.edges[edge]\n })\n }\n }\n\n return words\n}\n\n/**\n * Generates a string representation of a TokenSet.\n *\n * This is intended to allow TokenSets to be used as keys\n * in objects, largely to aid the construction and minimisation\n * of a TokenSet. As such it is not designed to be a human\n * friendly representation of the TokenSet.\n *\n * @returns {string}\n */\nlunr.TokenSet.prototype.toString = function () {\n // NOTE: Using Object.keys here as this.edges is very likely\n // to enter 'hash-mode' with many keys being added\n //\n // avoiding a for-in loop here as it leads to the function\n // being de-optimised (at least in V8). From some simple\n // benchmarks the performance is comparable, but allowing\n // V8 to optimize may mean easy performance wins in the future.\n\n if (this._str) {\n return this._str\n }\n\n var str = this.final ? '1' : '0',\n labels = Object.keys(this.edges).sort(),\n len = labels.length\n\n for (var i = 0; i < len; i++) {\n var label = labels[i],\n node = this.edges[label]\n\n str = str + label + node.id\n }\n\n return str\n}\n\n/**\n * Returns a new TokenSet that is the intersection of\n * this TokenSet and the passed TokenSet.\n *\n * This intersection will take into account any wildcards\n * contained within the TokenSet.\n *\n * @param {lunr.TokenSet} b - An other TokenSet to intersect with.\n * @returns {lunr.TokenSet}\n */\nlunr.TokenSet.prototype.intersect = function (b) {\n var output = new lunr.TokenSet,\n frame = undefined\n\n var stack = [{\n qNode: b,\n output: output,\n node: this\n }]\n\n while (stack.length) {\n frame = stack.pop()\n\n // NOTE: As with the #toString method, we are using\n // Object.keys and a for loop instead of a for-in loop\n // as both of these objects enter 'hash' mode, causing\n // the function to be de-optimised in V8\n var qEdges = Object.keys(frame.qNode.edges),\n qLen = qEdges.length,\n nEdges = Object.keys(frame.node.edges),\n nLen = nEdges.length\n\n for (var q = 0; q < qLen; q++) {\n var qEdge = qEdges[q]\n\n for (var n = 0; n < nLen; n++) {\n var nEdge = nEdges[n]\n\n if (nEdge == qEdge || qEdge == '*') {\n var node = frame.node.edges[nEdge],\n qNode = frame.qNode.edges[qEdge],\n final = node.final && qNode.final,\n next = undefined\n\n if (nEdge in frame.output.edges) {\n // an edge already exists for this character\n // no need to create a new node, just set the finality\n // bit unless this node is already final\n next = frame.output.edges[nEdge]\n next.final = next.final || final\n\n } else {\n // no edge exists yet, must create one\n // set the finality bit and insert it\n // into the output\n next = new lunr.TokenSet\n next.final = final\n frame.output.edges[nEdge] = next\n }\n\n stack.push({\n qNode: qNode,\n output: next,\n node: node\n })\n }\n }\n }\n }\n\n return output\n}\nlunr.TokenSet.Builder = function () {\n this.previousWord = \"\"\n this.root = new lunr.TokenSet\n this.uncheckedNodes = []\n this.minimizedNodes = {}\n}\n\nlunr.TokenSet.Builder.prototype.insert = function (word) {\n var node,\n commonPrefix = 0\n\n if (word < this.previousWord) {\n throw new Error (\"Out of order word insertion\")\n }\n\n for (var i = 0; i < word.length && i < this.previousWord.length; i++) {\n if (word[i] != this.previousWord[i]) break\n commonPrefix++\n }\n\n this.minimize(commonPrefix)\n\n if (this.uncheckedNodes.length == 0) {\n node = this.root\n } else {\n node = this.uncheckedNodes[this.uncheckedNodes.length - 1].child\n }\n\n for (var i = commonPrefix; i < word.length; i++) {\n var nextNode = new lunr.TokenSet,\n char = word[i]\n\n node.edges[char] = nextNode\n\n this.uncheckedNodes.push({\n parent: node,\n char: char,\n child: nextNode\n })\n\n node = nextNode\n }\n\n node.final = true\n this.previousWord = word\n}\n\nlunr.TokenSet.Builder.prototype.finish = function () {\n this.minimize(0)\n}\n\nlunr.TokenSet.Builder.prototype.minimize = function (downTo) {\n for (var i = this.uncheckedNodes.length - 1; i >= downTo; i--) {\n var node = this.uncheckedNodes[i],\n childKey = node.child.toString()\n\n if (childKey in this.minimizedNodes) {\n node.parent.edges[node.char] = this.minimizedNodes[childKey]\n } else {\n // Cache the key for this node since\n // we know it can't change anymore\n node.child._str = childKey\n\n this.minimizedNodes[childKey] = node.child\n }\n\n this.uncheckedNodes.pop()\n }\n}\n/*!\n * lunr.Index\n * Copyright (C) 2020 Oliver Nightingale\n */\n\n/**\n * An index contains the built index of all documents and provides a query interface\n * to the index.\n *\n * Usually instances of lunr.Index will not be created using this constructor, instead\n * lunr.Builder should be used to construct new indexes, or lunr.Index.load should be\n * used to load previously built and serialized indexes.\n *\n * @constructor\n * @param {Object} attrs - The attributes of the built search index.\n * @param {Object} attrs.invertedIndex - An index of term/field to document reference.\n * @param {Object<string, lunr.Vector>} attrs.fieldVectors - Field vectors\n * @param {lunr.TokenSet} attrs.tokenSet - An set of all corpus tokens.\n * @param {string[]} attrs.fields - The names of indexed document fields.\n * @param {lunr.Pipeline} attrs.pipeline - The pipeline to use for search terms.\n */\nlunr.Index = function (attrs) {\n this.invertedIndex = attrs.invertedIndex\n this.fieldVectors = attrs.fieldVectors\n this.tokenSet = attrs.tokenSet\n this.fields = attrs.fields\n this.pipeline = attrs.pipeline\n}\n\n/**\n * A result contains details of a document matching a search query.\n * @typedef {Object} lunr.Index~Result\n * @property {string} ref - The reference of the document this result represents.\n * @property {number} score - A number between 0 and 1 representing how similar this document is to the query.\n * @property {lunr.MatchData} matchData - Contains metadata about this match including which term(s) caused the match.\n */\n\n/**\n * Although lunr provides the ability to create queries using lunr.Query, it also provides a simple\n * query language which itself is parsed into an instance of lunr.Query.\n *\n * For programmatically building queries it is advised to directly use lunr.Query, the query language\n * is best used for human entered text rather than program generated text.\n *\n * At its simplest queries can just be a single term, e.g. `hello`, multiple terms are also supported\n * and will be combined with OR, e.g `hello world` will match documents that contain either 'hello'\n * or 'world', though those that contain both will rank higher in the results.\n *\n * Wildcards can be included in terms to match one or more unspecified characters, these wildcards can\n * be inserted anywhere within the term, and more than one wildcard can exist in a single term. Adding\n * wildcards will increase the number of documents that will be found but can also have a negative\n * impact on query performance, especially with wildcards at the beginning of a term.\n *\n * Terms can be restricted to specific fields, e.g. `title:hello`, only documents with the term\n * hello in the title field will match this query. Using a field not present in the index will lead\n * to an error being thrown.\n *\n * Modifiers can also be added to terms, lunr supports edit distance and boost modifiers on terms. A term\n * boost will make documents matching that term score higher, e.g. `foo^5`. Edit distance is also supported\n * to provide fuzzy matching, e.g. 'hello~2' will match documents with hello with an edit distance of 2.\n * Avoid large values for edit distance to improve query performance.\n *\n * Each term also supports a presence modifier. By default a term's presence in document is optional, however\n * this can be changed to either required or prohibited. For a term's presence to be required in a document the\n * term should be prefixed with a '+', e.g. `+foo bar` is a search for documents that must contain 'foo' and\n * optionally contain 'bar'. Conversely a leading '-' sets the terms presence to prohibited, i.e. it must not\n * appear in a document, e.g. `-foo bar` is a search for documents that do not contain 'foo' but may contain 'bar'.\n *\n * To escape special characters the backslash character '\\' can be used, this allows searches to include\n * characters that would normally be considered modifiers, e.g. `foo\\~2` will search for a term \"foo~2\" instead\n * of attempting to apply a boost of 2 to the search term \"foo\".\n *\n * @typedef {string} lunr.Index~QueryString\n * @example <caption>Simple single term query</caption>\n * hello\n * @example <caption>Multiple term query</caption>\n * hello world\n * @example <caption>term scoped to a field</caption>\n * title:hello\n * @example <caption>term with a boost of 10</caption>\n * hello^10\n * @example <caption>term with an edit distance of 2</caption>\n * hello~2\n * @example <caption>terms with presence modifiers</caption>\n * -foo +bar baz\n */\n\n/**\n * Performs a search against the index using lunr query syntax.\n *\n * Results will be returned sorted by their score, the most relevant results\n * will be returned first. For details on how the score is calculated, please see\n * the {@link https://lunrjs.com/guides/searching.html#scoring|guide}.\n *\n * For more programmatic querying use lunr.Index#query.\n *\n * @param {lunr.Index~QueryString} queryString - A string containing a lunr query.\n * @throws {lunr.QueryParseError} If the passed query string cannot be parsed.\n * @returns {lunr.Index~Result[]}\n */\nlunr.Index.prototype.search = function (queryString) {\n return this.query(function (query) {\n var parser = new lunr.QueryParser(queryString, query)\n parser.parse()\n })\n}\n\n/**\n * A query builder callback provides a query object to be used to express\n * the query to perform on the index.\n *\n * @callback lunr.Index~queryBuilder\n * @param {lunr.Query} query - The query object to build up.\n * @this lunr.Query\n */\n\n/**\n * Performs a query against the index using the yielded lunr.Query object.\n *\n * If performing programmatic queries against the index, this method is preferred\n * over lunr.Index#search so as to avoid the additional query parsing overhead.\n *\n * A query object is yielded to the supplied function which should be used to\n * express the query to be run against the index.\n *\n * Note that although this function takes a callback parameter it is _not_ an\n * asynchronous operation, the callback is just yielded a query object to be\n * customized.\n *\n * @param {lunr.Index~queryBuilder} fn - A function that is used to build the query.\n * @returns {lunr.Index~Result[]}\n */\nlunr.Index.prototype.query = function (fn) {\n // for each query clause\n // * process terms\n // * expand terms from token set\n // * find matching documents and metadata\n // * get document vectors\n // * score documents\n\n var query = new lunr.Query(this.fields),\n matchingFields = Object.create(null),\n queryVectors = Object.create(null),\n termFieldCache = Object.create(null),\n requiredMatches = Object.create(null),\n prohibitedMatches = Object.create(null)\n\n /*\n * To support field level boosts a query vector is created per\n * field. An empty vector is eagerly created to support negated\n * queries.\n */\n for (var i = 0; i < this.fields.length; i++) {\n queryVectors[this.fields[i]] = new lunr.Vector\n }\n\n fn.call(query, query)\n\n for (var i = 0; i < query.clauses.length; i++) {\n /*\n * Unless the pipeline has been disabled for this term, which is\n * the case for terms with wildcards, we need to pass the clause\n * term through the search pipeline. A pipeline returns an array\n * of processed terms. Pipeline functions may expand the passed\n * term, which means we may end up performing multiple index lookups\n * for a single query term.\n */\n var clause = query.clauses[i],\n terms = null,\n clauseMatches = lunr.Set.empty\n\n if (clause.usePipeline) {\n terms = this.pipeline.runString(clause.term, {\n fields: clause.fields\n })\n } else {\n terms = [clause.term]\n }\n\n for (var m = 0; m < terms.length; m++) {\n var term = terms[m]\n\n /*\n * Each term returned from the pipeline needs to use the same query\n * clause object, e.g. the same boost and or edit distance. The\n * simplest way to do this is to re-use the clause object but mutate\n * its term property.\n */\n clause.term = term\n\n /*\n * From the term in the clause we create a token set which will then\n * be used to intersect the indexes token set to get a list of terms\n * to lookup in the inverted index\n */\n var termTokenSet = lunr.TokenSet.fromClause(clause),\n expandedTerms = this.tokenSet.intersect(termTokenSet).toArray()\n\n /*\n * If a term marked as required does not exist in the tokenSet it is\n * impossible for the search to return any matches. We set all the field\n * scoped required matches set to empty and stop examining any further\n * clauses.\n */\n if (expandedTerms.length === 0 && clause.presence === lunr.Query.presence.REQUIRED) {\n for (var k = 0; k < clause.fields.length; k++) {\n var field = clause.fields[k]\n requiredMatches[field] = lunr.Set.empty\n }\n\n break\n }\n\n for (var j = 0; j < expandedTerms.length; j++) {\n /*\n * For each term get the posting and termIndex, this is required for\n * building the query vector.\n */\n var expandedTerm = expandedTerms[j],\n posting = this.invertedIndex[expandedTerm],\n termIndex = posting._index\n\n for (var k = 0; k < clause.fields.length; k++) {\n /*\n * For each field that this query term is scoped by (by default\n * all fields are in scope) we need to get all the document refs\n * that have this term in that field.\n *\n * The posting is the entry in the invertedIndex for the matching\n * term from above.\n */\n var field = clause.fields[k],\n fieldPosting = posting[field],\n matchingDocumentRefs = Object.keys(fieldPosting),\n termField = expandedTerm + \"/\" + field,\n matchingDocumentsSet = new lunr.Set(matchingDocumentRefs)\n\n /*\n * if the presence of this term is required ensure that the matching\n * documents are added to the set of required matches for this clause.\n *\n */\n if (clause.presence == lunr.Query.presence.REQUIRED) {\n clauseMatches = clauseMatches.union(matchingDocumentsSet)\n\n if (requiredMatches[field] === undefined) {\n requiredMatches[field] = lunr.Set.complete\n }\n }\n\n /*\n * if the presence of this term is prohibited ensure that the matching\n * documents are added to the set of prohibited matches for this field,\n * creating that set if it does not yet exist.\n */\n if (clause.presence == lunr.Query.presence.PROHIBITED) {\n if (prohibitedMatches[field] === undefined) {\n prohibitedMatches[field] = lunr.Set.empty\n }\n\n prohibitedMatches[field] = prohibitedMatches[field].union(matchingDocumentsSet)\n\n /*\n * Prohibited matches should not be part of the query vector used for\n * similarity scoring and no metadata should be extracted so we continue\n * to the next field\n */\n continue\n }\n\n /*\n * The query field vector is populated using the termIndex found for\n * the term and a unit value with the appropriate boost applied.\n * Using upsert because there could already be an entry in the vector\n * for the term we are working with. In that case we just add the scores\n * together.\n */\n queryVectors[field].upsert(termIndex, clause.boost, function (a, b) { return a + b })\n\n /**\n * If we've already seen this term, field combo then we've already collected\n * the matching documents and metadata, no need to go through all that again\n */\n if (termFieldCache[termField]) {\n continue\n }\n\n for (var l = 0; l < matchingDocumentRefs.length; l++) {\n /*\n * All metadata for this term/field/document triple\n * are then extracted and collected into an instance\n * of lunr.MatchData ready to be returned in the query\n * results\n */\n var matchingDocumentRef = matchingDocumentRefs[l],\n matchingFieldRef = new lunr.FieldRef (matchingDocumentRef, field),\n metadata = fieldPosting[matchingDocumentRef],\n fieldMatch\n\n if ((fieldMatch = matchingFields[matchingFieldRef]) === undefined) {\n matchingFields[matchingFieldRef] = new lunr.MatchData (expandedTerm, field, metadata)\n } else {\n fieldMatch.add(expandedTerm, field, metadata)\n }\n\n }\n\n termFieldCache[termField] = true\n }\n }\n }\n\n /**\n * If the presence was required we need to update the requiredMatches field sets.\n * We do this after all fields for the term have collected their matches because\n * the clause terms presence is required in _any_ of the fields not _all_ of the\n * fields.\n */\n if (clause.presence === lunr.Query.presence.REQUIRED) {\n for (var k = 0; k < clause.fields.length; k++) {\n var field = clause.fields[k]\n requiredMatches[field] = requiredMatches[field].intersect(clauseMatches)\n }\n }\n }\n\n /**\n * Need to combine the field scoped required and prohibited\n * matching documents into a global set of required and prohibited\n * matches\n */\n var allRequiredMatches = lunr.Set.complete,\n allProhibitedMatches = lunr.Set.empty\n\n for (var i = 0; i < this.fields.length; i++) {\n var field = this.fields[i]\n\n if (requiredMatches[field]) {\n allRequiredMatches = allRequiredMatches.intersect(requiredMatches[field])\n }\n\n if (prohibitedMatches[field]) {\n allProhibitedMatches = allProhibitedMatches.union(prohibitedMatches[field])\n }\n }\n\n var matchingFieldRefs = Object.keys(matchingFields),\n results = [],\n matches = Object.create(null)\n\n /*\n * If the query is negated (contains only prohibited terms)\n * we need to get _all_ fieldRefs currently existing in the\n * index. This is only done when we know that the query is\n * entirely prohibited terms to avoid any cost of getting all\n * fieldRefs unnecessarily.\n *\n * Additionally, blank MatchData must be created to correctly\n * populate the results.\n */\n if (query.isNegated()) {\n matchingFieldRefs = Object.keys(this.fieldVectors)\n\n for (var i = 0; i < matchingFieldRefs.length; i++) {\n var matchingFieldRef = matchingFieldRefs[i]\n var fieldRef = lunr.FieldRef.fromString(matchingFieldRef)\n matchingFields[matchingFieldRef] = new lunr.MatchData\n }\n }\n\n for (var i = 0; i < matchingFieldRefs.length; i++) {\n /*\n * Currently we have document fields that match the query, but we\n * need to return documents. The matchData and scores are combined\n * from multiple fields belonging to the same document.\n *\n * Scores are calculated by field, using the query vectors created\n * above, and combined into a final document score using addition.\n */\n var fieldRef = lunr.FieldRef.fromString(matchingFieldRefs[i]),\n docRef = fieldRef.docRef\n\n if (!allRequiredMatches.contains(docRef)) {\n continue\n }\n\n if (allProhibitedMatches.contains(docRef)) {\n continue\n }\n\n var fieldVector = this.fieldVectors[fieldRef],\n score = queryVectors[fieldRef.fieldName].similarity(fieldVector),\n docMatch\n\n if ((docMatch = matches[docRef]) !== undefined) {\n docMatch.score += score\n docMatch.matchData.combine(matchingFields[fieldRef])\n } else {\n var match = {\n ref: docRef,\n score: score,\n matchData: matchingFields[fieldRef]\n }\n matches[docRef] = match\n results.push(match)\n }\n }\n\n /*\n * Sort the results objects by score, highest first.\n */\n return results.sort(function (a, b) {\n return b.score - a.score\n })\n}\n\n/**\n * Prepares the index for JSON serialization.\n *\n * The schema for this JSON blob will be described in a\n * separate JSON schema file.\n *\n * @returns {Object}\n */\nlunr.Index.prototype.toJSON = function () {\n var invertedIndex = Object.keys(this.invertedIndex)\n .sort()\n .map(function (term) {\n return [term, this.invertedIndex[term]]\n }, this)\n\n var fieldVectors = Object.keys(this.fieldVectors)\n .map(function (ref) {\n return [ref, this.fieldVectors[ref].toJSON()]\n }, this)\n\n return {\n version: lunr.version,\n fields: this.fields,\n fieldVectors: fieldVectors,\n invertedIndex: invertedIndex,\n pipeline: this.pipeline.toJSON()\n }\n}\n\n/**\n * Loads a previously serialized lunr.Index\n *\n * @param {Object} serializedIndex - A previously serialized lunr.Index\n * @returns {lunr.Index}\n */\nlunr.Index.load = function (serializedIndex) {\n var attrs = {},\n fieldVectors = {},\n serializedVectors = serializedIndex.fieldVectors,\n invertedIndex = Object.create(null),\n serializedInvertedIndex = serializedIndex.invertedIndex,\n tokenSetBuilder = new lunr.TokenSet.Builder,\n pipeline = lunr.Pipeline.load(serializedIndex.pipeline)\n\n if (serializedIndex.version != lunr.version) {\n lunr.utils.warn(\"Version mismatch when loading serialised index. Current version of lunr '\" + lunr.version + \"' does not match serialized index '\" + serializedIndex.version + \"'\")\n }\n\n for (var i = 0; i < serializedVectors.length; i++) {\n var tuple = serializedVectors[i],\n ref = tuple[0],\n elements = tuple[1]\n\n fieldVectors[ref] = new lunr.Vector(elements)\n }\n\n for (var i = 0; i < serializedInvertedIndex.length; i++) {\n var tuple = serializedInvertedIndex[i],\n term = tuple[0],\n posting = tuple[1]\n\n tokenSetBuilder.insert(term)\n invertedIndex[term] = posting\n }\n\n tokenSetBuilder.finish()\n\n attrs.fields = serializedIndex.fields\n\n attrs.fieldVectors = fieldVectors\n attrs.invertedIndex = invertedIndex\n attrs.tokenSet = tokenSetBuilder.root\n attrs.pipeline = pipeline\n\n return new lunr.Index(attrs)\n}\n/*!\n * lunr.Builder\n * Copyright (C) 2020 Oliver Nightingale\n */\n\n/**\n * lunr.Builder performs indexing on a set of documents and\n * returns instances of lunr.Index ready for querying.\n *\n * All configuration of the index is done via the builder, the\n * fields to index, the document reference, the text processing\n * pipeline and document scoring parameters are all set on the\n * builder before indexing.\n *\n * @constructor\n * @property {string} _ref - Internal reference to the document reference field.\n * @property {string[]} _fields - Internal reference to the document fields to index.\n * @property {object} invertedIndex - The inverted index maps terms to document fields.\n * @property {object} documentTermFrequencies - Keeps track of document term frequencies.\n * @property {object} documentLengths - Keeps track of the length of documents added to the index.\n * @property {lunr.tokenizer} tokenizer - Function for splitting strings into tokens for indexing.\n * @property {lunr.Pipeline} pipeline - The pipeline performs text processing on tokens before indexing.\n * @property {lunr.Pipeline} searchPipeline - A pipeline for processing search terms before querying the index.\n * @property {number} documentCount - Keeps track of the total number of documents indexed.\n * @property {number} _b - A parameter to control field length normalization, setting this to 0 disabled normalization, 1 fully normalizes field lengths, the default value is 0.75.\n * @property {number} _k1 - A parameter to control how quickly an increase in term frequency results in term frequency saturation, the default value is 1.2.\n * @property {number} termIndex - A counter incremented for each unique term, used to identify a terms position in the vector space.\n * @property {array} metadataWhitelist - A list of metadata keys that have been whitelisted for entry in the index.\n */\nlunr.Builder = function () {\n this._ref = \"id\"\n this._fields = Object.create(null)\n this._documents = Object.create(null)\n this.invertedIndex = Object.create(null)\n this.fieldTermFrequencies = {}\n this.fieldLengths = {}\n this.tokenizer = lunr.tokenizer\n this.pipeline = new lunr.Pipeline\n this.searchPipeline = new lunr.Pipeline\n this.documentCount = 0\n this._b = 0.75\n this._k1 = 1.2\n this.termIndex = 0\n this.metadataWhitelist = []\n}\n\n/**\n * Sets the document field used as the document reference. Every document must have this field.\n * The type of this field in the document should be a string, if it is not a string it will be\n * coerced into a string by calling toString.\n *\n * The default ref is 'id'.\n *\n * The ref should _not_ be changed during indexing, it should be set before any documents are\n * added to the index. Changing it during indexing can lead to inconsistent results.\n *\n * @param {string} ref - The name of the reference field in the document.\n */\nlunr.Builder.prototype.ref = function (ref) {\n this._ref = ref\n}\n\n/**\n * A function that is used to extract a field from a document.\n *\n * Lunr expects a field to be at the top level of a document, if however the field\n * is deeply nested within a document an extractor function can be used to extract\n * the right field for indexing.\n *\n * @callback fieldExtractor\n * @param {object} doc - The document being added to the index.\n * @returns {?(string|object|object[])} obj - The object that will be indexed for this field.\n * @example <caption>Extracting a nested field</caption>\n * function (doc) { return doc.nested.field }\n */\n\n/**\n * Adds a field to the list of document fields that will be indexed. Every document being\n * indexed should have this field. Null values for this field in indexed documents will\n * not cause errors but will limit the chance of that document being retrieved by searches.\n *\n * All fields should be added before adding documents to the index. Adding fields after\n * a document has been indexed will have no effect on already indexed documents.\n *\n * Fields can be boosted at build time. This allows terms within that field to have more\n * importance when ranking search results. Use a field boost to specify that matches within\n * one field are more important than other fields.\n *\n * @param {string} fieldName - The name of a field to index in all documents.\n * @param {object} attributes - Optional attributes associated with this field.\n * @param {number} [attributes.boost=1] - Boost applied to all terms within this field.\n * @param {fieldExtractor} [attributes.extractor] - Function to extract a field from a document.\n * @throws {RangeError} fieldName cannot contain unsupported characters '/'\n */\nlunr.Builder.prototype.field = function (fieldName, attributes) {\n if (/\\//.test(fieldName)) {\n throw new RangeError (\"Field '\" + fieldName + \"' contains illegal character '/'\")\n }\n\n this._fields[fieldName] = attributes || {}\n}\n\n/**\n * A parameter to tune the amount of field length normalisation that is applied when\n * calculating relevance scores. A value of 0 will completely disable any normalisation\n * and a value of 1 will fully normalise field lengths. The default is 0.75. Values of b\n * will be clamped to the range 0 - 1.\n *\n * @param {number} number - The value to set for this tuning parameter.\n */\nlunr.Builder.prototype.b = function (number) {\n if (number < 0) {\n this._b = 0\n } else if (number > 1) {\n this._b = 1\n } else {\n this._b = number\n }\n}\n\n/**\n * A parameter that controls the speed at which a rise in term frequency results in term\n * frequency saturation. The default value is 1.2. Setting this to a higher value will give\n * slower saturation levels, a lower value will result in quicker saturation.\n *\n * @param {number} number - The value to set for this tuning parameter.\n */\nlunr.Builder.prototype.k1 = function (number) {\n this._k1 = number\n}\n\n/**\n * Adds a document to the index.\n *\n * Before adding fields to the index the index should have been fully setup, with the document\n * ref and all fields to index already having been specified.\n *\n * The document must have a field name as specified by the ref (by default this is 'id') and\n * it should have all fields defined for indexing, though null or undefined values will not\n * cause errors.\n *\n * Entire documents can be boosted at build time. Applying a boost to a document indicates that\n * this document should rank higher in search results than other documents.\n *\n * @param {object} doc - The document to add to the index.\n * @param {object} attributes - Optional attributes associated with this document.\n * @param {number} [attributes.boost=1] - Boost applied to all terms within this document.\n */\nlunr.Builder.prototype.add = function (doc, attributes) {\n var docRef = doc[this._ref],\n fields = Object.keys(this._fields)\n\n this._documents[docRef] = attributes || {}\n this.documentCount += 1\n\n for (var i = 0; i < fields.length; i++) {\n var fieldName = fields[i],\n extractor = this._fields[fieldName].extractor,\n field = extractor ? extractor(doc) : doc[fieldName],\n tokens = this.tokenizer(field, {\n fields: [fieldName]\n }),\n terms = this.pipeline.run(tokens),\n fieldRef = new lunr.FieldRef (docRef, fieldName),\n fieldTerms = Object.create(null)\n\n this.fieldTermFrequencies[fieldRef] = fieldTerms\n this.fieldLengths[fieldRef] = 0\n\n // store the length of this field for this document\n this.fieldLengths[fieldRef] += terms.length\n\n // calculate term frequencies for this field\n for (var j = 0; j < terms.length; j++) {\n var term = terms[j]\n\n if (fieldTerms[term] == undefined) {\n fieldTerms[term] = 0\n }\n\n fieldTerms[term] += 1\n\n // add to inverted index\n // create an initial posting if one doesn't exist\n if (this.invertedIndex[term] == undefined) {\n var posting = Object.create(null)\n posting[\"_index\"] = this.termIndex\n this.termIndex += 1\n\n for (var k = 0; k < fields.length; k++) {\n posting[fields[k]] = Object.create(null)\n }\n\n this.invertedIndex[term] = posting\n }\n\n // add an entry for this term/fieldName/docRef to the invertedIndex\n if (this.invertedIndex[term][fieldName][docRef] == undefined) {\n this.invertedIndex[term][fieldName][docRef] = Object.create(null)\n }\n\n // store all whitelisted metadata about this token in the\n // inverted index\n for (var l = 0; l < this.metadataWhitelist.length; l++) {\n var metadataKey = this.metadataWhitelist[l],\n metadata = term.metadata[metadataKey]\n\n if (this.invertedIndex[term][fieldName][docRef][metadataKey] == undefined) {\n this.invertedIndex[term][fieldName][docRef][metadataKey] = []\n }\n\n this.invertedIndex[term][fieldName][docRef][metadataKey].push(metadata)\n }\n }\n\n }\n}\n\n/**\n * Calculates the average document length for this index\n *\n * @private\n */\nlunr.Builder.prototype.calculateAverageFieldLengths = function () {\n\n var fieldRefs = Object.keys(this.fieldLengths),\n numberOfFields = fieldRefs.length,\n accumulator = {},\n documentsWithField = {}\n\n for (var i = 0; i < numberOfFields; i++) {\n var fieldRef = lunr.FieldRef.fromString(fieldRefs[i]),\n field = fieldRef.fieldName\n\n documentsWithField[field] || (documentsWithField[field] = 0)\n documentsWithField[field] += 1\n\n accumulator[field] || (accumulator[field] = 0)\n accumulator[field] += this.fieldLengths[fieldRef]\n }\n\n var fields = Object.keys(this._fields)\n\n for (var i = 0; i < fields.length; i++) {\n var fieldName = fields[i]\n accumulator[fieldName] = accumulator[fieldName] / documentsWithField[fieldName]\n }\n\n this.averageFieldLength = accumulator\n}\n\n/**\n * Builds a vector space model of every document using lunr.Vector\n *\n * @private\n */\nlunr.Builder.prototype.createFieldVectors = function () {\n var fieldVectors = {},\n fieldRefs = Object.keys(this.fieldTermFrequencies),\n fieldRefsLength = fieldRefs.length,\n termIdfCache = Object.create(null)\n\n for (var i = 0; i < fieldRefsLength; i++) {\n var fieldRef = lunr.FieldRef.fromString(fieldRefs[i]),\n fieldName = fieldRef.fieldName,\n fieldLength = this.fieldLengths[fieldRef],\n fieldVector = new lunr.Vector,\n termFrequencies = this.fieldTermFrequencies[fieldRef],\n terms = Object.keys(termFrequencies),\n termsLength = terms.length\n\n\n var fieldBoost = this._fields[fieldName].boost || 1,\n docBoost = this._documents[fieldRef.docRef].boost || 1\n\n for (var j = 0; j < termsLength; j++) {\n var term = terms[j],\n tf = termFrequencies[term],\n termIndex = this.invertedIndex[term]._index,\n idf, score, scoreWithPrecision\n\n if (termIdfCache[term] === undefined) {\n idf = lunr.idf(this.invertedIndex[term], this.documentCount)\n termIdfCache[term] = idf\n } else {\n idf = termIdfCache[term]\n }\n\n score = idf * ((this._k1 + 1) * tf) / (this._k1 * (1 - this._b + this._b * (fieldLength / this.averageFieldLength[fieldName])) + tf)\n score *= fieldBoost\n score *= docBoost\n scoreWithPrecision = Math.round(score * 1000) / 1000\n // Converts 1.23456789 to 1.234.\n // Reducing the precision so that the vectors take up less\n // space when serialised. Doing it now so that they behave\n // the same before and after serialisation. Also, this is\n // the fastest approach to reducing a number's precision in\n // JavaScript.\n\n fieldVector.insert(termIndex, scoreWithPrecision)\n }\n\n fieldVectors[fieldRef] = fieldVector\n }\n\n this.fieldVectors = fieldVectors\n}\n\n/**\n * Creates a token set of all tokens in the index using lunr.TokenSet\n *\n * @private\n */\nlunr.Builder.prototype.createTokenSet = function () {\n this.tokenSet = lunr.TokenSet.fromArray(\n Object.keys(this.invertedIndex).sort()\n )\n}\n\n/**\n * Builds the index, creating an instance of lunr.Index.\n *\n * This completes the indexing process and should only be called\n * once all documents have been added to the index.\n *\n * @returns {lunr.Index}\n */\nlunr.Builder.prototype.build = function () {\n this.calculateAverageFieldLengths()\n this.createFieldVectors()\n this.createTokenSet()\n\n return new lunr.Index({\n invertedIndex: this.invertedIndex,\n fieldVectors: this.fieldVectors,\n tokenSet: this.tokenSet,\n fields: Object.keys(this._fields),\n pipeline: this.searchPipeline\n })\n}\n\n/**\n * Applies a plugin to the index builder.\n *\n * A plugin is a function that is called with the index builder as its context.\n * Plugins can be used to customise or extend the behaviour of the index\n * in some way. A plugin is just a function, that encapsulated the custom\n * behaviour that should be applied when building the index.\n *\n * The plugin function will be called with the index builder as its argument, additional\n * arguments can also be passed when calling use. The function will be called\n * with the index builder as its context.\n *\n * @param {Function} plugin The plugin to apply.\n */\nlunr.Builder.prototype.use = function (fn) {\n var args = Array.prototype.slice.call(arguments, 1)\n args.unshift(this)\n fn.apply(this, args)\n}\n/**\n * Contains and collects metadata about a matching document.\n * A single instance of lunr.MatchData is returned as part of every\n * lunr.Index~Result.\n *\n * @constructor\n * @param {string} term - The term this match data is associated with\n * @param {string} field - The field in which the term was found\n * @param {object} metadata - The metadata recorded about this term in this field\n * @property {object} metadata - A cloned collection of metadata associated with this document.\n * @see {@link lunr.Index~Result}\n */\nlunr.MatchData = function (term, field, metadata) {\n var clonedMetadata = Object.create(null),\n metadataKeys = Object.keys(metadata || {})\n\n // Cloning the metadata to prevent the original\n // being mutated during match data combination.\n // Metadata is kept in an array within the inverted\n // index so cloning the data can be done with\n // Array#slice\n for (var i = 0; i < metadataKeys.length; i++) {\n var key = metadataKeys[i]\n clonedMetadata[key] = metadata[key].slice()\n }\n\n this.metadata = Object.create(null)\n\n if (term !== undefined) {\n this.metadata[term] = Object.create(null)\n this.metadata[term][field] = clonedMetadata\n }\n}\n\n/**\n * An instance of lunr.MatchData will be created for every term that matches a\n * document. However only one instance is required in a lunr.Index~Result. This\n * method combines metadata from another instance of lunr.MatchData with this\n * objects metadata.\n *\n * @param {lunr.MatchData} otherMatchData - Another instance of match data to merge with this one.\n * @see {@link lunr.Index~Result}\n */\nlunr.MatchData.prototype.combine = function (otherMatchData) {\n var terms = Object.keys(otherMatchData.metadata)\n\n for (var i = 0; i < terms.length; i++) {\n var term = terms[i],\n fields = Object.keys(otherMatchData.metadata[term])\n\n if (this.metadata[term] == undefined) {\n this.metadata[term] = Object.create(null)\n }\n\n for (var j = 0; j < fields.length; j++) {\n var field = fields[j],\n keys = Object.keys(otherMatchData.metadata[term][field])\n\n if (this.metadata[term][field] == undefined) {\n this.metadata[term][field] = Object.create(null)\n }\n\n for (var k = 0; k < keys.length; k++) {\n var key = keys[k]\n\n if (this.metadata[term][field][key] == undefined) {\n this.metadata[term][field][key] = otherMatchData.metadata[term][field][key]\n } else {\n this.metadata[term][field][key] = this.metadata[term][field][key].concat(otherMatchData.metadata[term][field][key])\n }\n\n }\n }\n }\n}\n\n/**\n * Add metadata for a term/field pair to this instance of match data.\n *\n * @param {string} term - The term this match data is associated with\n * @param {string} field - The field in which the term was found\n * @param {object} metadata - The metadata recorded about this term in this field\n */\nlunr.MatchData.prototype.add = function (term, field, metadata) {\n if (!(term in this.metadata)) {\n this.metadata[term] = Object.create(null)\n this.metadata[term][field] = metadata\n return\n }\n\n if (!(field in this.metadata[term])) {\n this.metadata[term][field] = metadata\n return\n }\n\n var metadataKeys = Object.keys(metadata)\n\n for (var i = 0; i < metadataKeys.length; i++) {\n var key = metadataKeys[i]\n\n if (key in this.metadata[term][field]) {\n this.metadata[term][field][key] = this.metadata[term][field][key].concat(metadata[key])\n } else {\n this.metadata[term][field][key] = metadata[key]\n }\n }\n}\n/**\n * A lunr.Query provides a programmatic way of defining queries to be performed\n * against a {@link lunr.Index}.\n *\n * Prefer constructing a lunr.Query using the {@link lunr.Index#query} method\n * so the query object is pre-initialized with the right index fields.\n *\n * @constructor\n * @property {lunr.Query~Clause[]} clauses - An array of query clauses.\n * @property {string[]} allFields - An array of all available fields in a lunr.Index.\n */\nlunr.Query = function (allFields) {\n this.clauses = []\n this.allFields = allFields\n}\n\n/**\n * Constants for indicating what kind of automatic wildcard insertion will be used when constructing a query clause.\n *\n * This allows wildcards to be added to the beginning and end of a term without having to manually do any string\n * concatenation.\n *\n * The wildcard constants can be bitwise combined to select both leading and trailing wildcards.\n *\n * @constant\n * @default\n * @property {number} wildcard.NONE - The term will have no wildcards inserted, this is the default behaviour\n * @property {number} wildcard.LEADING - Prepend the term with a wildcard, unless a leading wildcard already exists\n * @property {number} wildcard.TRAILING - Append a wildcard to the term, unless a trailing wildcard already exists\n * @see lunr.Query~Clause\n * @see lunr.Query#clause\n * @see lunr.Query#term\n * @example <caption>query term with trailing wildcard</caption>\n * query.term('foo', { wildcard: lunr.Query.wildcard.TRAILING })\n * @example <caption>query term with leading and trailing wildcard</caption>\n * query.term('foo', {\n * wildcard: lunr.Query.wildcard.LEADING | lunr.Query.wildcard.TRAILING\n * })\n */\n\nlunr.Query.wildcard = new String (\"*\")\nlunr.Query.wildcard.NONE = 0\nlunr.Query.wildcard.LEADING = 1\nlunr.Query.wildcard.TRAILING = 2\n\n/**\n * Constants for indicating what kind of presence a term must have in matching documents.\n *\n * @constant\n * @enum {number}\n * @see lunr.Query~Clause\n * @see lunr.Query#clause\n * @see lunr.Query#term\n * @example <caption>query term with required presence</caption>\n * query.term('foo', { presence: lunr.Query.presence.REQUIRED })\n */\nlunr.Query.presence = {\n /**\n * Term's presence in a document is optional, this is the default value.\n */\n OPTIONAL: 1,\n\n /**\n * Term's presence in a document is required, documents that do not contain\n * this term will not be returned.\n */\n REQUIRED: 2,\n\n /**\n * Term's presence in a document is prohibited, documents that do contain\n * this term will not be returned.\n */\n PROHIBITED: 3\n}\n\n/**\n * A single clause in a {@link lunr.Query} contains a term and details on how to\n * match that term against a {@link lunr.Index}.\n *\n * @typedef {Object} lunr.Query~Clause\n * @property {string[]} fields - The fields in an index this clause should be matched against.\n * @property {number} [boost=1] - Any boost that should be applied when matching this clause.\n * @property {number} [editDistance] - Whether the term should have fuzzy matching applied, and how fuzzy the match should be.\n * @property {boolean} [usePipeline] - Whether the term should be passed through the search pipeline.\n * @property {number} [wildcard=lunr.Query.wildcard.NONE] - Whether the term should have wildcards appended or prepended.\n * @property {number} [presence=lunr.Query.presence.OPTIONAL] - The terms presence in any matching documents.\n */\n\n/**\n * Adds a {@link lunr.Query~Clause} to this query.\n *\n * Unless the clause contains the fields to be matched all fields will be matched. In addition\n * a default boost of 1 is applied to the clause.\n *\n * @param {lunr.Query~Clause} clause - The clause to add to this query.\n * @see lunr.Query~Clause\n * @returns {lunr.Query}\n */\nlunr.Query.prototype.clause = function (clause) {\n if (!('fields' in clause)) {\n clause.fields = this.allFields\n }\n\n if (!('boost' in clause)) {\n clause.boost = 1\n }\n\n if (!('usePipeline' in clause)) {\n clause.usePipeline = true\n }\n\n if (!('wildcard' in clause)) {\n clause.wildcard = lunr.Query.wildcard.NONE\n }\n\n if ((clause.wildcard & lunr.Query.wildcard.LEADING) && (clause.term.charAt(0) != lunr.Query.wildcard)) {\n clause.term = \"*\" + clause.term\n }\n\n if ((clause.wildcard & lunr.Query.wildcard.TRAILING) && (clause.term.slice(-1) != lunr.Query.wildcard)) {\n clause.term = \"\" + clause.term + \"*\"\n }\n\n if (!('presence' in clause)) {\n clause.presence = lunr.Query.presence.OPTIONAL\n }\n\n this.clauses.push(clause)\n\n return this\n}\n\n/**\n * A negated query is one in which every clause has a presence of\n * prohibited. These queries require some special processing to return\n * the expected results.\n *\n * @returns boolean\n */\nlunr.Query.prototype.isNegated = function () {\n for (var i = 0; i < this.clauses.length; i++) {\n if (this.clauses[i].presence != lunr.Query.presence.PROHIBITED) {\n return false\n }\n }\n\n return true\n}\n\n/**\n * Adds a term to the current query, under the covers this will create a {@link lunr.Query~Clause}\n * to the list of clauses that make up this query.\n *\n * The term is used as is, i.e. no tokenization will be performed by this method. Instead conversion\n * to a token or token-like string should be done before calling this method.\n *\n * The term will be converted to a string by calling `toString`. Multiple terms can be passed as an\n * array, each term in the array will share the same options.\n *\n * @param {object|object[]} term - The term(s) to add to the query.\n * @param {object} [options] - Any additional properties to add to the query clause.\n * @returns {lunr.Query}\n * @see lunr.Query#clause\n * @see lunr.Query~Clause\n * @example <caption>adding a single term to a query</caption>\n * query.term(\"foo\")\n * @example <caption>adding a single term to a query and specifying search fields, term boost and automatic trailing wildcard</caption>\n * query.term(\"foo\", {\n * fields: [\"title\"],\n * boost: 10,\n * wildcard: lunr.Query.wildcard.TRAILING\n * })\n * @example <caption>using lunr.tokenizer to convert a string to tokens before using them as terms</caption>\n * query.term(lunr.tokenizer(\"foo bar\"))\n */\nlunr.Query.prototype.term = function (term, options) {\n if (Array.isArray(term)) {\n term.forEach(function (t) { this.term(t, lunr.utils.clone(options)) }, this)\n return this\n }\n\n var clause = options || {}\n clause.term = term.toString()\n\n this.clause(clause)\n\n return this\n}\nlunr.QueryParseError = function (message, start, end) {\n this.name = \"QueryParseError\"\n this.message = message\n this.start = start\n this.end = end\n}\n\nlunr.QueryParseError.prototype = new Error\nlunr.QueryLexer = function (str) {\n this.lexemes = []\n this.str = str\n this.length = str.length\n this.pos = 0\n this.start = 0\n this.escapeCharPositions = []\n}\n\nlunr.QueryLexer.prototype.run = function () {\n var state = lunr.QueryLexer.lexText\n\n while (state) {\n state = state(this)\n }\n}\n\nlunr.QueryLexer.prototype.sliceString = function () {\n var subSlices = [],\n sliceStart = this.start,\n sliceEnd = this.pos\n\n for (var i = 0; i < this.escapeCharPositions.length; i++) {\n sliceEnd = this.escapeCharPositions[i]\n subSlices.push(this.str.slice(sliceStart, sliceEnd))\n sliceStart = sliceEnd + 1\n }\n\n subSlices.push(this.str.slice(sliceStart, this.pos))\n this.escapeCharPositions.length = 0\n\n return subSlices.join('')\n}\n\nlunr.QueryLexer.prototype.emit = function (type) {\n this.lexemes.push({\n type: type,\n str: this.sliceString(),\n start: this.start,\n end: this.pos\n })\n\n this.start = this.pos\n}\n\nlunr.QueryLexer.prototype.escapeCharacter = function () {\n this.escapeCharPositions.push(this.pos - 1)\n this.pos += 1\n}\n\nlunr.QueryLexer.prototype.next = function () {\n if (this.pos >= this.length) {\n return lunr.QueryLexer.EOS\n }\n\n var char = this.str.charAt(this.pos)\n this.pos += 1\n return char\n}\n\nlunr.QueryLexer.prototype.width = function () {\n return this.pos - this.start\n}\n\nlunr.QueryLexer.prototype.ignore = function () {\n if (this.start == this.pos) {\n this.pos += 1\n }\n\n this.start = this.pos\n}\n\nlunr.QueryLexer.prototype.backup = function () {\n this.pos -= 1\n}\n\nlunr.QueryLexer.prototype.acceptDigitRun = function () {\n var char, charCode\n\n do {\n char = this.next()\n charCode = char.charCodeAt(0)\n } while (charCode > 47 && charCode < 58)\n\n if (char != lunr.QueryLexer.EOS) {\n this.backup()\n }\n}\n\nlunr.QueryLexer.prototype.more = function () {\n return this.pos < this.length\n}\n\nlunr.QueryLexer.EOS = 'EOS'\nlunr.QueryLexer.FIELD = 'FIELD'\nlunr.QueryLexer.TERM = 'TERM'\nlunr.QueryLexer.EDIT_DISTANCE = 'EDIT_DISTANCE'\nlunr.QueryLexer.BOOST = 'BOOST'\nlunr.QueryLexer.PRESENCE = 'PRESENCE'\n\nlunr.QueryLexer.lexField = function (lexer) {\n lexer.backup()\n lexer.emit(lunr.QueryLexer.FIELD)\n lexer.ignore()\n return lunr.QueryLexer.lexText\n}\n\nlunr.QueryLexer.lexTerm = function (lexer) {\n if (lexer.width() > 1) {\n lexer.backup()\n lexer.emit(lunr.QueryLexer.TERM)\n }\n\n lexer.ignore()\n\n if (lexer.more()) {\n return lunr.QueryLexer.lexText\n }\n}\n\nlunr.QueryLexer.lexEditDistance = function (lexer) {\n lexer.ignore()\n lexer.acceptDigitRun()\n lexer.emit(lunr.QueryLexer.EDIT_DISTANCE)\n return lunr.QueryLexer.lexText\n}\n\nlunr.QueryLexer.lexBoost = function (lexer) {\n lexer.ignore()\n lexer.acceptDigitRun()\n lexer.emit(lunr.QueryLexer.BOOST)\n return lunr.QueryLexer.lexText\n}\n\nlunr.QueryLexer.lexEOS = function (lexer) {\n if (lexer.width() > 0) {\n lexer.emit(lunr.QueryLexer.TERM)\n }\n}\n\n// This matches the separator used when tokenising fields\n// within a document. These should match otherwise it is\n// not possible to search for some tokens within a document.\n//\n// It is possible for the user to change the separator on the\n// tokenizer so it _might_ clash with any other of the special\n// characters already used within the search string, e.g. :.\n//\n// This means that it is possible to change the separator in\n// such a way that makes some words unsearchable using a search\n// string.\nlunr.QueryLexer.termSeparator = lunr.tokenizer.separator\n\nlunr.QueryLexer.lexText = function (lexer) {\n while (true) {\n var char = lexer.next()\n\n if (char == lunr.QueryLexer.EOS) {\n return lunr.QueryLexer.lexEOS\n }\n\n // Escape character is '\\'\n if (char.charCodeAt(0) == 92) {\n lexer.escapeCharacter()\n continue\n }\n\n if (char == \":\") {\n return lunr.QueryLexer.lexField\n }\n\n if (char == \"~\") {\n lexer.backup()\n if (lexer.width() > 0) {\n lexer.emit(lunr.QueryLexer.TERM)\n }\n return lunr.QueryLexer.lexEditDistance\n }\n\n if (char == \"^\") {\n lexer.backup()\n if (lexer.width() > 0) {\n lexer.emit(lunr.QueryLexer.TERM)\n }\n return lunr.QueryLexer.lexBoost\n }\n\n // \"+\" indicates term presence is required\n // checking for length to ensure that only\n // leading \"+\" are considered\n if (char == \"+\" && lexer.width() === 1) {\n lexer.emit(lunr.QueryLexer.PRESENCE)\n return lunr.QueryLexer.lexText\n }\n\n // \"-\" indicates term presence is prohibited\n // checking for length to ensure that only\n // leading \"-\" are considered\n if (char == \"-\" && lexer.width() === 1) {\n lexer.emit(lunr.QueryLexer.PRESENCE)\n return lunr.QueryLexer.lexText\n }\n\n if (char.match(lunr.QueryLexer.termSeparator)) {\n return lunr.QueryLexer.lexTerm\n }\n }\n}\n\nlunr.QueryParser = function (str, query) {\n this.lexer = new lunr.QueryLexer (str)\n this.query = query\n this.currentClause = {}\n this.lexemeIdx = 0\n}\n\nlunr.QueryParser.prototype.parse = function () {\n this.lexer.run()\n this.lexemes = this.lexer.lexemes\n\n var state = lunr.QueryParser.parseClause\n\n while (state) {\n state = state(this)\n }\n\n return this.query\n}\n\nlunr.QueryParser.prototype.peekLexeme = function () {\n return this.lexemes[this.lexemeIdx]\n}\n\nlunr.QueryParser.prototype.consumeLexeme = function () {\n var lexeme = this.peekLexeme()\n this.lexemeIdx += 1\n return lexeme\n}\n\nlunr.QueryParser.prototype.nextClause = function () {\n var completedClause = this.currentClause\n this.query.clause(completedClause)\n this.currentClause = {}\n}\n\nlunr.QueryParser.parseClause = function (parser) {\n var lexeme = parser.peekLexeme()\n\n if (lexeme == undefined) {\n return\n }\n\n switch (lexeme.type) {\n case lunr.QueryLexer.PRESENCE:\n return lunr.QueryParser.parsePresence\n case lunr.QueryLexer.FIELD:\n return lunr.QueryParser.parseField\n case lunr.QueryLexer.TERM:\n return lunr.QueryParser.parseTerm\n default:\n var errorMessage = \"expected either a field or a term, found \" + lexeme.type\n\n if (lexeme.str.length >= 1) {\n errorMessage += \" with value '\" + lexeme.str + \"'\"\n }\n\n throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end)\n }\n}\n\nlunr.QueryParser.parsePresence = function (parser) {\n var lexeme = parser.consumeLexeme()\n\n if (lexeme == undefined) {\n return\n }\n\n switch (lexeme.str) {\n case \"-\":\n parser.currentClause.presence = lunr.Query.presence.PROHIBITED\n break\n case \"+\":\n parser.currentClause.presence = lunr.Query.presence.REQUIRED\n break\n default:\n var errorMessage = \"unrecognised presence operator'\" + lexeme.str + \"'\"\n throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end)\n }\n\n var nextLexeme = parser.peekLexeme()\n\n if (nextLexeme == undefined) {\n var errorMessage = \"expecting term or field, found nothing\"\n throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end)\n }\n\n switch (nextLexeme.type) {\n case lunr.QueryLexer.FIELD:\n return lunr.QueryParser.parseField\n case lunr.QueryLexer.TERM:\n return lunr.QueryParser.parseTerm\n default:\n var errorMessage = \"expecting term or field, found '\" + nextLexeme.type + \"'\"\n throw new lunr.QueryParseError (errorMessage, nextLexeme.start, nextLexeme.end)\n }\n}\n\nlunr.QueryParser.parseField = function (parser) {\n var lexeme = parser.consumeLexeme()\n\n if (lexeme == undefined) {\n return\n }\n\n if (parser.query.allFields.indexOf(lexeme.str) == -1) {\n var possibleFields = parser.query.allFields.map(function (f) { return \"'\" + f + \"'\" }).join(', '),\n errorMessage = \"unrecognised field '\" + lexeme.str + \"', possible fields: \" + possibleFields\n\n throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end)\n }\n\n parser.currentClause.fields = [lexeme.str]\n\n var nextLexeme = parser.peekLexeme()\n\n if (nextLexeme == undefined) {\n var errorMessage = \"expecting term, found nothing\"\n throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end)\n }\n\n switch (nextLexeme.type) {\n case lunr.QueryLexer.TERM:\n return lunr.QueryParser.parseTerm\n default:\n var errorMessage = \"expecting term, found '\" + nextLexeme.type + \"'\"\n throw new lunr.QueryParseError (errorMessage, nextLexeme.start, nextLexeme.end)\n }\n}\n\nlunr.QueryParser.parseTerm = function (parser) {\n var lexeme = parser.consumeLexeme()\n\n if (lexeme == undefined) {\n return\n }\n\n parser.currentClause.term = lexeme.str.toLowerCase()\n\n if (lexeme.str.indexOf(\"*\") != -1) {\n parser.currentClause.usePipeline = false\n }\n\n var nextLexeme = parser.peekLexeme()\n\n if (nextLexeme == undefined) {\n parser.nextClause()\n return\n }\n\n switch (nextLexeme.type) {\n case lunr.QueryLexer.TERM:\n parser.nextClause()\n return lunr.QueryParser.parseTerm\n case lunr.QueryLexer.FIELD:\n parser.nextClause()\n return lunr.QueryParser.parseField\n case lunr.QueryLexer.EDIT_DISTANCE:\n return lunr.QueryParser.parseEditDistance\n case lunr.QueryLexer.BOOST:\n return lunr.QueryParser.parseBoost\n case lunr.QueryLexer.PRESENCE:\n parser.nextClause()\n return lunr.QueryParser.parsePresence\n default:\n var errorMessage = \"Unexpected lexeme type '\" + nextLexeme.type + \"'\"\n throw new lunr.QueryParseError (errorMessage, nextLexeme.start, nextLexeme.end)\n }\n}\n\nlunr.QueryParser.parseEditDistance = function (parser) {\n var lexeme = parser.consumeLexeme()\n\n if (lexeme == undefined) {\n return\n }\n\n var editDistance = parseInt(lexeme.str, 10)\n\n if (isNaN(editDistance)) {\n var errorMessage = \"edit distance must be numeric\"\n throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end)\n }\n\n parser.currentClause.editDistance = editDistance\n\n var nextLexeme = parser.peekLexeme()\n\n if (nextLexeme == undefined) {\n parser.nextClause()\n return\n }\n\n switch (nextLexeme.type) {\n case lunr.QueryLexer.TERM:\n parser.nextClause()\n return lunr.QueryParser.parseTerm\n case lunr.QueryLexer.FIELD:\n parser.nextClause()\n return lunr.QueryParser.parseField\n case lunr.QueryLexer.EDIT_DISTANCE:\n return lunr.QueryParser.parseEditDistance\n case lunr.QueryLexer.BOOST:\n return lunr.QueryParser.parseBoost\n case lunr.QueryLexer.PRESENCE:\n parser.nextClause()\n return lunr.QueryParser.parsePresence\n default:\n var errorMessage = \"Unexpected lexeme type '\" + nextLexeme.type + \"'\"\n throw new lunr.QueryParseError (errorMessage, nextLexeme.start, nextLexeme.end)\n }\n}\n\nlunr.QueryParser.parseBoost = function (parser) {\n var lexeme = parser.consumeLexeme()\n\n if (lexeme == undefined) {\n return\n }\n\n var boost = parseInt(lexeme.str, 10)\n\n if (isNaN(boost)) {\n var errorMessage = \"boost must be numeric\"\n throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end)\n }\n\n parser.currentClause.boost = boost\n\n var nextLexeme = parser.peekLexeme()\n\n if (nextLexeme == undefined) {\n parser.nextClause()\n return\n }\n\n switch (nextLexeme.type) {\n case lunr.QueryLexer.TERM:\n parser.nextClause()\n return lunr.QueryParser.parseTerm\n case lunr.QueryLexer.FIELD:\n parser.nextClause()\n return lunr.QueryParser.parseField\n case lunr.QueryLexer.EDIT_DISTANCE:\n return lunr.QueryParser.parseEditDistance\n case lunr.QueryLexer.BOOST:\n return lunr.QueryParser.parseBoost\n case lunr.QueryLexer.PRESENCE:\n parser.nextClause()\n return lunr.QueryParser.parsePresence\n default:\n var errorMessage = \"Unexpected lexeme type '\" + nextLexeme.type + \"'\"\n throw new lunr.QueryParseError (errorMessage, nextLexeme.start, nextLexeme.end)\n }\n}\n\n /**\n * export the module via AMD, CommonJS or as a browser global\n * Export code from https://github.com/umdjs/umd/blob/master/returnExports.js\n */\n ;(function (root, factory) {\n if (typeof define === 'function' && define.amd) {\n // AMD. Register as an anonymous module.\n define(factory)\n } else if (typeof exports === 'object') {\n /**\n * Node. Does not work with strict CommonJS, but\n * only CommonJS-like enviroments that support module.exports,\n * like Node.\n */\n module.exports = factory()\n } else {\n // Browser globals (root is window)\n root.lunr = factory()\n }\n }(this, function () {\n /**\n * Just return a value to define the module export.\n * This example returns an object, but the module\n * can return a function as the exported value.\n */\n return lunr\n }))\n})();\n", "(function () {\n const lunr = require('@default/lunr');\n\n var lunrIndex;\n\n var stopWords = null;\n var searchData = {};\n\n lunr.tokenizer.separator = /[\\s\\-\\.\\(\\)]+/;\n\n var stopWordsRequest = new XMLHttpRequest();\n stopWordsRequest.open('GET', '../search-stopwords.json');\n stopWordsRequest.onload = function () {\n if (this.status != 200) {\n return;\n }\n stopWords = JSON.parse(this.responseText);\n buildIndex();\n }\n stopWordsRequest.send();\n\n var searchDataRequest = new XMLHttpRequest();\n\n searchDataRequest.open('GET', '../index.json');\n searchDataRequest.onload = function () {\n if (this.status != 200) {\n return;\n }\n searchData = JSON.parse(this.responseText);\n\n buildIndex();\n\n postMessage({ e: 'index-ready' });\n }\n searchDataRequest.send();\n\n onmessage = function (oEvent) {\n var q = oEvent.data.q;\n var hits = lunrIndex.search(q);\n var results = [];\n hits.forEach(function (hit) {\n var item = searchData[hit.ref];\n results.push({ 'href': item.href, 'title': item.title, 'keywords': item.keywords });\n });\n postMessage({ e: 'query-ready', q: q, d: results });\n }\n\n function buildIndex() {\n if (stopWords !== null && !isEmpty(searchData)) {\n lunrIndex = lunr(function () {\n this.pipeline.remove(lunr.stopWordFilter);\n this.ref('href');\n this.field('title', { boost: 50 });\n this.field('keywords', { boost: 20 });\n\n for (var prop in searchData) {\n if (searchData.hasOwnProperty(prop)) {\n this.add(searchData[prop]);\n }\n }\n\n var docfxStopWordFilter = lunr.generateStopWordFilter(stopWords);\n lunr.Pipeline.registerFunction(docfxStopWordFilter, 'docfxStopWordFilter');\n this.pipeline.add(docfxStopWordFilter);\n this.searchPipeline.add(docfxStopWordFilter);\n });\n }\n }\n\n function isEmpty(obj) {\n if(!obj) return true;\n\n for (var prop in obj) {\n if (obj.hasOwnProperty(prop))\n return false;\n }\n\n return true;\n }\n})();\n"], + "mappings": "oEAAA,IAAAA,EAAAC,EAAA,CAAAC,EAAAC,IAAA,EAME,UAAU,CAiCZ,IAAIC,EAAO,SAAUC,EAAQ,CAC3B,IAAIC,EAAU,IAAIF,EAAK,QAEvB,OAAAE,EAAQ,SAAS,IACfF,EAAK,QACLA,EAAK,eACLA,EAAK,OACP,EAEAE,EAAQ,eAAe,IACrBF,EAAK,OACP,EAEAC,EAAO,KAAKC,EAASA,CAAO,EACrBA,EAAQ,MAAM,CACvB,EAEAF,EAAK,QAAU,QAUfA,EAAK,MAAQ,CAAC,EASdA,EAAK,MAAM,KAAQ,SAAUG,EAAQ,CAEnC,OAAO,SAAUC,EAAS,CACpBD,EAAO,SAAW,QAAQ,MAC5B,QAAQ,KAAKC,CAAO,CAExB,CAEF,EAAG,IAAI,EAaPJ,EAAK,MAAM,SAAW,SAAUK,EAAK,CACnC,OAAsBA,GAAQ,KACrB,GAEAA,EAAI,SAAS,CAExB,EAkBAL,EAAK,MAAM,MAAQ,SAAUK,EAAK,CAChC,GAAIA,GAAQ,KACV,OAAOA,EAMT,QAHIC,EAAQ,OAAO,OAAO,IAAI,EAC1BC,EAAO,OAAO,KAAKF,CAAG,EAEjBG,EAAI,EAAGA,EAAID,EAAK,OAAQC,IAAK,CACpC,IAAIC,EAAMF,EAAKC,CAAC,EACZE,EAAML,EAAII,CAAG,EAEjB,GAAI,MAAM,QAAQC,CAAG,EAAG,CACtBJ,EAAMG,CAAG,EAAIC,EAAI,MAAM,EACvB,QACF,CAEA,GAAI,OAAOA,GAAQ,UACf,OAAOA,GAAQ,UACf,OAAOA,GAAQ,UAAW,CAC5BJ,EAAMG,CAAG,EAAIC,EACb,QACF,CAEA,MAAM,IAAI,UAAU,uDAAuD,CAC7E,CAEA,OAAOJ,CACT,EACAN,EAAK,SAAW,SAAUW,EAAQC,EAAWC,EAAa,CACxD,KAAK,OAASF,EACd,KAAK,UAAYC,EACjB,KAAK,aAAeC,CACtB,EAEAb,EAAK,SAAS,OAAS,IAEvBA,EAAK,SAAS,WAAa,SAAUc,EAAG,CACtC,IAAIC,EAAID,EAAE,QAAQd,EAAK,SAAS,MAAM,EAEtC,GAAIe,IAAM,GACR,KAAM,6BAGR,IAAIC,EAAWF,EAAE,MAAM,EAAGC,CAAC,EACvBJ,EAASG,EAAE,MAAMC,EAAI,CAAC,EAE1B,OAAO,IAAIf,EAAK,SAAUW,EAAQK,EAAUF,CAAC,CAC/C,EAEAd,EAAK,SAAS,UAAU,SAAW,UAAY,CAC7C,OAAI,KAAK,cAAgB,OACvB,KAAK,aAAe,KAAK,UAAYA,EAAK,SAAS,OAAS,KAAK,QAG5D,KAAK,YACd,EAWAA,EAAK,IAAM,SAAUiB,EAAU,CAG7B,GAFA,KAAK,SAAW,OAAO,OAAO,IAAI,EAE9BA,EAAU,CACZ,KAAK,OAASA,EAAS,OAEvB,QAAST,EAAI,EAAGA,EAAI,KAAK,OAAQA,IAC/B,KAAK,SAASS,EAAST,CAAC,CAAC,EAAI,EAEjC,MACE,KAAK,OAAS,CAElB,EASAR,EAAK,IAAI,SAAW,CAClB,UAAW,SAAUkB,EAAO,CAC1B,OAAOA,CACT,EAEA,MAAO,UAAY,CACjB,OAAO,IACT,EAEA,SAAU,UAAY,CACpB,MAAO,EACT,CACF,EASAlB,EAAK,IAAI,MAAQ,CACf,UAAW,UAAY,CACrB,OAAO,IACT,EAEA,MAAO,SAAUkB,EAAO,CACtB,OAAOA,CACT,EAEA,SAAU,UAAY,CACpB,MAAO,EACT,CACF,EAQAlB,EAAK,IAAI,UAAU,SAAW,SAAUmB,EAAQ,CAC9C,MAAO,CAAC,CAAC,KAAK,SAASA,CAAM,CAC/B,EAUAnB,EAAK,IAAI,UAAU,UAAY,SAAUkB,EAAO,CAC9C,IAAIE,EAAGC,EAAGJ,EAAUK,EAAe,CAAC,EAEpC,GAAIJ,IAAUlB,EAAK,IAAI,SACrB,OAAO,KAGT,GAAIkB,IAAUlB,EAAK,IAAI,MACrB,OAAOkB,EAGL,KAAK,OAASA,EAAM,QACtBE,EAAI,KACJC,EAAIH,IAEJE,EAAIF,EACJG,EAAI,MAGNJ,EAAW,OAAO,KAAKG,EAAE,QAAQ,EAEjC,QAASZ,EAAI,EAAGA,EAAIS,EAAS,OAAQT,IAAK,CACxC,IAAIe,EAAUN,EAAST,CAAC,EACpBe,KAAWF,EAAE,UACfC,EAAa,KAAKC,CAAO,CAE7B,CAEA,OAAO,IAAIvB,EAAK,IAAKsB,CAAY,CACnC,EASAtB,EAAK,IAAI,UAAU,MAAQ,SAAUkB,EAAO,CAC1C,OAAIA,IAAUlB,EAAK,IAAI,SACdA,EAAK,IAAI,SAGdkB,IAAUlB,EAAK,IAAI,MACd,KAGF,IAAIA,EAAK,IAAI,OAAO,KAAK,KAAK,QAAQ,EAAE,OAAO,OAAO,KAAKkB,EAAM,QAAQ,CAAC,CAAC,CACpF,EASAlB,EAAK,IAAM,SAAUwB,EAASC,EAAe,CAC3C,IAAIC,EAAoB,EAExB,QAASd,KAAaY,EAChBZ,GAAa,WACjBc,GAAqB,OAAO,KAAKF,EAAQZ,CAAS,CAAC,EAAE,QAGvD,IAAIe,GAAKF,EAAgBC,EAAoB,KAAQA,EAAoB,IAEzE,OAAO,KAAK,IAAI,EAAI,KAAK,IAAIC,CAAC,CAAC,CACjC,EAUA3B,EAAK,MAAQ,SAAU4B,EAAKC,EAAU,CACpC,KAAK,IAAMD,GAAO,GAClB,KAAK,SAAWC,GAAY,CAAC,CAC/B,EAOA7B,EAAK,MAAM,UAAU,SAAW,UAAY,CAC1C,OAAO,KAAK,GACd,EAsBAA,EAAK,MAAM,UAAU,OAAS,SAAU8B,EAAI,CAC1C,YAAK,IAAMA,EAAG,KAAK,IAAK,KAAK,QAAQ,EAC9B,IACT,EASA9B,EAAK,MAAM,UAAU,MAAQ,SAAU8B,EAAI,CACzC,OAAAA,EAAKA,GAAM,SAAUhB,EAAG,CAAE,OAAOA,CAAE,EAC5B,IAAId,EAAK,MAAO8B,EAAG,KAAK,IAAK,KAAK,QAAQ,EAAG,KAAK,QAAQ,CACnE,EAwBA9B,EAAK,UAAY,SAAUK,EAAKwB,EAAU,CACxC,GAAIxB,GAAO,MAAQA,GAAO,KACxB,MAAO,CAAC,EAGV,GAAI,MAAM,QAAQA,CAAG,EACnB,OAAOA,EAAI,IAAI,SAAU0B,EAAG,CAC1B,OAAO,IAAI/B,EAAK,MACdA,EAAK,MAAM,SAAS+B,CAAC,EAAE,YAAY,EACnC/B,EAAK,MAAM,MAAM6B,CAAQ,CAC3B,CACF,CAAC,EAOH,QAJID,EAAMvB,EAAI,SAAS,EAAE,YAAY,EACjC2B,EAAMJ,EAAI,OACVK,EAAS,CAAC,EAELC,EAAW,EAAGC,EAAa,EAAGD,GAAYF,EAAKE,IAAY,CAClE,IAAIE,EAAOR,EAAI,OAAOM,CAAQ,EAC1BG,EAAcH,EAAWC,EAE7B,GAAKC,EAAK,MAAMpC,EAAK,UAAU,SAAS,GAAKkC,GAAYF,EAAM,CAE7D,GAAIK,EAAc,EAAG,CACnB,IAAIC,EAAgBtC,EAAK,MAAM,MAAM6B,CAAQ,GAAK,CAAC,EACnDS,EAAc,SAAc,CAACH,EAAYE,CAAW,EACpDC,EAAc,MAAWL,EAAO,OAEhCA,EAAO,KACL,IAAIjC,EAAK,MACP4B,EAAI,MAAMO,EAAYD,CAAQ,EAC9BI,CACF,CACF,CACF,CAEAH,EAAaD,EAAW,CAC1B,CAEF,CAEA,OAAOD,CACT,EASAjC,EAAK,UAAU,UAAY,UAmC3BA,EAAK,SAAW,UAAY,CAC1B,KAAK,OAAS,CAAC,CACjB,EAEAA,EAAK,SAAS,oBAAsB,OAAO,OAAO,IAAI,EAmCtDA,EAAK,SAAS,iBAAmB,SAAU8B,EAAIS,EAAO,CAChDA,KAAS,KAAK,qBAChBvC,EAAK,MAAM,KAAK,6CAA+CuC,CAAK,EAGtET,EAAG,MAAQS,EACXvC,EAAK,SAAS,oBAAoB8B,EAAG,KAAK,EAAIA,CAChD,EAQA9B,EAAK,SAAS,4BAA8B,SAAU8B,EAAI,CACxD,IAAIU,EAAeV,EAAG,OAAUA,EAAG,SAAS,KAAK,oBAE5CU,GACHxC,EAAK,MAAM,KAAK;AAAA,EAAmG8B,CAAE,CAEzH,EAYA9B,EAAK,SAAS,KAAO,SAAUyC,EAAY,CACzC,IAAIC,EAAW,IAAI1C,EAAK,SAExB,OAAAyC,EAAW,QAAQ,SAAUE,EAAQ,CACnC,IAAIb,EAAK9B,EAAK,SAAS,oBAAoB2C,CAAM,EAEjD,GAAIb,EACFY,EAAS,IAAIZ,CAAE,MAEf,OAAM,IAAI,MAAM,sCAAwCa,CAAM,CAElE,CAAC,EAEMD,CACT,EASA1C,EAAK,SAAS,UAAU,IAAM,UAAY,CACxC,IAAI4C,EAAM,MAAM,UAAU,MAAM,KAAK,SAAS,EAE9CA,EAAI,QAAQ,SAAUd,EAAI,CACxB9B,EAAK,SAAS,4BAA4B8B,CAAE,EAC5C,KAAK,OAAO,KAAKA,CAAE,CACrB,EAAG,IAAI,CACT,EAWA9B,EAAK,SAAS,UAAU,MAAQ,SAAU6C,EAAYC,EAAO,CAC3D9C,EAAK,SAAS,4BAA4B8C,CAAK,EAE/C,IAAIC,EAAM,KAAK,OAAO,QAAQF,CAAU,EACxC,GAAIE,GAAO,GACT,MAAM,IAAI,MAAM,wBAAwB,EAG1CA,EAAMA,EAAM,EACZ,KAAK,OAAO,OAAOA,EAAK,EAAGD,CAAK,CAClC,EAWA9C,EAAK,SAAS,UAAU,OAAS,SAAU6C,EAAYC,EAAO,CAC5D9C,EAAK,SAAS,4BAA4B8C,CAAK,EAE/C,IAAIC,EAAM,KAAK,OAAO,QAAQF,CAAU,EACxC,GAAIE,GAAO,GACT,MAAM,IAAI,MAAM,wBAAwB,EAG1C,KAAK,OAAO,OAAOA,EAAK,EAAGD,CAAK,CAClC,EAOA9C,EAAK,SAAS,UAAU,OAAS,SAAU8B,EAAI,CAC7C,IAAIiB,EAAM,KAAK,OAAO,QAAQjB,CAAE,EAC5BiB,GAAO,IAIX,KAAK,OAAO,OAAOA,EAAK,CAAC,CAC3B,EASA/C,EAAK,SAAS,UAAU,IAAM,SAAUiC,EAAQ,CAG9C,QAFIe,EAAc,KAAK,OAAO,OAErB,EAAI,EAAG,EAAIA,EAAa,IAAK,CAIpC,QAHIlB,EAAK,KAAK,OAAO,CAAC,EAClBmB,EAAO,CAAC,EAEHC,EAAI,EAAGA,EAAIjB,EAAO,OAAQiB,IAAK,CACtC,IAAIC,EAASrB,EAAGG,EAAOiB,CAAC,EAAGA,EAAGjB,CAAM,EAEpC,GAAI,EAAAkB,GAAW,MAA6BA,IAAW,IAEvD,GAAI,MAAM,QAAQA,CAAM,EACtB,QAASC,EAAI,EAAGA,EAAID,EAAO,OAAQC,IACjCH,EAAK,KAAKE,EAAOC,CAAC,CAAC,OAGrBH,EAAK,KAAKE,CAAM,CAEpB,CAEAlB,EAASgB,CACX,CAEA,OAAOhB,CACT,EAYAjC,EAAK,SAAS,UAAU,UAAY,SAAU4B,EAAKC,EAAU,CAC3D,IAAIwB,EAAQ,IAAIrD,EAAK,MAAO4B,EAAKC,CAAQ,EAEzC,OAAO,KAAK,IAAI,CAACwB,CAAK,CAAC,EAAE,IAAI,SAAUtB,EAAG,CACxC,OAAOA,EAAE,SAAS,CACpB,CAAC,CACH,EAMA/B,EAAK,SAAS,UAAU,MAAQ,UAAY,CAC1C,KAAK,OAAS,CAAC,CACjB,EASAA,EAAK,SAAS,UAAU,OAAS,UAAY,CAC3C,OAAO,KAAK,OAAO,IAAI,SAAU8B,EAAI,CACnC,OAAA9B,EAAK,SAAS,4BAA4B8B,CAAE,EAErCA,EAAG,KACZ,CAAC,CACH,EAsBA9B,EAAK,OAAS,SAAUiB,EAAU,CAChC,KAAK,WAAa,EAClB,KAAK,SAAWA,GAAY,CAAC,CAC/B,EAaAjB,EAAK,OAAO,UAAU,iBAAmB,SAAUsD,EAAO,CAExD,GAAI,KAAK,SAAS,QAAU,EAC1B,MAAO,GAST,QANIC,EAAQ,EACRC,EAAM,KAAK,SAAS,OAAS,EAC7BnB,EAAcmB,EAAMD,EACpBE,EAAa,KAAK,MAAMpB,EAAc,CAAC,EACvCqB,EAAa,KAAK,SAASD,EAAa,CAAC,EAEtCpB,EAAc,IACfqB,EAAaJ,IACfC,EAAQE,GAGNC,EAAaJ,IACfE,EAAMC,GAGJC,GAAcJ,IAIlBjB,EAAcmB,EAAMD,EACpBE,EAAaF,EAAQ,KAAK,MAAMlB,EAAc,CAAC,EAC/CqB,EAAa,KAAK,SAASD,EAAa,CAAC,EAO3C,GAJIC,GAAcJ,GAIdI,EAAaJ,EACf,OAAOG,EAAa,EAGtB,GAAIC,EAAaJ,EACf,OAAQG,EAAa,GAAK,CAE9B,EAWAzD,EAAK,OAAO,UAAU,OAAS,SAAU2D,EAAWjD,EAAK,CACvD,KAAK,OAAOiD,EAAWjD,EAAK,UAAY,CACtC,KAAM,iBACR,CAAC,CACH,EAUAV,EAAK,OAAO,UAAU,OAAS,SAAU2D,EAAWjD,EAAKoB,EAAI,CAC3D,KAAK,WAAa,EAClB,IAAI8B,EAAW,KAAK,iBAAiBD,CAAS,EAE1C,KAAK,SAASC,CAAQ,GAAKD,EAC7B,KAAK,SAASC,EAAW,CAAC,EAAI9B,EAAG,KAAK,SAAS8B,EAAW,CAAC,EAAGlD,CAAG,EAEjE,KAAK,SAAS,OAAOkD,EAAU,EAAGD,EAAWjD,CAAG,CAEpD,EAOAV,EAAK,OAAO,UAAU,UAAY,UAAY,CAC5C,GAAI,KAAK,WAAY,OAAO,KAAK,WAKjC,QAHI6D,EAAe,EACfC,EAAiB,KAAK,SAAS,OAE1B,EAAI,EAAG,EAAIA,EAAgB,GAAK,EAAG,CAC1C,IAAIpD,EAAM,KAAK,SAAS,CAAC,EACzBmD,GAAgBnD,EAAMA,CACxB,CAEA,OAAO,KAAK,WAAa,KAAK,KAAKmD,CAAY,CACjD,EAQA7D,EAAK,OAAO,UAAU,IAAM,SAAU+D,EAAa,CAOjD,QANIC,EAAa,EACb5C,EAAI,KAAK,SAAUC,EAAI0C,EAAY,SACnCE,EAAO7C,EAAE,OAAQ8C,EAAO7C,EAAE,OAC1B8C,EAAO,EAAGC,EAAO,EACjB5D,EAAI,EAAG0C,EAAI,EAER1C,EAAIyD,GAAQf,EAAIgB,GACrBC,EAAO/C,EAAEZ,CAAC,EAAG4D,EAAO/C,EAAE6B,CAAC,EACnBiB,EAAOC,EACT5D,GAAK,EACI2D,EAAOC,EAChBlB,GAAK,EACIiB,GAAQC,IACjBJ,GAAc5C,EAAEZ,EAAI,CAAC,EAAIa,EAAE6B,EAAI,CAAC,EAChC1C,GAAK,EACL0C,GAAK,GAIT,OAAOc,CACT,EASAhE,EAAK,OAAO,UAAU,WAAa,SAAU+D,EAAa,CACxD,OAAO,KAAK,IAAIA,CAAW,EAAI,KAAK,UAAU,GAAK,CACrD,EAOA/D,EAAK,OAAO,UAAU,QAAU,UAAY,CAG1C,QAFIqE,EAAS,IAAI,MAAO,KAAK,SAAS,OAAS,CAAC,EAEvC7D,EAAI,EAAG0C,EAAI,EAAG1C,EAAI,KAAK,SAAS,OAAQA,GAAK,EAAG0C,IACvDmB,EAAOnB,CAAC,EAAI,KAAK,SAAS1C,CAAC,EAG7B,OAAO6D,CACT,EAOArE,EAAK,OAAO,UAAU,OAAS,UAAY,CACzC,OAAO,KAAK,QACd,EAmBAA,EAAK,QAAW,UAAU,CACxB,IAAIsE,EAAY,CACZ,QAAY,MACZ,OAAW,OACX,KAAS,OACT,KAAS,OACT,KAAS,MACT,IAAQ,MACR,KAAS,KACT,MAAU,MACV,IAAQ,IACR,MAAU,MACV,QAAY,MACZ,MAAU,MACV,KAAS,MACT,MAAU,KACV,QAAY,MACZ,QAAY,MACZ,QAAY,MACZ,MAAU,KACV,MAAU,MACV,OAAW,MACX,KAAS,KACX,EAEAC,EAAY,CACV,MAAU,KACV,MAAU,GACV,MAAU,KACV,MAAU,KACV,KAAS,KACT,IAAQ,GACR,KAAS,EACX,EAEAC,EAAI,WACJC,EAAI,WACJC,EAAIF,EAAI,aACRG,EAAIF,EAAI,WAERG,EAAO,KAAOF,EAAI,KAAOC,EAAID,EAC7BG,EAAO,KAAOH,EAAI,KAAOC,EAAID,EAAI,IAAMC,EAAI,MAC3CG,EAAO,KAAOJ,EAAI,KAAOC,EAAID,EAAIC,EAAID,EACrCK,EAAM,KAAOL,EAAI,KAAOD,EAEtBO,EAAU,IAAI,OAAOJ,CAAI,EACzBK,EAAU,IAAI,OAAOH,CAAI,EACzBI,EAAU,IAAI,OAAOL,CAAI,EACzBM,EAAS,IAAI,OAAOJ,CAAG,EAEvBK,EAAQ,kBACRC,EAAS,iBACTC,EAAQ,aACRC,EAAS,kBACTC,EAAU,KACVC,EAAW,cACXC,EAAW,IAAI,OAAO,oBAAoB,EAC1CC,EAAW,IAAI,OAAO,IAAMjB,EAAID,EAAI,cAAc,EAElDmB,EAAQ,mBACRC,EAAO,2IAEPC,EAAO,iDAEPC,EAAO,sFACPC,EAAQ,oBAERC,EAAO,WACPC,EAAS,MACTC,EAAQ,IAAI,OAAO,IAAMzB,EAAID,EAAI,cAAc,EAE/C2B,EAAgB,SAAuBC,EAAG,CAC5C,IAAIC,EACFC,EACAC,EACAC,EACAC,EACAC,EACAC,EAEF,GAAIP,EAAE,OAAS,EAAK,OAAOA,EAiB3B,GAfAG,EAAUH,EAAE,OAAO,EAAE,CAAC,EAClBG,GAAW,MACbH,EAAIG,EAAQ,YAAY,EAAIH,EAAE,OAAO,CAAC,GAIxCI,EAAKrB,EACLsB,EAAMrB,EAEFoB,EAAG,KAAKJ,CAAC,EAAKA,EAAIA,EAAE,QAAQI,EAAG,MAAM,EAChCC,EAAI,KAAKL,CAAC,IAAKA,EAAIA,EAAE,QAAQK,EAAI,MAAM,GAGhDD,EAAKnB,EACLoB,EAAMnB,EACFkB,EAAG,KAAKJ,CAAC,EAAG,CACd,IAAIQ,EAAKJ,EAAG,KAAKJ,CAAC,EAClBI,EAAKzB,EACDyB,EAAG,KAAKI,EAAG,CAAC,CAAC,IACfJ,EAAKjB,EACLa,EAAIA,EAAE,QAAQI,EAAG,EAAE,EAEvB,SAAWC,EAAI,KAAKL,CAAC,EAAG,CACtB,IAAIQ,EAAKH,EAAI,KAAKL,CAAC,EACnBC,EAAOO,EAAG,CAAC,EACXH,EAAMvB,EACFuB,EAAI,KAAKJ,CAAI,IACfD,EAAIC,EACJI,EAAMjB,EACNkB,EAAMjB,EACNkB,EAAMjB,EACFe,EAAI,KAAKL,CAAC,EAAKA,EAAIA,EAAI,IAClBM,EAAI,KAAKN,CAAC,GAAKI,EAAKjB,EAASa,EAAIA,EAAE,QAAQI,EAAG,EAAE,GAChDG,EAAI,KAAKP,CAAC,IAAKA,EAAIA,EAAI,KAEpC,CAIA,GADAI,EAAKb,EACDa,EAAG,KAAKJ,CAAC,EAAG,CACd,IAAIQ,EAAKJ,EAAG,KAAKJ,CAAC,EAClBC,EAAOO,EAAG,CAAC,EACXR,EAAIC,EAAO,GACb,CAIA,GADAG,EAAKZ,EACDY,EAAG,KAAKJ,CAAC,EAAG,CACd,IAAIQ,EAAKJ,EAAG,KAAKJ,CAAC,EAClBC,EAAOO,EAAG,CAAC,EACXN,EAASM,EAAG,CAAC,EACbJ,EAAKzB,EACDyB,EAAG,KAAKH,CAAI,IACdD,EAAIC,EAAOhC,EAAUiC,CAAM,EAE/B,CAIA,GADAE,EAAKX,EACDW,EAAG,KAAKJ,CAAC,EAAG,CACd,IAAIQ,EAAKJ,EAAG,KAAKJ,CAAC,EAClBC,EAAOO,EAAG,CAAC,EACXN,EAASM,EAAG,CAAC,EACbJ,EAAKzB,EACDyB,EAAG,KAAKH,CAAI,IACdD,EAAIC,EAAO/B,EAAUgC,CAAM,EAE/B,CAKA,GAFAE,EAAKV,EACLW,EAAMV,EACFS,EAAG,KAAKJ,CAAC,EAAG,CACd,IAAIQ,EAAKJ,EAAG,KAAKJ,CAAC,EAClBC,EAAOO,EAAG,CAAC,EACXJ,EAAKxB,EACDwB,EAAG,KAAKH,CAAI,IACdD,EAAIC,EAER,SAAWI,EAAI,KAAKL,CAAC,EAAG,CACtB,IAAIQ,EAAKH,EAAI,KAAKL,CAAC,EACnBC,EAAOO,EAAG,CAAC,EAAIA,EAAG,CAAC,EACnBH,EAAMzB,EACFyB,EAAI,KAAKJ,CAAI,IACfD,EAAIC,EAER,CAIA,GADAG,EAAKR,EACDQ,EAAG,KAAKJ,CAAC,EAAG,CACd,IAAIQ,EAAKJ,EAAG,KAAKJ,CAAC,EAClBC,EAAOO,EAAG,CAAC,EACXJ,EAAKxB,EACLyB,EAAMxB,EACNyB,EAAMR,GACFM,EAAG,KAAKH,CAAI,GAAMI,EAAI,KAAKJ,CAAI,GAAK,CAAEK,EAAI,KAAKL,CAAI,KACrDD,EAAIC,EAER,CAEA,OAAAG,EAAKP,EACLQ,EAAMzB,EACFwB,EAAG,KAAKJ,CAAC,GAAKK,EAAI,KAAKL,CAAC,IAC1BI,EAAKjB,EACLa,EAAIA,EAAE,QAAQI,EAAG,EAAE,GAKjBD,GAAW,MACbH,EAAIG,EAAQ,YAAY,EAAIH,EAAE,OAAO,CAAC,GAGjCA,CACT,EAEA,OAAO,SAAUhD,EAAO,CACtB,OAAOA,EAAM,OAAO+C,CAAa,CACnC,CACF,EAAG,EAEHpG,EAAK,SAAS,iBAAiBA,EAAK,QAAS,SAAS,EAmBtDA,EAAK,uBAAyB,SAAU8G,EAAW,CACjD,IAAIC,EAAQD,EAAU,OAAO,SAAU7D,EAAM+D,EAAU,CACrD,OAAA/D,EAAK+D,CAAQ,EAAIA,EACV/D,CACT,EAAG,CAAC,CAAC,EAEL,OAAO,SAAUI,EAAO,CACtB,GAAIA,GAAS0D,EAAM1D,EAAM,SAAS,CAAC,IAAMA,EAAM,SAAS,EAAG,OAAOA,CACpE,CACF,EAeArD,EAAK,eAAiBA,EAAK,uBAAuB,CAChD,IACA,OACA,QACA,SACA,QACA,MACA,SACA,OACA,KACA,QACA,KACA,MACA,MACA,MACA,KACA,KACA,KACA,UACA,OACA,MACA,KACA,MACA,SACA,QACA,OACA,MACA,KACA,OACA,SACA,OACA,OACA,QACA,MACA,OACA,MACA,MACA,MACA,MACA,OACA,KACA,MACA,OACA,MACA,MACA,MACA,UACA,IACA,KACA,KACA,OACA,KACA,KACA,MACA,OACA,QACA,MACA,OACA,SACA,MACA,KACA,QACA,OACA,OACA,KACA,UACA,KACA,MACA,MACA,KACA,MACA,QACA,KACA,OACA,KACA,QACA,MACA,MACA,SACA,OACA,MACA,OACA,MACA,SACA,QACA,KACA,OACA,OACA,OACA,MACA,QACA,OACA,OACA,QACA,QACA,OACA,OACA,MACA,KACA,MACA,OACA,KACA,QACA,MACA,KACA,OACA,OACA,OACA,QACA,QACA,QACA,MACA,OACA,MACA,OACA,OACA,QACA,MACA,MACA,MACF,CAAC,EAEDA,EAAK,SAAS,iBAAiBA,EAAK,eAAgB,gBAAgB,EAqBpEA,EAAK,QAAU,SAAUqD,EAAO,CAC9B,OAAOA,EAAM,OAAO,SAAUvC,EAAG,CAC/B,OAAOA,EAAE,QAAQ,OAAQ,EAAE,EAAE,QAAQ,OAAQ,EAAE,CACjD,CAAC,CACH,EAEAd,EAAK,SAAS,iBAAiBA,EAAK,QAAS,SAAS,EA2BtDA,EAAK,SAAW,UAAY,CAC1B,KAAK,MAAQ,GACb,KAAK,MAAQ,CAAC,EACd,KAAK,GAAKA,EAAK,SAAS,QACxBA,EAAK,SAAS,SAAW,CAC3B,EAUAA,EAAK,SAAS,QAAU,EASxBA,EAAK,SAAS,UAAY,SAAUiH,EAAK,CAGvC,QAFI/G,EAAU,IAAIF,EAAK,SAAS,QAEvB,EAAI,EAAGgC,EAAMiF,EAAI,OAAQ,EAAIjF,EAAK,IACzC9B,EAAQ,OAAO+G,EAAI,CAAC,CAAC,EAGvB,OAAA/G,EAAQ,OAAO,EACRA,EAAQ,IACjB,EAWAF,EAAK,SAAS,WAAa,SAAUkH,EAAQ,CAC3C,MAAI,iBAAkBA,EACblH,EAAK,SAAS,gBAAgBkH,EAAO,KAAMA,EAAO,YAAY,EAE9DlH,EAAK,SAAS,WAAWkH,EAAO,IAAI,CAE/C,EAiBAlH,EAAK,SAAS,gBAAkB,SAAU4B,EAAKuF,EAAc,CAS3D,QARIC,EAAO,IAAIpH,EAAK,SAEhBqH,EAAQ,CAAC,CACX,KAAMD,EACN,eAAgBD,EAChB,IAAKvF,CACP,CAAC,EAEMyF,EAAM,QAAQ,CACnB,IAAIC,EAAQD,EAAM,IAAI,EAGtB,GAAIC,EAAM,IAAI,OAAS,EAAG,CACxB,IAAIlF,EAAOkF,EAAM,IAAI,OAAO,CAAC,EACzBC,EAEAnF,KAAQkF,EAAM,KAAK,MACrBC,EAAaD,EAAM,KAAK,MAAMlF,CAAI,GAElCmF,EAAa,IAAIvH,EAAK,SACtBsH,EAAM,KAAK,MAAMlF,CAAI,EAAImF,GAGvBD,EAAM,IAAI,QAAU,IACtBC,EAAW,MAAQ,IAGrBF,EAAM,KAAK,CACT,KAAME,EACN,eAAgBD,EAAM,eACtB,IAAKA,EAAM,IAAI,MAAM,CAAC,CACxB,CAAC,CACH,CAEA,GAAIA,EAAM,gBAAkB,EAK5B,IAAI,MAAOA,EAAM,KAAK,MACpB,IAAIE,EAAgBF,EAAM,KAAK,MAAM,GAAG,MACnC,CACL,IAAIE,EAAgB,IAAIxH,EAAK,SAC7BsH,EAAM,KAAK,MAAM,GAAG,EAAIE,CAC1B,CAgCA,GA9BIF,EAAM,IAAI,QAAU,IACtBE,EAAc,MAAQ,IAGxBH,EAAM,KAAK,CACT,KAAMG,EACN,eAAgBF,EAAM,eAAiB,EACvC,IAAKA,EAAM,GACb,CAAC,EAKGA,EAAM,IAAI,OAAS,GACrBD,EAAM,KAAK,CACT,KAAMC,EAAM,KACZ,eAAgBA,EAAM,eAAiB,EACvC,IAAKA,EAAM,IAAI,MAAM,CAAC,CACxB,CAAC,EAKCA,EAAM,IAAI,QAAU,IACtBA,EAAM,KAAK,MAAQ,IAMjBA,EAAM,IAAI,QAAU,EAAG,CACzB,GAAI,MAAOA,EAAM,KAAK,MACpB,IAAIG,EAAmBH,EAAM,KAAK,MAAM,GAAG,MACtC,CACL,IAAIG,EAAmB,IAAIzH,EAAK,SAChCsH,EAAM,KAAK,MAAM,GAAG,EAAIG,CAC1B,CAEIH,EAAM,IAAI,QAAU,IACtBG,EAAiB,MAAQ,IAG3BJ,EAAM,KAAK,CACT,KAAMI,EACN,eAAgBH,EAAM,eAAiB,EACvC,IAAKA,EAAM,IAAI,MAAM,CAAC,CACxB,CAAC,CACH,CAKA,GAAIA,EAAM,IAAI,OAAS,EAAG,CACxB,IAAII,EAAQJ,EAAM,IAAI,OAAO,CAAC,EAC1BK,EAAQL,EAAM,IAAI,OAAO,CAAC,EAC1BM,EAEAD,KAASL,EAAM,KAAK,MACtBM,EAAgBN,EAAM,KAAK,MAAMK,CAAK,GAEtCC,EAAgB,IAAI5H,EAAK,SACzBsH,EAAM,KAAK,MAAMK,CAAK,EAAIC,GAGxBN,EAAM,IAAI,QAAU,IACtBM,EAAc,MAAQ,IAGxBP,EAAM,KAAK,CACT,KAAMO,EACN,eAAgBN,EAAM,eAAiB,EACvC,IAAKI,EAAQJ,EAAM,IAAI,MAAM,CAAC,CAChC,CAAC,CACH,EACF,CAEA,OAAOF,CACT,EAYApH,EAAK,SAAS,WAAa,SAAU4B,EAAK,CAYxC,QAXIiG,EAAO,IAAI7H,EAAK,SAChBoH,EAAOS,EAUFrH,EAAI,EAAGwB,EAAMJ,EAAI,OAAQpB,EAAIwB,EAAKxB,IAAK,CAC9C,IAAI4B,EAAOR,EAAIpB,CAAC,EACZsH,EAAStH,GAAKwB,EAAM,EAExB,GAAII,GAAQ,IACVyF,EAAK,MAAMzF,CAAI,EAAIyF,EACnBA,EAAK,MAAQC,MAER,CACL,IAAIC,EAAO,IAAI/H,EAAK,SACpB+H,EAAK,MAAQD,EAEbD,EAAK,MAAMzF,CAAI,EAAI2F,EACnBF,EAAOE,CACT,CACF,CAEA,OAAOX,CACT,EAYApH,EAAK,SAAS,UAAU,QAAU,UAAY,CAQ5C,QAPI+G,EAAQ,CAAC,EAETM,EAAQ,CAAC,CACX,OAAQ,GACR,KAAM,IACR,CAAC,EAEMA,EAAM,QAAQ,CACnB,IAAIC,EAAQD,EAAM,IAAI,EAClBW,EAAQ,OAAO,KAAKV,EAAM,KAAK,KAAK,EACpCtF,EAAMgG,EAAM,OAEZV,EAAM,KAAK,QAKbA,EAAM,OAAO,OAAO,CAAC,EACrBP,EAAM,KAAKO,EAAM,MAAM,GAGzB,QAAS9G,EAAI,EAAGA,EAAIwB,EAAKxB,IAAK,CAC5B,IAAIyH,EAAOD,EAAMxH,CAAC,EAElB6G,EAAM,KAAK,CACT,OAAQC,EAAM,OAAO,OAAOW,CAAI,EAChC,KAAMX,EAAM,KAAK,MAAMW,CAAI,CAC7B,CAAC,CACH,CACF,CAEA,OAAOlB,CACT,EAYA/G,EAAK,SAAS,UAAU,SAAW,UAAY,CAS7C,GAAI,KAAK,KACP,OAAO,KAAK,KAOd,QAJI4B,EAAM,KAAK,MAAQ,IAAM,IACzBsG,EAAS,OAAO,KAAK,KAAK,KAAK,EAAE,KAAK,EACtClG,EAAMkG,EAAO,OAER1H,EAAI,EAAGA,EAAIwB,EAAKxB,IAAK,CAC5B,IAAI+B,EAAQ2F,EAAO1H,CAAC,EAChBqH,EAAO,KAAK,MAAMtF,CAAK,EAE3BX,EAAMA,EAAMW,EAAQsF,EAAK,EAC3B,CAEA,OAAOjG,CACT,EAYA5B,EAAK,SAAS,UAAU,UAAY,SAAUqB,EAAG,CAU/C,QATIgD,EAAS,IAAIrE,EAAK,SAClBsH,EAAQ,OAERD,EAAQ,CAAC,CACX,MAAOhG,EACP,OAAQgD,EACR,KAAM,IACR,CAAC,EAEMgD,EAAM,QAAQ,CACnBC,EAAQD,EAAM,IAAI,EAWlB,QALIc,EAAS,OAAO,KAAKb,EAAM,MAAM,KAAK,EACtCc,EAAOD,EAAO,OACdE,EAAS,OAAO,KAAKf,EAAM,KAAK,KAAK,EACrCgB,EAAOD,EAAO,OAETE,EAAI,EAAGA,EAAIH,EAAMG,IAGxB,QAFIC,EAAQL,EAAOI,CAAC,EAEXxH,EAAI,EAAGA,EAAIuH,EAAMvH,IAAK,CAC7B,IAAI0H,EAAQJ,EAAOtH,CAAC,EAEpB,GAAI0H,GAASD,GAASA,GAAS,IAAK,CAClC,IAAIX,EAAOP,EAAM,KAAK,MAAMmB,CAAK,EAC7BC,EAAQpB,EAAM,MAAM,MAAMkB,CAAK,EAC/BV,EAAQD,EAAK,OAASa,EAAM,MAC5BX,EAAO,OAEPU,KAASnB,EAAM,OAAO,OAIxBS,EAAOT,EAAM,OAAO,MAAMmB,CAAK,EAC/BV,EAAK,MAAQA,EAAK,OAASD,IAM3BC,EAAO,IAAI/H,EAAK,SAChB+H,EAAK,MAAQD,EACbR,EAAM,OAAO,MAAMmB,CAAK,EAAIV,GAG9BV,EAAM,KAAK,CACT,MAAOqB,EACP,OAAQX,EACR,KAAMF,CACR,CAAC,CACH,CACF,CAEJ,CAEA,OAAOxD,CACT,EACArE,EAAK,SAAS,QAAU,UAAY,CAClC,KAAK,aAAe,GACpB,KAAK,KAAO,IAAIA,EAAK,SACrB,KAAK,eAAiB,CAAC,EACvB,KAAK,eAAiB,CAAC,CACzB,EAEAA,EAAK,SAAS,QAAQ,UAAU,OAAS,SAAU2I,EAAM,CACvD,IAAId,EACAe,EAAe,EAEnB,GAAID,EAAO,KAAK,aACd,MAAM,IAAI,MAAO,6BAA6B,EAGhD,QAASnI,EAAI,EAAGA,EAAImI,EAAK,QAAUnI,EAAI,KAAK,aAAa,QACnDmI,EAAKnI,CAAC,GAAK,KAAK,aAAaA,CAAC,EAD6BA,IAE/DoI,IAGF,KAAK,SAASA,CAAY,EAEtB,KAAK,eAAe,QAAU,EAChCf,EAAO,KAAK,KAEZA,EAAO,KAAK,eAAe,KAAK,eAAe,OAAS,CAAC,EAAE,MAG7D,QAASrH,EAAIoI,EAAcpI,EAAImI,EAAK,OAAQnI,IAAK,CAC/C,IAAIqI,EAAW,IAAI7I,EAAK,SACpBoC,EAAOuG,EAAKnI,CAAC,EAEjBqH,EAAK,MAAMzF,CAAI,EAAIyG,EAEnB,KAAK,eAAe,KAAK,CACvB,OAAQhB,EACR,KAAMzF,EACN,MAAOyG,CACT,CAAC,EAEDhB,EAAOgB,CACT,CAEAhB,EAAK,MAAQ,GACb,KAAK,aAAec,CACtB,EAEA3I,EAAK,SAAS,QAAQ,UAAU,OAAS,UAAY,CACnD,KAAK,SAAS,CAAC,CACjB,EAEAA,EAAK,SAAS,QAAQ,UAAU,SAAW,SAAU8I,EAAQ,CAC3D,QAAStI,EAAI,KAAK,eAAe,OAAS,EAAGA,GAAKsI,EAAQtI,IAAK,CAC7D,IAAIqH,EAAO,KAAK,eAAerH,CAAC,EAC5BuI,EAAWlB,EAAK,MAAM,SAAS,EAE/BkB,KAAY,KAAK,eACnBlB,EAAK,OAAO,MAAMA,EAAK,IAAI,EAAI,KAAK,eAAekB,CAAQ,GAI3DlB,EAAK,MAAM,KAAOkB,EAElB,KAAK,eAAeA,CAAQ,EAAIlB,EAAK,OAGvC,KAAK,eAAe,IAAI,CAC1B,CACF,EAsBA7H,EAAK,MAAQ,SAAUgJ,EAAO,CAC5B,KAAK,cAAgBA,EAAM,cAC3B,KAAK,aAAeA,EAAM,aAC1B,KAAK,SAAWA,EAAM,SACtB,KAAK,OAASA,EAAM,OACpB,KAAK,SAAWA,EAAM,QACxB,EAyEAhJ,EAAK,MAAM,UAAU,OAAS,SAAUiJ,EAAa,CACnD,OAAO,KAAK,MAAM,SAAUC,EAAO,CACjC,IAAIC,EAAS,IAAInJ,EAAK,YAAYiJ,EAAaC,CAAK,EACpDC,EAAO,MAAM,CACf,CAAC,CACH,EA2BAnJ,EAAK,MAAM,UAAU,MAAQ,SAAU8B,EAAI,CAoBzC,QAZIoH,EAAQ,IAAIlJ,EAAK,MAAM,KAAK,MAAM,EAClCoJ,EAAiB,OAAO,OAAO,IAAI,EACnCC,EAAe,OAAO,OAAO,IAAI,EACjCC,EAAiB,OAAO,OAAO,IAAI,EACnCC,EAAkB,OAAO,OAAO,IAAI,EACpCC,EAAoB,OAAO,OAAO,IAAI,EAOjChJ,EAAI,EAAGA,EAAI,KAAK,OAAO,OAAQA,IACtC6I,EAAa,KAAK,OAAO7I,CAAC,CAAC,EAAI,IAAIR,EAAK,OAG1C8B,EAAG,KAAKoH,EAAOA,CAAK,EAEpB,QAAS1I,EAAI,EAAGA,EAAI0I,EAAM,QAAQ,OAAQ1I,IAAK,CAS7C,IAAI0G,EAASgC,EAAM,QAAQ1I,CAAC,EACxBiJ,EAAQ,KACRC,EAAgB1J,EAAK,IAAI,MAEzBkH,EAAO,YACTuC,EAAQ,KAAK,SAAS,UAAUvC,EAAO,KAAM,CAC3C,OAAQA,EAAO,MACjB,CAAC,EAEDuC,EAAQ,CAACvC,EAAO,IAAI,EAGtB,QAASyC,EAAI,EAAGA,EAAIF,EAAM,OAAQE,IAAK,CACrC,IAAIC,EAAOH,EAAME,CAAC,EAQlBzC,EAAO,KAAO0C,EAOd,IAAIC,EAAe7J,EAAK,SAAS,WAAWkH,CAAM,EAC9C4C,EAAgB,KAAK,SAAS,UAAUD,CAAY,EAAE,QAAQ,EAQlE,GAAIC,EAAc,SAAW,GAAK5C,EAAO,WAAalH,EAAK,MAAM,SAAS,SAAU,CAClF,QAASoD,EAAI,EAAGA,EAAI8D,EAAO,OAAO,OAAQ9D,IAAK,CAC7C,IAAI2G,EAAQ7C,EAAO,OAAO9D,CAAC,EAC3BmG,EAAgBQ,CAAK,EAAI/J,EAAK,IAAI,KACpC,CAEA,KACF,CAEA,QAASkD,EAAI,EAAGA,EAAI4G,EAAc,OAAQ5G,IASxC,QAJI8G,EAAeF,EAAc5G,CAAC,EAC9B1B,EAAU,KAAK,cAAcwI,CAAY,EACzCC,EAAYzI,EAAQ,OAEf4B,EAAI,EAAGA,EAAI8D,EAAO,OAAO,OAAQ9D,IAAK,CAS7C,IAAI2G,EAAQ7C,EAAO,OAAO9D,CAAC,EACvB8G,EAAe1I,EAAQuI,CAAK,EAC5BI,EAAuB,OAAO,KAAKD,CAAY,EAC/CE,EAAYJ,EAAe,IAAMD,EACjCM,EAAuB,IAAIrK,EAAK,IAAImK,CAAoB,EAoB5D,GAbIjD,EAAO,UAAYlH,EAAK,MAAM,SAAS,WACzC0J,EAAgBA,EAAc,MAAMW,CAAoB,EAEpDd,EAAgBQ,CAAK,IAAM,SAC7BR,EAAgBQ,CAAK,EAAI/J,EAAK,IAAI,WASlCkH,EAAO,UAAYlH,EAAK,MAAM,SAAS,WAAY,CACjDwJ,EAAkBO,CAAK,IAAM,SAC/BP,EAAkBO,CAAK,EAAI/J,EAAK,IAAI,OAGtCwJ,EAAkBO,CAAK,EAAIP,EAAkBO,CAAK,EAAE,MAAMM,CAAoB,EAO9E,QACF,CAeA,GANAhB,EAAaU,CAAK,EAAE,OAAOE,EAAW/C,EAAO,MAAO,SAAU9F,EAAGC,EAAG,CAAE,OAAOD,EAAIC,CAAE,CAAC,EAMhF,CAAAiI,EAAec,CAAS,EAI5B,SAASE,EAAI,EAAGA,EAAIH,EAAqB,OAAQG,IAAK,CAOpD,IAAIC,EAAsBJ,EAAqBG,CAAC,EAC5CE,EAAmB,IAAIxK,EAAK,SAAUuK,EAAqBR,CAAK,EAChElI,EAAWqI,EAAaK,CAAmB,EAC3CE,GAECA,EAAarB,EAAeoB,CAAgB,KAAO,OACtDpB,EAAeoB,CAAgB,EAAI,IAAIxK,EAAK,UAAWgK,EAAcD,EAAOlI,CAAQ,EAEpF4I,EAAW,IAAIT,EAAcD,EAAOlI,CAAQ,CAGhD,CAEAyH,EAAec,CAAS,EAAI,GAC9B,CAEJ,CAQA,GAAIlD,EAAO,WAAalH,EAAK,MAAM,SAAS,SAC1C,QAASoD,EAAI,EAAGA,EAAI8D,EAAO,OAAO,OAAQ9D,IAAK,CAC7C,IAAI2G,EAAQ7C,EAAO,OAAO9D,CAAC,EAC3BmG,EAAgBQ,CAAK,EAAIR,EAAgBQ,CAAK,EAAE,UAAUL,CAAa,CACzE,CAEJ,CAUA,QAHIgB,EAAqB1K,EAAK,IAAI,SAC9B2K,EAAuB3K,EAAK,IAAI,MAE3BQ,EAAI,EAAGA,EAAI,KAAK,OAAO,OAAQA,IAAK,CAC3C,IAAIuJ,EAAQ,KAAK,OAAOvJ,CAAC,EAErB+I,EAAgBQ,CAAK,IACvBW,EAAqBA,EAAmB,UAAUnB,EAAgBQ,CAAK,CAAC,GAGtEP,EAAkBO,CAAK,IACzBY,EAAuBA,EAAqB,MAAMnB,EAAkBO,CAAK,CAAC,EAE9E,CAEA,IAAIa,EAAoB,OAAO,KAAKxB,CAAc,EAC9CyB,EAAU,CAAC,EACXC,EAAU,OAAO,OAAO,IAAI,EAYhC,GAAI5B,EAAM,UAAU,EAAG,CACrB0B,EAAoB,OAAO,KAAK,KAAK,YAAY,EAEjD,QAASpK,EAAI,EAAGA,EAAIoK,EAAkB,OAAQpK,IAAK,CACjD,IAAIgK,EAAmBI,EAAkBpK,CAAC,EACtCQ,EAAWhB,EAAK,SAAS,WAAWwK,CAAgB,EACxDpB,EAAeoB,CAAgB,EAAI,IAAIxK,EAAK,SAC9C,CACF,CAEA,QAASQ,EAAI,EAAGA,EAAIoK,EAAkB,OAAQpK,IAAK,CASjD,IAAIQ,EAAWhB,EAAK,SAAS,WAAW4K,EAAkBpK,CAAC,CAAC,EACxDG,EAASK,EAAS,OAEtB,GAAK0J,EAAmB,SAAS/J,CAAM,GAInC,CAAAgK,EAAqB,SAAShK,CAAM,EAIxC,KAAIoK,EAAc,KAAK,aAAa/J,CAAQ,EACxCgK,EAAQ3B,EAAarI,EAAS,SAAS,EAAE,WAAW+J,CAAW,EAC/DE,EAEJ,IAAKA,EAAWH,EAAQnK,CAAM,KAAO,OACnCsK,EAAS,OAASD,EAClBC,EAAS,UAAU,QAAQ7B,EAAepI,CAAQ,CAAC,MAC9C,CACL,IAAIkK,EAAQ,CACV,IAAKvK,EACL,MAAOqK,EACP,UAAW5B,EAAepI,CAAQ,CACpC,EACA8J,EAAQnK,CAAM,EAAIuK,EAClBL,EAAQ,KAAKK,CAAK,CACpB,EACF,CAKA,OAAOL,EAAQ,KAAK,SAAUzJ,EAAGC,EAAG,CAClC,OAAOA,EAAE,MAAQD,EAAE,KACrB,CAAC,CACH,EAUApB,EAAK,MAAM,UAAU,OAAS,UAAY,CACxC,IAAImL,EAAgB,OAAO,KAAK,KAAK,aAAa,EAC/C,KAAK,EACL,IAAI,SAAUvB,EAAM,CACnB,MAAO,CAACA,EAAM,KAAK,cAAcA,CAAI,CAAC,CACxC,EAAG,IAAI,EAELwB,EAAe,OAAO,KAAK,KAAK,YAAY,EAC7C,IAAI,SAAUC,EAAK,CAClB,MAAO,CAACA,EAAK,KAAK,aAAaA,CAAG,EAAE,OAAO,CAAC,CAC9C,EAAG,IAAI,EAET,MAAO,CACL,QAASrL,EAAK,QACd,OAAQ,KAAK,OACb,aAAcoL,EACd,cAAeD,EACf,SAAU,KAAK,SAAS,OAAO,CACjC,CACF,EAQAnL,EAAK,MAAM,KAAO,SAAUsL,EAAiB,CAC3C,IAAItC,EAAQ,CAAC,EACToC,EAAe,CAAC,EAChBG,EAAoBD,EAAgB,aACpCH,EAAgB,OAAO,OAAO,IAAI,EAClCK,EAA0BF,EAAgB,cAC1CG,EAAkB,IAAIzL,EAAK,SAAS,QACpC0C,EAAW1C,EAAK,SAAS,KAAKsL,EAAgB,QAAQ,EAEtDA,EAAgB,SAAWtL,EAAK,SAClCA,EAAK,MAAM,KAAK,4EAA8EA,EAAK,QAAU,sCAAwCsL,EAAgB,QAAU,GAAG,EAGpL,QAAS9K,EAAI,EAAGA,EAAI+K,EAAkB,OAAQ/K,IAAK,CACjD,IAAIkL,EAAQH,EAAkB/K,CAAC,EAC3B6K,EAAMK,EAAM,CAAC,EACbzK,EAAWyK,EAAM,CAAC,EAEtBN,EAAaC,CAAG,EAAI,IAAIrL,EAAK,OAAOiB,CAAQ,CAC9C,CAEA,QAAST,EAAI,EAAGA,EAAIgL,EAAwB,OAAQhL,IAAK,CACvD,IAAIkL,EAAQF,EAAwBhL,CAAC,EACjCoJ,EAAO8B,EAAM,CAAC,EACdlK,EAAUkK,EAAM,CAAC,EAErBD,EAAgB,OAAO7B,CAAI,EAC3BuB,EAAcvB,CAAI,EAAIpI,CACxB,CAEA,OAAAiK,EAAgB,OAAO,EAEvBzC,EAAM,OAASsC,EAAgB,OAE/BtC,EAAM,aAAeoC,EACrBpC,EAAM,cAAgBmC,EACtBnC,EAAM,SAAWyC,EAAgB,KACjCzC,EAAM,SAAWtG,EAEV,IAAI1C,EAAK,MAAMgJ,CAAK,CAC7B,EA8BAhJ,EAAK,QAAU,UAAY,CACzB,KAAK,KAAO,KACZ,KAAK,QAAU,OAAO,OAAO,IAAI,EACjC,KAAK,WAAa,OAAO,OAAO,IAAI,EACpC,KAAK,cAAgB,OAAO,OAAO,IAAI,EACvC,KAAK,qBAAuB,CAAC,EAC7B,KAAK,aAAe,CAAC,EACrB,KAAK,UAAYA,EAAK,UACtB,KAAK,SAAW,IAAIA,EAAK,SACzB,KAAK,eAAiB,IAAIA,EAAK,SAC/B,KAAK,cAAgB,EACrB,KAAK,GAAK,IACV,KAAK,IAAM,IACX,KAAK,UAAY,EACjB,KAAK,kBAAoB,CAAC,CAC5B,EAcAA,EAAK,QAAQ,UAAU,IAAM,SAAUqL,EAAK,CAC1C,KAAK,KAAOA,CACd,EAkCArL,EAAK,QAAQ,UAAU,MAAQ,SAAUY,EAAW+K,EAAY,CAC9D,GAAI,KAAK,KAAK/K,CAAS,EACrB,MAAM,IAAI,WAAY,UAAYA,EAAY,kCAAkC,EAGlF,KAAK,QAAQA,CAAS,EAAI+K,GAAc,CAAC,CAC3C,EAUA3L,EAAK,QAAQ,UAAU,EAAI,SAAU4L,EAAQ,CACvCA,EAAS,EACX,KAAK,GAAK,EACDA,EAAS,EAClB,KAAK,GAAK,EAEV,KAAK,GAAKA,CAEd,EASA5L,EAAK,QAAQ,UAAU,GAAK,SAAU4L,EAAQ,CAC5C,KAAK,IAAMA,CACb,EAmBA5L,EAAK,QAAQ,UAAU,IAAM,SAAU6L,EAAKF,EAAY,CACtD,IAAIhL,EAASkL,EAAI,KAAK,IAAI,EACtBC,EAAS,OAAO,KAAK,KAAK,OAAO,EAErC,KAAK,WAAWnL,CAAM,EAAIgL,GAAc,CAAC,EACzC,KAAK,eAAiB,EAEtB,QAASnL,EAAI,EAAGA,EAAIsL,EAAO,OAAQtL,IAAK,CACtC,IAAII,EAAYkL,EAAOtL,CAAC,EACpBuL,EAAY,KAAK,QAAQnL,CAAS,EAAE,UACpCmJ,EAAQgC,EAAYA,EAAUF,CAAG,EAAIA,EAAIjL,CAAS,EAClDqB,EAAS,KAAK,UAAU8H,EAAO,CAC7B,OAAQ,CAACnJ,CAAS,CACpB,CAAC,EACD6I,EAAQ,KAAK,SAAS,IAAIxH,CAAM,EAChCjB,EAAW,IAAIhB,EAAK,SAAUW,EAAQC,CAAS,EAC/CoL,EAAa,OAAO,OAAO,IAAI,EAEnC,KAAK,qBAAqBhL,CAAQ,EAAIgL,EACtC,KAAK,aAAahL,CAAQ,EAAI,EAG9B,KAAK,aAAaA,CAAQ,GAAKyI,EAAM,OAGrC,QAASvG,EAAI,EAAGA,EAAIuG,EAAM,OAAQvG,IAAK,CACrC,IAAI0G,EAAOH,EAAMvG,CAAC,EAUlB,GARI8I,EAAWpC,CAAI,GAAK,OACtBoC,EAAWpC,CAAI,EAAI,GAGrBoC,EAAWpC,CAAI,GAAK,EAIhB,KAAK,cAAcA,CAAI,GAAK,KAAW,CACzC,IAAIpI,EAAU,OAAO,OAAO,IAAI,EAChCA,EAAQ,OAAY,KAAK,UACzB,KAAK,WAAa,EAElB,QAAS4B,EAAI,EAAGA,EAAI0I,EAAO,OAAQ1I,IACjC5B,EAAQsK,EAAO1I,CAAC,CAAC,EAAI,OAAO,OAAO,IAAI,EAGzC,KAAK,cAAcwG,CAAI,EAAIpI,CAC7B,CAGI,KAAK,cAAcoI,CAAI,EAAEhJ,CAAS,EAAED,CAAM,GAAK,OACjD,KAAK,cAAciJ,CAAI,EAAEhJ,CAAS,EAAED,CAAM,EAAI,OAAO,OAAO,IAAI,GAKlE,QAAS2J,EAAI,EAAGA,EAAI,KAAK,kBAAkB,OAAQA,IAAK,CACtD,IAAI2B,EAAc,KAAK,kBAAkB3B,CAAC,EACtCzI,EAAW+H,EAAK,SAASqC,CAAW,EAEpC,KAAK,cAAcrC,CAAI,EAAEhJ,CAAS,EAAED,CAAM,EAAEsL,CAAW,GAAK,OAC9D,KAAK,cAAcrC,CAAI,EAAEhJ,CAAS,EAAED,CAAM,EAAEsL,CAAW,EAAI,CAAC,GAG9D,KAAK,cAAcrC,CAAI,EAAEhJ,CAAS,EAAED,CAAM,EAAEsL,CAAW,EAAE,KAAKpK,CAAQ,CACxE,CACF,CAEF,CACF,EAOA7B,EAAK,QAAQ,UAAU,6BAA+B,UAAY,CAOhE,QALIkM,EAAY,OAAO,KAAK,KAAK,YAAY,EACzCC,EAAiBD,EAAU,OAC3BE,EAAc,CAAC,EACfC,EAAqB,CAAC,EAEjB7L,EAAI,EAAGA,EAAI2L,EAAgB3L,IAAK,CACvC,IAAIQ,EAAWhB,EAAK,SAAS,WAAWkM,EAAU1L,CAAC,CAAC,EAChDuJ,EAAQ/I,EAAS,UAErBqL,EAAmBtC,CAAK,IAAMsC,EAAmBtC,CAAK,EAAI,GAC1DsC,EAAmBtC,CAAK,GAAK,EAE7BqC,EAAYrC,CAAK,IAAMqC,EAAYrC,CAAK,EAAI,GAC5CqC,EAAYrC,CAAK,GAAK,KAAK,aAAa/I,CAAQ,CAClD,CAIA,QAFI8K,EAAS,OAAO,KAAK,KAAK,OAAO,EAE5BtL,EAAI,EAAGA,EAAIsL,EAAO,OAAQtL,IAAK,CACtC,IAAII,EAAYkL,EAAOtL,CAAC,EACxB4L,EAAYxL,CAAS,EAAIwL,EAAYxL,CAAS,EAAIyL,EAAmBzL,CAAS,CAChF,CAEA,KAAK,mBAAqBwL,CAC5B,EAOApM,EAAK,QAAQ,UAAU,mBAAqB,UAAY,CAMtD,QALIoL,EAAe,CAAC,EAChBc,EAAY,OAAO,KAAK,KAAK,oBAAoB,EACjDI,EAAkBJ,EAAU,OAC5BK,EAAe,OAAO,OAAO,IAAI,EAE5B/L,EAAI,EAAGA,EAAI8L,EAAiB9L,IAAK,CAaxC,QAZIQ,EAAWhB,EAAK,SAAS,WAAWkM,EAAU1L,CAAC,CAAC,EAChDI,EAAYI,EAAS,UACrBwL,EAAc,KAAK,aAAaxL,CAAQ,EACxC+J,EAAc,IAAI/K,EAAK,OACvByM,EAAkB,KAAK,qBAAqBzL,CAAQ,EACpDyI,EAAQ,OAAO,KAAKgD,CAAe,EACnCC,EAAcjD,EAAM,OAGpBkD,EAAa,KAAK,QAAQ/L,CAAS,EAAE,OAAS,EAC9CgM,EAAW,KAAK,WAAW5L,EAAS,MAAM,EAAE,OAAS,EAEhDkC,EAAI,EAAGA,EAAIwJ,EAAaxJ,IAAK,CACpC,IAAI0G,EAAOH,EAAMvG,CAAC,EACd2J,EAAKJ,EAAgB7C,CAAI,EACzBK,EAAY,KAAK,cAAcL,CAAI,EAAE,OACrCkD,EAAK9B,EAAO+B,EAEZR,EAAa3C,CAAI,IAAM,QACzBkD,EAAM9M,EAAK,IAAI,KAAK,cAAc4J,CAAI,EAAG,KAAK,aAAa,EAC3D2C,EAAa3C,CAAI,EAAIkD,GAErBA,EAAMP,EAAa3C,CAAI,EAGzBoB,EAAQ8B,IAAQ,KAAK,IAAM,GAAKD,IAAO,KAAK,KAAO,EAAI,KAAK,GAAK,KAAK,IAAML,EAAc,KAAK,mBAAmB5L,CAAS,IAAMiM,GACjI7B,GAAS2B,EACT3B,GAAS4B,EACTG,EAAqB,KAAK,MAAM/B,EAAQ,GAAI,EAAI,IAQhDD,EAAY,OAAOd,EAAW8C,CAAkB,CAClD,CAEA3B,EAAapK,CAAQ,EAAI+J,CAC3B,CAEA,KAAK,aAAeK,CACtB,EAOApL,EAAK,QAAQ,UAAU,eAAiB,UAAY,CAClD,KAAK,SAAWA,EAAK,SAAS,UAC5B,OAAO,KAAK,KAAK,aAAa,EAAE,KAAK,CACvC,CACF,EAUAA,EAAK,QAAQ,UAAU,MAAQ,UAAY,CACzC,YAAK,6BAA6B,EAClC,KAAK,mBAAmB,EACxB,KAAK,eAAe,EAEb,IAAIA,EAAK,MAAM,CACpB,cAAe,KAAK,cACpB,aAAc,KAAK,aACnB,SAAU,KAAK,SACf,OAAQ,OAAO,KAAK,KAAK,OAAO,EAChC,SAAU,KAAK,cACjB,CAAC,CACH,EAgBAA,EAAK,QAAQ,UAAU,IAAM,SAAU8B,EAAI,CACzC,IAAIkL,EAAO,MAAM,UAAU,MAAM,KAAK,UAAW,CAAC,EAClDA,EAAK,QAAQ,IAAI,EACjBlL,EAAG,MAAM,KAAMkL,CAAI,CACrB,EAaAhN,EAAK,UAAY,SAAU4J,EAAMG,EAAOlI,EAAU,CAShD,QARIoL,EAAiB,OAAO,OAAO,IAAI,EACnCC,EAAe,OAAO,KAAKrL,GAAY,CAAC,CAAC,EAOpCrB,EAAI,EAAGA,EAAI0M,EAAa,OAAQ1M,IAAK,CAC5C,IAAIC,EAAMyM,EAAa1M,CAAC,EACxByM,EAAexM,CAAG,EAAIoB,EAASpB,CAAG,EAAE,MAAM,CAC5C,CAEA,KAAK,SAAW,OAAO,OAAO,IAAI,EAE9BmJ,IAAS,SACX,KAAK,SAASA,CAAI,EAAI,OAAO,OAAO,IAAI,EACxC,KAAK,SAASA,CAAI,EAAEG,CAAK,EAAIkD,EAEjC,EAWAjN,EAAK,UAAU,UAAU,QAAU,SAAUmN,EAAgB,CAG3D,QAFI1D,EAAQ,OAAO,KAAK0D,EAAe,QAAQ,EAEtC,EAAI,EAAG,EAAI1D,EAAM,OAAQ,IAAK,CACrC,IAAIG,EAAOH,EAAM,CAAC,EACdqC,EAAS,OAAO,KAAKqB,EAAe,SAASvD,CAAI,CAAC,EAElD,KAAK,SAASA,CAAI,GAAK,OACzB,KAAK,SAASA,CAAI,EAAI,OAAO,OAAO,IAAI,GAG1C,QAAS1G,EAAI,EAAGA,EAAI4I,EAAO,OAAQ5I,IAAK,CACtC,IAAI6G,EAAQ+B,EAAO5I,CAAC,EAChB3C,EAAO,OAAO,KAAK4M,EAAe,SAASvD,CAAI,EAAEG,CAAK,CAAC,EAEvD,KAAK,SAASH,CAAI,EAAEG,CAAK,GAAK,OAChC,KAAK,SAASH,CAAI,EAAEG,CAAK,EAAI,OAAO,OAAO,IAAI,GAGjD,QAAS3G,EAAI,EAAGA,EAAI7C,EAAK,OAAQ6C,IAAK,CACpC,IAAI3C,EAAMF,EAAK6C,CAAC,EAEZ,KAAK,SAASwG,CAAI,EAAEG,CAAK,EAAEtJ,CAAG,GAAK,KACrC,KAAK,SAASmJ,CAAI,EAAEG,CAAK,EAAEtJ,CAAG,EAAI0M,EAAe,SAASvD,CAAI,EAAEG,CAAK,EAAEtJ,CAAG,EAE1E,KAAK,SAASmJ,CAAI,EAAEG,CAAK,EAAEtJ,CAAG,EAAI,KAAK,SAASmJ,CAAI,EAAEG,CAAK,EAAEtJ,CAAG,EAAE,OAAO0M,EAAe,SAASvD,CAAI,EAAEG,CAAK,EAAEtJ,CAAG,CAAC,CAGtH,CACF,CACF,CACF,EASAT,EAAK,UAAU,UAAU,IAAM,SAAU4J,EAAMG,EAAOlI,EAAU,CAC9D,GAAI,EAAE+H,KAAQ,KAAK,UAAW,CAC5B,KAAK,SAASA,CAAI,EAAI,OAAO,OAAO,IAAI,EACxC,KAAK,SAASA,CAAI,EAAEG,CAAK,EAAIlI,EAC7B,MACF,CAEA,GAAI,EAAEkI,KAAS,KAAK,SAASH,CAAI,GAAI,CACnC,KAAK,SAASA,CAAI,EAAEG,CAAK,EAAIlI,EAC7B,MACF,CAIA,QAFIqL,EAAe,OAAO,KAAKrL,CAAQ,EAE9BrB,EAAI,EAAGA,EAAI0M,EAAa,OAAQ1M,IAAK,CAC5C,IAAIC,EAAMyM,EAAa1M,CAAC,EAEpBC,KAAO,KAAK,SAASmJ,CAAI,EAAEG,CAAK,EAClC,KAAK,SAASH,CAAI,EAAEG,CAAK,EAAEtJ,CAAG,EAAI,KAAK,SAASmJ,CAAI,EAAEG,CAAK,EAAEtJ,CAAG,EAAE,OAAOoB,EAASpB,CAAG,CAAC,EAEtF,KAAK,SAASmJ,CAAI,EAAEG,CAAK,EAAEtJ,CAAG,EAAIoB,EAASpB,CAAG,CAElD,CACF,EAYAT,EAAK,MAAQ,SAAUoN,EAAW,CAChC,KAAK,QAAU,CAAC,EAChB,KAAK,UAAYA,CACnB,EA0BApN,EAAK,MAAM,SAAW,IAAI,OAAQ,GAAG,EACrCA,EAAK,MAAM,SAAS,KAAO,EAC3BA,EAAK,MAAM,SAAS,QAAU,EAC9BA,EAAK,MAAM,SAAS,SAAW,EAa/BA,EAAK,MAAM,SAAW,CAIpB,SAAU,EAMV,SAAU,EAMV,WAAY,CACd,EAyBAA,EAAK,MAAM,UAAU,OAAS,SAAUkH,EAAQ,CAC9C,MAAM,WAAYA,IAChBA,EAAO,OAAS,KAAK,WAGjB,UAAWA,IACfA,EAAO,MAAQ,GAGX,gBAAiBA,IACrBA,EAAO,YAAc,IAGjB,aAAcA,IAClBA,EAAO,SAAWlH,EAAK,MAAM,SAAS,MAGnCkH,EAAO,SAAWlH,EAAK,MAAM,SAAS,SAAakH,EAAO,KAAK,OAAO,CAAC,GAAKlH,EAAK,MAAM,WAC1FkH,EAAO,KAAO,IAAMA,EAAO,MAGxBA,EAAO,SAAWlH,EAAK,MAAM,SAAS,UAAckH,EAAO,KAAK,MAAM,EAAE,GAAKlH,EAAK,MAAM,WAC3FkH,EAAO,KAAO,GAAKA,EAAO,KAAO,KAG7B,aAAcA,IAClBA,EAAO,SAAWlH,EAAK,MAAM,SAAS,UAGxC,KAAK,QAAQ,KAAKkH,CAAM,EAEjB,IACT,EASAlH,EAAK,MAAM,UAAU,UAAY,UAAY,CAC3C,QAASQ,EAAI,EAAGA,EAAI,KAAK,QAAQ,OAAQA,IACvC,GAAI,KAAK,QAAQA,CAAC,EAAE,UAAYR,EAAK,MAAM,SAAS,WAClD,MAAO,GAIX,MAAO,EACT,EA4BAA,EAAK,MAAM,UAAU,KAAO,SAAU4J,EAAMyD,EAAS,CACnD,GAAI,MAAM,QAAQzD,CAAI,EACpB,OAAAA,EAAK,QAAQ,SAAU7H,EAAG,CAAE,KAAK,KAAKA,EAAG/B,EAAK,MAAM,MAAMqN,CAAO,CAAC,CAAE,EAAG,IAAI,EACpE,KAGT,IAAInG,EAASmG,GAAW,CAAC,EACzB,OAAAnG,EAAO,KAAO0C,EAAK,SAAS,EAE5B,KAAK,OAAO1C,CAAM,EAEX,IACT,EACAlH,EAAK,gBAAkB,SAAUI,EAASmD,EAAOC,EAAK,CACpD,KAAK,KAAO,kBACZ,KAAK,QAAUpD,EACf,KAAK,MAAQmD,EACb,KAAK,IAAMC,CACb,EAEAxD,EAAK,gBAAgB,UAAY,IAAI,MACrCA,EAAK,WAAa,SAAU4B,EAAK,CAC/B,KAAK,QAAU,CAAC,EAChB,KAAK,IAAMA,EACX,KAAK,OAASA,EAAI,OAClB,KAAK,IAAM,EACX,KAAK,MAAQ,EACb,KAAK,oBAAsB,CAAC,CAC9B,EAEA5B,EAAK,WAAW,UAAU,IAAM,UAAY,CAG1C,QAFIsN,EAAQtN,EAAK,WAAW,QAErBsN,GACLA,EAAQA,EAAM,IAAI,CAEtB,EAEAtN,EAAK,WAAW,UAAU,YAAc,UAAY,CAKlD,QAJIuN,EAAY,CAAC,EACbpL,EAAa,KAAK,MAClBD,EAAW,KAAK,IAEX1B,EAAI,EAAGA,EAAI,KAAK,oBAAoB,OAAQA,IACnD0B,EAAW,KAAK,oBAAoB1B,CAAC,EACrC+M,EAAU,KAAK,KAAK,IAAI,MAAMpL,EAAYD,CAAQ,CAAC,EACnDC,EAAaD,EAAW,EAG1B,OAAAqL,EAAU,KAAK,KAAK,IAAI,MAAMpL,EAAY,KAAK,GAAG,CAAC,EACnD,KAAK,oBAAoB,OAAS,EAE3BoL,EAAU,KAAK,EAAE,CAC1B,EAEAvN,EAAK,WAAW,UAAU,KAAO,SAAUwN,EAAM,CAC/C,KAAK,QAAQ,KAAK,CAChB,KAAMA,EACN,IAAK,KAAK,YAAY,EACtB,MAAO,KAAK,MACZ,IAAK,KAAK,GACZ,CAAC,EAED,KAAK,MAAQ,KAAK,GACpB,EAEAxN,EAAK,WAAW,UAAU,gBAAkB,UAAY,CACtD,KAAK,oBAAoB,KAAK,KAAK,IAAM,CAAC,EAC1C,KAAK,KAAO,CACd,EAEAA,EAAK,WAAW,UAAU,KAAO,UAAY,CAC3C,GAAI,KAAK,KAAO,KAAK,OACnB,OAAOA,EAAK,WAAW,IAGzB,IAAIoC,EAAO,KAAK,IAAI,OAAO,KAAK,GAAG,EACnC,YAAK,KAAO,EACLA,CACT,EAEApC,EAAK,WAAW,UAAU,MAAQ,UAAY,CAC5C,OAAO,KAAK,IAAM,KAAK,KACzB,EAEAA,EAAK,WAAW,UAAU,OAAS,UAAY,CACzC,KAAK,OAAS,KAAK,MACrB,KAAK,KAAO,GAGd,KAAK,MAAQ,KAAK,GACpB,EAEAA,EAAK,WAAW,UAAU,OAAS,UAAY,CAC7C,KAAK,KAAO,CACd,EAEAA,EAAK,WAAW,UAAU,eAAiB,UAAY,CACrD,IAAIoC,EAAMqL,EAEV,GACErL,EAAO,KAAK,KAAK,EACjBqL,EAAWrL,EAAK,WAAW,CAAC,QACrBqL,EAAW,IAAMA,EAAW,IAEjCrL,GAAQpC,EAAK,WAAW,KAC1B,KAAK,OAAO,CAEhB,EAEAA,EAAK,WAAW,UAAU,KAAO,UAAY,CAC3C,OAAO,KAAK,IAAM,KAAK,MACzB,EAEAA,EAAK,WAAW,IAAM,MACtBA,EAAK,WAAW,MAAQ,QACxBA,EAAK,WAAW,KAAO,OACvBA,EAAK,WAAW,cAAgB,gBAChCA,EAAK,WAAW,MAAQ,QACxBA,EAAK,WAAW,SAAW,WAE3BA,EAAK,WAAW,SAAW,SAAU0N,EAAO,CAC1C,OAAAA,EAAM,OAAO,EACbA,EAAM,KAAK1N,EAAK,WAAW,KAAK,EAChC0N,EAAM,OAAO,EACN1N,EAAK,WAAW,OACzB,EAEAA,EAAK,WAAW,QAAU,SAAU0N,EAAO,CAQzC,GAPIA,EAAM,MAAM,EAAI,IAClBA,EAAM,OAAO,EACbA,EAAM,KAAK1N,EAAK,WAAW,IAAI,GAGjC0N,EAAM,OAAO,EAETA,EAAM,KAAK,EACb,OAAO1N,EAAK,WAAW,OAE3B,EAEAA,EAAK,WAAW,gBAAkB,SAAU0N,EAAO,CACjD,OAAAA,EAAM,OAAO,EACbA,EAAM,eAAe,EACrBA,EAAM,KAAK1N,EAAK,WAAW,aAAa,EACjCA,EAAK,WAAW,OACzB,EAEAA,EAAK,WAAW,SAAW,SAAU0N,EAAO,CAC1C,OAAAA,EAAM,OAAO,EACbA,EAAM,eAAe,EACrBA,EAAM,KAAK1N,EAAK,WAAW,KAAK,EACzBA,EAAK,WAAW,OACzB,EAEAA,EAAK,WAAW,OAAS,SAAU0N,EAAO,CACpCA,EAAM,MAAM,EAAI,GAClBA,EAAM,KAAK1N,EAAK,WAAW,IAAI,CAEnC,EAaAA,EAAK,WAAW,cAAgBA,EAAK,UAAU,UAE/CA,EAAK,WAAW,QAAU,SAAU0N,EAAO,CACzC,OAAa,CACX,IAAItL,EAAOsL,EAAM,KAAK,EAEtB,GAAItL,GAAQpC,EAAK,WAAW,IAC1B,OAAOA,EAAK,WAAW,OAIzB,GAAIoC,EAAK,WAAW,CAAC,GAAK,GAAI,CAC5BsL,EAAM,gBAAgB,EACtB,QACF,CAEA,GAAItL,GAAQ,IACV,OAAOpC,EAAK,WAAW,SAGzB,GAAIoC,GAAQ,IACV,OAAAsL,EAAM,OAAO,EACTA,EAAM,MAAM,EAAI,GAClBA,EAAM,KAAK1N,EAAK,WAAW,IAAI,EAE1BA,EAAK,WAAW,gBAGzB,GAAIoC,GAAQ,IACV,OAAAsL,EAAM,OAAO,EACTA,EAAM,MAAM,EAAI,GAClBA,EAAM,KAAK1N,EAAK,WAAW,IAAI,EAE1BA,EAAK,WAAW,SAczB,GARIoC,GAAQ,KAAOsL,EAAM,MAAM,IAAM,GAQjCtL,GAAQ,KAAOsL,EAAM,MAAM,IAAM,EACnC,OAAAA,EAAM,KAAK1N,EAAK,WAAW,QAAQ,EAC5BA,EAAK,WAAW,QAGzB,GAAIoC,EAAK,MAAMpC,EAAK,WAAW,aAAa,EAC1C,OAAOA,EAAK,WAAW,OAE3B,CACF,EAEAA,EAAK,YAAc,SAAU4B,EAAKsH,EAAO,CACvC,KAAK,MAAQ,IAAIlJ,EAAK,WAAY4B,CAAG,EACrC,KAAK,MAAQsH,EACb,KAAK,cAAgB,CAAC,EACtB,KAAK,UAAY,CACnB,EAEAlJ,EAAK,YAAY,UAAU,MAAQ,UAAY,CAC7C,KAAK,MAAM,IAAI,EACf,KAAK,QAAU,KAAK,MAAM,QAI1B,QAFIsN,EAAQtN,EAAK,YAAY,YAEtBsN,GACLA,EAAQA,EAAM,IAAI,EAGpB,OAAO,KAAK,KACd,EAEAtN,EAAK,YAAY,UAAU,WAAa,UAAY,CAClD,OAAO,KAAK,QAAQ,KAAK,SAAS,CACpC,EAEAA,EAAK,YAAY,UAAU,cAAgB,UAAY,CACrD,IAAI2N,EAAS,KAAK,WAAW,EAC7B,YAAK,WAAa,EACXA,CACT,EAEA3N,EAAK,YAAY,UAAU,WAAa,UAAY,CAClD,IAAI4N,EAAkB,KAAK,cAC3B,KAAK,MAAM,OAAOA,CAAe,EACjC,KAAK,cAAgB,CAAC,CACxB,EAEA5N,EAAK,YAAY,YAAc,SAAUmJ,EAAQ,CAC/C,IAAIwE,EAASxE,EAAO,WAAW,EAE/B,GAAIwE,GAAU,KAId,OAAQA,EAAO,KAAM,CACnB,KAAK3N,EAAK,WAAW,SACnB,OAAOA,EAAK,YAAY,cAC1B,KAAKA,EAAK,WAAW,MACnB,OAAOA,EAAK,YAAY,WAC1B,KAAKA,EAAK,WAAW,KACnB,OAAOA,EAAK,YAAY,UAC1B,QACE,IAAI6N,EAAe,4CAA8CF,EAAO,KAExE,MAAIA,EAAO,IAAI,QAAU,IACvBE,GAAgB,gBAAkBF,EAAO,IAAM,KAG3C,IAAI3N,EAAK,gBAAiB6N,EAAcF,EAAO,MAAOA,EAAO,GAAG,CAC1E,CACF,EAEA3N,EAAK,YAAY,cAAgB,SAAUmJ,EAAQ,CACjD,IAAIwE,EAASxE,EAAO,cAAc,EAElC,GAAIwE,GAAU,KAId,QAAQA,EAAO,IAAK,CAClB,IAAK,IACHxE,EAAO,cAAc,SAAWnJ,EAAK,MAAM,SAAS,WACpD,MACF,IAAK,IACHmJ,EAAO,cAAc,SAAWnJ,EAAK,MAAM,SAAS,SACpD,MACF,QACE,IAAI6N,EAAe,kCAAoCF,EAAO,IAAM,IACpE,MAAM,IAAI3N,EAAK,gBAAiB6N,EAAcF,EAAO,MAAOA,EAAO,GAAG,CAC1E,CAEA,IAAIG,EAAa3E,EAAO,WAAW,EAEnC,GAAI2E,GAAc,KAAW,CAC3B,IAAID,EAAe,yCACnB,MAAM,IAAI7N,EAAK,gBAAiB6N,EAAcF,EAAO,MAAOA,EAAO,GAAG,CACxE,CAEA,OAAQG,EAAW,KAAM,CACvB,KAAK9N,EAAK,WAAW,MACnB,OAAOA,EAAK,YAAY,WAC1B,KAAKA,EAAK,WAAW,KACnB,OAAOA,EAAK,YAAY,UAC1B,QACE,IAAI6N,EAAe,mCAAqCC,EAAW,KAAO,IAC1E,MAAM,IAAI9N,EAAK,gBAAiB6N,EAAcC,EAAW,MAAOA,EAAW,GAAG,CAClF,EACF,EAEA9N,EAAK,YAAY,WAAa,SAAUmJ,EAAQ,CAC9C,IAAIwE,EAASxE,EAAO,cAAc,EAElC,GAAIwE,GAAU,KAId,IAAIxE,EAAO,MAAM,UAAU,QAAQwE,EAAO,GAAG,GAAK,GAAI,CACpD,IAAII,EAAiB5E,EAAO,MAAM,UAAU,IAAI,SAAU6E,EAAG,CAAE,MAAO,IAAMA,EAAI,GAAI,CAAC,EAAE,KAAK,IAAI,EAC5FH,EAAe,uBAAyBF,EAAO,IAAM,uBAAyBI,EAElF,MAAM,IAAI/N,EAAK,gBAAiB6N,EAAcF,EAAO,MAAOA,EAAO,GAAG,CACxE,CAEAxE,EAAO,cAAc,OAAS,CAACwE,EAAO,GAAG,EAEzC,IAAIG,EAAa3E,EAAO,WAAW,EAEnC,GAAI2E,GAAc,KAAW,CAC3B,IAAID,EAAe,gCACnB,MAAM,IAAI7N,EAAK,gBAAiB6N,EAAcF,EAAO,MAAOA,EAAO,GAAG,CACxE,CAEA,OAAQG,EAAW,KAAM,CACvB,KAAK9N,EAAK,WAAW,KACnB,OAAOA,EAAK,YAAY,UAC1B,QACE,IAAI6N,EAAe,0BAA4BC,EAAW,KAAO,IACjE,MAAM,IAAI9N,EAAK,gBAAiB6N,EAAcC,EAAW,MAAOA,EAAW,GAAG,CAClF,EACF,EAEA9N,EAAK,YAAY,UAAY,SAAUmJ,EAAQ,CAC7C,IAAIwE,EAASxE,EAAO,cAAc,EAElC,GAAIwE,GAAU,KAId,CAAAxE,EAAO,cAAc,KAAOwE,EAAO,IAAI,YAAY,EAE/CA,EAAO,IAAI,QAAQ,GAAG,GAAK,KAC7BxE,EAAO,cAAc,YAAc,IAGrC,IAAI2E,EAAa3E,EAAO,WAAW,EAEnC,GAAI2E,GAAc,KAAW,CAC3B3E,EAAO,WAAW,EAClB,MACF,CAEA,OAAQ2E,EAAW,KAAM,CACvB,KAAK9N,EAAK,WAAW,KACnB,OAAAmJ,EAAO,WAAW,EACXnJ,EAAK,YAAY,UAC1B,KAAKA,EAAK,WAAW,MACnB,OAAAmJ,EAAO,WAAW,EACXnJ,EAAK,YAAY,WAC1B,KAAKA,EAAK,WAAW,cACnB,OAAOA,EAAK,YAAY,kBAC1B,KAAKA,EAAK,WAAW,MACnB,OAAOA,EAAK,YAAY,WAC1B,KAAKA,EAAK,WAAW,SACnB,OAAAmJ,EAAO,WAAW,EACXnJ,EAAK,YAAY,cAC1B,QACE,IAAI6N,EAAe,2BAA6BC,EAAW,KAAO,IAClE,MAAM,IAAI9N,EAAK,gBAAiB6N,EAAcC,EAAW,MAAOA,EAAW,GAAG,CAClF,EACF,EAEA9N,EAAK,YAAY,kBAAoB,SAAUmJ,EAAQ,CACrD,IAAIwE,EAASxE,EAAO,cAAc,EAElC,GAAIwE,GAAU,KAId,KAAIxG,EAAe,SAASwG,EAAO,IAAK,EAAE,EAE1C,GAAI,MAAMxG,CAAY,EAAG,CACvB,IAAI0G,EAAe,gCACnB,MAAM,IAAI7N,EAAK,gBAAiB6N,EAAcF,EAAO,MAAOA,EAAO,GAAG,CACxE,CAEAxE,EAAO,cAAc,aAAehC,EAEpC,IAAI2G,EAAa3E,EAAO,WAAW,EAEnC,GAAI2E,GAAc,KAAW,CAC3B3E,EAAO,WAAW,EAClB,MACF,CAEA,OAAQ2E,EAAW,KAAM,CACvB,KAAK9N,EAAK,WAAW,KACnB,OAAAmJ,EAAO,WAAW,EACXnJ,EAAK,YAAY,UAC1B,KAAKA,EAAK,WAAW,MACnB,OAAAmJ,EAAO,WAAW,EACXnJ,EAAK,YAAY,WAC1B,KAAKA,EAAK,WAAW,cACnB,OAAOA,EAAK,YAAY,kBAC1B,KAAKA,EAAK,WAAW,MACnB,OAAOA,EAAK,YAAY,WAC1B,KAAKA,EAAK,WAAW,SACnB,OAAAmJ,EAAO,WAAW,EACXnJ,EAAK,YAAY,cAC1B,QACE,IAAI6N,EAAe,2BAA6BC,EAAW,KAAO,IAClE,MAAM,IAAI9N,EAAK,gBAAiB6N,EAAcC,EAAW,MAAOA,EAAW,GAAG,CAClF,EACF,EAEA9N,EAAK,YAAY,WAAa,SAAUmJ,EAAQ,CAC9C,IAAIwE,EAASxE,EAAO,cAAc,EAElC,GAAIwE,GAAU,KAId,KAAIM,EAAQ,SAASN,EAAO,IAAK,EAAE,EAEnC,GAAI,MAAMM,CAAK,EAAG,CAChB,IAAIJ,EAAe,wBACnB,MAAM,IAAI7N,EAAK,gBAAiB6N,EAAcF,EAAO,MAAOA,EAAO,GAAG,CACxE,CAEAxE,EAAO,cAAc,MAAQ8E,EAE7B,IAAIH,EAAa3E,EAAO,WAAW,EAEnC,GAAI2E,GAAc,KAAW,CAC3B3E,EAAO,WAAW,EAClB,MACF,CAEA,OAAQ2E,EAAW,KAAM,CACvB,KAAK9N,EAAK,WAAW,KACnB,OAAAmJ,EAAO,WAAW,EACXnJ,EAAK,YAAY,UAC1B,KAAKA,EAAK,WAAW,MACnB,OAAAmJ,EAAO,WAAW,EACXnJ,EAAK,YAAY,WAC1B,KAAKA,EAAK,WAAW,cACnB,OAAOA,EAAK,YAAY,kBAC1B,KAAKA,EAAK,WAAW,MACnB,OAAOA,EAAK,YAAY,WAC1B,KAAKA,EAAK,WAAW,SACnB,OAAAmJ,EAAO,WAAW,EACXnJ,EAAK,YAAY,cAC1B,QACE,IAAI6N,EAAe,2BAA6BC,EAAW,KAAO,IAClE,MAAM,IAAI9N,EAAK,gBAAiB6N,EAAcC,EAAW,MAAOA,EAAW,GAAG,CAClF,EACF,EAMI,SAAU1G,EAAM8G,EAAS,CACrB,OAAO,QAAW,YAAc,OAAO,IAEzC,OAAOA,CAAO,EACL,OAAOpO,GAAY,SAM5BC,EAAO,QAAUmO,EAAQ,EAGzB9G,EAAK,KAAO8G,EAAQ,CAExB,EAAE,KAAM,UAAY,CAMlB,OAAOlO,CACT,CAAC,CACH,GAAG,KCl5GF,UAAY,CACX,IAAMmO,EAAO,IAEb,IAAIC,EAEAC,EAAY,KACZC,EAAa,CAAC,EAElBH,EAAK,UAAU,UAAY,gBAE3B,IAAII,EAAmB,IAAI,eAC3BA,EAAiB,KAAK,MAAO,0BAA0B,EACvDA,EAAiB,OAAS,UAAY,CAChC,KAAK,QAAU,MAGnBF,EAAY,KAAK,MAAM,KAAK,YAAY,EACxCG,EAAW,EACb,EACAD,EAAiB,KAAK,EAEtB,IAAIE,EAAoB,IAAI,eAE5BA,EAAkB,KAAK,MAAO,eAAe,EAC7CA,EAAkB,OAAS,UAAY,CACjC,KAAK,QAAU,MAGnBH,EAAa,KAAK,MAAM,KAAK,YAAY,EAEzCE,EAAW,EAEX,YAAY,CAAE,EAAG,aAAc,CAAC,EAClC,EACAC,EAAkB,KAAK,EAEvB,UAAY,SAAUC,EAAQ,CAC5B,IAAIC,EAAID,EAAO,KAAK,EAChBE,EAAOR,EAAU,OAAOO,CAAC,EACzBE,EAAU,CAAC,EACfD,EAAK,QAAQ,SAAUE,EAAK,CAC1B,IAAIC,EAAOT,EAAWQ,EAAI,GAAG,EAC7BD,EAAQ,KAAK,CAAE,KAAQE,EAAK,KAAM,MAASA,EAAK,MAAO,SAAYA,EAAK,QAAS,CAAC,CACpF,CAAC,EACD,YAAY,CAAE,EAAG,cAAe,EAAGJ,EAAG,EAAGE,CAAQ,CAAC,CACpD,EAEA,SAASL,GAAa,CAChBH,IAAc,MAAQ,CAACW,EAAQV,CAAU,IAC3CF,EAAYD,EAAK,UAAY,CAC3B,KAAK,SAAS,OAAOA,EAAK,cAAc,EACxC,KAAK,IAAI,MAAM,EACf,KAAK,MAAM,QAAS,CAAE,MAAO,EAAG,CAAC,EACjC,KAAK,MAAM,WAAY,CAAE,MAAO,EAAG,CAAC,EAEpC,QAASc,KAAQX,EACXA,EAAW,eAAeW,CAAI,GAChC,KAAK,IAAIX,EAAWW,CAAI,CAAC,EAI7B,IAAIC,EAAsBf,EAAK,uBAAuBE,CAAS,EAC/DF,EAAK,SAAS,iBAAiBe,EAAqB,qBAAqB,EACzE,KAAK,SAAS,IAAIA,CAAmB,EACrC,KAAK,eAAe,IAAIA,CAAmB,CAC7C,CAAC,EAEL,CAEA,SAASF,EAAQG,EAAK,CACpB,GAAG,CAACA,EAAK,MAAO,GAEhB,QAASF,KAAQE,EACf,GAAIA,EAAI,eAAeF,CAAI,EACzB,MAAO,GAGX,MAAO,EACT,CACF,GAAG", + "names": ["require_lunr", "__commonJSMin", "exports", "module", "lunr", "config", "builder", "global", "message", "obj", "clone", "keys", "i", "key", "val", "docRef", "fieldName", "stringValue", "s", "n", "fieldRef", "elements", "other", "object", "a", "b", "intersection", "element", "posting", "documentCount", "documentsWithTerm", "x", "str", "metadata", "fn", "t", "len", "tokens", "sliceEnd", "sliceStart", "char", "sliceLength", "tokenMetadata", "label", "isRegistered", "serialised", "pipeline", "fnName", "fns", "existingFn", "newFn", "pos", "stackLength", "memo", "j", "result", "k", "token", "index", "start", "end", "pivotPoint", "pivotIndex", "insertIdx", "position", "sumOfSquares", "elementsLength", "otherVector", "dotProduct", "aLen", "bLen", "aVal", "bVal", "output", "step2list", "step3list", "c", "v", "C", "V", "mgr0", "meq1", "mgr1", "s_v", "re_mgr0", "re_mgr1", "re_meq1", "re_s_v", "re_1a", "re2_1a", "re_1b", "re2_1b", "re_1b_2", "re2_1b_2", "re3_1b_2", "re4_1b_2", "re_1c", "re_2", "re_3", "re_4", "re2_4", "re_5", "re_5_1", "re3_5", "porterStemmer", "w", "stem", "suffix", "firstch", "re", "re2", "re3", "re4", "fp", "stopWords", "words", "stopWord", "arr", "clause", "editDistance", "root", "stack", "frame", "noEditNode", "insertionNode", "substitutionNode", "charA", "charB", "transposeNode", "node", "final", "next", "edges", "edge", "labels", "qEdges", "qLen", "nEdges", "nLen", "q", "qEdge", "nEdge", "qNode", "word", "commonPrefix", "nextNode", "downTo", "childKey", "attrs", "queryString", "query", "parser", "matchingFields", "queryVectors", "termFieldCache", "requiredMatches", "prohibitedMatches", "terms", "clauseMatches", "m", "term", "termTokenSet", "expandedTerms", "field", "expandedTerm", "termIndex", "fieldPosting", "matchingDocumentRefs", "termField", "matchingDocumentsSet", "l", "matchingDocumentRef", "matchingFieldRef", "fieldMatch", "allRequiredMatches", "allProhibitedMatches", "matchingFieldRefs", "results", "matches", "fieldVector", "score", "docMatch", "match", "invertedIndex", "fieldVectors", "ref", "serializedIndex", "serializedVectors", "serializedInvertedIndex", "tokenSetBuilder", "tuple", "attributes", "number", "doc", "fields", "extractor", "fieldTerms", "metadataKey", "fieldRefs", "numberOfFields", "accumulator", "documentsWithField", "fieldRefsLength", "termIdfCache", "fieldLength", "termFrequencies", "termsLength", "fieldBoost", "docBoost", "tf", "idf", "scoreWithPrecision", "args", "clonedMetadata", "metadataKeys", "otherMatchData", "allFields", "options", "state", "subSlices", "type", "charCode", "lexer", "lexeme", "completedClause", "errorMessage", "nextLexeme", "possibleFields", "f", "boost", "factory", "lunr", "lunrIndex", "stopWords", "searchData", "stopWordsRequest", "buildIndex", "searchDataRequest", "oEvent", "q", "hits", "results", "hit", "item", "isEmpty", "prop", "docfxStopWordFilter", "obj"] +} diff --git a/docs/toc.html b/docs/toc.html index 535e91c48..543c16f8b 100644 --- a/docs/toc.html +++ b/docs/toc.html @@ -1,40 +1,40 @@ - -<div id="sidetoggle"> - <div> - <div class="sidefilter"> - <form class="toc-filter"> - <span class="glyphicon glyphicon-filter filter-icon"></span> - <span class="glyphicon glyphicon-remove clear-icon" id="toc_filter_clear"></span> - <input type="text" id="toc_filter_input" placeholder="Enter here to filter..." onkeypress="if(event.keyCode==13) {return false;}"> - </form> - </div> - <div class="sidetoc"> - <div class="toc" id="toc"> - - <ul class="nav level1"> - <li> - <a href="wiki/Get-Started.html" name="wiki/toc.html" title="Documentation">Documentation</a> - </li> - <li> - <a href="wiki/Code-Samples.html" name="" title="Code Samples">Code Samples</a> - </li> - <li> - <a href="wiki/Performance-Benchmarks.html" name="" title="Benchmarks">Benchmarks</a> - </li> - <li> - <a href="api/MongoDB.Entities.html" name="api/toc.html" title="Api Reference">Api Reference</a> - </li> - <li> - <a href="https://github.com/dj-nitehawk/MongoDB.Entities" name="" title="GitHub">GitHub</a> - </li> - <li> - <a href="https://discord.gg/8UpqWT35rj" name="" title="Discord">Discord</a> - </li> - <li> - <a href="https://www.paypal.com/cgi-bin/webscr?cmd=_s-xclick&hosted_button_id=9LM2APQXVA9VE" name="" title="Donate">Donate</a> - </li> - </ul> - </div> - </div> - </div> -</div> \ No newline at end of file + +<div id="sidetoggle"> + <div> + <div class="sidefilter"> + <form class="toc-filter"> + <span class="glyphicon glyphicon-filter filter-icon"></span> + <span class="glyphicon glyphicon-remove clear-icon" id="toc_filter_clear"></span> + <input type="text" id="toc_filter_input" placeholder="Filter by title" onkeypress="if(event.keyCode==13) {return false;}"> + </form> + </div> + <div class="sidetoc"> + <div class="toc" id="toc"> + + <ul class="nav level1"> + <li> + <a href="wiki/Get-Started.html" name="wiki/toc.html" title="Documentation">Documentation</a> + </li> + <li> + <a href="wiki/Code-Samples.html" name="" title="Code Samples">Code Samples</a> + </li> + <li> + <a href="wiki/Performance-Benchmarks.html" name="" title="Benchmarks">Benchmarks</a> + </li> + <li> + <a href="api/MongoDB.Entities.html" name="api/toc.html" title="Api Reference">Api Reference</a> + </li> + <li> + <a href="https://github.com/dj-nitehawk/MongoDB.Entities" name="" title="GitHub">GitHub</a> + </li> + <li> + <a href="https://discord.gg/8UpqWT35rj" name="" title="Discord">Discord</a> + </li> + <li> + <a href="https://www.paypal.com/cgi-bin/webscr?cmd=_s-xclick&hosted_button_id=9LM2APQXVA9VE" name="" title="Donate">Donate</a> + </li> + </ul> + </div> + </div> + </div> +</div> diff --git a/docs/toc.json b/docs/toc.json new file mode 100644 index 000000000..e79a3da93 --- /dev/null +++ b/docs/toc.json @@ -0,0 +1,2 @@ + +{"items":[{"name":"Documentation","href":"wiki/Get-Started.html","tocHref":"wiki/toc.html","topicHref":"wiki/Get-Started.html"},{"name":"Code Samples","href":"wiki/Code-Samples.html","topicHref":"wiki/Code-Samples.html"},{"name":"Benchmarks","href":"wiki/Performance-Benchmarks.html","topicHref":"wiki/Performance-Benchmarks.html"},{"name":"Api Reference","href":"api/MongoDB.Entities.html","tocHref":"api/toc.html","topicHref":"api/MongoDB.Entities.html","topicUid":"MongoDB.Entities"},{"name":"GitHub","href":"https://github.com/dj-nitehawk/MongoDB.Entities","topicHref":"https://github.com/dj-nitehawk/MongoDB.Entities"},{"name":"Discord","href":"https://discord.gg/8UpqWT35rj","topicHref":"https://discord.gg/8UpqWT35rj"},{"name":"Donate","href":"https://www.paypal.com/cgi-bin/webscr?cmd=_s-xclick&hosted_button_id=9LM2APQXVA9VE","topicHref":"https://www.paypal.com/cgi-bin/webscr?cmd=_s-xclick&hosted_button_id=9LM2APQXVA9VE"}]} diff --git a/docs/wiki/Async-Support.html b/docs/wiki/Async-Support.html index 3c69609f6..259d00396 100644 --- a/docs/wiki/Async-Support.html +++ b/docs/wiki/Async-Support.html @@ -1,98 +1,98 @@ -<!DOCTYPE html> -<!--[if IE]><![endif]--> -<html> - - <head> - <!-- Global site tag (gtag.js) - Google Analytics --> - <script async="" src="https://www.googletagmanager.com/gtag/js?id=UA-39155502-5"></script> - <script> - window.dataLayer = window.dataLayer || []; - function gtag(){dataLayer.push(arguments);} - gtag('js', new Date()); - - gtag('config', 'UA-39155502-5'); - </script> - <meta charset="utf-8"> - <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1"> - <title>Async-only api | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                              -
                                                                                              - - - - -
                                                                                              -
                                                                                              + + + -
                                                                                              -
                                                                                              Search Results for
                                                                                              -
                                                                                              -

                                                                                              -
                                                                                              -
                                                                                                -
                                                                                                -
                                                                                                - + + +
                                                                                                + + + + + + + + + + diff --git a/docs/wiki/Change-Streams.html b/docs/wiki/Change-Streams.html index df9dff15f..0741c41af 100644 --- a/docs/wiki/Change-Streams.html +++ b/docs/wiki/Change-Streams.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Change-streams | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                -
                                                                                                - - - - -
                                                                                                -
                                                                                                + + + -
                                                                                                -
                                                                                                Search Results for
                                                                                                -
                                                                                                -

                                                                                                -
                                                                                                -
                                                                                                  -
                                                                                                  -
                                                                                                  - + + +
                                                                                                  + + + + + + + + + + diff --git a/docs/wiki/Code-Samples.html b/docs/wiki/Code-Samples.html index ac51201e4..8d4e01fd0 100644 --- a/docs/wiki/Code-Samples.html +++ b/docs/wiki/Code-Samples.html @@ -1,91 +1,91 @@ - - - - - - - - - - - Code Samples | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                  -
                                                                                                  - - + + + - -
                                                                                                  -
                                                                                                  + + + + + + + Code Samples | MongoDB.Entities + + + + + + + + + + + + + + + + + + + + + +
                                                                                                  +
                                                                                                  + + + + +
                                                                                                  +
                                                                                                  + +
                                                                                                  +
                                                                                                  Search Results for
                                                                                                  +
                                                                                                  +

                                                                                                  +
                                                                                                  +
                                                                                                    +
                                                                                                    +
                                                                                                    + - - -
                                                                                                    - - - - - - + + +
                                                                                                    + + +
                                                                                                    + + + + + + + + + + diff --git a/docs/wiki/DB-Instances-Audit-Fields.html b/docs/wiki/DB-Instances-Audit-Fields.html index b9ed24485..35b859336 100644 --- a/docs/wiki/DB-Instances-Audit-Fields.html +++ b/docs/wiki/DB-Instances-Audit-Fields.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Automatic audit fields | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                    -
                                                                                                    + + + -
                                                                                                    + + + + + + + + + + diff --git a/docs/wiki/DB-Instances-Event-Hooks.html b/docs/wiki/DB-Instances-Event-Hooks.html index e78138b37..79be85359 100644 --- a/docs/wiki/DB-Instances-Event-Hooks.html +++ b/docs/wiki/DB-Instances-Event-Hooks.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Custom event hooks | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                    -
                                                                                                    + + + -
                                                                                                    + + + + + + + + + diff --git a/docs/wiki/DB-Instances-Global-Filters.html b/docs/wiki/DB-Instances-Global-Filters.html index 09a17eb55..300b00755 100644 --- a/docs/wiki/DB-Instances-Global-Filters.html +++ b/docs/wiki/DB-Instances-Global-Filters.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Global filters | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                    -
                                                                                                    - - - - -
                                                                                                    -
                                                                                                    + + + -
                                                                                                    -
                                                                                                    Search Results for
                                                                                                    -
                                                                                                    -

                                                                                                    -
                                                                                                    -
                                                                                                      -
                                                                                                      -
                                                                                                      - + + +
                                                                                                      + + + + + + + + + + diff --git a/docs/wiki/DB-Instances.html b/docs/wiki/DB-Instances.html index 2d19353c3..911748579 100644 --- a/docs/wiki/DB-Instances.html +++ b/docs/wiki/DB-Instances.html @@ -1,98 +1,98 @@ - - - - - - - - - - - The DBContext | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                      -
                                                                                                      - - - - -
                                                                                                      -
                                                                                                      + + + -
                                                                                                      -
                                                                                                      Search Results for
                                                                                                      -
                                                                                                      -

                                                                                                      -
                                                                                                      -
                                                                                                        -
                                                                                                        -
                                                                                                        - - - - - - - + + +
                                                                                                        + + + + + + + + + + + + + diff --git a/docs/wiki/Data-Migrations.html b/docs/wiki/Data-Migrations.html index 50e266e65..69901cce0 100644 --- a/docs/wiki/Data-Migrations.html +++ b/docs/wiki/Data-Migrations.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Migration system | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                        -
                                                                                                        - - - - -
                                                                                                        -
                                                                                                        + + + -
                                                                                                        -
                                                                                                        Search Results for
                                                                                                        -
                                                                                                        -

                                                                                                        -
                                                                                                        -
                                                                                                          -
                                                                                                          -
                                                                                                          - + + +
                                                                                                          + + + + + + + + + + diff --git a/docs/wiki/Entities-Delete.html b/docs/wiki/Entities-Delete.html index d81d8371a..640fbafd5 100644 --- a/docs/wiki/Entities-Delete.html +++ b/docs/wiki/Entities-Delete.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Delete entities | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                          -
                                                                                                          - - - - -
                                                                                                          -
                                                                                                          + + + -
                                                                                                          -
                                                                                                          Search Results for
                                                                                                          -
                                                                                                          -

                                                                                                          -
                                                                                                          -
                                                                                                            -
                                                                                                            -
                                                                                                            - + + +
                                                                                                            + + + + + + + + + + diff --git a/docs/wiki/Entities-Save.html b/docs/wiki/Entities-Save.html index 9e934c780..6cb2b1a89 100644 --- a/docs/wiki/Entities-Save.html +++ b/docs/wiki/Entities-Save.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Save an entity | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                            -
                                                                                                            - - - - -
                                                                                                            -
                                                                                                            + + + -
                                                                                                            -
                                                                                                            Search Results for
                                                                                                            -
                                                                                                            -

                                                                                                            -
                                                                                                            -
                                                                                                              -
                                                                                                              -
                                                                                                              - + + +
                                                                                                              + + + + + + + + + + diff --git a/docs/wiki/Entities-Update.html b/docs/wiki/Entities-Update.html index dc3f38cc5..7d137a0f8 100644 --- a/docs/wiki/Entities-Update.html +++ b/docs/wiki/Entities-Update.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Update without retrieving | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                              -
                                                                                                              - - - - -
                                                                                                              -
                                                                                                              + + + -
                                                                                                              -
                                                                                                              Search Results for
                                                                                                              -
                                                                                                              -

                                                                                                              -
                                                                                                              -
                                                                                                                -
                                                                                                                -
                                                                                                                - + + +
                                                                                                                + + + + + + + + + + diff --git a/docs/wiki/Entities.html b/docs/wiki/Entities.html index 0e8f7329f..dcd622bc3 100644 --- a/docs/wiki/Entities.html +++ b/docs/wiki/Entities.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Define entities | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                -
                                                                                                                + + + -
                                                                                                                + + + + + + + + + diff --git a/docs/wiki/Extras-Date.html b/docs/wiki/Extras-Date.html index 4796bda0f..8b0774d77 100644 --- a/docs/wiki/Extras-Date.html +++ b/docs/wiki/Extras-Date.html @@ -1,98 +1,98 @@ - - - - - - - - - - - The 'Date' Type | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                -
                                                                                                                - - - - -
                                                                                                                -
                                                                                                                + + + -
                                                                                                                -
                                                                                                                Search Results for
                                                                                                                -
                                                                                                                -

                                                                                                                -
                                                                                                                -
                                                                                                                  -
                                                                                                                  -
                                                                                                                  -
                                                                                                                  + + +
                                                                                                                  + + + + + + + + + + diff --git a/docs/wiki/Extras-Prop.html b/docs/wiki/Extras-Prop.html index 2347d8556..d4f2da29d 100644 --- a/docs/wiki/Extras-Prop.html +++ b/docs/wiki/Extras-Prop.html @@ -1,98 +1,98 @@ - - - - - - - - - - - The 'Prop' Class | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                  -
                                                                                                                  - - - - -
                                                                                                                  -
                                                                                                                  + + + -
                                                                                                                  -
                                                                                                                  Search Results for
                                                                                                                  -
                                                                                                                  -

                                                                                                                  -
                                                                                                                  -
                                                                                                                    -
                                                                                                                    -
                                                                                                                    - + + +
                                                                                                                    + + + + + + + + + + diff --git a/docs/wiki/Extras-Sequence.html b/docs/wiki/Extras-Sequence.html index 68e1b769c..be7443502 100644 --- a/docs/wiki/Extras-Sequence.html +++ b/docs/wiki/Extras-Sequence.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Sequential number generation | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                    -
                                                                                                                    - - - - -
                                                                                                                    -
                                                                                                                    + + + -
                                                                                                                    -
                                                                                                                    Search Results for
                                                                                                                    -
                                                                                                                    -

                                                                                                                    -
                                                                                                                    -
                                                                                                                      -
                                                                                                                      -
                                                                                                                      - + + +
                                                                                                                      + + + + + + + + + + diff --git a/docs/wiki/File-Storage.html b/docs/wiki/File-Storage.html index 5fa5883e1..b7da56cf8 100644 --- a/docs/wiki/File-Storage.html +++ b/docs/wiki/File-Storage.html @@ -1,98 +1,98 @@ - - - - - - - - - - - GridFS alternative | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                      -
                                                                                                                      - - - - -
                                                                                                                      -
                                                                                                                      + + + -
                                                                                                                      -
                                                                                                                      Search Results for
                                                                                                                      -
                                                                                                                      -

                                                                                                                      -
                                                                                                                      -
                                                                                                                        -
                                                                                                                        -
                                                                                                                        -
                                                                                                                        + + +
                                                                                                                        + + + + + + + + + + diff --git a/docs/wiki/Get-Started.html b/docs/wiki/Get-Started.html index 44a06e522..4a3e50a15 100644 --- a/docs/wiki/Get-Started.html +++ b/docs/wiki/Get-Started.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Install | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                        -
                                                                                                                        - - - - -
                                                                                                                        -
                                                                                                                        + + + -
                                                                                                                        -
                                                                                                                        Search Results for
                                                                                                                        -
                                                                                                                        -

                                                                                                                        -
                                                                                                                        -
                                                                                                                          -
                                                                                                                          -
                                                                                                                          - + + +
                                                                                                                          + + + + + + + + + + diff --git a/docs/wiki/Indexes-Fuzzy-Text-Search.html b/docs/wiki/Indexes-Fuzzy-Text-Search.html index 56f32ef6b..d965b1336 100644 --- a/docs/wiki/Indexes-Fuzzy-Text-Search.html +++ b/docs/wiki/Indexes-Fuzzy-Text-Search.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Fuzzy Text Search | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                          -
                                                                                                                          - - - - -
                                                                                                                          -
                                                                                                                          + + + -
                                                                                                                          -
                                                                                                                          Search Results for
                                                                                                                          -
                                                                                                                          -

                                                                                                                          -
                                                                                                                          -
                                                                                                                            -
                                                                                                                            -
                                                                                                                            - + + +
                                                                                                                            + + + + + + + + + + diff --git a/docs/wiki/Indexes.html b/docs/wiki/Indexes.html index cbff41f4f..99cee37c8 100644 --- a/docs/wiki/Indexes.html +++ b/docs/wiki/Indexes.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Index creation | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                            -
                                                                                                                            - - - - -
                                                                                                                            -
                                                                                                                            + + + -
                                                                                                                            -
                                                                                                                            Search Results for
                                                                                                                            -
                                                                                                                            -

                                                                                                                            -
                                                                                                                            -
                                                                                                                              -
                                                                                                                              -
                                                                                                                              - + + +
                                                                                                                              + + + + + + + + + + diff --git a/docs/wiki/Multiple-Databases-Utility-Methods.html b/docs/wiki/Multiple-Databases-Utility-Methods.html index e8bb88ea4..799862e79 100644 --- a/docs/wiki/Multiple-Databases-Utility-Methods.html +++ b/docs/wiki/Multiple-Databases-Utility-Methods.html @@ -1,40 +1,40 @@  - - - - - - - - Utility methods | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - + + + + + + + + Utility methods | MongoDB.Entities + + + + + + + + + + + + + + + + + + + +
                                                                                                                              @@ -110,6 +110,7 @@

                                                                                                                              Check if a database is still ac

                                                                                                                              Get a list of all databases on the server

                                                                                                                              var dbNames = await DB.AllDatabaseNamesAsync("localhost");
                                                                                                                               
                                                                                                                              +
                                                                                                                              @@ -120,7 +121,7 @@

                                                                                                                              Get a list of all databases o @@ -142,7 +143,7 @@

                                                                                                                              In This Article
                                                                                                                              - + diff --git a/docs/wiki/Multiple-Databases.html b/docs/wiki/Multiple-Databases.html index ef24c10c9..253a72ae8 100644 --- a/docs/wiki/Multiple-Databases.html +++ b/docs/wiki/Multiple-Databases.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Multiple database support | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                              -
                                                                                                                              + + + -
                                                                                                                              + + + + + + + + + diff --git a/docs/wiki/Performance-Benchmarks.html b/docs/wiki/Performance-Benchmarks.html index 7c9cb62d9..8520c6cd3 100644 --- a/docs/wiki/Performance-Benchmarks.html +++ b/docs/wiki/Performance-Benchmarks.html @@ -1,91 +1,91 @@ - - - - - - - - - - - Performance Benchmarks | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                              -
                                                                                                                              - - + + + - -
                                                                                                                              -
                                                                                                                              + + + + + + + Performance Benchmarks | MongoDB.Entities + + + + + + + + + + + + + + + + + + + + + +
                                                                                                                              +
                                                                                                                              + + + + +
                                                                                                                              +
                                                                                                                              + +
                                                                                                                              +
                                                                                                                              Search Results for
                                                                                                                              +
                                                                                                                              +

                                                                                                                              +
                                                                                                                              +
                                                                                                                                +
                                                                                                                                +
                                                                                                                                + - - -
                                                                                                                                - - - - - - + + +
                                                                                                                                + + +
                                                                                                                                + + + + + + + + + + diff --git a/docs/wiki/Queries-Count.html b/docs/wiki/Queries-Count.html index bd500312b..9b0f65068 100644 --- a/docs/wiki/Queries-Count.html +++ b/docs/wiki/Queries-Count.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Count entities | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                                -
                                                                                                                                - - - - -
                                                                                                                                -
                                                                                                                                + + + -
                                                                                                                                -
                                                                                                                                Search Results for
                                                                                                                                -
                                                                                                                                -

                                                                                                                                -
                                                                                                                                -
                                                                                                                                  -
                                                                                                                                  -
                                                                                                                                  - + + +
                                                                                                                                  + + + + + + + + + + diff --git a/docs/wiki/Queries-Distinct.html b/docs/wiki/Queries-Distinct.html index 7748ea455..f008fd296 100644 --- a/docs/wiki/Queries-Distinct.html +++ b/docs/wiki/Queries-Distinct.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Get distinct values of a property | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                                  -
                                                                                                                                  - - - - -
                                                                                                                                  -
                                                                                                                                  + + + -
                                                                                                                                  -
                                                                                                                                  Search Results for
                                                                                                                                  -
                                                                                                                                  -

                                                                                                                                  -
                                                                                                                                  -
                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                    + + +
                                                                                                                                    + + + + + + + + + + diff --git a/docs/wiki/Queries-Find.html b/docs/wiki/Queries-Find.html index 2287babeb..c73afb93c 100644 --- a/docs/wiki/Queries-Find.html +++ b/docs/wiki/Queries-Find.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Find queries | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                                    -
                                                                                                                                    - - - - -
                                                                                                                                    -
                                                                                                                                    + + + -
                                                                                                                                    -
                                                                                                                                    Search Results for
                                                                                                                                    -
                                                                                                                                    -

                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                      -
                                                                                                                                      -
                                                                                                                                      - + + +
                                                                                                                                      + + + + + + + + + + diff --git a/docs/wiki/Queries-Linq.html b/docs/wiki/Queries-Linq.html index 8a7305401..29381612f 100644 --- a/docs/wiki/Queries-Linq.html +++ b/docs/wiki/Queries-Linq.html @@ -1,98 +1,98 @@ - - - - - - - - - - - LINQ queries | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                                      -
                                                                                                                                      - - - - -
                                                                                                                                      -
                                                                                                                                      + + + -
                                                                                                                                      -
                                                                                                                                      Search Results for
                                                                                                                                      -
                                                                                                                                      -

                                                                                                                                      -
                                                                                                                                      -
                                                                                                                                        -
                                                                                                                                        -
                                                                                                                                        - + + +
                                                                                                                                        + + + + + + + + + + diff --git a/docs/wiki/Queries-Paged-Search.html b/docs/wiki/Queries-Paged-Search.html index 34ee7198b..e89c80d02 100644 --- a/docs/wiki/Queries-Paged-Search.html +++ b/docs/wiki/Queries-Paged-Search.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Paged search | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                                        -
                                                                                                                                        - - - - -
                                                                                                                                        -
                                                                                                                                        + + + -
                                                                                                                                        -
                                                                                                                                        Search Results for
                                                                                                                                        -
                                                                                                                                        -

                                                                                                                                        -
                                                                                                                                        -
                                                                                                                                          -
                                                                                                                                          -
                                                                                                                                          -
                                                                                                                                          + + +
                                                                                                                                          + + + + + + + + + + diff --git a/docs/wiki/Queries-Pipelines.html b/docs/wiki/Queries-Pipelines.html index 3cf46edb7..4cb545d36 100644 --- a/docs/wiki/Queries-Pipelines.html +++ b/docs/wiki/Queries-Pipelines.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Fluent aggregation pipelines | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                                          -
                                                                                                                                          - - - - -
                                                                                                                                          -
                                                                                                                                          + + + -
                                                                                                                                          -
                                                                                                                                          Search Results for
                                                                                                                                          -
                                                                                                                                          -

                                                                                                                                          -
                                                                                                                                          -
                                                                                                                                            -
                                                                                                                                            -
                                                                                                                                            - + + +
                                                                                                                                            + + + + + + + + + + diff --git a/docs/wiki/Relationships-Embeded.html b/docs/wiki/Relationships-Embeded.html index 49bed2eff..c9210b9af 100644 --- a/docs/wiki/Relationships-Embeded.html +++ b/docs/wiki/Relationships-Embeded.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Embedded Relationships | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                                            -
                                                                                                                                            - - - - -
                                                                                                                                            -
                                                                                                                                            + + + -
                                                                                                                                            -
                                                                                                                                            Search Results for
                                                                                                                                            -
                                                                                                                                            -

                                                                                                                                            -
                                                                                                                                            -
                                                                                                                                              -
                                                                                                                                              -
                                                                                                                                              - + + +
                                                                                                                                              + + + + + + + + + + diff --git a/docs/wiki/Relationships-Referenced.html b/docs/wiki/Relationships-Referenced.html index b5deab8ab..c521d00b0 100644 --- a/docs/wiki/Relationships-Referenced.html +++ b/docs/wiki/Relationships-Referenced.html @@ -1,108 +1,107 @@ - - - - - - - - - - - Referenced Relationships | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                                              -
                                                                                                                                              + + + -
                                                                                                                                              + + + + + + + + + diff --git a/docs/wiki/Schema-Changes.html b/docs/wiki/Schema-Changes.html index 7d95a9da6..baf332fc6 100644 --- a/docs/wiki/Schema-Changes.html +++ b/docs/wiki/Schema-Changes.html @@ -1,98 +1,98 @@ - - - - - - - - - - - Schema changes | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                                              -
                                                                                                                                              - - - - -
                                                                                                                                              -
                                                                                                                                              + + + -
                                                                                                                                              -
                                                                                                                                              Search Results for
                                                                                                                                              -
                                                                                                                                              -

                                                                                                                                              -
                                                                                                                                              -
                                                                                                                                                -
                                                                                                                                                -
                                                                                                                                                - - - - - - - + + +
                                                                                                                                                + + + + + + + + + + + + + diff --git a/docs/wiki/String-Templates.html b/docs/wiki/String-Templates.html index 5753f4a45..8339cf653 100644 --- a/docs/wiki/String-Templates.html +++ b/docs/wiki/String-Templates.html @@ -1,98 +1,98 @@ - - - - - - - - - - - String templates | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                                                -
                                                                                                                                                - - - - -
                                                                                                                                                -
                                                                                                                                                + + + -
                                                                                                                                                -
                                                                                                                                                Search Results for
                                                                                                                                                -
                                                                                                                                                -

                                                                                                                                                -
                                                                                                                                                -
                                                                                                                                                  -
                                                                                                                                                  -
                                                                                                                                                  -
                                                                                                                                                  + + +
                                                                                                                                                  + + + + + + + + + + diff --git a/docs/wiki/Transactions.html b/docs/wiki/Transactions.html index 7d8d196f8..ad865a329 100644 --- a/docs/wiki/Transactions.html +++ b/docs/wiki/Transactions.html @@ -1,98 +1,98 @@ - - - - - - - - - - - ACID compliant transactions | MongoDB.Entities - - - - - - - - - - - - - - - - - - - - - -
                                                                                                                                                  -
                                                                                                                                                  + + + -
                                                                                                                                                  + + + + + + + + + diff --git a/docs/wiki/toc.html b/docs/wiki/toc.html index 87d750670..8a4a1f40a 100644 --- a/docs/wiki/toc.html +++ b/docs/wiki/toc.html @@ -1,165 +1,165 @@ - -
                                                                                                                                                  -
                                                                                                                                                  -
                                                                                                                                                  -
                                                                                                                                                  - - - -
                                                                                                                                                  -
                                                                                                                                                  -
                                                                                                                                                  -
                                                                                                                                                  - - -
                                                                                                                                                  -
                                                                                                                                                  -
                                                                                                                                                  -
                                                                                                                                                  \ No newline at end of file + +
                                                                                                                                                  +
                                                                                                                                                  +
                                                                                                                                                  +
                                                                                                                                                  + + + +
                                                                                                                                                  +
                                                                                                                                                  +
                                                                                                                                                  +
                                                                                                                                                  + + +
                                                                                                                                                  +
                                                                                                                                                  +
                                                                                                                                                  +
                                                                                                                                                  diff --git a/docs/wiki/toc.json b/docs/wiki/toc.json new file mode 100644 index 000000000..bdaf74176 --- /dev/null +++ b/docs/wiki/toc.json @@ -0,0 +1,2 @@ + +{"items":[{"name":"Tutorials","href":"","topicHref":"","items":[{"name":"Beginners Guide","href":"https://dev.to/djnitehawk/tutorial-mongodb-with-c-the-easy-way-1g68","topicHref":"https://dev.to/djnitehawk/tutorial-mongodb-with-c-the-easy-way-1g68"},{"name":"Fuzzy Text Search","href":"https://dev.to/djnitehawk/mongodb-fuzzy-text-search-with-c-the-easy-way-3l8j","topicHref":"https://dev.to/djnitehawk/mongodb-fuzzy-text-search-with-c-the-easy-way-3l8j"},{"name":"GeoSpatial Search","href":"https://dev.to/djnitehawk/tutorial-geospatial-search-in-mongodb-the-easy-way-kbd","topicHref":"https://dev.to/djnitehawk/tutorial-geospatial-search-in-mongodb-the-easy-way-kbd"}]},{"name":"Get Started","href":"Get-Started.html","topicHref":"Get-Started.html"},{"name":"Entities","href":"Entities.html","topicHref":"Entities.html","items":[{"name":"Save","href":"Entities-Save.html","topicHref":"Entities-Save.html"},{"name":"Update","href":"Entities-Update.html","topicHref":"Entities-Update.html"},{"name":"Delete","href":"Entities-Delete.html","topicHref":"Entities-Delete.html"}]},{"name":"Relationships","href":"Relationships-Embeded.html","topicHref":"Relationships-Embeded.html","items":[{"name":"Embedded","href":"Relationships-Embeded.html","topicHref":"Relationships-Embeded.html"},{"name":"Referenced","href":"Relationships-Referenced.html","topicHref":"Relationships-Referenced.html"}]},{"name":"Queries","href":"Queries-Find.html","topicHref":"Queries-Find.html","items":[{"name":"Find","href":"Queries-Find.html","topicHref":"Queries-Find.html"},{"name":"LINQ","href":"Queries-Linq.html","topicHref":"Queries-Linq.html"},{"name":"Fluent Pipelines","href":"Queries-Pipelines.html","topicHref":"Queries-Pipelines.html"},{"name":"Paged Search","href":"Queries-Paged-Search.html","topicHref":"Queries-Paged-Search.html"},{"name":"Count","href":"Queries-Count.html","topicHref":"Queries-Count.html"},{"name":"Distinct","href":"Queries-Distinct.html","topicHref":"Queries-Distinct.html"}]},{"name":"Indexes","href":"Indexes.html","topicHref":"Indexes.html","items":[{"name":"Fuzzy Text","href":"Indexes-Fuzzy-Text-Search.html","topicHref":"Indexes-Fuzzy-Text-Search.html"}]},{"name":"DB Instances","href":"DB-Instances.html","topicHref":"DB-Instances.html","items":[{"name":"Audit Fields","href":"DB-Instances-Audit-Fields.html","topicHref":"DB-Instances-Audit-Fields.html"},{"name":"Event Hooks","href":"DB-Instances-Event-Hooks.html","topicHref":"DB-Instances-Event-Hooks.html"},{"name":"Global Filters","href":"DB-Instances-Global-Filters.html","topicHref":"DB-Instances-Global-Filters.html"}]},{"name":"Multiple Databases","href":"Multiple-Databases.html","topicHref":"Multiple-Databases.html","items":[{"name":"Utility Methods","href":"Multiple-Databases-Utility-Methods.html","topicHref":"Multiple-Databases-Utility-Methods.html"}]},{"name":"Transactions","href":"Transactions.html","topicHref":"Transactions.html"},{"name":"File Storage","href":"File-Storage.html","topicHref":"File-Storage.html"},{"name":"Change Streams","href":"Change-Streams.html","topicHref":"Change-Streams.html"},{"name":"String Templates","href":"String-Templates.html","topicHref":"String-Templates.html"},{"name":"Schema Changes","href":"Schema-Changes.html","topicHref":"Schema-Changes.html"},{"name":"Data Migrations","href":"Data-Migrations.html","topicHref":"Data-Migrations.html"},{"name":"Async Support","href":"Async-Support.html","topicHref":"Async-Support.html"},{"name":"Extras","href":"Extras-Date.html","topicHref":"Extras-Date.html","items":[{"name":"The Date Type","href":"Extras-Date.html","topicHref":"Extras-Date.html"},{"name":"The Prop Class","href":"Extras-Prop.html","topicHref":"Extras-Prop.html"},{"name":"Sequential Number Generation","href":"Extras-Sequence.html","topicHref":"Extras-Sequence.html"}]}]} diff --git a/docs/xrefmap.yml b/docs/xrefmap.yml index c19552ddc..6d8bcf5cf 100644 --- a/docs/xrefmap.yml +++ b/docs/xrefmap.yml @@ -26,15 +26,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.AsObjectIdAttribute.AsObjectIdAttribute nameWithType: AsObjectIdAttribute.AsObjectIdAttribute -- uid: MongoDB.Entities.AsyncEventHandler`1 - name: AsyncEventHandler - href: api/MongoDB.Entities.AsyncEventHandler-1.html - commentId: T:MongoDB.Entities.AsyncEventHandler`1 - name.vb: AsyncEventHandler(Of TEventArgs) - fullName: MongoDB.Entities.AsyncEventHandler - fullName.vb: MongoDB.Entities.AsyncEventHandler(Of TEventArgs) - nameWithType: AsyncEventHandler - nameWithType.vb: AsyncEventHandler(Of TEventArgs) - uid: MongoDB.Entities.AsyncEventHandlerExtensions name: AsyncEventHandlerExtensions href: api/MongoDB.Entities.AsyncEventHandlerExtensions.html @@ -73,6 +64,15 @@ references: fullName.vb: MongoDB.Entities.AsyncEventHandlerExtensions.InvokeAllAsync(Of TEventArgs)(MongoDB.Entities.AsyncEventHandler(Of TEventArgs), TEventArgs) nameWithType: AsyncEventHandlerExtensions.InvokeAllAsync(AsyncEventHandler, TEventArgs) nameWithType.vb: AsyncEventHandlerExtensions.InvokeAllAsync(Of TEventArgs)(AsyncEventHandler(Of TEventArgs), TEventArgs) +- uid: MongoDB.Entities.AsyncEventHandler`1 + name: AsyncEventHandler + href: api/MongoDB.Entities.AsyncEventHandler-1.html + commentId: T:MongoDB.Entities.AsyncEventHandler`1 + name.vb: AsyncEventHandler(Of TEventArgs) + fullName: MongoDB.Entities.AsyncEventHandler + fullName.vb: MongoDB.Entities.AsyncEventHandler(Of TEventArgs) + nameWithType: AsyncEventHandler + nameWithType.vb: AsyncEventHandler(Of TEventArgs) - uid: MongoDB.Entities.CollectionAttribute name: CollectionAttribute href: api/MongoDB.Entities.CollectionAttribute.html @@ -182,134 +182,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.Coordinates2D.Type nameWithType: Coordinates2D.Type -- uid: MongoDB.Entities.DataStreamer - name: DataStreamer - href: api/MongoDB.Entities.DataStreamer.html - commentId: T:MongoDB.Entities.DataStreamer - fullName: MongoDB.Entities.DataStreamer - nameWithType: DataStreamer -- uid: MongoDB.Entities.DataStreamer.DeleteBinaryChunks(MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: DeleteBinaryChunks(IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DeleteBinaryChunks_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DataStreamer.DeleteBinaryChunks(MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - fullName: MongoDB.Entities.DataStreamer.DeleteBinaryChunks(MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: DataStreamer.DeleteBinaryChunks(IClientSessionHandle, CancellationToken) -- uid: MongoDB.Entities.DataStreamer.DeleteBinaryChunks* - name: DeleteBinaryChunks - href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DeleteBinaryChunks_ - commentId: Overload:MongoDB.Entities.DataStreamer.DeleteBinaryChunks - isSpec: "True" - fullName: MongoDB.Entities.DataStreamer.DeleteBinaryChunks - nameWithType: DataStreamer.DeleteBinaryChunks -- uid: MongoDB.Entities.DataStreamer.DownloadAsync(System.IO.Stream,System.Int32,System.Threading.CancellationToken,MongoDB.Driver.IClientSessionHandle) - name: DownloadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) - href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DownloadAsync_System_IO_Stream_System_Int32_System_Threading_CancellationToken_MongoDB_Driver_IClientSessionHandle_ - commentId: M:MongoDB.Entities.DataStreamer.DownloadAsync(System.IO.Stream,System.Int32,System.Threading.CancellationToken,MongoDB.Driver.IClientSessionHandle) - fullName: MongoDB.Entities.DataStreamer.DownloadAsync(System.IO.Stream, System.Int32, System.Threading.CancellationToken, MongoDB.Driver.IClientSessionHandle) - nameWithType: DataStreamer.DownloadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) -- uid: MongoDB.Entities.DataStreamer.DownloadAsync* - name: DownloadAsync - href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DownloadAsync_ - commentId: Overload:MongoDB.Entities.DataStreamer.DownloadAsync - isSpec: "True" - fullName: MongoDB.Entities.DataStreamer.DownloadAsync - nameWithType: DataStreamer.DownloadAsync -- uid: MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync(System.IO.Stream,System.Int32,System.Int32,MongoDB.Driver.IClientSessionHandle) - name: DownloadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) - href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DownloadWithTimeoutAsync_System_IO_Stream_System_Int32_System_Int32_MongoDB_Driver_IClientSessionHandle_ - commentId: M:MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync(System.IO.Stream,System.Int32,System.Int32,MongoDB.Driver.IClientSessionHandle) - fullName: MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync(System.IO.Stream, System.Int32, System.Int32, MongoDB.Driver.IClientSessionHandle) - nameWithType: DataStreamer.DownloadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) -- uid: MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync* - name: DownloadWithTimeoutAsync - href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DownloadWithTimeoutAsync_ - commentId: Overload:MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync - isSpec: "True" - fullName: MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync - nameWithType: DataStreamer.DownloadWithTimeoutAsync -- uid: MongoDB.Entities.DataStreamer.UploadAsync(System.IO.Stream,System.Int32,System.Threading.CancellationToken,MongoDB.Driver.IClientSessionHandle) - name: UploadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) - href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_UploadAsync_System_IO_Stream_System_Int32_System_Threading_CancellationToken_MongoDB_Driver_IClientSessionHandle_ - commentId: M:MongoDB.Entities.DataStreamer.UploadAsync(System.IO.Stream,System.Int32,System.Threading.CancellationToken,MongoDB.Driver.IClientSessionHandle) - fullName: MongoDB.Entities.DataStreamer.UploadAsync(System.IO.Stream, System.Int32, System.Threading.CancellationToken, MongoDB.Driver.IClientSessionHandle) - nameWithType: DataStreamer.UploadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) -- uid: MongoDB.Entities.DataStreamer.UploadAsync* - name: UploadAsync - href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_UploadAsync_ - commentId: Overload:MongoDB.Entities.DataStreamer.UploadAsync - isSpec: "True" - fullName: MongoDB.Entities.DataStreamer.UploadAsync - nameWithType: DataStreamer.UploadAsync -- uid: MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync(System.IO.Stream,System.Int32,System.Int32,MongoDB.Driver.IClientSessionHandle) - name: UploadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) - href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_UploadWithTimeoutAsync_System_IO_Stream_System_Int32_System_Int32_MongoDB_Driver_IClientSessionHandle_ - commentId: M:MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync(System.IO.Stream,System.Int32,System.Int32,MongoDB.Driver.IClientSessionHandle) - fullName: MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync(System.IO.Stream, System.Int32, System.Int32, MongoDB.Driver.IClientSessionHandle) - nameWithType: DataStreamer.UploadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) -- uid: MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync* - name: UploadWithTimeoutAsync - href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_UploadWithTimeoutAsync_ - commentId: Overload:MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync - isSpec: "True" - fullName: MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync - nameWithType: DataStreamer.UploadWithTimeoutAsync -- uid: MongoDB.Entities.Date - name: Date - href: api/MongoDB.Entities.Date.html - commentId: T:MongoDB.Entities.Date - fullName: MongoDB.Entities.Date - nameWithType: Date -- uid: MongoDB.Entities.Date.#ctor - name: Date() - href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date__ctor - commentId: M:MongoDB.Entities.Date.#ctor - fullName: MongoDB.Entities.Date.Date() - nameWithType: Date.Date() -- uid: MongoDB.Entities.Date.#ctor(System.DateTime) - name: Date(DateTime) - href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date__ctor_System_DateTime_ - commentId: M:MongoDB.Entities.Date.#ctor(System.DateTime) - fullName: MongoDB.Entities.Date.Date(System.DateTime) - nameWithType: Date.Date(DateTime) -- uid: MongoDB.Entities.Date.#ctor(System.Int64) - name: Date(Int64) - href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date__ctor_System_Int64_ - commentId: M:MongoDB.Entities.Date.#ctor(System.Int64) - fullName: MongoDB.Entities.Date.Date(System.Int64) - nameWithType: Date.Date(Int64) -- uid: MongoDB.Entities.Date.#ctor* - name: Date - href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date__ctor_ - commentId: Overload:MongoDB.Entities.Date.#ctor - isSpec: "True" - fullName: MongoDB.Entities.Date.Date - nameWithType: Date.Date -- uid: MongoDB.Entities.Date.DateTime - name: DateTime - href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date_DateTime - commentId: P:MongoDB.Entities.Date.DateTime - fullName: MongoDB.Entities.Date.DateTime - nameWithType: Date.DateTime -- uid: MongoDB.Entities.Date.DateTime* - name: DateTime - href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date_DateTime_ - commentId: Overload:MongoDB.Entities.Date.DateTime - isSpec: "True" - fullName: MongoDB.Entities.Date.DateTime - nameWithType: Date.DateTime -- uid: MongoDB.Entities.Date.Ticks - name: Ticks - href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date_Ticks - commentId: P:MongoDB.Entities.Date.Ticks - fullName: MongoDB.Entities.Date.Ticks - nameWithType: Date.Ticks -- uid: MongoDB.Entities.Date.Ticks* - name: Ticks - href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date_Ticks_ - commentId: Overload:MongoDB.Entities.Date.Ticks - isSpec: "True" - fullName: MongoDB.Entities.Date.Ticks - nameWithType: Date.Ticks - uid: MongoDB.Entities.DB name: DB href: api/MongoDB.Entities.DB.html @@ -355,15 +227,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DB.Collection nameWithType: DB.Collection -- uid: MongoDB.Entities.DB.Collection``1 - name: Collection() - href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_Collection__1 - commentId: M:MongoDB.Entities.DB.Collection``1 - name.vb: Collection(Of T)() - fullName: MongoDB.Entities.DB.Collection() - fullName.vb: MongoDB.Entities.DB.Collection(Of T)() - nameWithType: DB.Collection() - nameWithType.vb: DB.Collection(Of T)() - uid: MongoDB.Entities.DB.CollectionName* name: CollectionName href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_CollectionName_ @@ -380,6 +243,15 @@ references: fullName.vb: MongoDB.Entities.DB.CollectionName(Of T)() nameWithType: DB.CollectionName() nameWithType.vb: DB.CollectionName(Of T)() +- uid: MongoDB.Entities.DB.Collection``1 + name: Collection() + href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_Collection__1 + commentId: M:MongoDB.Entities.DB.Collection``1 + name.vb: Collection(Of T)() + fullName: MongoDB.Entities.DB.Collection() + fullName.vb: MongoDB.Entities.DB.Collection(Of T)() + nameWithType: DB.Collection() + nameWithType.vb: DB.Collection(Of T)() - uid: MongoDB.Entities.DB.CountAsync* name: CountAsync href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_CountAsync_ @@ -468,15 +340,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DB.Database nameWithType: DB.Database -- uid: MongoDB.Entities.DB.Database``1 - name: Database() - href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_Database__1 - commentId: M:MongoDB.Entities.DB.Database``1 - name.vb: Database(Of T)() - fullName: MongoDB.Entities.DB.Database() - fullName.vb: MongoDB.Entities.DB.Database(Of T)() - nameWithType: DB.Database() - nameWithType.vb: DB.Database(Of T)() - uid: MongoDB.Entities.DB.DatabaseFor* name: DatabaseFor href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_DatabaseFor_ @@ -509,6 +372,15 @@ references: fullName.vb: MongoDB.Entities.DB.DatabaseName(Of T)() nameWithType: DB.DatabaseName() nameWithType.vb: DB.DatabaseName(Of T)() +- uid: MongoDB.Entities.DB.Database``1 + name: Database() + href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_Database__1 + commentId: M:MongoDB.Entities.DB.Database``1 + name.vb: Database(Of T)() + fullName: MongoDB.Entities.DB.Database() + fullName.vb: MongoDB.Entities.DB.Database(Of T)() + nameWithType: DB.Database() + nameWithType.vb: DB.Database(Of T)() - uid: MongoDB.Entities.DB.DeleteAsync* name: DeleteAsync href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_DeleteAsync_ @@ -682,15 +554,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DB.Fluent nameWithType: DB.Fluent -- uid: MongoDB.Entities.DB.Fluent``1(MongoDB.Driver.AggregateOptions,MongoDB.Driver.IClientSessionHandle) - name: Fluent(AggregateOptions, IClientSessionHandle) - href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_Fluent__1_MongoDB_Driver_AggregateOptions_MongoDB_Driver_IClientSessionHandle_ - commentId: M:MongoDB.Entities.DB.Fluent``1(MongoDB.Driver.AggregateOptions,MongoDB.Driver.IClientSessionHandle) - name.vb: Fluent(Of T)(AggregateOptions, IClientSessionHandle) - fullName: MongoDB.Entities.DB.Fluent(MongoDB.Driver.AggregateOptions, MongoDB.Driver.IClientSessionHandle) - fullName.vb: MongoDB.Entities.DB.Fluent(Of T)(MongoDB.Driver.AggregateOptions, MongoDB.Driver.IClientSessionHandle) - nameWithType: DB.Fluent(AggregateOptions, IClientSessionHandle) - nameWithType.vb: DB.Fluent(Of T)(AggregateOptions, IClientSessionHandle) - uid: MongoDB.Entities.DB.FluentGeoNear* name: FluentGeoNear href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_FluentGeoNear_ @@ -723,6 +586,15 @@ references: fullName.vb: MongoDB.Entities.DB.FluentTextSearch(Of T)(MongoDB.Entities.Search, System.String, System.Boolean, System.Boolean, System.String, MongoDB.Driver.AggregateOptions, MongoDB.Driver.IClientSessionHandle) nameWithType: DB.FluentTextSearch(Search, String, Boolean, Boolean, String, AggregateOptions, IClientSessionHandle) nameWithType.vb: DB.FluentTextSearch(Of T)(Search, String, Boolean, Boolean, String, AggregateOptions, IClientSessionHandle) +- uid: MongoDB.Entities.DB.Fluent``1(MongoDB.Driver.AggregateOptions,MongoDB.Driver.IClientSessionHandle) + name: Fluent(AggregateOptions, IClientSessionHandle) + href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_Fluent__1_MongoDB_Driver_AggregateOptions_MongoDB_Driver_IClientSessionHandle_ + commentId: M:MongoDB.Entities.DB.Fluent``1(MongoDB.Driver.AggregateOptions,MongoDB.Driver.IClientSessionHandle) + name.vb: Fluent(Of T)(AggregateOptions, IClientSessionHandle) + fullName: MongoDB.Entities.DB.Fluent(MongoDB.Driver.AggregateOptions, MongoDB.Driver.IClientSessionHandle) + fullName.vb: MongoDB.Entities.DB.Fluent(Of T)(MongoDB.Driver.AggregateOptions, MongoDB.Driver.IClientSessionHandle) + nameWithType: DB.Fluent(AggregateOptions, IClientSessionHandle) + nameWithType.vb: DB.Fluent(Of T)(AggregateOptions, IClientSessionHandle) - uid: MongoDB.Entities.DB.Index* name: Index href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_Index_ @@ -765,15 +637,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DB.InsertAsync nameWithType: DB.InsertAsync -- uid: MongoDB.Entities.DB.InsertAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: InsertAsync(T, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_InsertAsync__1___0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DB.InsertAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: InsertAsync(Of T)(T, IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.DB.InsertAsync(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DB.InsertAsync(Of T)(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: DB.InsertAsync(T, IClientSessionHandle, CancellationToken) - nameWithType.vb: DB.InsertAsync(Of T)(T, IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.DB.InsertAsync``1(System.Collections.Generic.IEnumerable{``0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: InsertAsync(IEnumerable, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_InsertAsync__1_System_Collections_Generic_IEnumerable___0__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -783,6 +646,15 @@ references: fullName.vb: MongoDB.Entities.DB.InsertAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: DB.InsertAsync(IEnumerable, IClientSessionHandle, CancellationToken) nameWithType.vb: DB.InsertAsync(Of T)(IEnumerable(Of T), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.DB.InsertAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: InsertAsync(T, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_InsertAsync__1___0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DB.InsertAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: InsertAsync(Of T)(T, IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.DB.InsertAsync(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DB.InsertAsync(Of T)(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: DB.InsertAsync(T, IClientSessionHandle, CancellationToken) + nameWithType.vb: DB.InsertAsync(Of T)(T, IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.DB.MigrateAsync name: MigrateAsync() href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_MigrateAsync @@ -987,15 +859,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DB.SaveAsync nameWithType: DB.SaveAsync -- uid: MongoDB.Entities.DB.SaveAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: SaveAsync(T, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveAsync__1___0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DB.SaveAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: SaveAsync(Of T)(T, IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.DB.SaveAsync(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DB.SaveAsync(Of T)(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: DB.SaveAsync(T, IClientSessionHandle, CancellationToken) - nameWithType.vb: DB.SaveAsync(Of T)(T, IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.DB.SaveAsync``1(System.Collections.Generic.IEnumerable{``0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: SaveAsync(IEnumerable, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveAsync__1_System_Collections_Generic_IEnumerable___0__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -1005,6 +868,15 @@ references: fullName.vb: MongoDB.Entities.DB.SaveAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: DB.SaveAsync(IEnumerable, IClientSessionHandle, CancellationToken) nameWithType.vb: DB.SaveAsync(Of T)(IEnumerable(Of T), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.DB.SaveAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: SaveAsync(T, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveAsync__1___0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DB.SaveAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: SaveAsync(Of T)(T, IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.DB.SaveAsync(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DB.SaveAsync(Of T)(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: DB.SaveAsync(T, IClientSessionHandle, CancellationToken) + nameWithType.vb: DB.SaveAsync(Of T)(T, IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.DB.SaveExceptAsync* name: SaveExceptAsync href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveExceptAsync_ @@ -1012,24 +884,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DB.SaveExceptAsync nameWithType: DB.SaveExceptAsync -- uid: MongoDB.Entities.DB.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveExceptAsync__1___0_System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DB.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: SaveExceptAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.DB.SaveExceptAsync(T, System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DB.SaveExceptAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: DB.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) - nameWithType.vb: DB.SaveExceptAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) -- uid: MongoDB.Entities.DB.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveExceptAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DB.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.DB.SaveExceptAsync(T, System.Linq.Expressions.Expression>, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DB.SaveExceptAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: DB.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) - nameWithType.vb: DB.SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.DB.SaveExceptAsync``1(System.Collections.Generic.IEnumerable{``0},System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: SaveExceptAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveExceptAsync__1_System_Collections_Generic_IEnumerable___0__System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -1048,31 +902,31 @@ references: fullName.vb: MongoDB.Entities.DB.SaveExceptAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: DB.SaveExceptAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) nameWithType.vb: DB.SaveExceptAsync(Of T)(IEnumerable(Of T), Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) -- uid: MongoDB.Entities.DB.SaveOnlyAsync* - name: SaveOnlyAsync +- uid: MongoDB.Entities.DB.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveExceptAsync__1___0_System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DB.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: SaveExceptAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.DB.SaveExceptAsync(T, System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DB.SaveExceptAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: DB.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) + nameWithType.vb: DB.SaveExceptAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.DB.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveExceptAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DB.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.DB.SaveExceptAsync(T, System.Linq.Expressions.Expression>, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DB.SaveExceptAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: DB.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) + nameWithType.vb: DB.SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.DB.SaveOnlyAsync* + name: SaveOnlyAsync href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveOnlyAsync_ commentId: Overload:MongoDB.Entities.DB.SaveOnlyAsync isSpec: "True" fullName: MongoDB.Entities.DB.SaveOnlyAsync nameWithType: DB.SaveOnlyAsync -- uid: MongoDB.Entities.DB.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveOnlyAsync__1___0_System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DB.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: SaveOnlyAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.DB.SaveOnlyAsync(T, System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DB.SaveOnlyAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: DB.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) - nameWithType.vb: DB.SaveOnlyAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) -- uid: MongoDB.Entities.DB.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveOnlyAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DB.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.DB.SaveOnlyAsync(T, System.Linq.Expressions.Expression>, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DB.SaveOnlyAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: DB.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) - nameWithType.vb: DB.SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.DB.SaveOnlyAsync``1(System.Collections.Generic.IEnumerable{``0},System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: SaveOnlyAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveOnlyAsync__1_System_Collections_Generic_IEnumerable___0__System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -1091,6 +945,24 @@ references: fullName.vb: MongoDB.Entities.DB.SaveOnlyAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: DB.SaveOnlyAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) nameWithType.vb: DB.SaveOnlyAsync(Of T)(IEnumerable(Of T), Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.DB.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveOnlyAsync__1___0_System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DB.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: SaveOnlyAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.DB.SaveOnlyAsync(T, System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DB.SaveOnlyAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: DB.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) + nameWithType.vb: DB.SaveOnlyAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.DB.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SaveOnlyAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DB.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.DB.SaveOnlyAsync(T, System.Linq.Expressions.Expression>, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DB.SaveOnlyAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: DB.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) + nameWithType.vb: DB.SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.DB.SavePreservingAsync* name: SavePreservingAsync href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_SavePreservingAsync_ @@ -1152,15 +1024,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DB.Update nameWithType: DB.Update -- uid: MongoDB.Entities.DB.Update``1(MongoDB.Driver.IClientSessionHandle) - name: Update(IClientSessionHandle) - href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_Update__1_MongoDB_Driver_IClientSessionHandle_ - commentId: M:MongoDB.Entities.DB.Update``1(MongoDB.Driver.IClientSessionHandle) - name.vb: Update(Of T)(IClientSessionHandle) - fullName: MongoDB.Entities.DB.Update(MongoDB.Driver.IClientSessionHandle) - fullName.vb: MongoDB.Entities.DB.Update(Of T)(MongoDB.Driver.IClientSessionHandle) - nameWithType: DB.Update(IClientSessionHandle) - nameWithType.vb: DB.Update(Of T)(IClientSessionHandle) - uid: MongoDB.Entities.DB.UpdateAndGet* name: UpdateAndGet href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_UpdateAndGet_ @@ -1186,6 +1049,15 @@ references: fullName.vb: MongoDB.Entities.DB.UpdateAndGet(Of T, TProjection)(MongoDB.Driver.IClientSessionHandle) nameWithType: DB.UpdateAndGet(IClientSessionHandle) nameWithType.vb: DB.UpdateAndGet(Of T, TProjection)(IClientSessionHandle) +- uid: MongoDB.Entities.DB.Update``1(MongoDB.Driver.IClientSessionHandle) + name: Update(IClientSessionHandle) + href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_Update__1_MongoDB_Driver_IClientSessionHandle_ + commentId: M:MongoDB.Entities.DB.Update``1(MongoDB.Driver.IClientSessionHandle) + name.vb: Update(Of T)(IClientSessionHandle) + fullName: MongoDB.Entities.DB.Update(MongoDB.Driver.IClientSessionHandle) + fullName.vb: MongoDB.Entities.DB.Update(Of T)(MongoDB.Driver.IClientSessionHandle) + nameWithType: DB.Update(IClientSessionHandle) + nameWithType.vb: DB.Update(Of T)(IClientSessionHandle) - uid: MongoDB.Entities.DB.Watcher* name: Watcher href: api/MongoDB.Entities.DB.html#MongoDB_Entities_DB_Watcher_ @@ -1466,15 +1338,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DBContext.Fluent nameWithType: DBContext.Fluent -- uid: MongoDB.Entities.DBContext.Fluent``1(MongoDB.Driver.AggregateOptions,System.Boolean) - name: Fluent(AggregateOptions, Boolean) - href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_Fluent__1_MongoDB_Driver_AggregateOptions_System_Boolean_ - commentId: M:MongoDB.Entities.DBContext.Fluent``1(MongoDB.Driver.AggregateOptions,System.Boolean) - name.vb: Fluent(Of T)(AggregateOptions, Boolean) - fullName: MongoDB.Entities.DBContext.Fluent(MongoDB.Driver.AggregateOptions, System.Boolean) - fullName.vb: MongoDB.Entities.DBContext.Fluent(Of T)(MongoDB.Driver.AggregateOptions, System.Boolean) - nameWithType: DBContext.Fluent(AggregateOptions, Boolean) - nameWithType.vb: DBContext.Fluent(Of T)(AggregateOptions, Boolean) - uid: MongoDB.Entities.DBContext.FluentTextSearch* name: FluentTextSearch href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_FluentTextSearch_ @@ -1491,6 +1354,15 @@ references: fullName.vb: MongoDB.Entities.DBContext.FluentTextSearch(Of T)(MongoDB.Entities.Search, System.String, System.Boolean, System.Boolean, System.String, MongoDB.Driver.AggregateOptions, System.Boolean) nameWithType: DBContext.FluentTextSearch(Search, String, Boolean, Boolean, String, AggregateOptions, Boolean) nameWithType.vb: DBContext.FluentTextSearch(Of T)(Search, String, Boolean, Boolean, String, AggregateOptions, Boolean) +- uid: MongoDB.Entities.DBContext.Fluent``1(MongoDB.Driver.AggregateOptions,System.Boolean) + name: Fluent(AggregateOptions, Boolean) + href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_Fluent__1_MongoDB_Driver_AggregateOptions_System_Boolean_ + commentId: M:MongoDB.Entities.DBContext.Fluent``1(MongoDB.Driver.AggregateOptions,System.Boolean) + name.vb: Fluent(Of T)(AggregateOptions, Boolean) + fullName: MongoDB.Entities.DBContext.Fluent(MongoDB.Driver.AggregateOptions, System.Boolean) + fullName.vb: MongoDB.Entities.DBContext.Fluent(Of T)(MongoDB.Driver.AggregateOptions, System.Boolean) + nameWithType: DBContext.Fluent(AggregateOptions, Boolean) + nameWithType.vb: DBContext.Fluent(Of T)(AggregateOptions, Boolean) - uid: MongoDB.Entities.DBContext.GeoNear* name: GeoNear href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_GeoNear_ @@ -1514,15 +1386,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DBContext.InsertAsync nameWithType: DBContext.InsertAsync -- uid: MongoDB.Entities.DBContext.InsertAsync``1(``0,System.Threading.CancellationToken) - name: InsertAsync(T, CancellationToken) - href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_InsertAsync__1___0_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DBContext.InsertAsync``1(``0,System.Threading.CancellationToken) - name.vb: InsertAsync(Of T)(T, CancellationToken) - fullName: MongoDB.Entities.DBContext.InsertAsync(T, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DBContext.InsertAsync(Of T)(T, System.Threading.CancellationToken) - nameWithType: DBContext.InsertAsync(T, CancellationToken) - nameWithType.vb: DBContext.InsertAsync(Of T)(T, CancellationToken) - uid: MongoDB.Entities.DBContext.InsertAsync``1(System.Collections.Generic.IEnumerable{``0},System.Threading.CancellationToken) name: InsertAsync(IEnumerable, CancellationToken) href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_InsertAsync__1_System_Collections_Generic_IEnumerable___0__System_Threading_CancellationToken_ @@ -1532,6 +1395,15 @@ references: fullName.vb: MongoDB.Entities.DBContext.InsertAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), System.Threading.CancellationToken) nameWithType: DBContext.InsertAsync(IEnumerable, CancellationToken) nameWithType.vb: DBContext.InsertAsync(Of T)(IEnumerable(Of T), CancellationToken) +- uid: MongoDB.Entities.DBContext.InsertAsync``1(``0,System.Threading.CancellationToken) + name: InsertAsync(T, CancellationToken) + href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_InsertAsync__1___0_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DBContext.InsertAsync``1(``0,System.Threading.CancellationToken) + name.vb: InsertAsync(Of T)(T, CancellationToken) + fullName: MongoDB.Entities.DBContext.InsertAsync(T, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DBContext.InsertAsync(Of T)(T, System.Threading.CancellationToken) + nameWithType: DBContext.InsertAsync(T, CancellationToken) + nameWithType.vb: DBContext.InsertAsync(Of T)(T, CancellationToken) - uid: MongoDB.Entities.DBContext.ModifiedBy name: ModifiedBy href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_ModifiedBy @@ -1705,15 +1577,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DBContext.SaveAsync nameWithType: DBContext.SaveAsync -- uid: MongoDB.Entities.DBContext.SaveAsync``1(``0,System.Threading.CancellationToken) - name: SaveAsync(T, CancellationToken) - href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveAsync__1___0_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DBContext.SaveAsync``1(``0,System.Threading.CancellationToken) - name.vb: SaveAsync(Of T)(T, CancellationToken) - fullName: MongoDB.Entities.DBContext.SaveAsync(T, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DBContext.SaveAsync(Of T)(T, System.Threading.CancellationToken) - nameWithType: DBContext.SaveAsync(T, CancellationToken) - nameWithType.vb: DBContext.SaveAsync(Of T)(T, CancellationToken) - uid: MongoDB.Entities.DBContext.SaveAsync``1(System.Collections.Generic.IEnumerable{``0},System.Threading.CancellationToken) name: SaveAsync(IEnumerable, CancellationToken) href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveAsync__1_System_Collections_Generic_IEnumerable___0__System_Threading_CancellationToken_ @@ -1723,6 +1586,15 @@ references: fullName.vb: MongoDB.Entities.DBContext.SaveAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), System.Threading.CancellationToken) nameWithType: DBContext.SaveAsync(IEnumerable, CancellationToken) nameWithType.vb: DBContext.SaveAsync(Of T)(IEnumerable(Of T), CancellationToken) +- uid: MongoDB.Entities.DBContext.SaveAsync``1(``0,System.Threading.CancellationToken) + name: SaveAsync(T, CancellationToken) + href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveAsync__1___0_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DBContext.SaveAsync``1(``0,System.Threading.CancellationToken) + name.vb: SaveAsync(Of T)(T, CancellationToken) + fullName: MongoDB.Entities.DBContext.SaveAsync(T, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DBContext.SaveAsync(Of T)(T, System.Threading.CancellationToken) + nameWithType: DBContext.SaveAsync(T, CancellationToken) + nameWithType.vb: DBContext.SaveAsync(Of T)(T, CancellationToken) - uid: MongoDB.Entities.DBContext.SaveExceptAsync* name: SaveExceptAsync href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveExceptAsync_ @@ -1730,24 +1602,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DBContext.SaveExceptAsync nameWithType: DBContext.SaveExceptAsync -- uid: MongoDB.Entities.DBContext.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},System.Threading.CancellationToken) - name: SaveExceptAsync(T, IEnumerable, CancellationToken) - href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveExceptAsync__1___0_System_Collections_Generic_IEnumerable_System_String__System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DBContext.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},System.Threading.CancellationToken) - name.vb: SaveExceptAsync(Of T)(T, IEnumerable(Of String), CancellationToken) - fullName: MongoDB.Entities.DBContext.SaveExceptAsync(T, System.Collections.Generic.IEnumerable, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DBContext.SaveExceptAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), System.Threading.CancellationToken) - nameWithType: DBContext.SaveExceptAsync(T, IEnumerable, CancellationToken) - nameWithType.vb: DBContext.SaveExceptAsync(Of T)(T, IEnumerable(Of String), CancellationToken) -- uid: MongoDB.Entities.DBContext.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},System.Threading.CancellationToken) - name: SaveExceptAsync(T, Expression>, CancellationToken) - href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveExceptAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DBContext.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},System.Threading.CancellationToken) - name.vb: SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), CancellationToken) - fullName: MongoDB.Entities.DBContext.SaveExceptAsync(T, System.Linq.Expressions.Expression>, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DBContext.SaveExceptAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), System.Threading.CancellationToken) - nameWithType: DBContext.SaveExceptAsync(T, Expression>, CancellationToken) - nameWithType.vb: DBContext.SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), CancellationToken) - uid: MongoDB.Entities.DBContext.SaveExceptAsync``1(System.Collections.Generic.IEnumerable{``0},System.Collections.Generic.IEnumerable{System.String},System.Threading.CancellationToken) name: SaveExceptAsync(IEnumerable, IEnumerable, CancellationToken) href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveExceptAsync__1_System_Collections_Generic_IEnumerable___0__System_Collections_Generic_IEnumerable_System_String__System_Threading_CancellationToken_ @@ -1766,6 +1620,24 @@ references: fullName.vb: MongoDB.Entities.DBContext.SaveExceptAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), System.Threading.CancellationToken) nameWithType: DBContext.SaveExceptAsync(IEnumerable, Expression>, CancellationToken) nameWithType.vb: DBContext.SaveExceptAsync(Of T)(IEnumerable(Of T), Expression(Of Func(Of T, Object)), CancellationToken) +- uid: MongoDB.Entities.DBContext.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},System.Threading.CancellationToken) + name: SaveExceptAsync(T, IEnumerable, CancellationToken) + href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveExceptAsync__1___0_System_Collections_Generic_IEnumerable_System_String__System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DBContext.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},System.Threading.CancellationToken) + name.vb: SaveExceptAsync(Of T)(T, IEnumerable(Of String), CancellationToken) + fullName: MongoDB.Entities.DBContext.SaveExceptAsync(T, System.Collections.Generic.IEnumerable, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DBContext.SaveExceptAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), System.Threading.CancellationToken) + nameWithType: DBContext.SaveExceptAsync(T, IEnumerable, CancellationToken) + nameWithType.vb: DBContext.SaveExceptAsync(Of T)(T, IEnumerable(Of String), CancellationToken) +- uid: MongoDB.Entities.DBContext.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},System.Threading.CancellationToken) + name: SaveExceptAsync(T, Expression>, CancellationToken) + href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveExceptAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DBContext.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},System.Threading.CancellationToken) + name.vb: SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), CancellationToken) + fullName: MongoDB.Entities.DBContext.SaveExceptAsync(T, System.Linq.Expressions.Expression>, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DBContext.SaveExceptAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), System.Threading.CancellationToken) + nameWithType: DBContext.SaveExceptAsync(T, Expression>, CancellationToken) + nameWithType.vb: DBContext.SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), CancellationToken) - uid: MongoDB.Entities.DBContext.SaveOnlyAsync* name: SaveOnlyAsync href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveOnlyAsync_ @@ -1773,24 +1645,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DBContext.SaveOnlyAsync nameWithType: DBContext.SaveOnlyAsync -- uid: MongoDB.Entities.DBContext.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},System.Threading.CancellationToken) - name: SaveOnlyAsync(T, IEnumerable, CancellationToken) - href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveOnlyAsync__1___0_System_Collections_Generic_IEnumerable_System_String__System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DBContext.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},System.Threading.CancellationToken) - name.vb: SaveOnlyAsync(Of T)(T, IEnumerable(Of String), CancellationToken) - fullName: MongoDB.Entities.DBContext.SaveOnlyAsync(T, System.Collections.Generic.IEnumerable, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DBContext.SaveOnlyAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), System.Threading.CancellationToken) - nameWithType: DBContext.SaveOnlyAsync(T, IEnumerable, CancellationToken) - nameWithType.vb: DBContext.SaveOnlyAsync(Of T)(T, IEnumerable(Of String), CancellationToken) -- uid: MongoDB.Entities.DBContext.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},System.Threading.CancellationToken) - name: SaveOnlyAsync(T, Expression>, CancellationToken) - href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveOnlyAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.DBContext.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},System.Threading.CancellationToken) - name.vb: SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), CancellationToken) - fullName: MongoDB.Entities.DBContext.SaveOnlyAsync(T, System.Linq.Expressions.Expression>, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.DBContext.SaveOnlyAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), System.Threading.CancellationToken) - nameWithType: DBContext.SaveOnlyAsync(T, Expression>, CancellationToken) - nameWithType.vb: DBContext.SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), CancellationToken) - uid: MongoDB.Entities.DBContext.SaveOnlyAsync``1(System.Collections.Generic.IEnumerable{``0},System.Collections.Generic.IEnumerable{System.String},System.Threading.CancellationToken) name: SaveOnlyAsync(IEnumerable, IEnumerable, CancellationToken) href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveOnlyAsync__1_System_Collections_Generic_IEnumerable___0__System_Collections_Generic_IEnumerable_System_String__System_Threading_CancellationToken_ @@ -1809,6 +1663,24 @@ references: fullName.vb: MongoDB.Entities.DBContext.SaveOnlyAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), System.Threading.CancellationToken) nameWithType: DBContext.SaveOnlyAsync(IEnumerable, Expression>, CancellationToken) nameWithType.vb: DBContext.SaveOnlyAsync(Of T)(IEnumerable(Of T), Expression(Of Func(Of T, Object)), CancellationToken) +- uid: MongoDB.Entities.DBContext.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},System.Threading.CancellationToken) + name: SaveOnlyAsync(T, IEnumerable, CancellationToken) + href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveOnlyAsync__1___0_System_Collections_Generic_IEnumerable_System_String__System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DBContext.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},System.Threading.CancellationToken) + name.vb: SaveOnlyAsync(Of T)(T, IEnumerable(Of String), CancellationToken) + fullName: MongoDB.Entities.DBContext.SaveOnlyAsync(T, System.Collections.Generic.IEnumerable, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DBContext.SaveOnlyAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), System.Threading.CancellationToken) + nameWithType: DBContext.SaveOnlyAsync(T, IEnumerable, CancellationToken) + nameWithType.vb: DBContext.SaveOnlyAsync(Of T)(T, IEnumerable(Of String), CancellationToken) +- uid: MongoDB.Entities.DBContext.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},System.Threading.CancellationToken) + name: SaveOnlyAsync(T, Expression>, CancellationToken) + href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SaveOnlyAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DBContext.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},System.Threading.CancellationToken) + name.vb: SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), CancellationToken) + fullName: MongoDB.Entities.DBContext.SaveOnlyAsync(T, System.Linq.Expressions.Expression>, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.DBContext.SaveOnlyAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), System.Threading.CancellationToken) + nameWithType: DBContext.SaveOnlyAsync(T, Expression>, CancellationToken) + nameWithType.vb: DBContext.SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), CancellationToken) - uid: MongoDB.Entities.DBContext.SavePreservingAsync* name: SavePreservingAsync href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SavePreservingAsync_ @@ -1851,33 +1723,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DBContext.SetGlobalFilter nameWithType: DBContext.SetGlobalFilter -- uid: MongoDB.Entities.DBContext.SetGlobalFilter``1(MongoDB.Driver.FilterDefinition{``0},System.Boolean) - name: SetGlobalFilter(FilterDefinition, Boolean) - href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SetGlobalFilter__1_MongoDB_Driver_FilterDefinition___0__System_Boolean_ - commentId: M:MongoDB.Entities.DBContext.SetGlobalFilter``1(MongoDB.Driver.FilterDefinition{``0},System.Boolean) - name.vb: SetGlobalFilter(Of T)(FilterDefinition(Of T), Boolean) - fullName: MongoDB.Entities.DBContext.SetGlobalFilter(MongoDB.Driver.FilterDefinition, System.Boolean) - fullName.vb: MongoDB.Entities.DBContext.SetGlobalFilter(Of T)(MongoDB.Driver.FilterDefinition(Of T), System.Boolean) - nameWithType: DBContext.SetGlobalFilter(FilterDefinition, Boolean) - nameWithType.vb: DBContext.SetGlobalFilter(Of T)(FilterDefinition(Of T), Boolean) -- uid: MongoDB.Entities.DBContext.SetGlobalFilter``1(System.Func{MongoDB.Driver.FilterDefinitionBuilder{``0},MongoDB.Driver.FilterDefinition{``0}},System.Boolean) - name: SetGlobalFilter(Func, FilterDefinition>, Boolean) - href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SetGlobalFilter__1_System_Func_MongoDB_Driver_FilterDefinitionBuilder___0__MongoDB_Driver_FilterDefinition___0___System_Boolean_ - commentId: M:MongoDB.Entities.DBContext.SetGlobalFilter``1(System.Func{MongoDB.Driver.FilterDefinitionBuilder{``0},MongoDB.Driver.FilterDefinition{``0}},System.Boolean) - name.vb: SetGlobalFilter(Of T)(Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T)), Boolean) - fullName: MongoDB.Entities.DBContext.SetGlobalFilter(System.Func, MongoDB.Driver.FilterDefinition>, System.Boolean) - fullName.vb: MongoDB.Entities.DBContext.SetGlobalFilter(Of T)(System.Func(Of MongoDB.Driver.FilterDefinitionBuilder(Of T), MongoDB.Driver.FilterDefinition(Of T)), System.Boolean) - nameWithType: DBContext.SetGlobalFilter(Func, FilterDefinition>, Boolean) - nameWithType.vb: DBContext.SetGlobalFilter(Of T)(Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T)), Boolean) -- uid: MongoDB.Entities.DBContext.SetGlobalFilter``1(System.Linq.Expressions.Expression{System.Func{``0,System.Boolean}},System.Boolean) - name: SetGlobalFilter(Expression>, Boolean) - href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SetGlobalFilter__1_System_Linq_Expressions_Expression_System_Func___0_System_Boolean___System_Boolean_ - commentId: M:MongoDB.Entities.DBContext.SetGlobalFilter``1(System.Linq.Expressions.Expression{System.Func{``0,System.Boolean}},System.Boolean) - name.vb: SetGlobalFilter(Of T)(Expression(Of Func(Of T, Boolean)), Boolean) - fullName: MongoDB.Entities.DBContext.SetGlobalFilter(System.Linq.Expressions.Expression>, System.Boolean) - fullName.vb: MongoDB.Entities.DBContext.SetGlobalFilter(Of T)(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Boolean)), System.Boolean) - nameWithType: DBContext.SetGlobalFilter(Expression>, Boolean) - nameWithType.vb: DBContext.SetGlobalFilter(Of T)(Expression(Of Func(Of T, Boolean)), Boolean) - uid: MongoDB.Entities.DBContext.SetGlobalFilterForBaseClass* name: SetGlobalFilterForBaseClass href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SetGlobalFilterForBaseClass_ @@ -1928,6 +1773,33 @@ references: fullName.vb: MongoDB.Entities.DBContext.SetGlobalFilterForInterface(Of TInterface)(System.String, System.Boolean) nameWithType: DBContext.SetGlobalFilterForInterface(String, Boolean) nameWithType.vb: DBContext.SetGlobalFilterForInterface(Of TInterface)(String, Boolean) +- uid: MongoDB.Entities.DBContext.SetGlobalFilter``1(MongoDB.Driver.FilterDefinition{``0},System.Boolean) + name: SetGlobalFilter(FilterDefinition, Boolean) + href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SetGlobalFilter__1_MongoDB_Driver_FilterDefinition___0__System_Boolean_ + commentId: M:MongoDB.Entities.DBContext.SetGlobalFilter``1(MongoDB.Driver.FilterDefinition{``0},System.Boolean) + name.vb: SetGlobalFilter(Of T)(FilterDefinition(Of T), Boolean) + fullName: MongoDB.Entities.DBContext.SetGlobalFilter(MongoDB.Driver.FilterDefinition, System.Boolean) + fullName.vb: MongoDB.Entities.DBContext.SetGlobalFilter(Of T)(MongoDB.Driver.FilterDefinition(Of T), System.Boolean) + nameWithType: DBContext.SetGlobalFilter(FilterDefinition, Boolean) + nameWithType.vb: DBContext.SetGlobalFilter(Of T)(FilterDefinition(Of T), Boolean) +- uid: MongoDB.Entities.DBContext.SetGlobalFilter``1(System.Func{MongoDB.Driver.FilterDefinitionBuilder{``0},MongoDB.Driver.FilterDefinition{``0}},System.Boolean) + name: SetGlobalFilter(Func, FilterDefinition>, Boolean) + href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SetGlobalFilter__1_System_Func_MongoDB_Driver_FilterDefinitionBuilder___0__MongoDB_Driver_FilterDefinition___0___System_Boolean_ + commentId: M:MongoDB.Entities.DBContext.SetGlobalFilter``1(System.Func{MongoDB.Driver.FilterDefinitionBuilder{``0},MongoDB.Driver.FilterDefinition{``0}},System.Boolean) + name.vb: SetGlobalFilter(Of T)(Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T)), Boolean) + fullName: MongoDB.Entities.DBContext.SetGlobalFilter(System.Func, MongoDB.Driver.FilterDefinition>, System.Boolean) + fullName.vb: MongoDB.Entities.DBContext.SetGlobalFilter(Of T)(System.Func(Of MongoDB.Driver.FilterDefinitionBuilder(Of T), MongoDB.Driver.FilterDefinition(Of T)), System.Boolean) + nameWithType: DBContext.SetGlobalFilter(Func, FilterDefinition>, Boolean) + nameWithType.vb: DBContext.SetGlobalFilter(Of T)(Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T)), Boolean) +- uid: MongoDB.Entities.DBContext.SetGlobalFilter``1(System.Linq.Expressions.Expression{System.Func{``0,System.Boolean}},System.Boolean) + name: SetGlobalFilter(Expression>, Boolean) + href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_SetGlobalFilter__1_System_Linq_Expressions_Expression_System_Func___0_System_Boolean___System_Boolean_ + commentId: M:MongoDB.Entities.DBContext.SetGlobalFilter``1(System.Linq.Expressions.Expression{System.Func{``0,System.Boolean}},System.Boolean) + name.vb: SetGlobalFilter(Of T)(Expression(Of Func(Of T, Boolean)), Boolean) + fullName: MongoDB.Entities.DBContext.SetGlobalFilter(System.Linq.Expressions.Expression>, System.Boolean) + fullName.vb: MongoDB.Entities.DBContext.SetGlobalFilter(Of T)(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Boolean)), System.Boolean) + nameWithType: DBContext.SetGlobalFilter(Expression>, Boolean) + nameWithType.vb: DBContext.SetGlobalFilter(Of T)(Expression(Of Func(Of T, Boolean)), Boolean) - uid: MongoDB.Entities.DBContext.Transaction(System.String,MongoDB.Driver.ClientSessionOptions) name: Transaction(String, ClientSessionOptions) href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_Transaction_System_String_MongoDB_Driver_ClientSessionOptions_ @@ -1957,15 +1829,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.DBContext.Update nameWithType: DBContext.Update -- uid: MongoDB.Entities.DBContext.Update``1 - name: Update() - href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_Update__1 - commentId: M:MongoDB.Entities.DBContext.Update``1 - name.vb: Update(Of T)() - fullName: MongoDB.Entities.DBContext.Update() - fullName.vb: MongoDB.Entities.DBContext.Update(Of T)() - nameWithType: DBContext.Update() - nameWithType.vb: DBContext.Update(Of T)() - uid: MongoDB.Entities.DBContext.UpdateAndGet* name: UpdateAndGet href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_UpdateAndGet_ @@ -1991,6 +1854,143 @@ references: fullName.vb: MongoDB.Entities.DBContext.UpdateAndGet(Of T, TProjection)() nameWithType: DBContext.UpdateAndGet() nameWithType.vb: DBContext.UpdateAndGet(Of T, TProjection)() +- uid: MongoDB.Entities.DBContext.Update``1 + name: Update() + href: api/MongoDB.Entities.DBContext.html#MongoDB_Entities_DBContext_Update__1 + commentId: M:MongoDB.Entities.DBContext.Update``1 + name.vb: Update(Of T)() + fullName: MongoDB.Entities.DBContext.Update() + fullName.vb: MongoDB.Entities.DBContext.Update(Of T)() + nameWithType: DBContext.Update() + nameWithType.vb: DBContext.Update(Of T)() +- uid: MongoDB.Entities.DataStreamer + name: DataStreamer + href: api/MongoDB.Entities.DataStreamer.html + commentId: T:MongoDB.Entities.DataStreamer + fullName: MongoDB.Entities.DataStreamer + nameWithType: DataStreamer +- uid: MongoDB.Entities.DataStreamer.DeleteBinaryChunks(MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: DeleteBinaryChunks(IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DeleteBinaryChunks_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.DataStreamer.DeleteBinaryChunks(MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + fullName: MongoDB.Entities.DataStreamer.DeleteBinaryChunks(MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: DataStreamer.DeleteBinaryChunks(IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.DataStreamer.DeleteBinaryChunks* + name: DeleteBinaryChunks + href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DeleteBinaryChunks_ + commentId: Overload:MongoDB.Entities.DataStreamer.DeleteBinaryChunks + isSpec: "True" + fullName: MongoDB.Entities.DataStreamer.DeleteBinaryChunks + nameWithType: DataStreamer.DeleteBinaryChunks +- uid: MongoDB.Entities.DataStreamer.DownloadAsync(System.IO.Stream,System.Int32,System.Threading.CancellationToken,MongoDB.Driver.IClientSessionHandle) + name: DownloadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) + href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DownloadAsync_System_IO_Stream_System_Int32_System_Threading_CancellationToken_MongoDB_Driver_IClientSessionHandle_ + commentId: M:MongoDB.Entities.DataStreamer.DownloadAsync(System.IO.Stream,System.Int32,System.Threading.CancellationToken,MongoDB.Driver.IClientSessionHandle) + fullName: MongoDB.Entities.DataStreamer.DownloadAsync(System.IO.Stream, System.Int32, System.Threading.CancellationToken, MongoDB.Driver.IClientSessionHandle) + nameWithType: DataStreamer.DownloadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) +- uid: MongoDB.Entities.DataStreamer.DownloadAsync* + name: DownloadAsync + href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DownloadAsync_ + commentId: Overload:MongoDB.Entities.DataStreamer.DownloadAsync + isSpec: "True" + fullName: MongoDB.Entities.DataStreamer.DownloadAsync + nameWithType: DataStreamer.DownloadAsync +- uid: MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync(System.IO.Stream,System.Int32,System.Int32,MongoDB.Driver.IClientSessionHandle) + name: DownloadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) + href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DownloadWithTimeoutAsync_System_IO_Stream_System_Int32_System_Int32_MongoDB_Driver_IClientSessionHandle_ + commentId: M:MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync(System.IO.Stream,System.Int32,System.Int32,MongoDB.Driver.IClientSessionHandle) + fullName: MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync(System.IO.Stream, System.Int32, System.Int32, MongoDB.Driver.IClientSessionHandle) + nameWithType: DataStreamer.DownloadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) +- uid: MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync* + name: DownloadWithTimeoutAsync + href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_DownloadWithTimeoutAsync_ + commentId: Overload:MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync + isSpec: "True" + fullName: MongoDB.Entities.DataStreamer.DownloadWithTimeoutAsync + nameWithType: DataStreamer.DownloadWithTimeoutAsync +- uid: MongoDB.Entities.DataStreamer.UploadAsync(System.IO.Stream,System.Int32,System.Threading.CancellationToken,MongoDB.Driver.IClientSessionHandle) + name: UploadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) + href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_UploadAsync_System_IO_Stream_System_Int32_System_Threading_CancellationToken_MongoDB_Driver_IClientSessionHandle_ + commentId: M:MongoDB.Entities.DataStreamer.UploadAsync(System.IO.Stream,System.Int32,System.Threading.CancellationToken,MongoDB.Driver.IClientSessionHandle) + fullName: MongoDB.Entities.DataStreamer.UploadAsync(System.IO.Stream, System.Int32, System.Threading.CancellationToken, MongoDB.Driver.IClientSessionHandle) + nameWithType: DataStreamer.UploadAsync(Stream, Int32, CancellationToken, IClientSessionHandle) +- uid: MongoDB.Entities.DataStreamer.UploadAsync* + name: UploadAsync + href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_UploadAsync_ + commentId: Overload:MongoDB.Entities.DataStreamer.UploadAsync + isSpec: "True" + fullName: MongoDB.Entities.DataStreamer.UploadAsync + nameWithType: DataStreamer.UploadAsync +- uid: MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync(System.IO.Stream,System.Int32,System.Int32,MongoDB.Driver.IClientSessionHandle) + name: UploadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) + href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_UploadWithTimeoutAsync_System_IO_Stream_System_Int32_System_Int32_MongoDB_Driver_IClientSessionHandle_ + commentId: M:MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync(System.IO.Stream,System.Int32,System.Int32,MongoDB.Driver.IClientSessionHandle) + fullName: MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync(System.IO.Stream, System.Int32, System.Int32, MongoDB.Driver.IClientSessionHandle) + nameWithType: DataStreamer.UploadWithTimeoutAsync(Stream, Int32, Int32, IClientSessionHandle) +- uid: MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync* + name: UploadWithTimeoutAsync + href: api/MongoDB.Entities.DataStreamer.html#MongoDB_Entities_DataStreamer_UploadWithTimeoutAsync_ + commentId: Overload:MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync + isSpec: "True" + fullName: MongoDB.Entities.DataStreamer.UploadWithTimeoutAsync + nameWithType: DataStreamer.UploadWithTimeoutAsync +- uid: MongoDB.Entities.Date + name: Date + href: api/MongoDB.Entities.Date.html + commentId: T:MongoDB.Entities.Date + fullName: MongoDB.Entities.Date + nameWithType: Date +- uid: MongoDB.Entities.Date.#ctor + name: Date() + href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date__ctor + commentId: M:MongoDB.Entities.Date.#ctor + fullName: MongoDB.Entities.Date.Date() + nameWithType: Date.Date() +- uid: MongoDB.Entities.Date.#ctor(System.DateTime) + name: Date(DateTime) + href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date__ctor_System_DateTime_ + commentId: M:MongoDB.Entities.Date.#ctor(System.DateTime) + fullName: MongoDB.Entities.Date.Date(System.DateTime) + nameWithType: Date.Date(DateTime) +- uid: MongoDB.Entities.Date.#ctor(System.Int64) + name: Date(Int64) + href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date__ctor_System_Int64_ + commentId: M:MongoDB.Entities.Date.#ctor(System.Int64) + fullName: MongoDB.Entities.Date.Date(System.Int64) + nameWithType: Date.Date(Int64) +- uid: MongoDB.Entities.Date.#ctor* + name: Date + href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date__ctor_ + commentId: Overload:MongoDB.Entities.Date.#ctor + isSpec: "True" + fullName: MongoDB.Entities.Date.Date + nameWithType: Date.Date +- uid: MongoDB.Entities.Date.DateTime + name: DateTime + href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date_DateTime + commentId: P:MongoDB.Entities.Date.DateTime + fullName: MongoDB.Entities.Date.DateTime + nameWithType: Date.DateTime +- uid: MongoDB.Entities.Date.DateTime* + name: DateTime + href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date_DateTime_ + commentId: Overload:MongoDB.Entities.Date.DateTime + isSpec: "True" + fullName: MongoDB.Entities.Date.DateTime + nameWithType: Date.DateTime +- uid: MongoDB.Entities.Date.Ticks + name: Ticks + href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date_Ticks + commentId: P:MongoDB.Entities.Date.Ticks + fullName: MongoDB.Entities.Date.Ticks + nameWithType: Date.Ticks +- uid: MongoDB.Entities.Date.Ticks* + name: Ticks + href: api/MongoDB.Entities.Date.html#MongoDB_Entities_Date_Ticks_ + commentId: Overload:MongoDB.Entities.Date.Ticks + isSpec: "True" + fullName: MongoDB.Entities.Date.Ticks + nameWithType: Date.Ticks - uid: MongoDB.Entities.Distinct`2 name: Distinct href: api/MongoDB.Entities.Distinct-2.html @@ -2264,15 +2264,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.Extensions.Collection nameWithType: Extensions.Collection -- uid: MongoDB.Entities.Extensions.Collection``1(``0) - name: Collection(T) - href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_Collection__1___0_ - commentId: M:MongoDB.Entities.Extensions.Collection``1(``0) - name.vb: Collection(Of T)(T) - fullName: MongoDB.Entities.Extensions.Collection(T) - fullName.vb: MongoDB.Entities.Extensions.Collection(Of T)(T) - nameWithType: Extensions.Collection(T) - nameWithType.vb: Extensions.Collection(Of T)(T) - uid: MongoDB.Entities.Extensions.CollectionName* name: CollectionName href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_CollectionName_ @@ -2289,6 +2280,15 @@ references: fullName.vb: MongoDB.Entities.Extensions.CollectionName(Of T)(T) nameWithType: Extensions.CollectionName(T) nameWithType.vb: Extensions.CollectionName(Of T)(T) +- uid: MongoDB.Entities.Extensions.Collection``1(``0) + name: Collection(T) + href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_Collection__1___0_ + commentId: M:MongoDB.Entities.Extensions.Collection``1(``0) + name.vb: Collection(Of T)(T) + fullName: MongoDB.Entities.Extensions.Collection(T) + fullName.vb: MongoDB.Entities.Extensions.Collection(Of T)(T) + nameWithType: Extensions.Collection(T) + nameWithType.vb: Extensions.Collection(Of T)(T) - uid: MongoDB.Entities.Extensions.Database* name: Database href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_Database_ @@ -2296,15 +2296,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.Extensions.Database nameWithType: Extensions.Database -- uid: MongoDB.Entities.Extensions.Database``1(``0) - name: Database(T) - href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_Database__1___0_ - commentId: M:MongoDB.Entities.Extensions.Database``1(``0) - name.vb: Database(Of T)(T) - fullName: MongoDB.Entities.Extensions.Database(T) - fullName.vb: MongoDB.Entities.Extensions.Database(Of T)(T) - nameWithType: Extensions.Database(T) - nameWithType.vb: Extensions.Database(Of T)(T) - uid: MongoDB.Entities.Extensions.DatabaseName* name: DatabaseName href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_DatabaseName_ @@ -2321,6 +2312,15 @@ references: fullName.vb: MongoDB.Entities.Extensions.DatabaseName(Of T)(T) nameWithType: Extensions.DatabaseName(T) nameWithType.vb: Extensions.DatabaseName(Of T)(T) +- uid: MongoDB.Entities.Extensions.Database``1(``0) + name: Database(T) + href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_Database__1___0_ + commentId: M:MongoDB.Entities.Extensions.Database``1(``0) + name.vb: Database(Of T)(T) + fullName: MongoDB.Entities.Extensions.Database(T) + fullName.vb: MongoDB.Entities.Extensions.Database(Of T)(T) + nameWithType: Extensions.Database(T) + nameWithType.vb: Extensions.Database(Of T)(T) - uid: MongoDB.Entities.Extensions.DeleteAllAsync* name: DeleteAllAsync href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_DeleteAllAsync_ @@ -2469,15 +2469,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.Extensions.InsertAsync nameWithType: Extensions.InsertAsync -- uid: MongoDB.Entities.Extensions.InsertAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: InsertAsync(T, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_InsertAsync__1___0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Extensions.InsertAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: InsertAsync(Of T)(T, IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.Extensions.InsertAsync(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Extensions.InsertAsync(Of T)(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) - nameWithType.vb: Extensions.InsertAsync(Of T)(T, IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Extensions.InsertAsync``1(System.Collections.Generic.IEnumerable{``0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: InsertAsync(IEnumerable, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_InsertAsync__1_System_Collections_Generic_IEnumerable___0__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -2487,6 +2478,15 @@ references: fullName.vb: MongoDB.Entities.Extensions.InsertAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: Extensions.InsertAsync(IEnumerable, IClientSessionHandle, CancellationToken) nameWithType.vb: Extensions.InsertAsync(Of T)(IEnumerable(Of T), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.Extensions.InsertAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: InsertAsync(T, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_InsertAsync__1___0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Extensions.InsertAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: InsertAsync(Of T)(T, IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.Extensions.InsertAsync(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Extensions.InsertAsync(Of T)(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: Extensions.InsertAsync(T, IClientSessionHandle, CancellationToken) + nameWithType.vb: Extensions.InsertAsync(Of T)(T, IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Extensions.IsAccessibleAsync(MongoDB.Driver.IMongoDatabase,System.Int32) name: IsAccessibleAsync(IMongoDatabase, Int32) href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_IsAccessibleAsync_MongoDB_Driver_IMongoDatabase_System_Int32_ @@ -2507,15 +2507,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.Extensions.Match nameWithType: Extensions.Match -- uid: MongoDB.Entities.Extensions.Match``1(MongoDB.Driver.IAggregateFluent{``0},System.Func{MongoDB.Driver.FilterDefinitionBuilder{``0},MongoDB.Driver.FilterDefinition{``0}}) - name: Match(IAggregateFluent, Func, FilterDefinition>) - href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_Match__1_MongoDB_Driver_IAggregateFluent___0__System_Func_MongoDB_Driver_FilterDefinitionBuilder___0__MongoDB_Driver_FilterDefinition___0___ - commentId: M:MongoDB.Entities.Extensions.Match``1(MongoDB.Driver.IAggregateFluent{``0},System.Func{MongoDB.Driver.FilterDefinitionBuilder{``0},MongoDB.Driver.FilterDefinition{``0}}) - name.vb: Match(Of T)(IAggregateFluent(Of T), Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T))) - fullName: MongoDB.Entities.Extensions.Match(MongoDB.Driver.IAggregateFluent, System.Func, MongoDB.Driver.FilterDefinition>) - fullName.vb: MongoDB.Entities.Extensions.Match(Of T)(MongoDB.Driver.IAggregateFluent(Of T), System.Func(Of MongoDB.Driver.FilterDefinitionBuilder(Of T), MongoDB.Driver.FilterDefinition(Of T))) - nameWithType: Extensions.Match(IAggregateFluent, Func, FilterDefinition>) - nameWithType.vb: Extensions.Match(Of T)(IAggregateFluent(Of T), Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T))) - uid: MongoDB.Entities.Extensions.MatchExpression* name: MatchExpression href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_MatchExpression_ @@ -2532,6 +2523,15 @@ references: fullName.vb: MongoDB.Entities.Extensions.MatchExpression(Of T)(MongoDB.Driver.IAggregateFluent(Of T), System.String) nameWithType: Extensions.MatchExpression(IAggregateFluent, String) nameWithType.vb: Extensions.MatchExpression(Of T)(IAggregateFluent(Of T), String) +- uid: MongoDB.Entities.Extensions.Match``1(MongoDB.Driver.IAggregateFluent{``0},System.Func{MongoDB.Driver.FilterDefinitionBuilder{``0},MongoDB.Driver.FilterDefinition{``0}}) + name: Match(IAggregateFluent, Func, FilterDefinition>) + href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_Match__1_MongoDB_Driver_IAggregateFluent___0__System_Func_MongoDB_Driver_FilterDefinitionBuilder___0__MongoDB_Driver_FilterDefinition___0___ + commentId: M:MongoDB.Entities.Extensions.Match``1(MongoDB.Driver.IAggregateFluent{``0},System.Func{MongoDB.Driver.FilterDefinitionBuilder{``0},MongoDB.Driver.FilterDefinition{``0}}) + name.vb: Match(Of T)(IAggregateFluent(Of T), Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T))) + fullName: MongoDB.Entities.Extensions.Match(MongoDB.Driver.IAggregateFluent, System.Func, MongoDB.Driver.FilterDefinition>) + fullName.vb: MongoDB.Entities.Extensions.Match(Of T)(MongoDB.Driver.IAggregateFluent(Of T), System.Func(Of MongoDB.Driver.FilterDefinitionBuilder(Of T), MongoDB.Driver.FilterDefinition(Of T))) + nameWithType: Extensions.Match(IAggregateFluent, Func, FilterDefinition>) + nameWithType.vb: Extensions.Match(Of T)(IAggregateFluent(Of T), Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T))) - uid: MongoDB.Entities.Extensions.NextSequentialNumberAsync* name: NextSequentialNumberAsync href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_NextSequentialNumberAsync_ @@ -2596,15 +2596,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.Extensions.SaveAsync nameWithType: Extensions.SaveAsync -- uid: MongoDB.Entities.Extensions.SaveAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: SaveAsync(T, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveAsync__1___0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Extensions.SaveAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: SaveAsync(Of T)(T, IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.Extensions.SaveAsync(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Extensions.SaveAsync(Of T)(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) - nameWithType.vb: Extensions.SaveAsync(Of T)(T, IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Extensions.SaveAsync``1(System.Collections.Generic.IEnumerable{``0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: SaveAsync(IEnumerable, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveAsync__1_System_Collections_Generic_IEnumerable___0__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -2614,6 +2605,15 @@ references: fullName.vb: MongoDB.Entities.Extensions.SaveAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: Extensions.SaveAsync(IEnumerable, IClientSessionHandle, CancellationToken) nameWithType.vb: Extensions.SaveAsync(Of T)(IEnumerable(Of T), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.Extensions.SaveAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: SaveAsync(T, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveAsync__1___0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Extensions.SaveAsync``1(``0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: SaveAsync(Of T)(T, IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.Extensions.SaveAsync(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Extensions.SaveAsync(Of T)(T, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: Extensions.SaveAsync(T, IClientSessionHandle, CancellationToken) + nameWithType.vb: Extensions.SaveAsync(Of T)(T, IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Extensions.SaveExceptAsync* name: SaveExceptAsync href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveExceptAsync_ @@ -2621,24 +2621,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.Extensions.SaveExceptAsync nameWithType: Extensions.SaveExceptAsync -- uid: MongoDB.Entities.Extensions.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveExceptAsync__1___0_System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Extensions.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: SaveExceptAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.Extensions.SaveExceptAsync(T, System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Extensions.SaveExceptAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) - nameWithType.vb: Extensions.SaveExceptAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) -- uid: MongoDB.Entities.Extensions.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveExceptAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Extensions.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.Extensions.SaveExceptAsync(T, System.Linq.Expressions.Expression>, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Extensions.SaveExceptAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) - nameWithType.vb: Extensions.SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Extensions.SaveExceptAsync``1(System.Collections.Generic.IEnumerable{``0},System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: SaveExceptAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveExceptAsync__1_System_Collections_Generic_IEnumerable___0__System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -2657,31 +2639,31 @@ references: fullName.vb: MongoDB.Entities.Extensions.SaveExceptAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: Extensions.SaveExceptAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) nameWithType.vb: Extensions.SaveExceptAsync(Of T)(IEnumerable(Of T), Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) -- uid: MongoDB.Entities.Extensions.SaveOnlyAsync* - name: SaveOnlyAsync - href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveOnlyAsync_ - commentId: Overload:MongoDB.Entities.Extensions.SaveOnlyAsync +- uid: MongoDB.Entities.Extensions.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveExceptAsync__1___0_System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Extensions.SaveExceptAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: SaveExceptAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.Extensions.SaveExceptAsync(T, System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Extensions.SaveExceptAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: Extensions.SaveExceptAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) + nameWithType.vb: Extensions.SaveExceptAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.Extensions.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveExceptAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Extensions.SaveExceptAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.Extensions.SaveExceptAsync(T, System.Linq.Expressions.Expression>, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Extensions.SaveExceptAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: Extensions.SaveExceptAsync(T, Expression>, IClientSessionHandle, CancellationToken) + nameWithType.vb: Extensions.SaveExceptAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.Extensions.SaveOnlyAsync* + name: SaveOnlyAsync + href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveOnlyAsync_ + commentId: Overload:MongoDB.Entities.Extensions.SaveOnlyAsync isSpec: "True" fullName: MongoDB.Entities.Extensions.SaveOnlyAsync nameWithType: Extensions.SaveOnlyAsync -- uid: MongoDB.Entities.Extensions.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveOnlyAsync__1___0_System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Extensions.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: SaveOnlyAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.Extensions.SaveOnlyAsync(T, System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Extensions.SaveOnlyAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) - nameWithType.vb: Extensions.SaveOnlyAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) -- uid: MongoDB.Entities.Extensions.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveOnlyAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Extensions.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.Extensions.SaveOnlyAsync(T, System.Linq.Expressions.Expression>, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Extensions.SaveOnlyAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) - nameWithType.vb: Extensions.SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Extensions.SaveOnlyAsync``1(System.Collections.Generic.IEnumerable{``0},System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: SaveOnlyAsync(IEnumerable, IEnumerable, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveOnlyAsync__1_System_Collections_Generic_IEnumerable___0__System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -2700,6 +2682,24 @@ references: fullName.vb: MongoDB.Entities.Extensions.SaveOnlyAsync(Of T)(System.Collections.Generic.IEnumerable(Of T), System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: Extensions.SaveOnlyAsync(IEnumerable, Expression>, IClientSessionHandle, CancellationToken) nameWithType.vb: Extensions.SaveOnlyAsync(Of T)(IEnumerable(Of T), Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.Extensions.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveOnlyAsync__1___0_System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Extensions.SaveOnlyAsync``1(``0,System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: SaveOnlyAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.Extensions.SaveOnlyAsync(T, System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Extensions.SaveOnlyAsync(Of T)(T, System.Collections.Generic.IEnumerable(Of System.String), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: Extensions.SaveOnlyAsync(T, IEnumerable, IClientSessionHandle, CancellationToken) + nameWithType.vb: Extensions.SaveOnlyAsync(Of T)(T, IEnumerable(Of String), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.Extensions.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SaveOnlyAsync__1___0_System_Linq_Expressions_Expression_System_Func___0_System_Object___MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Extensions.SaveOnlyAsync``1(``0,System.Linq.Expressions.Expression{System.Func{``0,System.Object}},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.Extensions.SaveOnlyAsync(T, System.Linq.Expressions.Expression>, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Extensions.SaveOnlyAsync(Of T)(T, System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: Extensions.SaveOnlyAsync(T, Expression>, IClientSessionHandle, CancellationToken) + nameWithType.vb: Extensions.SaveOnlyAsync(Of T)(T, Expression(Of Func(Of T, Object)), IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Extensions.SavePreservingAsync* name: SavePreservingAsync href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_SavePreservingAsync_ @@ -2790,15 +2790,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.Extensions.ToDocuments nameWithType: Extensions.ToDocuments -- uid: MongoDB.Entities.Extensions.ToDocuments``1(``0[]) - name: ToDocuments(T[]) - href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_ToDocuments__1___0___ - commentId: M:MongoDB.Entities.Extensions.ToDocuments``1(``0[]) - name.vb: ToDocuments(Of T)(T()) - fullName: MongoDB.Entities.Extensions.ToDocuments(T[]) - fullName.vb: MongoDB.Entities.Extensions.ToDocuments(Of T)(T()) - nameWithType: Extensions.ToDocuments(T[]) - nameWithType.vb: Extensions.ToDocuments(Of T)(T()) - uid: MongoDB.Entities.Extensions.ToDocuments``1(System.Collections.Generic.IEnumerable{``0}) name: ToDocuments(IEnumerable) href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_ToDocuments__1_System_Collections_Generic_IEnumerable___0__ @@ -2808,6 +2799,15 @@ references: fullName.vb: MongoDB.Entities.Extensions.ToDocuments(Of T)(System.Collections.Generic.IEnumerable(Of T)) nameWithType: Extensions.ToDocuments(IEnumerable) nameWithType.vb: Extensions.ToDocuments(Of T)(IEnumerable(Of T)) +- uid: MongoDB.Entities.Extensions.ToDocuments``1(``0[]) + name: ToDocuments(T[]) + href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_ToDocuments__1___0___ + commentId: M:MongoDB.Entities.Extensions.ToDocuments``1(``0[]) + name.vb: ToDocuments(Of T)(T()) + fullName: MongoDB.Entities.Extensions.ToDocuments(T[]) + fullName.vb: MongoDB.Entities.Extensions.ToDocuments(Of T)(T()) + nameWithType: Extensions.ToDocuments(T[]) + nameWithType.vb: Extensions.ToDocuments(Of T)(T()) - uid: MongoDB.Entities.Extensions.ToDoubleMetaphoneHash(System.String) name: ToDoubleMetaphoneHash(String) href: api/MongoDB.Entities.Extensions.html#MongoDB_Entities_Extensions_ToDoubleMetaphoneHash_System_String_ @@ -2862,18 +2862,18 @@ references: commentId: M:MongoDB.Entities.FieldAttribute.#ctor(System.Int32) fullName: MongoDB.Entities.FieldAttribute.FieldAttribute(System.Int32) nameWithType: FieldAttribute.FieldAttribute(Int32) -- uid: MongoDB.Entities.FieldAttribute.#ctor(System.String,System.Int32) - name: FieldAttribute(String, Int32) - href: api/MongoDB.Entities.FieldAttribute.html#MongoDB_Entities_FieldAttribute__ctor_System_String_System_Int32_ - commentId: M:MongoDB.Entities.FieldAttribute.#ctor(System.String,System.Int32) - fullName: MongoDB.Entities.FieldAttribute.FieldAttribute(System.String, System.Int32) - nameWithType: FieldAttribute.FieldAttribute(String, Int32) - uid: MongoDB.Entities.FieldAttribute.#ctor(System.String) name: FieldAttribute(String) href: api/MongoDB.Entities.FieldAttribute.html#MongoDB_Entities_FieldAttribute__ctor_System_String_ commentId: M:MongoDB.Entities.FieldAttribute.#ctor(System.String) fullName: MongoDB.Entities.FieldAttribute.FieldAttribute(System.String) nameWithType: FieldAttribute.FieldAttribute(String) +- uid: MongoDB.Entities.FieldAttribute.#ctor(System.String,System.Int32) + name: FieldAttribute(String, Int32) + href: api/MongoDB.Entities.FieldAttribute.html#MongoDB_Entities_FieldAttribute__ctor_System_String_System_Int32_ + commentId: M:MongoDB.Entities.FieldAttribute.#ctor(System.String,System.Int32) + fullName: MongoDB.Entities.FieldAttribute.FieldAttribute(System.String, System.Int32) + nameWithType: FieldAttribute.FieldAttribute(String, Int32) - uid: MongoDB.Entities.FieldAttribute.#ctor* name: FieldAttribute href: api/MongoDB.Entities.FieldAttribute.html#MongoDB_Entities_FieldAttribute__ctor_ @@ -3692,18 +3692,6 @@ references: isSpec: "True" fullName: MongoDB.Entities.IEntity.ID nameWithType: IEntity.ID -- uid: MongoDB.Entities.IgnoreAttribute - name: IgnoreAttribute - href: api/MongoDB.Entities.IgnoreAttribute.html - commentId: T:MongoDB.Entities.IgnoreAttribute - fullName: MongoDB.Entities.IgnoreAttribute - nameWithType: IgnoreAttribute -- uid: MongoDB.Entities.IgnoreDefaultAttribute - name: IgnoreDefaultAttribute - href: api/MongoDB.Entities.IgnoreDefaultAttribute.html - commentId: T:MongoDB.Entities.IgnoreDefaultAttribute - fullName: MongoDB.Entities.IgnoreDefaultAttribute - nameWithType: IgnoreDefaultAttribute - uid: MongoDB.Entities.IMigration name: IMigration href: api/MongoDB.Entities.IMigration.html @@ -3742,6 +3730,18 @@ references: isSpec: "True" fullName: MongoDB.Entities.IModifiedOn.ModifiedOn nameWithType: IModifiedOn.ModifiedOn +- uid: MongoDB.Entities.IgnoreAttribute + name: IgnoreAttribute + href: api/MongoDB.Entities.IgnoreAttribute.html + commentId: T:MongoDB.Entities.IgnoreAttribute + fullName: MongoDB.Entities.IgnoreAttribute + nameWithType: IgnoreAttribute +- uid: MongoDB.Entities.IgnoreDefaultAttribute + name: IgnoreDefaultAttribute + href: api/MongoDB.Entities.IgnoreDefaultAttribute.html + commentId: T:MongoDB.Entities.IgnoreDefaultAttribute + fullName: MongoDB.Entities.IgnoreDefaultAttribute + nameWithType: IgnoreDefaultAttribute - uid: MongoDB.Entities.Index`1 name: Index href: api/MongoDB.Entities.Index-1.html @@ -3924,6 +3924,12 @@ references: commentId: F:MongoDB.Entities.KeyType.Wildcard fullName: MongoDB.Entities.KeyType.Wildcard nameWithType: KeyType.Wildcard +- uid: MongoDB.Entities.ManyBase + name: ManyBase + href: api/MongoDB.Entities.ManyBase.html + commentId: T:MongoDB.Entities.ManyBase + fullName: MongoDB.Entities.ManyBase + nameWithType: ManyBase - uid: MongoDB.Entities.Many`1 name: Many href: api/MongoDB.Entities.Many-1.html @@ -3950,23 +3956,6 @@ references: fullName.vb: MongoDB.Entities.Many(Of TChild).Many nameWithType: Many.Many nameWithType.vb: Many(Of TChild).Many -- uid: MongoDB.Entities.Many`1.AddAsync(`0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: AddAsync(TChild, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_AddAsync__0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Many`1.AddAsync(`0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - fullName: MongoDB.Entities.Many.AddAsync(TChild, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Many(Of TChild).AddAsync(TChild, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: Many.AddAsync(TChild, IClientSessionHandle, CancellationToken) - nameWithType.vb: Many(Of TChild).AddAsync(TChild, IClientSessionHandle, CancellationToken) -- uid: MongoDB.Entities.Many`1.AddAsync(System.Collections.Generic.IEnumerable{`0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: AddAsync(IEnumerable, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_AddAsync_System_Collections_Generic_IEnumerable__0__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Many`1.AddAsync(System.Collections.Generic.IEnumerable{`0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: AddAsync(IEnumerable(Of TChild), IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.Many.AddAsync(System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Many(Of TChild).AddAsync(System.Collections.Generic.IEnumerable(Of TChild), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: Many.AddAsync(IEnumerable, IClientSessionHandle, CancellationToken) - nameWithType.vb: Many(Of TChild).AddAsync(IEnumerable(Of TChild), IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Many`1.AddAsync(System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: AddAsync(IEnumerable, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_AddAsync_System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -3976,6 +3965,15 @@ references: fullName.vb: MongoDB.Entities.Many(Of TChild).AddAsync(System.Collections.Generic.IEnumerable(Of System.String), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: Many.AddAsync(IEnumerable, IClientSessionHandle, CancellationToken) nameWithType.vb: Many(Of TChild).AddAsync(IEnumerable(Of String), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.Many`1.AddAsync(System.Collections.Generic.IEnumerable{`0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: AddAsync(IEnumerable, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_AddAsync_System_Collections_Generic_IEnumerable__0__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Many`1.AddAsync(System.Collections.Generic.IEnumerable{`0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: AddAsync(IEnumerable(Of TChild), IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.Many.AddAsync(System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Many(Of TChild).AddAsync(System.Collections.Generic.IEnumerable(Of TChild), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: Many.AddAsync(IEnumerable, IClientSessionHandle, CancellationToken) + nameWithType.vb: Many(Of TChild).AddAsync(IEnumerable(Of TChild), IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Many`1.AddAsync(System.String,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: AddAsync(String, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_AddAsync_System_String_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -3984,6 +3982,14 @@ references: fullName.vb: MongoDB.Entities.Many(Of TChild).AddAsync(System.String, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: Many.AddAsync(String, IClientSessionHandle, CancellationToken) nameWithType.vb: Many(Of TChild).AddAsync(String, IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.Many`1.AddAsync(`0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: AddAsync(TChild, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_AddAsync__0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Many`1.AddAsync(`0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + fullName: MongoDB.Entities.Many.AddAsync(TChild, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Many(Of TChild).AddAsync(TChild, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: Many.AddAsync(TChild, IClientSessionHandle, CancellationToken) + nameWithType.vb: Many(Of TChild).AddAsync(TChild, IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Many`1.AddAsync* name: AddAsync href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_AddAsync_ @@ -4184,23 +4190,6 @@ references: fullName.vb: MongoDB.Entities.Many(Of TChild).ParentsQueryable(Of TParent)(System.String, MongoDB.Driver.IClientSessionHandle, MongoDB.Driver.AggregateOptions) nameWithType: Many.ParentsQueryable(String, IClientSessionHandle, AggregateOptions) nameWithType.vb: Many(Of TChild).ParentsQueryable(Of TParent)(String, IClientSessionHandle, AggregateOptions) -- uid: MongoDB.Entities.Many`1.RemoveAsync(`0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: RemoveAsync(TChild, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_RemoveAsync__0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Many`1.RemoveAsync(`0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - fullName: MongoDB.Entities.Many.RemoveAsync(TChild, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Many(Of TChild).RemoveAsync(TChild, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: Many.RemoveAsync(TChild, IClientSessionHandle, CancellationToken) - nameWithType.vb: Many(Of TChild).RemoveAsync(TChild, IClientSessionHandle, CancellationToken) -- uid: MongoDB.Entities.Many`1.RemoveAsync(System.Collections.Generic.IEnumerable{`0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name: RemoveAsync(IEnumerable, IClientSessionHandle, CancellationToken) - href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_RemoveAsync_System_Collections_Generic_IEnumerable__0__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Many`1.RemoveAsync(System.Collections.Generic.IEnumerable{`0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) - name.vb: RemoveAsync(IEnumerable(Of TChild), IClientSessionHandle, CancellationToken) - fullName: MongoDB.Entities.Many.RemoveAsync(System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Many(Of TChild).RemoveAsync(System.Collections.Generic.IEnumerable(Of TChild), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) - nameWithType: Many.RemoveAsync(IEnumerable, IClientSessionHandle, CancellationToken) - nameWithType.vb: Many(Of TChild).RemoveAsync(IEnumerable(Of TChild), IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Many`1.RemoveAsync(System.Collections.Generic.IEnumerable{System.String},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: RemoveAsync(IEnumerable, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_RemoveAsync_System_Collections_Generic_IEnumerable_System_String__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -4210,6 +4199,15 @@ references: fullName.vb: MongoDB.Entities.Many(Of TChild).RemoveAsync(System.Collections.Generic.IEnumerable(Of System.String), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: Many.RemoveAsync(IEnumerable, IClientSessionHandle, CancellationToken) nameWithType.vb: Many(Of TChild).RemoveAsync(IEnumerable(Of String), IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.Many`1.RemoveAsync(System.Collections.Generic.IEnumerable{`0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: RemoveAsync(IEnumerable, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_RemoveAsync_System_Collections_Generic_IEnumerable__0__MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Many`1.RemoveAsync(System.Collections.Generic.IEnumerable{`0},MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name.vb: RemoveAsync(IEnumerable(Of TChild), IClientSessionHandle, CancellationToken) + fullName: MongoDB.Entities.Many.RemoveAsync(System.Collections.Generic.IEnumerable, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Many(Of TChild).RemoveAsync(System.Collections.Generic.IEnumerable(Of TChild), MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: Many.RemoveAsync(IEnumerable, IClientSessionHandle, CancellationToken) + nameWithType.vb: Many(Of TChild).RemoveAsync(IEnumerable(Of TChild), IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Many`1.RemoveAsync(System.String,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) name: RemoveAsync(String, IClientSessionHandle, CancellationToken) href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_RemoveAsync_System_String_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ @@ -4218,6 +4216,14 @@ references: fullName.vb: MongoDB.Entities.Many(Of TChild).RemoveAsync(System.String, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) nameWithType: Many.RemoveAsync(String, IClientSessionHandle, CancellationToken) nameWithType.vb: Many(Of TChild).RemoveAsync(String, IClientSessionHandle, CancellationToken) +- uid: MongoDB.Entities.Many`1.RemoveAsync(`0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + name: RemoveAsync(TChild, IClientSessionHandle, CancellationToken) + href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_RemoveAsync__0_MongoDB_Driver_IClientSessionHandle_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Many`1.RemoveAsync(`0,MongoDB.Driver.IClientSessionHandle,System.Threading.CancellationToken) + fullName: MongoDB.Entities.Many.RemoveAsync(TChild, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Many(Of TChild).RemoveAsync(TChild, MongoDB.Driver.IClientSessionHandle, System.Threading.CancellationToken) + nameWithType: Many.RemoveAsync(TChild, IClientSessionHandle, CancellationToken) + nameWithType.vb: Many(Of TChild).RemoveAsync(TChild, IClientSessionHandle, CancellationToken) - uid: MongoDB.Entities.Many`1.RemoveAsync* name: RemoveAsync href: api/MongoDB.Entities.Many-1.html#MongoDB_Entities_Many_1_RemoveAsync_ @@ -4282,12 +4288,6 @@ references: fullName.vb: MongoDB.Entities.Many(Of TChild).VB_InitOneToMany(Of TParent)(TParent, System.Linq.Expressions.Expression(Of System.Func(Of TParent, System.Object))) nameWithType: Many.VB_InitOneToMany(TParent, Expression>) nameWithType.vb: Many(Of TChild).VB_InitOneToMany(Of TParent)(TParent, Expression(Of Func(Of TParent, Object))) -- uid: MongoDB.Entities.ManyBase - name: ManyBase - href: api/MongoDB.Entities.ManyBase.html - commentId: T:MongoDB.Entities.ManyBase - fullName: MongoDB.Entities.ManyBase - nameWithType: ManyBase - uid: MongoDB.Entities.Migration name: Migration href: api/MongoDB.Entities.Migration.html @@ -4414,14 +4414,6 @@ references: fullName.vb: MongoDB.Entities.One(Of T).One() nameWithType: One.One() nameWithType.vb: One(Of T).One() -- uid: MongoDB.Entities.One`1.#ctor(`0) - name: One(T) - href: api/MongoDB.Entities.One-1.html#MongoDB_Entities_One_1__ctor__0_ - commentId: M:MongoDB.Entities.One`1.#ctor(`0) - fullName: MongoDB.Entities.One.One(T) - fullName.vb: MongoDB.Entities.One(Of T).One(T) - nameWithType: One.One(T) - nameWithType.vb: One(Of T).One(T) - uid: MongoDB.Entities.One`1.#ctor(System.String) name: One(String) href: api/MongoDB.Entities.One-1.html#MongoDB_Entities_One_1__ctor_System_String_ @@ -4430,6 +4422,14 @@ references: fullName.vb: MongoDB.Entities.One(Of T).One(System.String) nameWithType: One.One(String) nameWithType.vb: One(Of T).One(String) +- uid: MongoDB.Entities.One`1.#ctor(`0) + name: One(T) + href: api/MongoDB.Entities.One-1.html#MongoDB_Entities_One_1__ctor__0_ + commentId: M:MongoDB.Entities.One`1.#ctor(`0) + fullName: MongoDB.Entities.One.One(T) + fullName.vb: MongoDB.Entities.One(Of T).One(T) + nameWithType: One.One(T) + nameWithType.vb: One(Of T).One(T) - uid: MongoDB.Entities.One`1.#ctor* name: One href: api/MongoDB.Entities.One-1.html#MongoDB_Entities_One_1__ctor_ @@ -5570,24 +5570,6 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Elements nameWithType: Template.Elements nameWithType.vb: Template(Of TInput, TResult).Elements -- uid: MongoDB.Entities.Template`2.Elements``1(System.Int32,System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name: Elements(Int32, Expression>) - href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Elements__1_System_Int32_System_Linq_Expressions_Expression_System_Func___0_System_Object___ - commentId: M:MongoDB.Entities.Template`2.Elements``1(System.Int32,System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name.vb: Elements(Of TOther)(Int32, Expression(Of Func(Of TOther, Object))) - fullName: MongoDB.Entities.Template.Elements(System.Int32, System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Elements(Of TOther)(System.Int32, System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) - nameWithType: Template.Elements(Int32, Expression>) - nameWithType.vb: Template(Of TInput, TResult).Elements(Of TOther)(Int32, Expression(Of Func(Of TOther, Object))) -- uid: MongoDB.Entities.Template`2.Elements``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name: Elements(Expression>) - href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Elements__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ - commentId: M:MongoDB.Entities.Template`2.Elements``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name.vb: Elements(Of TOther)(Expression(Of Func(Of TOther, Object))) - fullName: MongoDB.Entities.Template.Elements(System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Elements(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) - nameWithType: Template.Elements(Expression>) - nameWithType.vb: Template(Of TInput, TResult).Elements(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.ElementsOfResult(System.Int32,System.Linq.Expressions.Expression{System.Func{`1,System.Object}}) name: ElementsOfResult(Int32, Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_ElementsOfResult_System_Int32_System_Linq_Expressions_Expression_System_Func__1_System_Object___ @@ -5615,6 +5597,24 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).ElementsOfResult nameWithType: Template.ElementsOfResult nameWithType.vb: Template(Of TInput, TResult).ElementsOfResult +- uid: MongoDB.Entities.Template`2.Elements``1(System.Int32,System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name: Elements(Int32, Expression>) + href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Elements__1_System_Int32_System_Linq_Expressions_Expression_System_Func___0_System_Object___ + commentId: M:MongoDB.Entities.Template`2.Elements``1(System.Int32,System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name.vb: Elements(Of TOther)(Int32, Expression(Of Func(Of TOther, Object))) + fullName: MongoDB.Entities.Template.Elements(System.Int32, System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Elements(Of TOther)(System.Int32, System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) + nameWithType: Template.Elements(Int32, Expression>) + nameWithType.vb: Template(Of TInput, TResult).Elements(Of TOther)(Int32, Expression(Of Func(Of TOther, Object))) +- uid: MongoDB.Entities.Template`2.Elements``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name: Elements(Expression>) + href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Elements__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ + commentId: M:MongoDB.Entities.Template`2.Elements``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name.vb: Elements(Of TOther)(Expression(Of Func(Of TOther, Object))) + fullName: MongoDB.Entities.Template.Elements(System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Elements(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) + nameWithType: Template.Elements(Expression>) + nameWithType.vb: Template(Of TInput, TResult).Elements(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.Path(System.Linq.Expressions.Expression{System.Func{`0,System.Object}}) name: Path(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Path_System_Linq_Expressions_Expression_System_Func__0_System_Object___ @@ -5633,15 +5633,6 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Path nameWithType: Template.Path nameWithType.vb: Template(Of TInput, TResult).Path -- uid: MongoDB.Entities.Template`2.Path``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name: Path(Expression>) - href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Path__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ - commentId: M:MongoDB.Entities.Template`2.Path``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name.vb: Path(Of TOther)(Expression(Of Func(Of TOther, Object))) - fullName: MongoDB.Entities.Template.Path(System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Path(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) - nameWithType: Template.Path(Expression>) - nameWithType.vb: Template(Of TInput, TResult).Path(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.PathOfResult(System.Linq.Expressions.Expression{System.Func{`1,System.Object}}) name: PathOfResult(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PathOfResult_System_Linq_Expressions_Expression_System_Func__1_System_Object___ @@ -5660,9 +5651,18 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PathOfResult nameWithType: Template.PathOfResult nameWithType.vb: Template(Of TInput, TResult).PathOfResult -- uid: MongoDB.Entities.Template`2.Paths(System.Linq.Expressions.Expression{System.Func{`0,System.Object}}) - name: Paths(Expression>) - href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Paths_System_Linq_Expressions_Expression_System_Func__0_System_Object___ +- uid: MongoDB.Entities.Template`2.Path``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name: Path(Expression>) + href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Path__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ + commentId: M:MongoDB.Entities.Template`2.Path``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name.vb: Path(Of TOther)(Expression(Of Func(Of TOther, Object))) + fullName: MongoDB.Entities.Template.Path(System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Path(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) + nameWithType: Template.Path(Expression>) + nameWithType.vb: Template(Of TInput, TResult).Path(Of TOther)(Expression(Of Func(Of TOther, Object))) +- uid: MongoDB.Entities.Template`2.Paths(System.Linq.Expressions.Expression{System.Func{`0,System.Object}}) + name: Paths(Expression>) + href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Paths_System_Linq_Expressions_Expression_System_Func__0_System_Object___ commentId: M:MongoDB.Entities.Template`2.Paths(System.Linq.Expressions.Expression{System.Func{`0,System.Object}}) name.vb: Paths(Expression(Of Func(Of TInput, Object))) fullName: MongoDB.Entities.Template.Paths(System.Linq.Expressions.Expression>) @@ -5678,15 +5678,6 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Paths nameWithType: Template.Paths nameWithType.vb: Template(Of TInput, TResult).Paths -- uid: MongoDB.Entities.Template`2.Paths``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name: Paths(Expression>) - href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Paths__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ - commentId: M:MongoDB.Entities.Template`2.Paths``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name.vb: Paths(Of TOther)(Expression(Of Func(Of TOther, Object))) - fullName: MongoDB.Entities.Template.Paths(System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Paths(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) - nameWithType: Template.Paths(Expression>) - nameWithType.vb: Template(Of TInput, TResult).Paths(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.PathsOfResult(System.Linq.Expressions.Expression{System.Func{`1,System.Object}}) name: PathsOfResult(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PathsOfResult_System_Linq_Expressions_Expression_System_Func__1_System_Object___ @@ -5705,6 +5696,15 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PathsOfResult nameWithType: Template.PathsOfResult nameWithType.vb: Template(Of TInput, TResult).PathsOfResult +- uid: MongoDB.Entities.Template`2.Paths``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name: Paths(Expression>) + href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Paths__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ + commentId: M:MongoDB.Entities.Template`2.Paths``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name.vb: Paths(Of TOther)(Expression(Of Func(Of TOther, Object))) + fullName: MongoDB.Entities.Template.Paths(System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Paths(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) + nameWithType: Template.Paths(Expression>) + nameWithType.vb: Template(Of TInput, TResult).Paths(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.PosAll(System.Linq.Expressions.Expression{System.Func{`0,System.Object}}) name: PosAll(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosAll_System_Linq_Expressions_Expression_System_Func__0_System_Object___ @@ -5723,15 +5723,6 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosAll nameWithType: Template.PosAll nameWithType.vb: Template(Of TInput, TResult).PosAll -- uid: MongoDB.Entities.Template`2.PosAll``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name: PosAll(Expression>) - href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosAll__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ - commentId: M:MongoDB.Entities.Template`2.PosAll``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name.vb: PosAll(Of TOther)(Expression(Of Func(Of TOther, Object))) - fullName: MongoDB.Entities.Template.PosAll(System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosAll(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) - nameWithType: Template.PosAll(Expression>) - nameWithType.vb: Template(Of TInput, TResult).PosAll(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.PosAllOfResult(System.Linq.Expressions.Expression{System.Func{`1,System.Object}}) name: PosAllOfResult(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosAllOfResult_System_Linq_Expressions_Expression_System_Func__1_System_Object___ @@ -5750,6 +5741,15 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosAllOfResult nameWithType: Template.PosAllOfResult nameWithType.vb: Template(Of TInput, TResult).PosAllOfResult +- uid: MongoDB.Entities.Template`2.PosAll``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name: PosAll(Expression>) + href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosAll__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ + commentId: M:MongoDB.Entities.Template`2.PosAll``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name.vb: PosAll(Of TOther)(Expression(Of Func(Of TOther, Object))) + fullName: MongoDB.Entities.Template.PosAll(System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosAll(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) + nameWithType: Template.PosAll(Expression>) + nameWithType.vb: Template(Of TInput, TResult).PosAll(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.PosFiltered(System.Linq.Expressions.Expression{System.Func{`0,System.Object}}) name: PosFiltered(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosFiltered_System_Linq_Expressions_Expression_System_Func__0_System_Object___ @@ -5768,15 +5768,6 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosFiltered nameWithType: Template.PosFiltered nameWithType.vb: Template(Of TInput, TResult).PosFiltered -- uid: MongoDB.Entities.Template`2.PosFiltered``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name: PosFiltered(Expression>) - href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosFiltered__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ - commentId: M:MongoDB.Entities.Template`2.PosFiltered``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name.vb: PosFiltered(Of TOther)(Expression(Of Func(Of TOther, Object))) - fullName: MongoDB.Entities.Template.PosFiltered(System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosFiltered(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) - nameWithType: Template.PosFiltered(Expression>) - nameWithType.vb: Template(Of TInput, TResult).PosFiltered(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.PosFilteredOfResult(System.Linq.Expressions.Expression{System.Func{`1,System.Object}}) name: PosFilteredOfResult(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosFilteredOfResult_System_Linq_Expressions_Expression_System_Func__1_System_Object___ @@ -5795,6 +5786,15 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosFilteredOfResult nameWithType: Template.PosFilteredOfResult nameWithType.vb: Template(Of TInput, TResult).PosFilteredOfResult +- uid: MongoDB.Entities.Template`2.PosFiltered``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name: PosFiltered(Expression>) + href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosFiltered__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ + commentId: M:MongoDB.Entities.Template`2.PosFiltered``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name.vb: PosFiltered(Of TOther)(Expression(Of Func(Of TOther, Object))) + fullName: MongoDB.Entities.Template.PosFiltered(System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosFiltered(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) + nameWithType: Template.PosFiltered(Expression>) + nameWithType.vb: Template(Of TInput, TResult).PosFiltered(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.PosFirst(System.Linq.Expressions.Expression{System.Func{`0,System.Object}}) name: PosFirst(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosFirst_System_Linq_Expressions_Expression_System_Func__0_System_Object___ @@ -5813,15 +5813,6 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosFirst nameWithType: Template.PosFirst nameWithType.vb: Template(Of TInput, TResult).PosFirst -- uid: MongoDB.Entities.Template`2.PosFirst``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name: PosFirst(Expression>) - href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosFirst__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ - commentId: M:MongoDB.Entities.Template`2.PosFirst``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name.vb: PosFirst(Of TOther)(Expression(Of Func(Of TOther, Object))) - fullName: MongoDB.Entities.Template.PosFirst(System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosFirst(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) - nameWithType: Template.PosFirst(Expression>) - nameWithType.vb: Template(Of TInput, TResult).PosFirst(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.PosFirstOfResult(System.Linq.Expressions.Expression{System.Func{`1,System.Object}}) name: PosFirstOfResult(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosFirstOfResult_System_Linq_Expressions_Expression_System_Func__1_System_Object___ @@ -5840,6 +5831,15 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosFirstOfResult nameWithType: Template.PosFirstOfResult nameWithType.vb: Template(Of TInput, TResult).PosFirstOfResult +- uid: MongoDB.Entities.Template`2.PosFirst``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name: PosFirst(Expression>) + href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PosFirst__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ + commentId: M:MongoDB.Entities.Template`2.PosFirst``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name.vb: PosFirst(Of TOther)(Expression(Of Func(Of TOther, Object))) + fullName: MongoDB.Entities.Template.PosFirst(System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PosFirst(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) + nameWithType: Template.PosFirst(Expression>) + nameWithType.vb: Template(Of TInput, TResult).PosFirst(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.Properties(System.Linq.Expressions.Expression{System.Func{`0,System.Object}}) name: Properties(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Properties_System_Linq_Expressions_Expression_System_Func__0_System_Object___ @@ -5858,15 +5858,6 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Properties nameWithType: Template.Properties nameWithType.vb: Template(Of TInput, TResult).Properties -- uid: MongoDB.Entities.Template`2.Properties``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name: Properties(Expression>) - href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Properties__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ - commentId: M:MongoDB.Entities.Template`2.Properties``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name.vb: Properties(Of TOther)(Expression(Of Func(Of TOther, Object))) - fullName: MongoDB.Entities.Template.Properties(System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Properties(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) - nameWithType: Template.Properties(Expression>) - nameWithType.vb: Template(Of TInput, TResult).Properties(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.PropertiesOfResult(System.Linq.Expressions.Expression{System.Func{`1,System.Object}}) name: PropertiesOfResult(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PropertiesOfResult_System_Linq_Expressions_Expression_System_Func__1_System_Object___ @@ -5885,6 +5876,15 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PropertiesOfResult nameWithType: Template.PropertiesOfResult nameWithType.vb: Template(Of TInput, TResult).PropertiesOfResult +- uid: MongoDB.Entities.Template`2.Properties``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name: Properties(Expression>) + href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Properties__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ + commentId: M:MongoDB.Entities.Template`2.Properties``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name.vb: Properties(Of TOther)(Expression(Of Func(Of TOther, Object))) + fullName: MongoDB.Entities.Template.Properties(System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Properties(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) + nameWithType: Template.Properties(Expression>) + nameWithType.vb: Template(Of TInput, TResult).Properties(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.Property(System.Linq.Expressions.Expression{System.Func{`0,System.Object}}) name: Property(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Property_System_Linq_Expressions_Expression_System_Func__0_System_Object___ @@ -5903,15 +5903,6 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Property nameWithType: Template.Property nameWithType.vb: Template(Of TInput, TResult).Property -- uid: MongoDB.Entities.Template`2.Property``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name: Property(Expression>) - href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Property__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ - commentId: M:MongoDB.Entities.Template`2.Property``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) - name.vb: Property(Of TOther)(Expression(Of Func(Of TOther, Object))) - fullName: MongoDB.Entities.Template.Property(System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Property(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) - nameWithType: Template.Property(Expression>) - nameWithType.vb: Template(Of TInput, TResult).Property(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.PropertyOfResult(System.Linq.Expressions.Expression{System.Func{`1,System.Object}}) name: PropertyOfResult(Expression>) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_PropertyOfResult_System_Linq_Expressions_Expression_System_Func__1_System_Object___ @@ -5930,6 +5921,15 @@ references: fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).PropertyOfResult nameWithType: Template.PropertyOfResult nameWithType.vb: Template(Of TInput, TResult).PropertyOfResult +- uid: MongoDB.Entities.Template`2.Property``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name: Property(Expression>) + href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Property__1_System_Linq_Expressions_Expression_System_Func___0_System_Object___ + commentId: M:MongoDB.Entities.Template`2.Property``1(System.Linq.Expressions.Expression{System.Func{``0,System.Object}}) + name.vb: Property(Of TOther)(Expression(Of Func(Of TOther, Object))) + fullName: MongoDB.Entities.Template.Property(System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.Template(Of TInput, TResult).Property(Of TOther)(System.Linq.Expressions.Expression(Of System.Func(Of TOther, System.Object))) + nameWithType: Template.Property(Expression>) + nameWithType.vb: Template(Of TInput, TResult).Property(Of TOther)(Expression(Of Func(Of TOther, Object))) - uid: MongoDB.Entities.Template`2.Tag(System.String,System.String) name: Tag(String, String) href: api/MongoDB.Entities.Template-2.html#MongoDB_Entities_Template_2_Tag_System_String_System_String_ @@ -6019,892 +6019,892 @@ references: isSpec: "True" fullName: MongoDB.Entities.Transaction.Dispose nameWithType: Transaction.Dispose -- uid: MongoDB.Entities.Update`1 - name: Update - href: api/MongoDB.Entities.Update-1.html - commentId: T:MongoDB.Entities.Update`1 - name.vb: Update(Of T) - fullName: MongoDB.Entities.Update - fullName.vb: MongoDB.Entities.Update(Of T) - nameWithType: Update - nameWithType.vb: Update(Of T) -- uid: MongoDB.Entities.Update`1.AddToQueue - name: AddToQueue() - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_AddToQueue - commentId: M:MongoDB.Entities.Update`1.AddToQueue - fullName: MongoDB.Entities.Update.AddToQueue() - fullName.vb: MongoDB.Entities.Update(Of T).AddToQueue() - nameWithType: Update.AddToQueue() - nameWithType.vb: Update(Of T).AddToQueue() -- uid: MongoDB.Entities.Update`1.AddToQueue* - name: AddToQueue - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_AddToQueue_ - commentId: Overload:MongoDB.Entities.Update`1.AddToQueue - isSpec: "True" - fullName: MongoDB.Entities.Update.AddToQueue - fullName.vb: MongoDB.Entities.Update(Of T).AddToQueue - nameWithType: Update.AddToQueue - nameWithType.vb: Update(Of T).AddToQueue -- uid: MongoDB.Entities.Update`1.ExecuteAsync(System.Threading.CancellationToken) +- uid: MongoDB.Entities.UpdateAndGet`1 + name: UpdateAndGet + href: api/MongoDB.Entities.UpdateAndGet-1.html + commentId: T:MongoDB.Entities.UpdateAndGet`1 + name.vb: UpdateAndGet(Of T) + fullName: MongoDB.Entities.UpdateAndGet + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T) + nameWithType: UpdateAndGet + nameWithType.vb: UpdateAndGet(Of T) +- uid: MongoDB.Entities.UpdateAndGet`2 + name: UpdateAndGet + href: api/MongoDB.Entities.UpdateAndGet-2.html + commentId: T:MongoDB.Entities.UpdateAndGet`2 + name.vb: UpdateAndGet(Of T, TProjection) + fullName: MongoDB.Entities.UpdateAndGet + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection) + nameWithType: UpdateAndGet + nameWithType.vb: UpdateAndGet(Of T, TProjection) +- uid: MongoDB.Entities.UpdateAndGet`2.ExecuteAsync(System.Threading.CancellationToken) name: ExecuteAsync(CancellationToken) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ExecuteAsync_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Update`1.ExecuteAsync(System.Threading.CancellationToken) - fullName: MongoDB.Entities.Update.ExecuteAsync(System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Update(Of T).ExecuteAsync(System.Threading.CancellationToken) - nameWithType: Update.ExecuteAsync(CancellationToken) - nameWithType.vb: Update(Of T).ExecuteAsync(CancellationToken) -- uid: MongoDB.Entities.Update`1.ExecuteAsync* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ExecuteAsync_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.ExecuteAsync(System.Threading.CancellationToken) + fullName: MongoDB.Entities.UpdateAndGet.ExecuteAsync(System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ExecuteAsync(System.Threading.CancellationToken) + nameWithType: UpdateAndGet.ExecuteAsync(CancellationToken) + nameWithType.vb: UpdateAndGet(Of T, TProjection).ExecuteAsync(CancellationToken) +- uid: MongoDB.Entities.UpdateAndGet`2.ExecuteAsync* name: ExecuteAsync - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ExecuteAsync_ - commentId: Overload:MongoDB.Entities.Update`1.ExecuteAsync + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ExecuteAsync_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.ExecuteAsync isSpec: "True" - fullName: MongoDB.Entities.Update.ExecuteAsync - fullName.vb: MongoDB.Entities.Update(Of T).ExecuteAsync - nameWithType: Update.ExecuteAsync - nameWithType.vb: Update(Of T).ExecuteAsync -- uid: MongoDB.Entities.Update`1.ExecutePipelineAsync(System.Threading.CancellationToken) + fullName: MongoDB.Entities.UpdateAndGet.ExecuteAsync + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ExecuteAsync + nameWithType: UpdateAndGet.ExecuteAsync + nameWithType.vb: UpdateAndGet(Of T, TProjection).ExecuteAsync +- uid: MongoDB.Entities.UpdateAndGet`2.ExecutePipelineAsync(System.Threading.CancellationToken) name: ExecutePipelineAsync(CancellationToken) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ExecutePipelineAsync_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Update`1.ExecutePipelineAsync(System.Threading.CancellationToken) - fullName: MongoDB.Entities.Update.ExecutePipelineAsync(System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Update(Of T).ExecutePipelineAsync(System.Threading.CancellationToken) - nameWithType: Update.ExecutePipelineAsync(CancellationToken) - nameWithType.vb: Update(Of T).ExecutePipelineAsync(CancellationToken) -- uid: MongoDB.Entities.Update`1.ExecutePipelineAsync* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ExecutePipelineAsync_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.ExecutePipelineAsync(System.Threading.CancellationToken) + fullName: MongoDB.Entities.UpdateAndGet.ExecutePipelineAsync(System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ExecutePipelineAsync(System.Threading.CancellationToken) + nameWithType: UpdateAndGet.ExecutePipelineAsync(CancellationToken) + nameWithType.vb: UpdateAndGet(Of T, TProjection).ExecutePipelineAsync(CancellationToken) +- uid: MongoDB.Entities.UpdateAndGet`2.ExecutePipelineAsync* name: ExecutePipelineAsync - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ExecutePipelineAsync_ - commentId: Overload:MongoDB.Entities.Update`1.ExecutePipelineAsync + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ExecutePipelineAsync_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.ExecutePipelineAsync isSpec: "True" - fullName: MongoDB.Entities.Update.ExecutePipelineAsync - fullName.vb: MongoDB.Entities.Update(Of T).ExecutePipelineAsync - nameWithType: Update.ExecutePipelineAsync - nameWithType.vb: Update(Of T).ExecutePipelineAsync -- uid: MongoDB.Entities.Update`1.IgnoreGlobalFilters + fullName: MongoDB.Entities.UpdateAndGet.ExecutePipelineAsync + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ExecutePipelineAsync + nameWithType: UpdateAndGet.ExecutePipelineAsync + nameWithType.vb: UpdateAndGet(Of T, TProjection).ExecutePipelineAsync +- uid: MongoDB.Entities.UpdateAndGet`2.IgnoreGlobalFilters name: IgnoreGlobalFilters() - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_IgnoreGlobalFilters - commentId: M:MongoDB.Entities.Update`1.IgnoreGlobalFilters - fullName: MongoDB.Entities.Update.IgnoreGlobalFilters() - fullName.vb: MongoDB.Entities.Update(Of T).IgnoreGlobalFilters() - nameWithType: Update.IgnoreGlobalFilters() - nameWithType.vb: Update(Of T).IgnoreGlobalFilters() -- uid: MongoDB.Entities.Update`1.IgnoreGlobalFilters* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_IgnoreGlobalFilters + commentId: M:MongoDB.Entities.UpdateAndGet`2.IgnoreGlobalFilters + fullName: MongoDB.Entities.UpdateAndGet.IgnoreGlobalFilters() + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).IgnoreGlobalFilters() + nameWithType: UpdateAndGet.IgnoreGlobalFilters() + nameWithType.vb: UpdateAndGet(Of T, TProjection).IgnoreGlobalFilters() +- uid: MongoDB.Entities.UpdateAndGet`2.IgnoreGlobalFilters* name: IgnoreGlobalFilters - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_IgnoreGlobalFilters_ - commentId: Overload:MongoDB.Entities.Update`1.IgnoreGlobalFilters + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_IgnoreGlobalFilters_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.IgnoreGlobalFilters isSpec: "True" - fullName: MongoDB.Entities.Update.IgnoreGlobalFilters - fullName.vb: MongoDB.Entities.Update(Of T).IgnoreGlobalFilters - nameWithType: Update.IgnoreGlobalFilters - nameWithType.vb: Update(Of T).IgnoreGlobalFilters -- uid: MongoDB.Entities.Update`1.Match(MongoDB.Driver.FilterDefinition{`0}) - name: Match(FilterDefinition) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_MongoDB_Driver_FilterDefinition__0__ - commentId: M:MongoDB.Entities.Update`1.Match(MongoDB.Driver.FilterDefinition{`0}) - name.vb: Match(FilterDefinition(Of T)) - fullName: MongoDB.Entities.Update.Match(MongoDB.Driver.FilterDefinition) - fullName.vb: MongoDB.Entities.Update(Of T).Match(MongoDB.Driver.FilterDefinition(Of T)) - nameWithType: Update.Match(FilterDefinition) - nameWithType.vb: Update(Of T).Match(FilterDefinition(Of T)) -- uid: MongoDB.Entities.Update`1.Match(MongoDB.Entities.Search,System.String,System.Boolean,System.Boolean,System.String) - name: Match(Search, String, Boolean, Boolean, String) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_MongoDB_Entities_Search_System_String_System_Boolean_System_Boolean_System_String_ - commentId: M:MongoDB.Entities.Update`1.Match(MongoDB.Entities.Search,System.String,System.Boolean,System.Boolean,System.String) - fullName: MongoDB.Entities.Update.Match(MongoDB.Entities.Search, System.String, System.Boolean, System.Boolean, System.String) - fullName.vb: MongoDB.Entities.Update(Of T).Match(MongoDB.Entities.Search, System.String, System.Boolean, System.Boolean, System.String) - nameWithType: Update.Match(Search, String, Boolean, Boolean, String) - nameWithType.vb: Update(Of T).Match(Search, String, Boolean, Boolean, String) -- uid: MongoDB.Entities.Update`1.Match(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.IgnoreGlobalFilters + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).IgnoreGlobalFilters + nameWithType: UpdateAndGet.IgnoreGlobalFilters + nameWithType.vb: UpdateAndGet(Of T, TProjection).IgnoreGlobalFilters +- uid: MongoDB.Entities.UpdateAndGet`2.IncludeRequiredProps + name: IncludeRequiredProps() + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_IncludeRequiredProps + commentId: M:MongoDB.Entities.UpdateAndGet`2.IncludeRequiredProps + fullName: MongoDB.Entities.UpdateAndGet.IncludeRequiredProps() + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).IncludeRequiredProps() + nameWithType: UpdateAndGet.IncludeRequiredProps() + nameWithType.vb: UpdateAndGet(Of T, TProjection).IncludeRequiredProps() +- uid: MongoDB.Entities.UpdateAndGet`2.IncludeRequiredProps* + name: IncludeRequiredProps + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_IncludeRequiredProps_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.IncludeRequiredProps + isSpec: "True" + fullName: MongoDB.Entities.UpdateAndGet.IncludeRequiredProps + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).IncludeRequiredProps + nameWithType: UpdateAndGet.IncludeRequiredProps + nameWithType.vb: UpdateAndGet(Of T, TProjection).IncludeRequiredProps +- uid: MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Driver.FilterDefinition{`0}) + name: Match(FilterDefinition) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_MongoDB_Driver_FilterDefinition__0__ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Driver.FilterDefinition{`0}) + name.vb: Match(FilterDefinition(Of T)) + fullName: MongoDB.Entities.UpdateAndGet.Match(MongoDB.Driver.FilterDefinition) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(MongoDB.Driver.FilterDefinition(Of T)) + nameWithType: UpdateAndGet.Match(FilterDefinition) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(FilterDefinition(Of T)) +- uid: MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Entities.Search,System.String,System.Boolean,System.Boolean,System.String) + name: Match(Search, String, Boolean, Boolean, String) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_MongoDB_Entities_Search_System_String_System_Boolean_System_Boolean_System_String_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Entities.Search,System.String,System.Boolean,System.Boolean,System.String) + fullName: MongoDB.Entities.UpdateAndGet.Match(MongoDB.Entities.Search, System.String, System.Boolean, System.Boolean, System.String) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(MongoDB.Entities.Search, System.String, System.Boolean, System.Boolean, System.String) + nameWithType: UpdateAndGet.Match(Search, String, Boolean, Boolean, String) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(Search, String, Boolean, Boolean, String) +- uid: MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Entities.Template) name: Match(Template) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.Update`1.Match(MongoDB.Entities.Template) - fullName: MongoDB.Entities.Update.Match(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.Update(Of T).Match(MongoDB.Entities.Template) - nameWithType: Update.Match(Template) - nameWithType.vb: Update(Of T).Match(Template) -- uid: MongoDB.Entities.Update`1.Match(System.Func{MongoDB.Driver.FilterDefinitionBuilder{`0},MongoDB.Driver.FilterDefinition{`0}}) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.Match(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(MongoDB.Entities.Template) + nameWithType: UpdateAndGet.Match(Template) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(Template) +- uid: MongoDB.Entities.UpdateAndGet`2.Match(System.Func{MongoDB.Driver.FilterDefinitionBuilder{`0},MongoDB.Driver.FilterDefinition{`0}}) name: Match(Func, FilterDefinition>) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_System_Func_MongoDB_Driver_FilterDefinitionBuilder__0__MongoDB_Driver_FilterDefinition__0___ - commentId: M:MongoDB.Entities.Update`1.Match(System.Func{MongoDB.Driver.FilterDefinitionBuilder{`0},MongoDB.Driver.FilterDefinition{`0}}) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_System_Func_MongoDB_Driver_FilterDefinitionBuilder__0__MongoDB_Driver_FilterDefinition__0___ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(System.Func{MongoDB.Driver.FilterDefinitionBuilder{`0},MongoDB.Driver.FilterDefinition{`0}}) name.vb: Match(Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T))) - fullName: MongoDB.Entities.Update.Match(System.Func, MongoDB.Driver.FilterDefinition>) - fullName.vb: MongoDB.Entities.Update(Of T).Match(System.Func(Of MongoDB.Driver.FilterDefinitionBuilder(Of T), MongoDB.Driver.FilterDefinition(Of T))) - nameWithType: Update.Match(Func, FilterDefinition>) - nameWithType.vb: Update(Of T).Match(Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T))) -- uid: MongoDB.Entities.Update`1.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Boolean}}) + fullName: MongoDB.Entities.UpdateAndGet.Match(System.Func, MongoDB.Driver.FilterDefinition>) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(System.Func(Of MongoDB.Driver.FilterDefinitionBuilder(Of T), MongoDB.Driver.FilterDefinition(Of T))) + nameWithType: UpdateAndGet.Match(Func, FilterDefinition>) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T))) +- uid: MongoDB.Entities.UpdateAndGet`2.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Boolean}}) name: Match(Expression>) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_System_Linq_Expressions_Expression_System_Func__0_System_Boolean___ - commentId: M:MongoDB.Entities.Update`1.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Boolean}}) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_System_Linq_Expressions_Expression_System_Func__0_System_Boolean___ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Boolean}}) name.vb: Match(Expression(Of Func(Of T, Boolean))) - fullName: MongoDB.Entities.Update.Match(System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.Update(Of T).Match(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Boolean))) - nameWithType: Update.Match(Expression>) - nameWithType.vb: Update(Of T).Match(Expression(Of Func(Of T, Boolean))) -- uid: MongoDB.Entities.Update`1.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},MongoDB.Entities.Coordinates2D,System.Nullable{System.Double},System.Nullable{System.Double}) + fullName: MongoDB.Entities.UpdateAndGet.Match(System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Boolean))) + nameWithType: UpdateAndGet.Match(Expression>) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(Expression(Of Func(Of T, Boolean))) +- uid: MongoDB.Entities.UpdateAndGet`2.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},MongoDB.Entities.Coordinates2D,System.Nullable{System.Double},System.Nullable{System.Double}) name: Match(Expression>, Coordinates2D, Nullable, Nullable) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_System_Linq_Expressions_Expression_System_Func__0_System_Object___MongoDB_Entities_Coordinates2D_System_Nullable_System_Double__System_Nullable_System_Double__ - commentId: M:MongoDB.Entities.Update`1.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},MongoDB.Entities.Coordinates2D,System.Nullable{System.Double},System.Nullable{System.Double}) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_System_Linq_Expressions_Expression_System_Func__0_System_Object___MongoDB_Entities_Coordinates2D_System_Nullable_System_Double__System_Nullable_System_Double__ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},MongoDB.Entities.Coordinates2D,System.Nullable{System.Double},System.Nullable{System.Double}) name.vb: Match(Expression(Of Func(Of T, Object)), Coordinates2D, Nullable(Of Double), Nullable(Of Double)) - fullName: MongoDB.Entities.Update.Match(System.Linq.Expressions.Expression>, MongoDB.Entities.Coordinates2D, System.Nullable, System.Nullable) - fullName.vb: MongoDB.Entities.Update(Of T).Match(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Entities.Coordinates2D, System.Nullable(Of System.Double), System.Nullable(Of System.Double)) - nameWithType: Update.Match(Expression>, Coordinates2D, Nullable, Nullable) - nameWithType.vb: Update(Of T).Match(Expression(Of Func(Of T, Object)), Coordinates2D, Nullable(Of Double), Nullable(Of Double)) -- uid: MongoDB.Entities.Update`1.Match* + fullName: MongoDB.Entities.UpdateAndGet.Match(System.Linq.Expressions.Expression>, MongoDB.Entities.Coordinates2D, System.Nullable, System.Nullable) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Entities.Coordinates2D, System.Nullable(Of System.Double), System.Nullable(Of System.Double)) + nameWithType: UpdateAndGet.Match(Expression>, Coordinates2D, Nullable, Nullable) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(Expression(Of Func(Of T, Object)), Coordinates2D, Nullable(Of Double), Nullable(Of Double)) +- uid: MongoDB.Entities.UpdateAndGet`2.Match* name: Match - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_ - commentId: Overload:MongoDB.Entities.Update`1.Match + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.Match isSpec: "True" - fullName: MongoDB.Entities.Update.Match - fullName.vb: MongoDB.Entities.Update(Of T).Match - nameWithType: Update.Match - nameWithType.vb: Update(Of T).Match -- uid: MongoDB.Entities.Update`1.MatchExpression(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.Match + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match + nameWithType: UpdateAndGet.Match + nameWithType.vb: UpdateAndGet(Of T, TProjection).Match +- uid: MongoDB.Entities.UpdateAndGet`2.MatchExpression(MongoDB.Entities.Template) name: MatchExpression(Template) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchExpression_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.Update`1.MatchExpression(MongoDB.Entities.Template) - fullName: MongoDB.Entities.Update.MatchExpression(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.Update(Of T).MatchExpression(MongoDB.Entities.Template) - nameWithType: Update.MatchExpression(Template) - nameWithType.vb: Update(Of T).MatchExpression(Template) -- uid: MongoDB.Entities.Update`1.MatchExpression(System.String) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchExpression_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.MatchExpression(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.MatchExpression(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchExpression(MongoDB.Entities.Template) + nameWithType: UpdateAndGet.MatchExpression(Template) + nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchExpression(Template) +- uid: MongoDB.Entities.UpdateAndGet`2.MatchExpression(System.String) name: MatchExpression(String) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchExpression_System_String_ - commentId: M:MongoDB.Entities.Update`1.MatchExpression(System.String) - fullName: MongoDB.Entities.Update.MatchExpression(System.String) - fullName.vb: MongoDB.Entities.Update(Of T).MatchExpression(System.String) - nameWithType: Update.MatchExpression(String) - nameWithType.vb: Update(Of T).MatchExpression(String) -- uid: MongoDB.Entities.Update`1.MatchExpression* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchExpression_System_String_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.MatchExpression(System.String) + fullName: MongoDB.Entities.UpdateAndGet.MatchExpression(System.String) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchExpression(System.String) + nameWithType: UpdateAndGet.MatchExpression(String) + nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchExpression(String) +- uid: MongoDB.Entities.UpdateAndGet`2.MatchExpression* name: MatchExpression - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchExpression_ - commentId: Overload:MongoDB.Entities.Update`1.MatchExpression + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchExpression_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.MatchExpression isSpec: "True" - fullName: MongoDB.Entities.Update.MatchExpression - fullName.vb: MongoDB.Entities.Update(Of T).MatchExpression - nameWithType: Update.MatchExpression - nameWithType.vb: Update(Of T).MatchExpression -- uid: MongoDB.Entities.Update`1.MatchID(System.String) + fullName: MongoDB.Entities.UpdateAndGet.MatchExpression + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchExpression + nameWithType: UpdateAndGet.MatchExpression + nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchExpression +- uid: MongoDB.Entities.UpdateAndGet`2.MatchID(System.String) name: MatchID(String) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchID_System_String_ - commentId: M:MongoDB.Entities.Update`1.MatchID(System.String) - fullName: MongoDB.Entities.Update.MatchID(System.String) - fullName.vb: MongoDB.Entities.Update(Of T).MatchID(System.String) - nameWithType: Update.MatchID(String) - nameWithType.vb: Update(Of T).MatchID(String) -- uid: MongoDB.Entities.Update`1.MatchID* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchID_System_String_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.MatchID(System.String) + fullName: MongoDB.Entities.UpdateAndGet.MatchID(System.String) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchID(System.String) + nameWithType: UpdateAndGet.MatchID(String) + nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchID(String) +- uid: MongoDB.Entities.UpdateAndGet`2.MatchID* name: MatchID - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchID_ - commentId: Overload:MongoDB.Entities.Update`1.MatchID + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchID_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.MatchID isSpec: "True" - fullName: MongoDB.Entities.Update.MatchID - fullName.vb: MongoDB.Entities.Update(Of T).MatchID - nameWithType: Update.MatchID - nameWithType.vb: Update(Of T).MatchID -- uid: MongoDB.Entities.Update`1.MatchString(System.String) + fullName: MongoDB.Entities.UpdateAndGet.MatchID + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchID + nameWithType: UpdateAndGet.MatchID + nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchID +- uid: MongoDB.Entities.UpdateAndGet`2.MatchString(System.String) name: MatchString(String) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchString_System_String_ - commentId: M:MongoDB.Entities.Update`1.MatchString(System.String) - fullName: MongoDB.Entities.Update.MatchString(System.String) - fullName.vb: MongoDB.Entities.Update(Of T).MatchString(System.String) - nameWithType: Update.MatchString(String) - nameWithType.vb: Update(Of T).MatchString(String) -- uid: MongoDB.Entities.Update`1.MatchString* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchString_System_String_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.MatchString(System.String) + fullName: MongoDB.Entities.UpdateAndGet.MatchString(System.String) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchString(System.String) + nameWithType: UpdateAndGet.MatchString(String) + nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchString(String) +- uid: MongoDB.Entities.UpdateAndGet`2.MatchString* name: MatchString - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchString_ - commentId: Overload:MongoDB.Entities.Update`1.MatchString + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchString_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.MatchString isSpec: "True" - fullName: MongoDB.Entities.Update.MatchString - fullName.vb: MongoDB.Entities.Update(Of T).MatchString - nameWithType: Update.MatchString - nameWithType.vb: Update(Of T).MatchString -- uid: MongoDB.Entities.Update`1.Modify(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.MatchString + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchString + nameWithType: UpdateAndGet.MatchString + nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchString +- uid: MongoDB.Entities.UpdateAndGet`2.Modify(MongoDB.Entities.Template) name: Modify(Template) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Modify_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.Update`1.Modify(MongoDB.Entities.Template) - fullName: MongoDB.Entities.Update.Modify(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.Update(Of T).Modify(MongoDB.Entities.Template) - nameWithType: Update.Modify(Template) - nameWithType.vb: Update(Of T).Modify(Template) -- uid: MongoDB.Entities.Update`1.Modify(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Modify_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Modify(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.Modify(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Modify(MongoDB.Entities.Template) + nameWithType: UpdateAndGet.Modify(Template) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Modify(Template) +- uid: MongoDB.Entities.UpdateAndGet`2.Modify(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) name: Modify(Func, UpdateDefinition>) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Modify_System_Func_MongoDB_Driver_UpdateDefinitionBuilder__0__MongoDB_Driver_UpdateDefinition__0___ - commentId: M:MongoDB.Entities.Update`1.Modify(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Modify_System_Func_MongoDB_Driver_UpdateDefinitionBuilder__0__MongoDB_Driver_UpdateDefinition__0___ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Modify(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) name.vb: Modify(Func(Of UpdateDefinitionBuilder(Of T), UpdateDefinition(Of T))) - fullName: MongoDB.Entities.Update.Modify(System.Func, MongoDB.Driver.UpdateDefinition>) - fullName.vb: MongoDB.Entities.Update(Of T).Modify(System.Func(Of MongoDB.Driver.UpdateDefinitionBuilder(Of T), MongoDB.Driver.UpdateDefinition(Of T))) - nameWithType: Update.Modify(Func, UpdateDefinition>) - nameWithType.vb: Update(Of T).Modify(Func(Of UpdateDefinitionBuilder(Of T), UpdateDefinition(Of T))) -- uid: MongoDB.Entities.Update`1.Modify(System.String) + fullName: MongoDB.Entities.UpdateAndGet.Modify(System.Func, MongoDB.Driver.UpdateDefinition>) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Modify(System.Func(Of MongoDB.Driver.UpdateDefinitionBuilder(Of T), MongoDB.Driver.UpdateDefinition(Of T))) + nameWithType: UpdateAndGet.Modify(Func, UpdateDefinition>) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Modify(Func(Of UpdateDefinitionBuilder(Of T), UpdateDefinition(Of T))) +- uid: MongoDB.Entities.UpdateAndGet`2.Modify(System.String) name: Modify(String) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Modify_System_String_ - commentId: M:MongoDB.Entities.Update`1.Modify(System.String) - fullName: MongoDB.Entities.Update.Modify(System.String) - fullName.vb: MongoDB.Entities.Update(Of T).Modify(System.String) - nameWithType: Update.Modify(String) - nameWithType.vb: Update(Of T).Modify(String) -- uid: MongoDB.Entities.Update`1.Modify* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Modify_System_String_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Modify(System.String) + fullName: MongoDB.Entities.UpdateAndGet.Modify(System.String) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Modify(System.String) + nameWithType: UpdateAndGet.Modify(String) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Modify(String) +- uid: MongoDB.Entities.UpdateAndGet`2.Modify* name: Modify - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Modify_ - commentId: Overload:MongoDB.Entities.Update`1.Modify + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Modify_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.Modify isSpec: "True" - fullName: MongoDB.Entities.Update.Modify - fullName.vb: MongoDB.Entities.Update(Of T).Modify - nameWithType: Update.Modify - nameWithType.vb: Update(Of T).Modify -- uid: MongoDB.Entities.Update`1.Modify``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) - name: Modify(Expression>, TProp) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Modify__1_System_Linq_Expressions_Expression_System_Func__0___0_____0_ - commentId: M:MongoDB.Entities.Update`1.Modify``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) - name.vb: Modify(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) - fullName: MongoDB.Entities.Update.Modify(System.Linq.Expressions.Expression>, TProp) - fullName.vb: MongoDB.Entities.Update(Of T).Modify(Of TProp)(System.Linq.Expressions.Expression(Of System.Func(Of T, TProp)), TProp) - nameWithType: Update.Modify(Expression>, TProp) - nameWithType.vb: Update(Of T).Modify(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) -- uid: MongoDB.Entities.Update`1.ModifyExcept(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) + fullName: MongoDB.Entities.UpdateAndGet.Modify + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Modify + nameWithType: UpdateAndGet.Modify + nameWithType.vb: UpdateAndGet(Of T, TProjection).Modify +- uid: MongoDB.Entities.UpdateAndGet`2.ModifyExcept(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) name: ModifyExcept(Expression>, T) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyExcept_System_Linq_Expressions_Expression_System_Func__0_System_Object____0_ - commentId: M:MongoDB.Entities.Update`1.ModifyExcept(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyExcept_System_Linq_Expressions_Expression_System_Func__0_System_Object____0_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.ModifyExcept(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) name.vb: ModifyExcept(Expression(Of Func(Of T, Object)), T) - fullName: MongoDB.Entities.Update.ModifyExcept(System.Linq.Expressions.Expression>, T) - fullName.vb: MongoDB.Entities.Update(Of T).ModifyExcept(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), T) - nameWithType: Update.ModifyExcept(Expression>, T) - nameWithType.vb: Update(Of T).ModifyExcept(Expression(Of Func(Of T, Object)), T) -- uid: MongoDB.Entities.Update`1.ModifyExcept* + fullName: MongoDB.Entities.UpdateAndGet.ModifyExcept(System.Linq.Expressions.Expression>, T) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyExcept(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), T) + nameWithType: UpdateAndGet.ModifyExcept(Expression>, T) + nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyExcept(Expression(Of Func(Of T, Object)), T) +- uid: MongoDB.Entities.UpdateAndGet`2.ModifyExcept* name: ModifyExcept - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyExcept_ - commentId: Overload:MongoDB.Entities.Update`1.ModifyExcept + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyExcept_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.ModifyExcept isSpec: "True" - fullName: MongoDB.Entities.Update.ModifyExcept - fullName.vb: MongoDB.Entities.Update(Of T).ModifyExcept - nameWithType: Update.ModifyExcept - nameWithType.vb: Update(Of T).ModifyExcept -- uid: MongoDB.Entities.Update`1.ModifyOnly(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) + fullName: MongoDB.Entities.UpdateAndGet.ModifyExcept + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyExcept + nameWithType: UpdateAndGet.ModifyExcept + nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyExcept +- uid: MongoDB.Entities.UpdateAndGet`2.ModifyOnly(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) name: ModifyOnly(Expression>, T) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyOnly_System_Linq_Expressions_Expression_System_Func__0_System_Object____0_ - commentId: M:MongoDB.Entities.Update`1.ModifyOnly(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyOnly_System_Linq_Expressions_Expression_System_Func__0_System_Object____0_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.ModifyOnly(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) name.vb: ModifyOnly(Expression(Of Func(Of T, Object)), T) - fullName: MongoDB.Entities.Update.ModifyOnly(System.Linq.Expressions.Expression>, T) - fullName.vb: MongoDB.Entities.Update(Of T).ModifyOnly(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), T) - nameWithType: Update.ModifyOnly(Expression>, T) - nameWithType.vb: Update(Of T).ModifyOnly(Expression(Of Func(Of T, Object)), T) -- uid: MongoDB.Entities.Update`1.ModifyOnly* + fullName: MongoDB.Entities.UpdateAndGet.ModifyOnly(System.Linq.Expressions.Expression>, T) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyOnly(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), T) + nameWithType: UpdateAndGet.ModifyOnly(Expression>, T) + nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyOnly(Expression(Of Func(Of T, Object)), T) +- uid: MongoDB.Entities.UpdateAndGet`2.ModifyOnly* name: ModifyOnly - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyOnly_ - commentId: Overload:MongoDB.Entities.Update`1.ModifyOnly + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyOnly_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.ModifyOnly isSpec: "True" - fullName: MongoDB.Entities.Update.ModifyOnly - fullName.vb: MongoDB.Entities.Update(Of T).ModifyOnly - nameWithType: Update.ModifyOnly - nameWithType.vb: Update(Of T).ModifyOnly -- uid: MongoDB.Entities.Update`1.ModifyWith(`0) + fullName: MongoDB.Entities.UpdateAndGet.ModifyOnly + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyOnly + nameWithType: UpdateAndGet.ModifyOnly + nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyOnly +- uid: MongoDB.Entities.UpdateAndGet`2.ModifyWith(`0) name: ModifyWith(T) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyWith__0_ - commentId: M:MongoDB.Entities.Update`1.ModifyWith(`0) - fullName: MongoDB.Entities.Update.ModifyWith(T) - fullName.vb: MongoDB.Entities.Update(Of T).ModifyWith(T) - nameWithType: Update.ModifyWith(T) - nameWithType.vb: Update(Of T).ModifyWith(T) -- uid: MongoDB.Entities.Update`1.ModifyWith* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyWith__0_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.ModifyWith(`0) + fullName: MongoDB.Entities.UpdateAndGet.ModifyWith(T) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyWith(T) + nameWithType: UpdateAndGet.ModifyWith(T) + nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyWith(T) +- uid: MongoDB.Entities.UpdateAndGet`2.ModifyWith* name: ModifyWith - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyWith_ - commentId: Overload:MongoDB.Entities.Update`1.ModifyWith + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyWith_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.ModifyWith isSpec: "True" - fullName: MongoDB.Entities.Update.ModifyWith - fullName.vb: MongoDB.Entities.Update(Of T).ModifyWith - nameWithType: Update.ModifyWith - nameWithType.vb: Update(Of T).ModifyWith -- uid: MongoDB.Entities.Update`1.Option(System.Action{MongoDB.Driver.UpdateOptions}) - name: Option(Action) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Option_System_Action_MongoDB_Driver_UpdateOptions__ - commentId: M:MongoDB.Entities.Update`1.Option(System.Action{MongoDB.Driver.UpdateOptions}) - name.vb: Option(Action(Of UpdateOptions)) - fullName: MongoDB.Entities.Update.Option(System.Action) - fullName.vb: MongoDB.Entities.Update(Of T).Option(System.Action(Of MongoDB.Driver.UpdateOptions)) - nameWithType: Update.Option(Action) - nameWithType.vb: Update(Of T).Option(Action(Of UpdateOptions)) -- uid: MongoDB.Entities.Update`1.Option* + fullName: MongoDB.Entities.UpdateAndGet.ModifyWith + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyWith + nameWithType: UpdateAndGet.ModifyWith + nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyWith +- uid: MongoDB.Entities.UpdateAndGet`2.Modify``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) + name: Modify(Expression>, TProp) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Modify__1_System_Linq_Expressions_Expression_System_Func__0___0_____0_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Modify``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) + name.vb: Modify(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) + fullName: MongoDB.Entities.UpdateAndGet.Modify(System.Linq.Expressions.Expression>, TProp) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Modify(Of TProp)(System.Linq.Expressions.Expression(Of System.Func(Of T, TProp)), TProp) + nameWithType: UpdateAndGet.Modify(Expression>, TProp) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Modify(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) +- uid: MongoDB.Entities.UpdateAndGet`2.Option(System.Action{MongoDB.Driver.FindOneAndUpdateOptions{`0,`1}}) + name: Option(Action>) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Option_System_Action_MongoDB_Driver_FindOneAndUpdateOptions__0__1___ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Option(System.Action{MongoDB.Driver.FindOneAndUpdateOptions{`0,`1}}) + name.vb: Option(Action(Of FindOneAndUpdateOptions(Of T, TProjection))) + fullName: MongoDB.Entities.UpdateAndGet.Option(System.Action>) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Option(System.Action(Of MongoDB.Driver.FindOneAndUpdateOptions(Of T, TProjection))) + nameWithType: UpdateAndGet.Option(Action>) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Option(Action(Of FindOneAndUpdateOptions(Of T, TProjection))) +- uid: MongoDB.Entities.UpdateAndGet`2.Option* name: Option - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Option_ - commentId: Overload:MongoDB.Entities.Update`1.Option + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Option_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.Option isSpec: "True" - fullName: MongoDB.Entities.Update.Option - fullName.vb: MongoDB.Entities.Update(Of T).Option - nameWithType: Update.Option - nameWithType.vb: Update(Of T).Option -- uid: MongoDB.Entities.Update`1.WithArrayFilter(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.Option + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Option + nameWithType: UpdateAndGet.Option + nameWithType.vb: UpdateAndGet(Of T, TProjection).Option +- uid: MongoDB.Entities.UpdateAndGet`2.Project(System.Func{MongoDB.Driver.ProjectionDefinitionBuilder{`0},MongoDB.Driver.ProjectionDefinition{`0,`1}}) + name: Project(Func, ProjectionDefinition>) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Project_System_Func_MongoDB_Driver_ProjectionDefinitionBuilder__0__MongoDB_Driver_ProjectionDefinition__0__1___ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Project(System.Func{MongoDB.Driver.ProjectionDefinitionBuilder{`0},MongoDB.Driver.ProjectionDefinition{`0,`1}}) + name.vb: Project(Func(Of ProjectionDefinitionBuilder(Of T), ProjectionDefinition(Of T, TProjection))) + fullName: MongoDB.Entities.UpdateAndGet.Project(System.Func, MongoDB.Driver.ProjectionDefinition>) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Project(System.Func(Of MongoDB.Driver.ProjectionDefinitionBuilder(Of T), MongoDB.Driver.ProjectionDefinition(Of T, TProjection))) + nameWithType: UpdateAndGet.Project(Func, ProjectionDefinition>) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Project(Func(Of ProjectionDefinitionBuilder(Of T), ProjectionDefinition(Of T, TProjection))) +- uid: MongoDB.Entities.UpdateAndGet`2.Project(System.Linq.Expressions.Expression{System.Func{`0,`1}}) + name: Project(Expression>) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Project_System_Linq_Expressions_Expression_System_Func__0__1___ + commentId: M:MongoDB.Entities.UpdateAndGet`2.Project(System.Linq.Expressions.Expression{System.Func{`0,`1}}) + name.vb: Project(Expression(Of Func(Of T, TProjection))) + fullName: MongoDB.Entities.UpdateAndGet.Project(System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Project(System.Linq.Expressions.Expression(Of System.Func(Of T, TProjection))) + nameWithType: UpdateAndGet.Project(Expression>) + nameWithType.vb: UpdateAndGet(Of T, TProjection).Project(Expression(Of Func(Of T, TProjection))) +- uid: MongoDB.Entities.UpdateAndGet`2.Project* + name: Project + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Project_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.Project + isSpec: "True" + fullName: MongoDB.Entities.UpdateAndGet.Project + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Project + nameWithType: UpdateAndGet.Project + nameWithType.vb: UpdateAndGet(Of T, TProjection).Project +- uid: MongoDB.Entities.UpdateAndGet`2.WithArrayFilter(MongoDB.Entities.Template) name: WithArrayFilter(Template) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithArrayFilter_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.Update`1.WithArrayFilter(MongoDB.Entities.Template) - fullName: MongoDB.Entities.Update.WithArrayFilter(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.Update(Of T).WithArrayFilter(MongoDB.Entities.Template) - nameWithType: Update.WithArrayFilter(Template) - nameWithType.vb: Update(Of T).WithArrayFilter(Template) -- uid: MongoDB.Entities.Update`1.WithArrayFilter(System.String) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithArrayFilter_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.WithArrayFilter(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.WithArrayFilter(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithArrayFilter(MongoDB.Entities.Template) + nameWithType: UpdateAndGet.WithArrayFilter(Template) + nameWithType.vb: UpdateAndGet(Of T, TProjection).WithArrayFilter(Template) +- uid: MongoDB.Entities.UpdateAndGet`2.WithArrayFilter(System.String) name: WithArrayFilter(String) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithArrayFilter_System_String_ - commentId: M:MongoDB.Entities.Update`1.WithArrayFilter(System.String) - fullName: MongoDB.Entities.Update.WithArrayFilter(System.String) - fullName.vb: MongoDB.Entities.Update(Of T).WithArrayFilter(System.String) - nameWithType: Update.WithArrayFilter(String) - nameWithType.vb: Update(Of T).WithArrayFilter(String) -- uid: MongoDB.Entities.Update`1.WithArrayFilter* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithArrayFilter_System_String_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.WithArrayFilter(System.String) + fullName: MongoDB.Entities.UpdateAndGet.WithArrayFilter(System.String) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithArrayFilter(System.String) + nameWithType: UpdateAndGet.WithArrayFilter(String) + nameWithType.vb: UpdateAndGet(Of T, TProjection).WithArrayFilter(String) +- uid: MongoDB.Entities.UpdateAndGet`2.WithArrayFilter* name: WithArrayFilter - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithArrayFilter_ - commentId: Overload:MongoDB.Entities.Update`1.WithArrayFilter + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithArrayFilter_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.WithArrayFilter isSpec: "True" - fullName: MongoDB.Entities.Update.WithArrayFilter - fullName.vb: MongoDB.Entities.Update(Of T).WithArrayFilter - nameWithType: Update.WithArrayFilter - nameWithType.vb: Update(Of T).WithArrayFilter -- uid: MongoDB.Entities.Update`1.WithArrayFilters(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.WithArrayFilter + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithArrayFilter + nameWithType: UpdateAndGet.WithArrayFilter + nameWithType.vb: UpdateAndGet(Of T, TProjection).WithArrayFilter +- uid: MongoDB.Entities.UpdateAndGet`2.WithArrayFilters(MongoDB.Entities.Template) name: WithArrayFilters(Template) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithArrayFilters_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.Update`1.WithArrayFilters(MongoDB.Entities.Template) - fullName: MongoDB.Entities.Update.WithArrayFilters(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.Update(Of T).WithArrayFilters(MongoDB.Entities.Template) - nameWithType: Update.WithArrayFilters(Template) - nameWithType.vb: Update(Of T).WithArrayFilters(Template) -- uid: MongoDB.Entities.Update`1.WithArrayFilters* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithArrayFilters_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.WithArrayFilters(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.WithArrayFilters(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithArrayFilters(MongoDB.Entities.Template) + nameWithType: UpdateAndGet.WithArrayFilters(Template) + nameWithType.vb: UpdateAndGet(Of T, TProjection).WithArrayFilters(Template) +- uid: MongoDB.Entities.UpdateAndGet`2.WithArrayFilters* name: WithArrayFilters - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithArrayFilters_ - commentId: Overload:MongoDB.Entities.Update`1.WithArrayFilters + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithArrayFilters_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.WithArrayFilters isSpec: "True" - fullName: MongoDB.Entities.Update.WithArrayFilters - fullName.vb: MongoDB.Entities.Update(Of T).WithArrayFilters - nameWithType: Update.WithArrayFilters - nameWithType.vb: Update(Of T).WithArrayFilters -- uid: MongoDB.Entities.Update`1.WithPipeline(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.WithArrayFilters + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithArrayFilters + nameWithType: UpdateAndGet.WithArrayFilters + nameWithType.vb: UpdateAndGet(Of T, TProjection).WithArrayFilters +- uid: MongoDB.Entities.UpdateAndGet`2.WithPipeline(MongoDB.Entities.Template) name: WithPipeline(Template) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithPipeline_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.Update`1.WithPipeline(MongoDB.Entities.Template) - fullName: MongoDB.Entities.Update.WithPipeline(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.Update(Of T).WithPipeline(MongoDB.Entities.Template) - nameWithType: Update.WithPipeline(Template) - nameWithType.vb: Update(Of T).WithPipeline(Template) -- uid: MongoDB.Entities.Update`1.WithPipeline* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithPipeline_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.WithPipeline(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.WithPipeline(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithPipeline(MongoDB.Entities.Template) + nameWithType: UpdateAndGet.WithPipeline(Template) + nameWithType.vb: UpdateAndGet(Of T, TProjection).WithPipeline(Template) +- uid: MongoDB.Entities.UpdateAndGet`2.WithPipeline* name: WithPipeline - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithPipeline_ - commentId: Overload:MongoDB.Entities.Update`1.WithPipeline + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithPipeline_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.WithPipeline isSpec: "True" - fullName: MongoDB.Entities.Update.WithPipeline - fullName.vb: MongoDB.Entities.Update(Of T).WithPipeline - nameWithType: Update.WithPipeline - nameWithType.vb: Update(Of T).WithPipeline -- uid: MongoDB.Entities.Update`1.WithPipelineStage(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.WithPipeline + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithPipeline + nameWithType: UpdateAndGet.WithPipeline + nameWithType.vb: UpdateAndGet(Of T, TProjection).WithPipeline +- uid: MongoDB.Entities.UpdateAndGet`2.WithPipelineStage(MongoDB.Entities.Template) name: WithPipelineStage(Template) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithPipelineStage_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.Update`1.WithPipelineStage(MongoDB.Entities.Template) - fullName: MongoDB.Entities.Update.WithPipelineStage(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.Update(Of T).WithPipelineStage(MongoDB.Entities.Template) - nameWithType: Update.WithPipelineStage(Template) - nameWithType.vb: Update(Of T).WithPipelineStage(Template) -- uid: MongoDB.Entities.Update`1.WithPipelineStage(System.String) + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithPipelineStage_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.WithPipelineStage(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateAndGet.WithPipelineStage(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithPipelineStage(MongoDB.Entities.Template) + nameWithType: UpdateAndGet.WithPipelineStage(Template) + nameWithType.vb: UpdateAndGet(Of T, TProjection).WithPipelineStage(Template) +- uid: MongoDB.Entities.UpdateAndGet`2.WithPipelineStage(System.String) name: WithPipelineStage(String) - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithPipelineStage_System_String_ - commentId: M:MongoDB.Entities.Update`1.WithPipelineStage(System.String) - fullName: MongoDB.Entities.Update.WithPipelineStage(System.String) - fullName.vb: MongoDB.Entities.Update(Of T).WithPipelineStage(System.String) - nameWithType: Update.WithPipelineStage(String) - nameWithType.vb: Update(Of T).WithPipelineStage(String) -- uid: MongoDB.Entities.Update`1.WithPipelineStage* + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithPipelineStage_System_String_ + commentId: M:MongoDB.Entities.UpdateAndGet`2.WithPipelineStage(System.String) + fullName: MongoDB.Entities.UpdateAndGet.WithPipelineStage(System.String) + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithPipelineStage(System.String) + nameWithType: UpdateAndGet.WithPipelineStage(String) + nameWithType.vb: UpdateAndGet(Of T, TProjection).WithPipelineStage(String) +- uid: MongoDB.Entities.UpdateAndGet`2.WithPipelineStage* name: WithPipelineStage - href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithPipelineStage_ - commentId: Overload:MongoDB.Entities.Update`1.WithPipelineStage + href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithPipelineStage_ + commentId: Overload:MongoDB.Entities.UpdateAndGet`2.WithPipelineStage isSpec: "True" - fullName: MongoDB.Entities.Update.WithPipelineStage - fullName.vb: MongoDB.Entities.Update(Of T).WithPipelineStage - nameWithType: Update.WithPipelineStage - nameWithType.vb: Update(Of T).WithPipelineStage -- uid: MongoDB.Entities.UpdateAndGet`1 - name: UpdateAndGet - href: api/MongoDB.Entities.UpdateAndGet-1.html - commentId: T:MongoDB.Entities.UpdateAndGet`1 - name.vb: UpdateAndGet(Of T) - fullName: MongoDB.Entities.UpdateAndGet - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T) - nameWithType: UpdateAndGet - nameWithType.vb: UpdateAndGet(Of T) -- uid: MongoDB.Entities.UpdateAndGet`2 - name: UpdateAndGet - href: api/MongoDB.Entities.UpdateAndGet-2.html - commentId: T:MongoDB.Entities.UpdateAndGet`2 - name.vb: UpdateAndGet(Of T, TProjection) - fullName: MongoDB.Entities.UpdateAndGet - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection) - nameWithType: UpdateAndGet - nameWithType.vb: UpdateAndGet(Of T, TProjection) -- uid: MongoDB.Entities.UpdateAndGet`2.ExecuteAsync(System.Threading.CancellationToken) + fullName: MongoDB.Entities.UpdateAndGet.WithPipelineStage + fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithPipelineStage + nameWithType: UpdateAndGet.WithPipelineStage + nameWithType.vb: UpdateAndGet(Of T, TProjection).WithPipelineStage +- uid: MongoDB.Entities.UpdateBase`1 + name: UpdateBase + href: api/MongoDB.Entities.UpdateBase-1.html + commentId: T:MongoDB.Entities.UpdateBase`1 + name.vb: UpdateBase(Of T) + fullName: MongoDB.Entities.UpdateBase + fullName.vb: MongoDB.Entities.UpdateBase(Of T) + nameWithType: UpdateBase + nameWithType.vb: UpdateBase(Of T) +- uid: MongoDB.Entities.UpdateBase`1.AddModification(MongoDB.Entities.Template) + name: AddModification(Template) + href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_AddModification_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.UpdateBase`1.AddModification(MongoDB.Entities.Template) + fullName: MongoDB.Entities.UpdateBase.AddModification(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.UpdateBase(Of T).AddModification(MongoDB.Entities.Template) + nameWithType: UpdateBase.AddModification(Template) + nameWithType.vb: UpdateBase(Of T).AddModification(Template) +- uid: MongoDB.Entities.UpdateBase`1.AddModification(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) + name: AddModification(Func, UpdateDefinition>) + href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_AddModification_System_Func_MongoDB_Driver_UpdateDefinitionBuilder__0__MongoDB_Driver_UpdateDefinition__0___ + commentId: M:MongoDB.Entities.UpdateBase`1.AddModification(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) + name.vb: AddModification(Func(Of UpdateDefinitionBuilder(Of T), UpdateDefinition(Of T))) + fullName: MongoDB.Entities.UpdateBase.AddModification(System.Func, MongoDB.Driver.UpdateDefinition>) + fullName.vb: MongoDB.Entities.UpdateBase(Of T).AddModification(System.Func(Of MongoDB.Driver.UpdateDefinitionBuilder(Of T), MongoDB.Driver.UpdateDefinition(Of T))) + nameWithType: UpdateBase.AddModification(Func, UpdateDefinition>) + nameWithType.vb: UpdateBase(Of T).AddModification(Func(Of UpdateDefinitionBuilder(Of T), UpdateDefinition(Of T))) +- uid: MongoDB.Entities.UpdateBase`1.AddModification(System.String) + name: AddModification(String) + href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_AddModification_System_String_ + commentId: M:MongoDB.Entities.UpdateBase`1.AddModification(System.String) + fullName: MongoDB.Entities.UpdateBase.AddModification(System.String) + fullName.vb: MongoDB.Entities.UpdateBase(Of T).AddModification(System.String) + nameWithType: UpdateBase.AddModification(String) + nameWithType.vb: UpdateBase(Of T).AddModification(String) +- uid: MongoDB.Entities.UpdateBase`1.AddModification* + name: AddModification + href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_AddModification_ + commentId: Overload:MongoDB.Entities.UpdateBase`1.AddModification + isSpec: "True" + fullName: MongoDB.Entities.UpdateBase.AddModification + fullName.vb: MongoDB.Entities.UpdateBase(Of T).AddModification + nameWithType: UpdateBase.AddModification + nameWithType.vb: UpdateBase(Of T).AddModification +- uid: MongoDB.Entities.UpdateBase`1.AddModification``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) + name: AddModification(Expression>, TProp) + href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_AddModification__1_System_Linq_Expressions_Expression_System_Func__0___0_____0_ + commentId: M:MongoDB.Entities.UpdateBase`1.AddModification``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) + name.vb: AddModification(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) + fullName: MongoDB.Entities.UpdateBase.AddModification(System.Linq.Expressions.Expression>, TProp) + fullName.vb: MongoDB.Entities.UpdateBase(Of T).AddModification(Of TProp)(System.Linq.Expressions.Expression(Of System.Func(Of T, TProp)), TProp) + nameWithType: UpdateBase.AddModification(Expression>, TProp) + nameWithType.vb: UpdateBase(Of T).AddModification(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) +- uid: MongoDB.Entities.UpdateBase`1.defs + name: defs + href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_defs + commentId: F:MongoDB.Entities.UpdateBase`1.defs + fullName: MongoDB.Entities.UpdateBase.defs + fullName.vb: MongoDB.Entities.UpdateBase(Of T).defs + nameWithType: UpdateBase.defs + nameWithType.vb: UpdateBase(Of T).defs +- uid: MongoDB.Entities.Update`1 + name: Update + href: api/MongoDB.Entities.Update-1.html + commentId: T:MongoDB.Entities.Update`1 + name.vb: Update(Of T) + fullName: MongoDB.Entities.Update + fullName.vb: MongoDB.Entities.Update(Of T) + nameWithType: Update + nameWithType.vb: Update(Of T) +- uid: MongoDB.Entities.Update`1.AddToQueue + name: AddToQueue() + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_AddToQueue + commentId: M:MongoDB.Entities.Update`1.AddToQueue + fullName: MongoDB.Entities.Update.AddToQueue() + fullName.vb: MongoDB.Entities.Update(Of T).AddToQueue() + nameWithType: Update.AddToQueue() + nameWithType.vb: Update(Of T).AddToQueue() +- uid: MongoDB.Entities.Update`1.AddToQueue* + name: AddToQueue + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_AddToQueue_ + commentId: Overload:MongoDB.Entities.Update`1.AddToQueue + isSpec: "True" + fullName: MongoDB.Entities.Update.AddToQueue + fullName.vb: MongoDB.Entities.Update(Of T).AddToQueue + nameWithType: Update.AddToQueue + nameWithType.vb: Update(Of T).AddToQueue +- uid: MongoDB.Entities.Update`1.ExecuteAsync(System.Threading.CancellationToken) name: ExecuteAsync(CancellationToken) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ExecuteAsync_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.ExecuteAsync(System.Threading.CancellationToken) - fullName: MongoDB.Entities.UpdateAndGet.ExecuteAsync(System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ExecuteAsync(System.Threading.CancellationToken) - nameWithType: UpdateAndGet.ExecuteAsync(CancellationToken) - nameWithType.vb: UpdateAndGet(Of T, TProjection).ExecuteAsync(CancellationToken) -- uid: MongoDB.Entities.UpdateAndGet`2.ExecuteAsync* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ExecuteAsync_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Update`1.ExecuteAsync(System.Threading.CancellationToken) + fullName: MongoDB.Entities.Update.ExecuteAsync(System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Update(Of T).ExecuteAsync(System.Threading.CancellationToken) + nameWithType: Update.ExecuteAsync(CancellationToken) + nameWithType.vb: Update(Of T).ExecuteAsync(CancellationToken) +- uid: MongoDB.Entities.Update`1.ExecuteAsync* name: ExecuteAsync - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ExecuteAsync_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.ExecuteAsync + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ExecuteAsync_ + commentId: Overload:MongoDB.Entities.Update`1.ExecuteAsync isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.ExecuteAsync - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ExecuteAsync - nameWithType: UpdateAndGet.ExecuteAsync - nameWithType.vb: UpdateAndGet(Of T, TProjection).ExecuteAsync -- uid: MongoDB.Entities.UpdateAndGet`2.ExecutePipelineAsync(System.Threading.CancellationToken) + fullName: MongoDB.Entities.Update.ExecuteAsync + fullName.vb: MongoDB.Entities.Update(Of T).ExecuteAsync + nameWithType: Update.ExecuteAsync + nameWithType.vb: Update(Of T).ExecuteAsync +- uid: MongoDB.Entities.Update`1.ExecutePipelineAsync(System.Threading.CancellationToken) name: ExecutePipelineAsync(CancellationToken) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ExecutePipelineAsync_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.ExecutePipelineAsync(System.Threading.CancellationToken) - fullName: MongoDB.Entities.UpdateAndGet.ExecutePipelineAsync(System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ExecutePipelineAsync(System.Threading.CancellationToken) - nameWithType: UpdateAndGet.ExecutePipelineAsync(CancellationToken) - nameWithType.vb: UpdateAndGet(Of T, TProjection).ExecutePipelineAsync(CancellationToken) -- uid: MongoDB.Entities.UpdateAndGet`2.ExecutePipelineAsync* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ExecutePipelineAsync_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Update`1.ExecutePipelineAsync(System.Threading.CancellationToken) + fullName: MongoDB.Entities.Update.ExecutePipelineAsync(System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Update(Of T).ExecutePipelineAsync(System.Threading.CancellationToken) + nameWithType: Update.ExecutePipelineAsync(CancellationToken) + nameWithType.vb: Update(Of T).ExecutePipelineAsync(CancellationToken) +- uid: MongoDB.Entities.Update`1.ExecutePipelineAsync* name: ExecutePipelineAsync - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ExecutePipelineAsync_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.ExecutePipelineAsync + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ExecutePipelineAsync_ + commentId: Overload:MongoDB.Entities.Update`1.ExecutePipelineAsync isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.ExecutePipelineAsync - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ExecutePipelineAsync - nameWithType: UpdateAndGet.ExecutePipelineAsync - nameWithType.vb: UpdateAndGet(Of T, TProjection).ExecutePipelineAsync -- uid: MongoDB.Entities.UpdateAndGet`2.IgnoreGlobalFilters + fullName: MongoDB.Entities.Update.ExecutePipelineAsync + fullName.vb: MongoDB.Entities.Update(Of T).ExecutePipelineAsync + nameWithType: Update.ExecutePipelineAsync + nameWithType.vb: Update(Of T).ExecutePipelineAsync +- uid: MongoDB.Entities.Update`1.IgnoreGlobalFilters name: IgnoreGlobalFilters() - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_IgnoreGlobalFilters - commentId: M:MongoDB.Entities.UpdateAndGet`2.IgnoreGlobalFilters - fullName: MongoDB.Entities.UpdateAndGet.IgnoreGlobalFilters() - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).IgnoreGlobalFilters() - nameWithType: UpdateAndGet.IgnoreGlobalFilters() - nameWithType.vb: UpdateAndGet(Of T, TProjection).IgnoreGlobalFilters() -- uid: MongoDB.Entities.UpdateAndGet`2.IgnoreGlobalFilters* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_IgnoreGlobalFilters + commentId: M:MongoDB.Entities.Update`1.IgnoreGlobalFilters + fullName: MongoDB.Entities.Update.IgnoreGlobalFilters() + fullName.vb: MongoDB.Entities.Update(Of T).IgnoreGlobalFilters() + nameWithType: Update.IgnoreGlobalFilters() + nameWithType.vb: Update(Of T).IgnoreGlobalFilters() +- uid: MongoDB.Entities.Update`1.IgnoreGlobalFilters* name: IgnoreGlobalFilters - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_IgnoreGlobalFilters_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.IgnoreGlobalFilters - isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.IgnoreGlobalFilters - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).IgnoreGlobalFilters - nameWithType: UpdateAndGet.IgnoreGlobalFilters - nameWithType.vb: UpdateAndGet(Of T, TProjection).IgnoreGlobalFilters -- uid: MongoDB.Entities.UpdateAndGet`2.IncludeRequiredProps - name: IncludeRequiredProps() - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_IncludeRequiredProps - commentId: M:MongoDB.Entities.UpdateAndGet`2.IncludeRequiredProps - fullName: MongoDB.Entities.UpdateAndGet.IncludeRequiredProps() - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).IncludeRequiredProps() - nameWithType: UpdateAndGet.IncludeRequiredProps() - nameWithType.vb: UpdateAndGet(Of T, TProjection).IncludeRequiredProps() -- uid: MongoDB.Entities.UpdateAndGet`2.IncludeRequiredProps* - name: IncludeRequiredProps - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_IncludeRequiredProps_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.IncludeRequiredProps + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_IgnoreGlobalFilters_ + commentId: Overload:MongoDB.Entities.Update`1.IgnoreGlobalFilters isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.IncludeRequiredProps - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).IncludeRequiredProps - nameWithType: UpdateAndGet.IncludeRequiredProps - nameWithType.vb: UpdateAndGet(Of T, TProjection).IncludeRequiredProps -- uid: MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Driver.FilterDefinition{`0}) + fullName: MongoDB.Entities.Update.IgnoreGlobalFilters + fullName.vb: MongoDB.Entities.Update(Of T).IgnoreGlobalFilters + nameWithType: Update.IgnoreGlobalFilters + nameWithType.vb: Update(Of T).IgnoreGlobalFilters +- uid: MongoDB.Entities.Update`1.Match(MongoDB.Driver.FilterDefinition{`0}) name: Match(FilterDefinition) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_MongoDB_Driver_FilterDefinition__0__ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Driver.FilterDefinition{`0}) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_MongoDB_Driver_FilterDefinition__0__ + commentId: M:MongoDB.Entities.Update`1.Match(MongoDB.Driver.FilterDefinition{`0}) name.vb: Match(FilterDefinition(Of T)) - fullName: MongoDB.Entities.UpdateAndGet.Match(MongoDB.Driver.FilterDefinition) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(MongoDB.Driver.FilterDefinition(Of T)) - nameWithType: UpdateAndGet.Match(FilterDefinition) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(FilterDefinition(Of T)) -- uid: MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Entities.Search,System.String,System.Boolean,System.Boolean,System.String) + fullName: MongoDB.Entities.Update.Match(MongoDB.Driver.FilterDefinition) + fullName.vb: MongoDB.Entities.Update(Of T).Match(MongoDB.Driver.FilterDefinition(Of T)) + nameWithType: Update.Match(FilterDefinition) + nameWithType.vb: Update(Of T).Match(FilterDefinition(Of T)) +- uid: MongoDB.Entities.Update`1.Match(MongoDB.Entities.Search,System.String,System.Boolean,System.Boolean,System.String) name: Match(Search, String, Boolean, Boolean, String) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_MongoDB_Entities_Search_System_String_System_Boolean_System_Boolean_System_String_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Entities.Search,System.String,System.Boolean,System.Boolean,System.String) - fullName: MongoDB.Entities.UpdateAndGet.Match(MongoDB.Entities.Search, System.String, System.Boolean, System.Boolean, System.String) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(MongoDB.Entities.Search, System.String, System.Boolean, System.Boolean, System.String) - nameWithType: UpdateAndGet.Match(Search, String, Boolean, Boolean, String) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(Search, String, Boolean, Boolean, String) -- uid: MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Entities.Template) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_MongoDB_Entities_Search_System_String_System_Boolean_System_Boolean_System_String_ + commentId: M:MongoDB.Entities.Update`1.Match(MongoDB.Entities.Search,System.String,System.Boolean,System.Boolean,System.String) + fullName: MongoDB.Entities.Update.Match(MongoDB.Entities.Search, System.String, System.Boolean, System.Boolean, System.String) + fullName.vb: MongoDB.Entities.Update(Of T).Match(MongoDB.Entities.Search, System.String, System.Boolean, System.Boolean, System.String) + nameWithType: Update.Match(Search, String, Boolean, Boolean, String) + nameWithType.vb: Update(Of T).Match(Search, String, Boolean, Boolean, String) +- uid: MongoDB.Entities.Update`1.Match(MongoDB.Entities.Template) name: Match(Template) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(MongoDB.Entities.Template) - fullName: MongoDB.Entities.UpdateAndGet.Match(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(MongoDB.Entities.Template) - nameWithType: UpdateAndGet.Match(Template) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(Template) -- uid: MongoDB.Entities.UpdateAndGet`2.Match(System.Func{MongoDB.Driver.FilterDefinitionBuilder{`0},MongoDB.Driver.FilterDefinition{`0}}) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.Update`1.Match(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.Match(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.Update(Of T).Match(MongoDB.Entities.Template) + nameWithType: Update.Match(Template) + nameWithType.vb: Update(Of T).Match(Template) +- uid: MongoDB.Entities.Update`1.Match(System.Func{MongoDB.Driver.FilterDefinitionBuilder{`0},MongoDB.Driver.FilterDefinition{`0}}) name: Match(Func, FilterDefinition>) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_System_Func_MongoDB_Driver_FilterDefinitionBuilder__0__MongoDB_Driver_FilterDefinition__0___ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(System.Func{MongoDB.Driver.FilterDefinitionBuilder{`0},MongoDB.Driver.FilterDefinition{`0}}) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_System_Func_MongoDB_Driver_FilterDefinitionBuilder__0__MongoDB_Driver_FilterDefinition__0___ + commentId: M:MongoDB.Entities.Update`1.Match(System.Func{MongoDB.Driver.FilterDefinitionBuilder{`0},MongoDB.Driver.FilterDefinition{`0}}) name.vb: Match(Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T))) - fullName: MongoDB.Entities.UpdateAndGet.Match(System.Func, MongoDB.Driver.FilterDefinition>) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(System.Func(Of MongoDB.Driver.FilterDefinitionBuilder(Of T), MongoDB.Driver.FilterDefinition(Of T))) - nameWithType: UpdateAndGet.Match(Func, FilterDefinition>) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T))) -- uid: MongoDB.Entities.UpdateAndGet`2.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Boolean}}) + fullName: MongoDB.Entities.Update.Match(System.Func, MongoDB.Driver.FilterDefinition>) + fullName.vb: MongoDB.Entities.Update(Of T).Match(System.Func(Of MongoDB.Driver.FilterDefinitionBuilder(Of T), MongoDB.Driver.FilterDefinition(Of T))) + nameWithType: Update.Match(Func, FilterDefinition>) + nameWithType.vb: Update(Of T).Match(Func(Of FilterDefinitionBuilder(Of T), FilterDefinition(Of T))) +- uid: MongoDB.Entities.Update`1.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Boolean}}) name: Match(Expression>) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_System_Linq_Expressions_Expression_System_Func__0_System_Boolean___ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Boolean}}) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_System_Linq_Expressions_Expression_System_Func__0_System_Boolean___ + commentId: M:MongoDB.Entities.Update`1.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Boolean}}) name.vb: Match(Expression(Of Func(Of T, Boolean))) - fullName: MongoDB.Entities.UpdateAndGet.Match(System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Boolean))) - nameWithType: UpdateAndGet.Match(Expression>) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(Expression(Of Func(Of T, Boolean))) -- uid: MongoDB.Entities.UpdateAndGet`2.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},MongoDB.Entities.Coordinates2D,System.Nullable{System.Double},System.Nullable{System.Double}) + fullName: MongoDB.Entities.Update.Match(System.Linq.Expressions.Expression>) + fullName.vb: MongoDB.Entities.Update(Of T).Match(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Boolean))) + nameWithType: Update.Match(Expression>) + nameWithType.vb: Update(Of T).Match(Expression(Of Func(Of T, Boolean))) +- uid: MongoDB.Entities.Update`1.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},MongoDB.Entities.Coordinates2D,System.Nullable{System.Double},System.Nullable{System.Double}) name: Match(Expression>, Coordinates2D, Nullable, Nullable) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_System_Linq_Expressions_Expression_System_Func__0_System_Object___MongoDB_Entities_Coordinates2D_System_Nullable_System_Double__System_Nullable_System_Double__ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},MongoDB.Entities.Coordinates2D,System.Nullable{System.Double},System.Nullable{System.Double}) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_System_Linq_Expressions_Expression_System_Func__0_System_Object___MongoDB_Entities_Coordinates2D_System_Nullable_System_Double__System_Nullable_System_Double__ + commentId: M:MongoDB.Entities.Update`1.Match(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},MongoDB.Entities.Coordinates2D,System.Nullable{System.Double},System.Nullable{System.Double}) name.vb: Match(Expression(Of Func(Of T, Object)), Coordinates2D, Nullable(Of Double), Nullable(Of Double)) - fullName: MongoDB.Entities.UpdateAndGet.Match(System.Linq.Expressions.Expression>, MongoDB.Entities.Coordinates2D, System.Nullable, System.Nullable) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Entities.Coordinates2D, System.Nullable(Of System.Double), System.Nullable(Of System.Double)) - nameWithType: UpdateAndGet.Match(Expression>, Coordinates2D, Nullable, Nullable) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Match(Expression(Of Func(Of T, Object)), Coordinates2D, Nullable(Of Double), Nullable(Of Double)) -- uid: MongoDB.Entities.UpdateAndGet`2.Match* + fullName: MongoDB.Entities.Update.Match(System.Linq.Expressions.Expression>, MongoDB.Entities.Coordinates2D, System.Nullable, System.Nullable) + fullName.vb: MongoDB.Entities.Update(Of T).Match(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), MongoDB.Entities.Coordinates2D, System.Nullable(Of System.Double), System.Nullable(Of System.Double)) + nameWithType: Update.Match(Expression>, Coordinates2D, Nullable, Nullable) + nameWithType.vb: Update(Of T).Match(Expression(Of Func(Of T, Object)), Coordinates2D, Nullable(Of Double), Nullable(Of Double)) +- uid: MongoDB.Entities.Update`1.Match* name: Match - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Match_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.Match + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Match_ + commentId: Overload:MongoDB.Entities.Update`1.Match isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.Match - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Match - nameWithType: UpdateAndGet.Match - nameWithType.vb: UpdateAndGet(Of T, TProjection).Match -- uid: MongoDB.Entities.UpdateAndGet`2.MatchExpression(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.Match + fullName.vb: MongoDB.Entities.Update(Of T).Match + nameWithType: Update.Match + nameWithType.vb: Update(Of T).Match +- uid: MongoDB.Entities.Update`1.MatchExpression(MongoDB.Entities.Template) name: MatchExpression(Template) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchExpression_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.MatchExpression(MongoDB.Entities.Template) - fullName: MongoDB.Entities.UpdateAndGet.MatchExpression(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchExpression(MongoDB.Entities.Template) - nameWithType: UpdateAndGet.MatchExpression(Template) - nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchExpression(Template) -- uid: MongoDB.Entities.UpdateAndGet`2.MatchExpression(System.String) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchExpression_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.Update`1.MatchExpression(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.MatchExpression(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.Update(Of T).MatchExpression(MongoDB.Entities.Template) + nameWithType: Update.MatchExpression(Template) + nameWithType.vb: Update(Of T).MatchExpression(Template) +- uid: MongoDB.Entities.Update`1.MatchExpression(System.String) name: MatchExpression(String) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchExpression_System_String_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.MatchExpression(System.String) - fullName: MongoDB.Entities.UpdateAndGet.MatchExpression(System.String) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchExpression(System.String) - nameWithType: UpdateAndGet.MatchExpression(String) - nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchExpression(String) -- uid: MongoDB.Entities.UpdateAndGet`2.MatchExpression* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchExpression_System_String_ + commentId: M:MongoDB.Entities.Update`1.MatchExpression(System.String) + fullName: MongoDB.Entities.Update.MatchExpression(System.String) + fullName.vb: MongoDB.Entities.Update(Of T).MatchExpression(System.String) + nameWithType: Update.MatchExpression(String) + nameWithType.vb: Update(Of T).MatchExpression(String) +- uid: MongoDB.Entities.Update`1.MatchExpression* name: MatchExpression - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchExpression_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.MatchExpression + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchExpression_ + commentId: Overload:MongoDB.Entities.Update`1.MatchExpression isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.MatchExpression - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchExpression - nameWithType: UpdateAndGet.MatchExpression - nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchExpression -- uid: MongoDB.Entities.UpdateAndGet`2.MatchID(System.String) + fullName: MongoDB.Entities.Update.MatchExpression + fullName.vb: MongoDB.Entities.Update(Of T).MatchExpression + nameWithType: Update.MatchExpression + nameWithType.vb: Update(Of T).MatchExpression +- uid: MongoDB.Entities.Update`1.MatchID(System.String) name: MatchID(String) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchID_System_String_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.MatchID(System.String) - fullName: MongoDB.Entities.UpdateAndGet.MatchID(System.String) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchID(System.String) - nameWithType: UpdateAndGet.MatchID(String) - nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchID(String) -- uid: MongoDB.Entities.UpdateAndGet`2.MatchID* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchID_System_String_ + commentId: M:MongoDB.Entities.Update`1.MatchID(System.String) + fullName: MongoDB.Entities.Update.MatchID(System.String) + fullName.vb: MongoDB.Entities.Update(Of T).MatchID(System.String) + nameWithType: Update.MatchID(String) + nameWithType.vb: Update(Of T).MatchID(String) +- uid: MongoDB.Entities.Update`1.MatchID* name: MatchID - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchID_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.MatchID + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchID_ + commentId: Overload:MongoDB.Entities.Update`1.MatchID isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.MatchID - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchID - nameWithType: UpdateAndGet.MatchID - nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchID -- uid: MongoDB.Entities.UpdateAndGet`2.MatchString(System.String) + fullName: MongoDB.Entities.Update.MatchID + fullName.vb: MongoDB.Entities.Update(Of T).MatchID + nameWithType: Update.MatchID + nameWithType.vb: Update(Of T).MatchID +- uid: MongoDB.Entities.Update`1.MatchString(System.String) name: MatchString(String) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchString_System_String_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.MatchString(System.String) - fullName: MongoDB.Entities.UpdateAndGet.MatchString(System.String) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchString(System.String) - nameWithType: UpdateAndGet.MatchString(String) - nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchString(String) -- uid: MongoDB.Entities.UpdateAndGet`2.MatchString* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchString_System_String_ + commentId: M:MongoDB.Entities.Update`1.MatchString(System.String) + fullName: MongoDB.Entities.Update.MatchString(System.String) + fullName.vb: MongoDB.Entities.Update(Of T).MatchString(System.String) + nameWithType: Update.MatchString(String) + nameWithType.vb: Update(Of T).MatchString(String) +- uid: MongoDB.Entities.Update`1.MatchString* name: MatchString - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_MatchString_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.MatchString + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_MatchString_ + commentId: Overload:MongoDB.Entities.Update`1.MatchString isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.MatchString - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).MatchString - nameWithType: UpdateAndGet.MatchString - nameWithType.vb: UpdateAndGet(Of T, TProjection).MatchString -- uid: MongoDB.Entities.UpdateAndGet`2.Modify(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.MatchString + fullName.vb: MongoDB.Entities.Update(Of T).MatchString + nameWithType: Update.MatchString + nameWithType.vb: Update(Of T).MatchString +- uid: MongoDB.Entities.Update`1.Modify(MongoDB.Entities.Template) name: Modify(Template) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Modify_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Modify(MongoDB.Entities.Template) - fullName: MongoDB.Entities.UpdateAndGet.Modify(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Modify(MongoDB.Entities.Template) - nameWithType: UpdateAndGet.Modify(Template) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Modify(Template) -- uid: MongoDB.Entities.UpdateAndGet`2.Modify(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Modify_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.Update`1.Modify(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.Modify(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.Update(Of T).Modify(MongoDB.Entities.Template) + nameWithType: Update.Modify(Template) + nameWithType.vb: Update(Of T).Modify(Template) +- uid: MongoDB.Entities.Update`1.Modify(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) name: Modify(Func, UpdateDefinition>) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Modify_System_Func_MongoDB_Driver_UpdateDefinitionBuilder__0__MongoDB_Driver_UpdateDefinition__0___ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Modify(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Modify_System_Func_MongoDB_Driver_UpdateDefinitionBuilder__0__MongoDB_Driver_UpdateDefinition__0___ + commentId: M:MongoDB.Entities.Update`1.Modify(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) name.vb: Modify(Func(Of UpdateDefinitionBuilder(Of T), UpdateDefinition(Of T))) - fullName: MongoDB.Entities.UpdateAndGet.Modify(System.Func, MongoDB.Driver.UpdateDefinition>) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Modify(System.Func(Of MongoDB.Driver.UpdateDefinitionBuilder(Of T), MongoDB.Driver.UpdateDefinition(Of T))) - nameWithType: UpdateAndGet.Modify(Func, UpdateDefinition>) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Modify(Func(Of UpdateDefinitionBuilder(Of T), UpdateDefinition(Of T))) -- uid: MongoDB.Entities.UpdateAndGet`2.Modify(System.String) + fullName: MongoDB.Entities.Update.Modify(System.Func, MongoDB.Driver.UpdateDefinition>) + fullName.vb: MongoDB.Entities.Update(Of T).Modify(System.Func(Of MongoDB.Driver.UpdateDefinitionBuilder(Of T), MongoDB.Driver.UpdateDefinition(Of T))) + nameWithType: Update.Modify(Func, UpdateDefinition>) + nameWithType.vb: Update(Of T).Modify(Func(Of UpdateDefinitionBuilder(Of T), UpdateDefinition(Of T))) +- uid: MongoDB.Entities.Update`1.Modify(System.String) name: Modify(String) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Modify_System_String_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Modify(System.String) - fullName: MongoDB.Entities.UpdateAndGet.Modify(System.String) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Modify(System.String) - nameWithType: UpdateAndGet.Modify(String) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Modify(String) -- uid: MongoDB.Entities.UpdateAndGet`2.Modify* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Modify_System_String_ + commentId: M:MongoDB.Entities.Update`1.Modify(System.String) + fullName: MongoDB.Entities.Update.Modify(System.String) + fullName.vb: MongoDB.Entities.Update(Of T).Modify(System.String) + nameWithType: Update.Modify(String) + nameWithType.vb: Update(Of T).Modify(String) +- uid: MongoDB.Entities.Update`1.Modify* name: Modify - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Modify_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.Modify + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Modify_ + commentId: Overload:MongoDB.Entities.Update`1.Modify isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.Modify - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Modify - nameWithType: UpdateAndGet.Modify - nameWithType.vb: UpdateAndGet(Of T, TProjection).Modify -- uid: MongoDB.Entities.UpdateAndGet`2.Modify``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) - name: Modify(Expression>, TProp) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Modify__1_System_Linq_Expressions_Expression_System_Func__0___0_____0_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Modify``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) - name.vb: Modify(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) - fullName: MongoDB.Entities.UpdateAndGet.Modify(System.Linq.Expressions.Expression>, TProp) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Modify(Of TProp)(System.Linq.Expressions.Expression(Of System.Func(Of T, TProp)), TProp) - nameWithType: UpdateAndGet.Modify(Expression>, TProp) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Modify(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) -- uid: MongoDB.Entities.UpdateAndGet`2.ModifyExcept(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) + fullName: MongoDB.Entities.Update.Modify + fullName.vb: MongoDB.Entities.Update(Of T).Modify + nameWithType: Update.Modify + nameWithType.vb: Update(Of T).Modify +- uid: MongoDB.Entities.Update`1.ModifyExcept(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) name: ModifyExcept(Expression>, T) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyExcept_System_Linq_Expressions_Expression_System_Func__0_System_Object____0_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.ModifyExcept(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyExcept_System_Linq_Expressions_Expression_System_Func__0_System_Object____0_ + commentId: M:MongoDB.Entities.Update`1.ModifyExcept(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) name.vb: ModifyExcept(Expression(Of Func(Of T, Object)), T) - fullName: MongoDB.Entities.UpdateAndGet.ModifyExcept(System.Linq.Expressions.Expression>, T) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyExcept(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), T) - nameWithType: UpdateAndGet.ModifyExcept(Expression>, T) - nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyExcept(Expression(Of Func(Of T, Object)), T) -- uid: MongoDB.Entities.UpdateAndGet`2.ModifyExcept* + fullName: MongoDB.Entities.Update.ModifyExcept(System.Linq.Expressions.Expression>, T) + fullName.vb: MongoDB.Entities.Update(Of T).ModifyExcept(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), T) + nameWithType: Update.ModifyExcept(Expression>, T) + nameWithType.vb: Update(Of T).ModifyExcept(Expression(Of Func(Of T, Object)), T) +- uid: MongoDB.Entities.Update`1.ModifyExcept* name: ModifyExcept - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyExcept_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.ModifyExcept + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyExcept_ + commentId: Overload:MongoDB.Entities.Update`1.ModifyExcept isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.ModifyExcept - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyExcept - nameWithType: UpdateAndGet.ModifyExcept - nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyExcept -- uid: MongoDB.Entities.UpdateAndGet`2.ModifyOnly(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) + fullName: MongoDB.Entities.Update.ModifyExcept + fullName.vb: MongoDB.Entities.Update(Of T).ModifyExcept + nameWithType: Update.ModifyExcept + nameWithType.vb: Update(Of T).ModifyExcept +- uid: MongoDB.Entities.Update`1.ModifyOnly(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) name: ModifyOnly(Expression>, T) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyOnly_System_Linq_Expressions_Expression_System_Func__0_System_Object____0_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.ModifyOnly(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyOnly_System_Linq_Expressions_Expression_System_Func__0_System_Object____0_ + commentId: M:MongoDB.Entities.Update`1.ModifyOnly(System.Linq.Expressions.Expression{System.Func{`0,System.Object}},`0) name.vb: ModifyOnly(Expression(Of Func(Of T, Object)), T) - fullName: MongoDB.Entities.UpdateAndGet.ModifyOnly(System.Linq.Expressions.Expression>, T) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyOnly(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), T) - nameWithType: UpdateAndGet.ModifyOnly(Expression>, T) - nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyOnly(Expression(Of Func(Of T, Object)), T) -- uid: MongoDB.Entities.UpdateAndGet`2.ModifyOnly* + fullName: MongoDB.Entities.Update.ModifyOnly(System.Linq.Expressions.Expression>, T) + fullName.vb: MongoDB.Entities.Update(Of T).ModifyOnly(System.Linq.Expressions.Expression(Of System.Func(Of T, System.Object)), T) + nameWithType: Update.ModifyOnly(Expression>, T) + nameWithType.vb: Update(Of T).ModifyOnly(Expression(Of Func(Of T, Object)), T) +- uid: MongoDB.Entities.Update`1.ModifyOnly* name: ModifyOnly - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyOnly_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.ModifyOnly + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyOnly_ + commentId: Overload:MongoDB.Entities.Update`1.ModifyOnly isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.ModifyOnly - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyOnly - nameWithType: UpdateAndGet.ModifyOnly - nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyOnly -- uid: MongoDB.Entities.UpdateAndGet`2.ModifyWith(`0) + fullName: MongoDB.Entities.Update.ModifyOnly + fullName.vb: MongoDB.Entities.Update(Of T).ModifyOnly + nameWithType: Update.ModifyOnly + nameWithType.vb: Update(Of T).ModifyOnly +- uid: MongoDB.Entities.Update`1.ModifyWith(`0) name: ModifyWith(T) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyWith__0_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.ModifyWith(`0) - fullName: MongoDB.Entities.UpdateAndGet.ModifyWith(T) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyWith(T) - nameWithType: UpdateAndGet.ModifyWith(T) - nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyWith(T) -- uid: MongoDB.Entities.UpdateAndGet`2.ModifyWith* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyWith__0_ + commentId: M:MongoDB.Entities.Update`1.ModifyWith(`0) + fullName: MongoDB.Entities.Update.ModifyWith(T) + fullName.vb: MongoDB.Entities.Update(Of T).ModifyWith(T) + nameWithType: Update.ModifyWith(T) + nameWithType.vb: Update(Of T).ModifyWith(T) +- uid: MongoDB.Entities.Update`1.ModifyWith* name: ModifyWith - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_ModifyWith_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.ModifyWith - isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.ModifyWith - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).ModifyWith - nameWithType: UpdateAndGet.ModifyWith - nameWithType.vb: UpdateAndGet(Of T, TProjection).ModifyWith -- uid: MongoDB.Entities.UpdateAndGet`2.Option(System.Action{MongoDB.Driver.FindOneAndUpdateOptions{`0,`1}}) - name: Option(Action>) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Option_System_Action_MongoDB_Driver_FindOneAndUpdateOptions__0__1___ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Option(System.Action{MongoDB.Driver.FindOneAndUpdateOptions{`0,`1}}) - name.vb: Option(Action(Of FindOneAndUpdateOptions(Of T, TProjection))) - fullName: MongoDB.Entities.UpdateAndGet.Option(System.Action>) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Option(System.Action(Of MongoDB.Driver.FindOneAndUpdateOptions(Of T, TProjection))) - nameWithType: UpdateAndGet.Option(Action>) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Option(Action(Of FindOneAndUpdateOptions(Of T, TProjection))) -- uid: MongoDB.Entities.UpdateAndGet`2.Option* - name: Option - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Option_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.Option + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_ModifyWith_ + commentId: Overload:MongoDB.Entities.Update`1.ModifyWith isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.Option - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Option - nameWithType: UpdateAndGet.Option - nameWithType.vb: UpdateAndGet(Of T, TProjection).Option -- uid: MongoDB.Entities.UpdateAndGet`2.Project(System.Func{MongoDB.Driver.ProjectionDefinitionBuilder{`0},MongoDB.Driver.ProjectionDefinition{`0,`1}}) - name: Project(Func, ProjectionDefinition>) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Project_System_Func_MongoDB_Driver_ProjectionDefinitionBuilder__0__MongoDB_Driver_ProjectionDefinition__0__1___ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Project(System.Func{MongoDB.Driver.ProjectionDefinitionBuilder{`0},MongoDB.Driver.ProjectionDefinition{`0,`1}}) - name.vb: Project(Func(Of ProjectionDefinitionBuilder(Of T), ProjectionDefinition(Of T, TProjection))) - fullName: MongoDB.Entities.UpdateAndGet.Project(System.Func, MongoDB.Driver.ProjectionDefinition>) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Project(System.Func(Of MongoDB.Driver.ProjectionDefinitionBuilder(Of T), MongoDB.Driver.ProjectionDefinition(Of T, TProjection))) - nameWithType: UpdateAndGet.Project(Func, ProjectionDefinition>) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Project(Func(Of ProjectionDefinitionBuilder(Of T), ProjectionDefinition(Of T, TProjection))) -- uid: MongoDB.Entities.UpdateAndGet`2.Project(System.Linq.Expressions.Expression{System.Func{`0,`1}}) - name: Project(Expression>) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Project_System_Linq_Expressions_Expression_System_Func__0__1___ - commentId: M:MongoDB.Entities.UpdateAndGet`2.Project(System.Linq.Expressions.Expression{System.Func{`0,`1}}) - name.vb: Project(Expression(Of Func(Of T, TProjection))) - fullName: MongoDB.Entities.UpdateAndGet.Project(System.Linq.Expressions.Expression>) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Project(System.Linq.Expressions.Expression(Of System.Func(Of T, TProjection))) - nameWithType: UpdateAndGet.Project(Expression>) - nameWithType.vb: UpdateAndGet(Of T, TProjection).Project(Expression(Of Func(Of T, TProjection))) -- uid: MongoDB.Entities.UpdateAndGet`2.Project* - name: Project - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_Project_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.Project + fullName: MongoDB.Entities.Update.ModifyWith + fullName.vb: MongoDB.Entities.Update(Of T).ModifyWith + nameWithType: Update.ModifyWith + nameWithType.vb: Update(Of T).ModifyWith +- uid: MongoDB.Entities.Update`1.Modify``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) + name: Modify(Expression>, TProp) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Modify__1_System_Linq_Expressions_Expression_System_Func__0___0_____0_ + commentId: M:MongoDB.Entities.Update`1.Modify``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) + name.vb: Modify(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) + fullName: MongoDB.Entities.Update.Modify(System.Linq.Expressions.Expression>, TProp) + fullName.vb: MongoDB.Entities.Update(Of T).Modify(Of TProp)(System.Linq.Expressions.Expression(Of System.Func(Of T, TProp)), TProp) + nameWithType: Update.Modify(Expression>, TProp) + nameWithType.vb: Update(Of T).Modify(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) +- uid: MongoDB.Entities.Update`1.Option(System.Action{MongoDB.Driver.UpdateOptions}) + name: Option(Action) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Option_System_Action_MongoDB_Driver_UpdateOptions__ + commentId: M:MongoDB.Entities.Update`1.Option(System.Action{MongoDB.Driver.UpdateOptions}) + name.vb: Option(Action(Of UpdateOptions)) + fullName: MongoDB.Entities.Update.Option(System.Action) + fullName.vb: MongoDB.Entities.Update(Of T).Option(System.Action(Of MongoDB.Driver.UpdateOptions)) + nameWithType: Update.Option(Action) + nameWithType.vb: Update(Of T).Option(Action(Of UpdateOptions)) +- uid: MongoDB.Entities.Update`1.Option* + name: Option + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_Option_ + commentId: Overload:MongoDB.Entities.Update`1.Option isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.Project - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).Project - nameWithType: UpdateAndGet.Project - nameWithType.vb: UpdateAndGet(Of T, TProjection).Project -- uid: MongoDB.Entities.UpdateAndGet`2.WithArrayFilter(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.Option + fullName.vb: MongoDB.Entities.Update(Of T).Option + nameWithType: Update.Option + nameWithType.vb: Update(Of T).Option +- uid: MongoDB.Entities.Update`1.WithArrayFilter(MongoDB.Entities.Template) name: WithArrayFilter(Template) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithArrayFilter_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.WithArrayFilter(MongoDB.Entities.Template) - fullName: MongoDB.Entities.UpdateAndGet.WithArrayFilter(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithArrayFilter(MongoDB.Entities.Template) - nameWithType: UpdateAndGet.WithArrayFilter(Template) - nameWithType.vb: UpdateAndGet(Of T, TProjection).WithArrayFilter(Template) -- uid: MongoDB.Entities.UpdateAndGet`2.WithArrayFilter(System.String) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithArrayFilter_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.Update`1.WithArrayFilter(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.WithArrayFilter(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.Update(Of T).WithArrayFilter(MongoDB.Entities.Template) + nameWithType: Update.WithArrayFilter(Template) + nameWithType.vb: Update(Of T).WithArrayFilter(Template) +- uid: MongoDB.Entities.Update`1.WithArrayFilter(System.String) name: WithArrayFilter(String) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithArrayFilter_System_String_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.WithArrayFilter(System.String) - fullName: MongoDB.Entities.UpdateAndGet.WithArrayFilter(System.String) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithArrayFilter(System.String) - nameWithType: UpdateAndGet.WithArrayFilter(String) - nameWithType.vb: UpdateAndGet(Of T, TProjection).WithArrayFilter(String) -- uid: MongoDB.Entities.UpdateAndGet`2.WithArrayFilter* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithArrayFilter_System_String_ + commentId: M:MongoDB.Entities.Update`1.WithArrayFilter(System.String) + fullName: MongoDB.Entities.Update.WithArrayFilter(System.String) + fullName.vb: MongoDB.Entities.Update(Of T).WithArrayFilter(System.String) + nameWithType: Update.WithArrayFilter(String) + nameWithType.vb: Update(Of T).WithArrayFilter(String) +- uid: MongoDB.Entities.Update`1.WithArrayFilter* name: WithArrayFilter - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithArrayFilter_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.WithArrayFilter + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithArrayFilter_ + commentId: Overload:MongoDB.Entities.Update`1.WithArrayFilter isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.WithArrayFilter - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithArrayFilter - nameWithType: UpdateAndGet.WithArrayFilter - nameWithType.vb: UpdateAndGet(Of T, TProjection).WithArrayFilter -- uid: MongoDB.Entities.UpdateAndGet`2.WithArrayFilters(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.WithArrayFilter + fullName.vb: MongoDB.Entities.Update(Of T).WithArrayFilter + nameWithType: Update.WithArrayFilter + nameWithType.vb: Update(Of T).WithArrayFilter +- uid: MongoDB.Entities.Update`1.WithArrayFilters(MongoDB.Entities.Template) name: WithArrayFilters(Template) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithArrayFilters_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.WithArrayFilters(MongoDB.Entities.Template) - fullName: MongoDB.Entities.UpdateAndGet.WithArrayFilters(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithArrayFilters(MongoDB.Entities.Template) - nameWithType: UpdateAndGet.WithArrayFilters(Template) - nameWithType.vb: UpdateAndGet(Of T, TProjection).WithArrayFilters(Template) -- uid: MongoDB.Entities.UpdateAndGet`2.WithArrayFilters* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithArrayFilters_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.Update`1.WithArrayFilters(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.WithArrayFilters(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.Update(Of T).WithArrayFilters(MongoDB.Entities.Template) + nameWithType: Update.WithArrayFilters(Template) + nameWithType.vb: Update(Of T).WithArrayFilters(Template) +- uid: MongoDB.Entities.Update`1.WithArrayFilters* name: WithArrayFilters - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithArrayFilters_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.WithArrayFilters + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithArrayFilters_ + commentId: Overload:MongoDB.Entities.Update`1.WithArrayFilters isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.WithArrayFilters - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithArrayFilters - nameWithType: UpdateAndGet.WithArrayFilters - nameWithType.vb: UpdateAndGet(Of T, TProjection).WithArrayFilters -- uid: MongoDB.Entities.UpdateAndGet`2.WithPipeline(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.WithArrayFilters + fullName.vb: MongoDB.Entities.Update(Of T).WithArrayFilters + nameWithType: Update.WithArrayFilters + nameWithType.vb: Update(Of T).WithArrayFilters +- uid: MongoDB.Entities.Update`1.WithPipeline(MongoDB.Entities.Template) name: WithPipeline(Template) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithPipeline_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.WithPipeline(MongoDB.Entities.Template) - fullName: MongoDB.Entities.UpdateAndGet.WithPipeline(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithPipeline(MongoDB.Entities.Template) - nameWithType: UpdateAndGet.WithPipeline(Template) - nameWithType.vb: UpdateAndGet(Of T, TProjection).WithPipeline(Template) -- uid: MongoDB.Entities.UpdateAndGet`2.WithPipeline* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithPipeline_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.Update`1.WithPipeline(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.WithPipeline(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.Update(Of T).WithPipeline(MongoDB.Entities.Template) + nameWithType: Update.WithPipeline(Template) + nameWithType.vb: Update(Of T).WithPipeline(Template) +- uid: MongoDB.Entities.Update`1.WithPipeline* name: WithPipeline - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithPipeline_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.WithPipeline + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithPipeline_ + commentId: Overload:MongoDB.Entities.Update`1.WithPipeline isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.WithPipeline - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithPipeline - nameWithType: UpdateAndGet.WithPipeline - nameWithType.vb: UpdateAndGet(Of T, TProjection).WithPipeline -- uid: MongoDB.Entities.UpdateAndGet`2.WithPipelineStage(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.WithPipeline + fullName.vb: MongoDB.Entities.Update(Of T).WithPipeline + nameWithType: Update.WithPipeline + nameWithType.vb: Update(Of T).WithPipeline +- uid: MongoDB.Entities.Update`1.WithPipelineStage(MongoDB.Entities.Template) name: WithPipelineStage(Template) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithPipelineStage_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.WithPipelineStage(MongoDB.Entities.Template) - fullName: MongoDB.Entities.UpdateAndGet.WithPipelineStage(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithPipelineStage(MongoDB.Entities.Template) - nameWithType: UpdateAndGet.WithPipelineStage(Template) - nameWithType.vb: UpdateAndGet(Of T, TProjection).WithPipelineStage(Template) -- uid: MongoDB.Entities.UpdateAndGet`2.WithPipelineStage(System.String) + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithPipelineStage_MongoDB_Entities_Template_ + commentId: M:MongoDB.Entities.Update`1.WithPipelineStage(MongoDB.Entities.Template) + fullName: MongoDB.Entities.Update.WithPipelineStage(MongoDB.Entities.Template) + fullName.vb: MongoDB.Entities.Update(Of T).WithPipelineStage(MongoDB.Entities.Template) + nameWithType: Update.WithPipelineStage(Template) + nameWithType.vb: Update(Of T).WithPipelineStage(Template) +- uid: MongoDB.Entities.Update`1.WithPipelineStage(System.String) name: WithPipelineStage(String) - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithPipelineStage_System_String_ - commentId: M:MongoDB.Entities.UpdateAndGet`2.WithPipelineStage(System.String) - fullName: MongoDB.Entities.UpdateAndGet.WithPipelineStage(System.String) - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithPipelineStage(System.String) - nameWithType: UpdateAndGet.WithPipelineStage(String) - nameWithType.vb: UpdateAndGet(Of T, TProjection).WithPipelineStage(String) -- uid: MongoDB.Entities.UpdateAndGet`2.WithPipelineStage* + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithPipelineStage_System_String_ + commentId: M:MongoDB.Entities.Update`1.WithPipelineStage(System.String) + fullName: MongoDB.Entities.Update.WithPipelineStage(System.String) + fullName.vb: MongoDB.Entities.Update(Of T).WithPipelineStage(System.String) + nameWithType: Update.WithPipelineStage(String) + nameWithType.vb: Update(Of T).WithPipelineStage(String) +- uid: MongoDB.Entities.Update`1.WithPipelineStage* name: WithPipelineStage - href: api/MongoDB.Entities.UpdateAndGet-2.html#MongoDB_Entities_UpdateAndGet_2_WithPipelineStage_ - commentId: Overload:MongoDB.Entities.UpdateAndGet`2.WithPipelineStage - isSpec: "True" - fullName: MongoDB.Entities.UpdateAndGet.WithPipelineStage - fullName.vb: MongoDB.Entities.UpdateAndGet(Of T, TProjection).WithPipelineStage - nameWithType: UpdateAndGet.WithPipelineStage - nameWithType.vb: UpdateAndGet(Of T, TProjection).WithPipelineStage -- uid: MongoDB.Entities.UpdateBase`1 - name: UpdateBase - href: api/MongoDB.Entities.UpdateBase-1.html - commentId: T:MongoDB.Entities.UpdateBase`1 - name.vb: UpdateBase(Of T) - fullName: MongoDB.Entities.UpdateBase - fullName.vb: MongoDB.Entities.UpdateBase(Of T) - nameWithType: UpdateBase - nameWithType.vb: UpdateBase(Of T) -- uid: MongoDB.Entities.UpdateBase`1.AddModification(MongoDB.Entities.Template) - name: AddModification(Template) - href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_AddModification_MongoDB_Entities_Template_ - commentId: M:MongoDB.Entities.UpdateBase`1.AddModification(MongoDB.Entities.Template) - fullName: MongoDB.Entities.UpdateBase.AddModification(MongoDB.Entities.Template) - fullName.vb: MongoDB.Entities.UpdateBase(Of T).AddModification(MongoDB.Entities.Template) - nameWithType: UpdateBase.AddModification(Template) - nameWithType.vb: UpdateBase(Of T).AddModification(Template) -- uid: MongoDB.Entities.UpdateBase`1.AddModification(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) - name: AddModification(Func, UpdateDefinition>) - href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_AddModification_System_Func_MongoDB_Driver_UpdateDefinitionBuilder__0__MongoDB_Driver_UpdateDefinition__0___ - commentId: M:MongoDB.Entities.UpdateBase`1.AddModification(System.Func{MongoDB.Driver.UpdateDefinitionBuilder{`0},MongoDB.Driver.UpdateDefinition{`0}}) - name.vb: AddModification(Func(Of UpdateDefinitionBuilder(Of T), UpdateDefinition(Of T))) - fullName: MongoDB.Entities.UpdateBase.AddModification(System.Func, MongoDB.Driver.UpdateDefinition>) - fullName.vb: MongoDB.Entities.UpdateBase(Of T).AddModification(System.Func(Of MongoDB.Driver.UpdateDefinitionBuilder(Of T), MongoDB.Driver.UpdateDefinition(Of T))) - nameWithType: UpdateBase.AddModification(Func, UpdateDefinition>) - nameWithType.vb: UpdateBase(Of T).AddModification(Func(Of UpdateDefinitionBuilder(Of T), UpdateDefinition(Of T))) -- uid: MongoDB.Entities.UpdateBase`1.AddModification(System.String) - name: AddModification(String) - href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_AddModification_System_String_ - commentId: M:MongoDB.Entities.UpdateBase`1.AddModification(System.String) - fullName: MongoDB.Entities.UpdateBase.AddModification(System.String) - fullName.vb: MongoDB.Entities.UpdateBase(Of T).AddModification(System.String) - nameWithType: UpdateBase.AddModification(String) - nameWithType.vb: UpdateBase(Of T).AddModification(String) -- uid: MongoDB.Entities.UpdateBase`1.AddModification* - name: AddModification - href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_AddModification_ - commentId: Overload:MongoDB.Entities.UpdateBase`1.AddModification + href: api/MongoDB.Entities.Update-1.html#MongoDB_Entities_Update_1_WithPipelineStage_ + commentId: Overload:MongoDB.Entities.Update`1.WithPipelineStage isSpec: "True" - fullName: MongoDB.Entities.UpdateBase.AddModification - fullName.vb: MongoDB.Entities.UpdateBase(Of T).AddModification - nameWithType: UpdateBase.AddModification - nameWithType.vb: UpdateBase(Of T).AddModification -- uid: MongoDB.Entities.UpdateBase`1.AddModification``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) - name: AddModification(Expression>, TProp) - href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_AddModification__1_System_Linq_Expressions_Expression_System_Func__0___0_____0_ - commentId: M:MongoDB.Entities.UpdateBase`1.AddModification``1(System.Linq.Expressions.Expression{System.Func{`0,``0}},``0) - name.vb: AddModification(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) - fullName: MongoDB.Entities.UpdateBase.AddModification(System.Linq.Expressions.Expression>, TProp) - fullName.vb: MongoDB.Entities.UpdateBase(Of T).AddModification(Of TProp)(System.Linq.Expressions.Expression(Of System.Func(Of T, TProp)), TProp) - nameWithType: UpdateBase.AddModification(Expression>, TProp) - nameWithType.vb: UpdateBase(Of T).AddModification(Of TProp)(Expression(Of Func(Of T, TProp)), TProp) -- uid: MongoDB.Entities.UpdateBase`1.defs - name: defs - href: api/MongoDB.Entities.UpdateBase-1.html#MongoDB_Entities_UpdateBase_1_defs - commentId: F:MongoDB.Entities.UpdateBase`1.defs - fullName: MongoDB.Entities.UpdateBase.defs - fullName.vb: MongoDB.Entities.UpdateBase(Of T).defs - nameWithType: UpdateBase.defs - nameWithType.vb: UpdateBase(Of T).defs + fullName: MongoDB.Entities.Update.WithPipelineStage + fullName.vb: MongoDB.Entities.Update(Of T).WithPipelineStage + nameWithType: Update.WithPipelineStage + nameWithType.vb: Update(Of T).WithPipelineStage - uid: MongoDB.Entities.Watcher`1 name: Watcher href: api/MongoDB.Entities.Watcher-1.html @@ -7056,6 +7056,15 @@ references: fullName.vb: MongoDB.Entities.Watcher(Of T).Start(MongoDB.Entities.EventType, System.Func(Of MongoDB.Driver.FilterDefinitionBuilder(Of MongoDB.Driver.ChangeStreamDocument(Of T)), MongoDB.Driver.FilterDefinition(Of MongoDB.Driver.ChangeStreamDocument(Of T))), System.Int32, System.Boolean, System.Boolean, System.Threading.CancellationToken) nameWithType: Watcher.Start(EventType, Func>, FilterDefinition>>, Int32, Boolean, Boolean, CancellationToken) nameWithType.vb: Watcher(Of T).Start(EventType, Func(Of FilterDefinitionBuilder(Of ChangeStreamDocument(Of T)), FilterDefinition(Of ChangeStreamDocument(Of T))), Int32, Boolean, Boolean, CancellationToken) +- uid: MongoDB.Entities.Watcher`1.Start(MongoDB.Entities.EventType,System.Linq.Expressions.Expression{System.Func{MongoDB.Driver.ChangeStreamDocument{`0},System.Boolean}},System.Int32,System.Boolean,System.Boolean,System.Threading.CancellationToken) + name: Start(EventType, Expression, Boolean>>, Int32, Boolean, Boolean, CancellationToken) + href: api/MongoDB.Entities.Watcher-1.html#MongoDB_Entities_Watcher_1_Start_MongoDB_Entities_EventType_System_Linq_Expressions_Expression_System_Func_MongoDB_Driver_ChangeStreamDocument__0__System_Boolean___System_Int32_System_Boolean_System_Boolean_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Watcher`1.Start(MongoDB.Entities.EventType,System.Linq.Expressions.Expression{System.Func{MongoDB.Driver.ChangeStreamDocument{`0},System.Boolean}},System.Int32,System.Boolean,System.Boolean,System.Threading.CancellationToken) + name.vb: Start(EventType, Expression(Of Func(Of ChangeStreamDocument(Of T), Boolean)), Int32, Boolean, Boolean, CancellationToken) + fullName: MongoDB.Entities.Watcher.Start(MongoDB.Entities.EventType, System.Linq.Expressions.Expression, System.Boolean>>, System.Int32, System.Boolean, System.Boolean, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Watcher(Of T).Start(MongoDB.Entities.EventType, System.Linq.Expressions.Expression(Of System.Func(Of MongoDB.Driver.ChangeStreamDocument(Of T), System.Boolean)), System.Int32, System.Boolean, System.Boolean, System.Threading.CancellationToken) + nameWithType: Watcher.Start(EventType, Expression, Boolean>>, Int32, Boolean, Boolean, CancellationToken) + nameWithType.vb: Watcher(Of T).Start(EventType, Expression(Of Func(Of ChangeStreamDocument(Of T), Boolean)), Int32, Boolean, Boolean, CancellationToken) - uid: MongoDB.Entities.Watcher`1.Start(MongoDB.Entities.EventType,System.Linq.Expressions.Expression{System.Func{`0,`0}},System.Func{MongoDB.Driver.FilterDefinitionBuilder{MongoDB.Driver.ChangeStreamDocument{`0}},MongoDB.Driver.FilterDefinition{MongoDB.Driver.ChangeStreamDocument{`0}}},System.Int32,System.Boolean,System.Threading.CancellationToken) name: Start(EventType, Expression>, Func>, FilterDefinition>>, Int32, Boolean, CancellationToken) href: api/MongoDB.Entities.Watcher-1.html#MongoDB_Entities_Watcher_1_Start_MongoDB_Entities_EventType_System_Linq_Expressions_Expression_System_Func__0__0___System_Func_MongoDB_Driver_FilterDefinitionBuilder_MongoDB_Driver_ChangeStreamDocument__0___MongoDB_Driver_FilterDefinition_MongoDB_Driver_ChangeStreamDocument__0____System_Int32_System_Boolean_System_Threading_CancellationToken_ @@ -7074,15 +7083,6 @@ references: fullName.vb: MongoDB.Entities.Watcher(Of T).Start(MongoDB.Entities.EventType, System.Linq.Expressions.Expression(Of System.Func(Of T, T)), System.Linq.Expressions.Expression(Of System.Func(Of MongoDB.Driver.ChangeStreamDocument(Of T), System.Boolean)), System.Int32, System.Boolean, System.Threading.CancellationToken) nameWithType: Watcher.Start(EventType, Expression>, Expression, Boolean>>, Int32, Boolean, CancellationToken) nameWithType.vb: Watcher(Of T).Start(EventType, Expression(Of Func(Of T, T)), Expression(Of Func(Of ChangeStreamDocument(Of T), Boolean)), Int32, Boolean, CancellationToken) -- uid: MongoDB.Entities.Watcher`1.Start(MongoDB.Entities.EventType,System.Linq.Expressions.Expression{System.Func{MongoDB.Driver.ChangeStreamDocument{`0},System.Boolean}},System.Int32,System.Boolean,System.Boolean,System.Threading.CancellationToken) - name: Start(EventType, Expression, Boolean>>, Int32, Boolean, Boolean, CancellationToken) - href: api/MongoDB.Entities.Watcher-1.html#MongoDB_Entities_Watcher_1_Start_MongoDB_Entities_EventType_System_Linq_Expressions_Expression_System_Func_MongoDB_Driver_ChangeStreamDocument__0__System_Boolean___System_Int32_System_Boolean_System_Boolean_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Watcher`1.Start(MongoDB.Entities.EventType,System.Linq.Expressions.Expression{System.Func{MongoDB.Driver.ChangeStreamDocument{`0},System.Boolean}},System.Int32,System.Boolean,System.Boolean,System.Threading.CancellationToken) - name.vb: Start(EventType, Expression(Of Func(Of ChangeStreamDocument(Of T), Boolean)), Int32, Boolean, Boolean, CancellationToken) - fullName: MongoDB.Entities.Watcher.Start(MongoDB.Entities.EventType, System.Linq.Expressions.Expression, System.Boolean>>, System.Int32, System.Boolean, System.Boolean, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Watcher(Of T).Start(MongoDB.Entities.EventType, System.Linq.Expressions.Expression(Of System.Func(Of MongoDB.Driver.ChangeStreamDocument(Of T), System.Boolean)), System.Int32, System.Boolean, System.Boolean, System.Threading.CancellationToken) - nameWithType: Watcher.Start(EventType, Expression, Boolean>>, Int32, Boolean, Boolean, CancellationToken) - nameWithType.vb: Watcher(Of T).Start(EventType, Expression(Of Func(Of ChangeStreamDocument(Of T), Boolean)), Int32, Boolean, Boolean, CancellationToken) - uid: MongoDB.Entities.Watcher`1.Start* name: Start href: api/MongoDB.Entities.Watcher-1.html#MongoDB_Entities_Watcher_1_Start_ @@ -7101,6 +7101,15 @@ references: fullName.vb: MongoDB.Entities.Watcher(Of T).StartWithToken(MongoDB.Bson.BsonDocument, MongoDB.Entities.EventType, System.Func(Of MongoDB.Driver.FilterDefinitionBuilder(Of MongoDB.Driver.ChangeStreamDocument(Of T)), MongoDB.Driver.FilterDefinition(Of MongoDB.Driver.ChangeStreamDocument(Of T))), System.Int32, System.Boolean, System.Threading.CancellationToken) nameWithType: Watcher.StartWithToken(BsonDocument, EventType, Func>, FilterDefinition>>, Int32, Boolean, CancellationToken) nameWithType.vb: Watcher(Of T).StartWithToken(BsonDocument, EventType, Func(Of FilterDefinitionBuilder(Of ChangeStreamDocument(Of T)), FilterDefinition(Of ChangeStreamDocument(Of T))), Int32, Boolean, CancellationToken) +- uid: MongoDB.Entities.Watcher`1.StartWithToken(MongoDB.Bson.BsonDocument,MongoDB.Entities.EventType,System.Linq.Expressions.Expression{System.Func{MongoDB.Driver.ChangeStreamDocument{`0},System.Boolean}},System.Int32,System.Boolean,System.Threading.CancellationToken) + name: StartWithToken(BsonDocument, EventType, Expression, Boolean>>, Int32, Boolean, CancellationToken) + href: api/MongoDB.Entities.Watcher-1.html#MongoDB_Entities_Watcher_1_StartWithToken_MongoDB_Bson_BsonDocument_MongoDB_Entities_EventType_System_Linq_Expressions_Expression_System_Func_MongoDB_Driver_ChangeStreamDocument__0__System_Boolean___System_Int32_System_Boolean_System_Threading_CancellationToken_ + commentId: M:MongoDB.Entities.Watcher`1.StartWithToken(MongoDB.Bson.BsonDocument,MongoDB.Entities.EventType,System.Linq.Expressions.Expression{System.Func{MongoDB.Driver.ChangeStreamDocument{`0},System.Boolean}},System.Int32,System.Boolean,System.Threading.CancellationToken) + name.vb: StartWithToken(BsonDocument, EventType, Expression(Of Func(Of ChangeStreamDocument(Of T), Boolean)), Int32, Boolean, CancellationToken) + fullName: MongoDB.Entities.Watcher.StartWithToken(MongoDB.Bson.BsonDocument, MongoDB.Entities.EventType, System.Linq.Expressions.Expression, System.Boolean>>, System.Int32, System.Boolean, System.Threading.CancellationToken) + fullName.vb: MongoDB.Entities.Watcher(Of T).StartWithToken(MongoDB.Bson.BsonDocument, MongoDB.Entities.EventType, System.Linq.Expressions.Expression(Of System.Func(Of MongoDB.Driver.ChangeStreamDocument(Of T), System.Boolean)), System.Int32, System.Boolean, System.Threading.CancellationToken) + nameWithType: Watcher.StartWithToken(BsonDocument, EventType, Expression, Boolean>>, Int32, Boolean, CancellationToken) + nameWithType.vb: Watcher(Of T).StartWithToken(BsonDocument, EventType, Expression(Of Func(Of ChangeStreamDocument(Of T), Boolean)), Int32, Boolean, CancellationToken) - uid: MongoDB.Entities.Watcher`1.StartWithToken(MongoDB.Bson.BsonDocument,MongoDB.Entities.EventType,System.Linq.Expressions.Expression{System.Func{`0,`0}},System.Func{MongoDB.Driver.FilterDefinitionBuilder{MongoDB.Driver.ChangeStreamDocument{`0}},MongoDB.Driver.FilterDefinition{MongoDB.Driver.ChangeStreamDocument{`0}}},System.Int32,System.Threading.CancellationToken) name: StartWithToken(BsonDocument, EventType, Expression>, Func>, FilterDefinition>>, Int32, CancellationToken) href: api/MongoDB.Entities.Watcher-1.html#MongoDB_Entities_Watcher_1_StartWithToken_MongoDB_Bson_BsonDocument_MongoDB_Entities_EventType_System_Linq_Expressions_Expression_System_Func__0__0___System_Func_MongoDB_Driver_FilterDefinitionBuilder_MongoDB_Driver_ChangeStreamDocument__0___MongoDB_Driver_FilterDefinition_MongoDB_Driver_ChangeStreamDocument__0____System_Int32_System_Threading_CancellationToken_ @@ -7119,15 +7128,6 @@ references: fullName.vb: MongoDB.Entities.Watcher(Of T).StartWithToken(MongoDB.Bson.BsonDocument, MongoDB.Entities.EventType, System.Linq.Expressions.Expression(Of System.Func(Of T, T)), System.Linq.Expressions.Expression(Of System.Func(Of MongoDB.Driver.ChangeStreamDocument(Of T), System.Boolean)), System.Int32, System.Threading.CancellationToken) nameWithType: Watcher.StartWithToken(BsonDocument, EventType, Expression>, Expression, Boolean>>, Int32, CancellationToken) nameWithType.vb: Watcher(Of T).StartWithToken(BsonDocument, EventType, Expression(Of Func(Of T, T)), Expression(Of Func(Of ChangeStreamDocument(Of T), Boolean)), Int32, CancellationToken) -- uid: MongoDB.Entities.Watcher`1.StartWithToken(MongoDB.Bson.BsonDocument,MongoDB.Entities.EventType,System.Linq.Expressions.Expression{System.Func{MongoDB.Driver.ChangeStreamDocument{`0},System.Boolean}},System.Int32,System.Boolean,System.Threading.CancellationToken) - name: StartWithToken(BsonDocument, EventType, Expression, Boolean>>, Int32, Boolean, CancellationToken) - href: api/MongoDB.Entities.Watcher-1.html#MongoDB_Entities_Watcher_1_StartWithToken_MongoDB_Bson_BsonDocument_MongoDB_Entities_EventType_System_Linq_Expressions_Expression_System_Func_MongoDB_Driver_ChangeStreamDocument__0__System_Boolean___System_Int32_System_Boolean_System_Threading_CancellationToken_ - commentId: M:MongoDB.Entities.Watcher`1.StartWithToken(MongoDB.Bson.BsonDocument,MongoDB.Entities.EventType,System.Linq.Expressions.Expression{System.Func{MongoDB.Driver.ChangeStreamDocument{`0},System.Boolean}},System.Int32,System.Boolean,System.Threading.CancellationToken) - name.vb: StartWithToken(BsonDocument, EventType, Expression(Of Func(Of ChangeStreamDocument(Of T), Boolean)), Int32, Boolean, CancellationToken) - fullName: MongoDB.Entities.Watcher.StartWithToken(MongoDB.Bson.BsonDocument, MongoDB.Entities.EventType, System.Linq.Expressions.Expression, System.Boolean>>, System.Int32, System.Boolean, System.Threading.CancellationToken) - fullName.vb: MongoDB.Entities.Watcher(Of T).StartWithToken(MongoDB.Bson.BsonDocument, MongoDB.Entities.EventType, System.Linq.Expressions.Expression(Of System.Func(Of MongoDB.Driver.ChangeStreamDocument(Of T), System.Boolean)), System.Int32, System.Boolean, System.Threading.CancellationToken) - nameWithType: Watcher.StartWithToken(BsonDocument, EventType, Expression, Boolean>>, Int32, Boolean, CancellationToken) - nameWithType.vb: Watcher(Of T).StartWithToken(BsonDocument, EventType, Expression(Of Func(Of ChangeStreamDocument(Of T), Boolean)), Int32, Boolean, CancellationToken) - uid: MongoDB.Entities.Watcher`1.StartWithToken* name: StartWithToken href: api/MongoDB.Entities.Watcher-1.html#MongoDB_Entities_Watcher_1_StartWithToken_